`.\n * @returns {Function} A `useDispatch` hook bound to the specified context.\n */\n\nexport function createDispatchHook(context = ReactReduxContext) {\n const useStore = // @ts-ignore\n context === ReactReduxContext ? useDefaultStore : createStoreHook(context);\n return function useDispatch() {\n const store = useStore(); // @ts-ignore\n\n return store.dispatch;\n };\n}\n/**\n * A hook to access the redux `dispatch` function.\n *\n * @returns {any|function} redux store's `dispatch` function\n *\n * @example\n *\n * import React, { useCallback } from 'react'\n * import { useDispatch } from 'react-redux'\n *\n * export const CounterComponent = ({ value }) => {\n * const dispatch = useDispatch()\n * const increaseCounter = useCallback(() => dispatch({ type: 'increase-counter' }), [])\n * return (\n * \n * {value}\n * \n *
\n * )\n * }\n */\n\nexport const useDispatch = /*#__PURE__*/createDispatchHook();","// The primary entry point assumes we're working with standard ReactDOM/RN, but\n// older versions that do not include `useSyncExternalStore` (React 16.9 - 17.x).\n// Because of that, the useSyncExternalStore compat shim is needed.\nimport { useSyncExternalStore } from 'use-sync-external-store/shim';\nimport { useSyncExternalStoreWithSelector } from 'use-sync-external-store/shim/with-selector';\nimport { unstable_batchedUpdates as batch } from './utils/reactBatchedUpdates';\nimport { setBatch } from './utils/batch';\nimport { initializeUseSelector } from './hooks/useSelector';\nimport { initializeConnect } from './components/connect';\ninitializeUseSelector(useSyncExternalStoreWithSelector);\ninitializeConnect(useSyncExternalStore); // Enable batched updates in our subscriptions for use\n// with standard React renderers (ReactDOM, React Native)\n\nsetBatch(batch);\nexport { batch };\nexport * from './exports';","export const ERRORS = {\n INVALID_SESSION_ERROR: {\n key: 'INVALID_SESSION_ERROR',\n status: 400,\n statusText: 'Session is invalid',\n code: '001',\n },\n INVALID_USER_ERROR: {\n key: 'INVALID_USER_ERROR',\n status: 400,\n statusText: 'User is invalid',\n code: '002',\n },\n INVALID_PIN_ERROR: {\n key: 'INVALID_PIN_ERROR',\n status: 400,\n statusText: 'Pin is invalid',\n code: '003',\n },\n PHONE_PARAMETER_REQUIRED_ERROR: {\n key: 'PHONE_PARAMETER_REQUIRED_ERROR',\n status: 400,\n statusText: 'Parameter \"phone\" is required',\n code: '004',\n },\n PIN_PARAMETER_REQUIRED_ERROR: {\n key: 'PIN_PARAMETER_REQUIRED_ERROR',\n status: 400,\n statusText: 'Parameter \"pin\" is required',\n code: '005',\n },\n GOOGLE_TOKEN_PARAMETER_REQUIRED_ERROR: {\n key: 'GOOGLE_TOKEN_PARAMETER_REQUIRED_ERROR',\n status: 400,\n statusText: 'Parameter \"googleToken\" is required',\n code: '006',\n },\n INVALID_AUTHENTICATION_URL_ERROR: {\n key: 'INVALID_AUTHENTICATION_URL_ERROR',\n status: 400,\n statusText: 'Authentication URL is invalid',\n code: '007',\n },\n EMPTY_SESSION_ERROR: {\n key: 'EMPTY_SESSION_ERROR',\n status: 401,\n statusText: 'Session is empty',\n code: '008',\n },\n SW_CONFIG_ERROR: {\n key: 'SW_CONFIG_ERROR',\n status: 400,\n statusText: 'Service Worker configuration error',\n code: '009',\n },\n FAILED_REFRESH_REQUEST_ERROR: {\n key: 'FAILED_REFRESH_REQUEST_ERROR',\n status: 400,\n statusText: 'Refresh request error',\n code: '010',\n },\n THROTTLING_ERROR: {\n key: 'THROTTLING_ERROR',\n status: 429,\n statusText: 'Too many requests',\n code: '011',\n },\n SERVER_ERROR: {\n key: 'SERVER_ERROR',\n status: 500,\n statusText: 'Server error',\n code: '012',\n },\n NOT_ENOUGH_RIGHTS_ERROR: {\n key: 'NOT_ENOUGH_RIGHTS_ERROR',\n status: 400,\n statusText: 'Not enough rights',\n code: '013',\n },\n INVALID_TOKEN_ERROR: {\n key: 'INVALID_TOKEN_ERROR',\n status: 401,\n statusText: 'Failed login attempt, please try again.',\n code: '014',\n },\n TOKEN_MISSING_ERROR: {\n key: 'TOKEN_MISSING_ERROR',\n status: 400,\n statusText: 'Refresh token is missing',\n code: '015',\n },\n TOKEN_EXPIRED_ERROR: {\n key: 'TOKEN_EXPIRED_ERROR',\n status: 400,\n statusText: 'Refresh token is expired',\n code: '016',\n },\n INVALID_REFRESH_TOKEN_ERROR: {\n key: 'INVALID_REFRESH_TOKEN_ERROR',\n status: 400,\n statusText: 'Invalid refresh token',\n code: '016',\n },\n PERMISSION_DENIED_ERROR: {\n key: 'PERMISSION_DENIED_ERROR',\n status: 403,\n statusText: 'Permission denied',\n code: '017',\n },\n UNKNOWN_ERROR: { key: 'UNKNOWN_ERROR', status: 400, statusText: 'Unknown error', code: '000' },\n};\n","var __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) {\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\n return new (P || (P = Promise))(function (resolve, reject) {\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\n step((generator = generator.apply(thisArg, _arguments || [])).next());\n });\n};\nimport { ERRORS } from './constants/errors';\nimport { FAKE_AUTH_ROUTES } from './constants/routes';\nexport class AuthError extends Error {\n constructor({ key, message }) {\n super(message);\n this.name = key;\n }\n}\n/**\n * The number of milliseconds before the official expiration time of a token\n * to refresh that token, to provide a buffer for RPCs to complete.\n */\nconst SESSION_REFRESH_THRESHOLD = 30000;\nexport const isSessionExpiring = (session) => {\n if (!(session === null || session === void 0 ? void 0 : session.expiresAt)) {\n return false;\n }\n return Date.now() > Number(session.expiresAt) - SESSION_REFRESH_THRESHOLD;\n};\nexport const isSession = (session) => session &&\n typeof session.accessToken === 'string' &&\n typeof session.refreshToken === 'string' &&\n typeof session.activated === 'boolean' &&\n !Number.isNaN(Date.parse(session.expiresAt));\nexport const isRawSession = (rawSession) => rawSession &&\n typeof rawSession.access_token === 'string' &&\n typeof rawSession.refresh_token === 'string' &&\n typeof rawSession.expires_in === 'number';\nexport const isErrorShape = (error) => error &&\n typeof error.key === 'string' &&\n typeof error.status === 'number' &&\n typeof error.statusText === 'string' &&\n typeof error.code === 'string';\nexport const noop = Function.prototype;\nexport const isLocalStorageSupported = (testKey) => {\n try {\n const key = `${testKey}-${Date.now()}`;\n localStorage.setItem(key, 'test');\n localStorage.removeItem(key);\n return true;\n }\n catch (error) {\n return false;\n }\n};\nexport const isFakeAuthRequest = (requestUrl) => Object.values(FAKE_AUTH_ROUTES).some(authRoute => requestUrl.includes(authRoute));\nexport const cloneHeaders = (originalHeaders) => {\n const headers = new Headers();\n originalHeaders.forEach((value, key) => {\n headers.append(key, value);\n });\n return headers;\n};\nexport const transformJsonToSession = (session) => {\n if (isSession(session)) {\n return Object.assign(Object.assign({}, session), { expiresAt: new Date(session.expiresAt) });\n }\n};\nexport const transformStoredSession = (session) => {\n const parsedSession = JSON.parse(session);\n return transformJsonToSession(parsedSession);\n};\nexport const transformRawSession = (rawSession) => {\n if (isRawSession(rawSession)) {\n return {\n accessToken: rawSession.access_token,\n refreshToken: rawSession.refresh_token,\n expiresAt: new Date(Date.now() + rawSession.expires_in * 1000),\n activated: rawSession.activation_needed ? !rawSession.activation_needed : true,\n };\n }\n};\nexport const createSuccessResponseData = (data) => ({\n ok: true,\n data,\n});\nexport const createSuccessResponse = (data) => new Response(JSON.stringify(createSuccessResponseData(data)), { status: 200 });\nexport const createAuthError = (key, message) => new AuthError({ key, message });\nexport const createErrorResponseData = ({ code, message, }) => ({\n ok: false,\n errorCode: code,\n errorMessage: message,\n});\nexport const getErrorDataByKey = (key) => ERRORS[key] || ERRORS.UNKNOWN_ERROR;\nexport const createErrorResponse = (error) => {\n let errorObject, message;\n if (isErrorShape(error)) {\n errorObject = error;\n message = errorObject.statusText;\n }\n else {\n errorObject = getErrorDataByKey(error.name);\n message = error.message || errorObject.statusText;\n }\n const { code, statusText, status } = errorObject;\n const errorData = createErrorResponseData({ code, message });\n return new Response(JSON.stringify(errorData), {\n statusText,\n status,\n });\n};\nexport const sendPostMessage = ({ type, payload, extra, source, }) => __awaiter(void 0, void 0, void 0, function* () {\n const clients = yield self.clients.matchAll({ type: 'window' });\n clients.forEach(client => {\n client.postMessage({\n type,\n payload,\n extra,\n source,\n });\n });\n});\nexport const prepareCaptchaHeader = (captcha) => btoa(JSON.stringify({\n type: 'captcha',\n signature: captcha,\n}));\n","var __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) {\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\n return new (P || (P = Promise))(function (resolve, reject) {\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\n step((generator = generator.apply(thisArg, _arguments || [])).next());\n });\n};\nimport { noop, transformRawSession, isLocalStorageSupported } from '../../utils';\nconst REFRESH_STATUSES = {\n pending: 'pending',\n fulfilled: 'fulfilled',\n failed: 'failed',\n};\nconst REFRESH_TIME_OUT_MESSAGE = 'REFRESH_TIME_OUT';\nconst REFRESH_RETRY_TIMEOUT = 3000; // 3s\nconst MAX_RETRIES_COUNT = 2;\nexport const isRefreshError = (error) => error && typeof (error === null || error === void 0 ? void 0 : error.message) === 'string';\nclass TabSyncronizer {\n constructor({ storageKey, adapter, refreshRetryTimeout = REFRESH_RETRY_TIMEOUT, maxRetriesCount = MAX_RETRIES_COUNT, onRefreshFromStorage = noop, }) {\n this.resolveStorageEvent = null;\n this.rejectStorageEvent = null;\n this.payload = null;\n this.retriesCount = 0;\n this.isLocalStorageSupported = true;\n this.checkLocalStorageSupport = () => {\n if (!isLocalStorageSupported(this.storageKey)) {\n this.isLocalStorageSupported = false;\n }\n };\n this.handleStorageEvent = (event) => {\n if (event.key === this.storageKey && event.newValue) {\n try {\n const state = JSON.parse(event.newValue);\n switch (state.status) {\n case REFRESH_STATUSES.fulfilled:\n return this.handleFulfilledStorageEvent(state.session);\n case REFRESH_STATUSES.failed:\n return this.handleFailedStorageEvent(state.error);\n }\n }\n catch (error) {\n // Simply ignore invalid refresh state\n // In case something is wrong with another tab\n // request promise will be rejected on timer\n return;\n }\n }\n };\n this.handleFulfilledStorageEvent = (rawSession) => {\n if (typeof this.resolveStorageEvent === 'function') {\n this.resolveStorageEvent(rawSession);\n clearTimeout(this.refreshTimeoutTimer);\n }\n else {\n this.onRefreshFromStorage(transformRawSession(rawSession));\n }\n };\n this.handleFailedStorageEvent = (error) => {\n if (typeof this.rejectStorageEvent === 'function') {\n this.rejectStorageEvent(error);\n }\n };\n this.getCurrentState = () => {\n if (!this.isLocalStorageSupported) {\n return null;\n }\n try {\n const rawState = localStorage.getItem(this.storageKey);\n return rawState ? JSON.parse(rawState) : null;\n }\n catch (error) {\n return null;\n }\n };\n this.setCurrentState = (newState) => {\n if (!this.isLocalStorageSupported) {\n return;\n }\n localStorage.setItem(this.storageKey, JSON.stringify(newState));\n };\n this.createWaitForStorageEventPromise = () => new Promise((resolve, reject) => {\n this.resolveStorageEvent = resolve;\n this.rejectStorageEvent = reject;\n // call window explicitly to force TS using browser version of setTimeout\n this.refreshTimeoutTimer = window.setTimeout(reject, this.refreshRetryTimeout, {\n message: REFRESH_TIME_OUT_MESSAGE,\n });\n });\n this.createRetryPromise = () => {\n this.retriesCount += 1;\n return new Promise((resolve, reject) => {\n if (!this.payload) {\n reject({ message: 'Payload is empty' });\n return;\n }\n setTimeout(() => {\n if (!this.payload) {\n reject({ message: 'Payload is empty' });\n return;\n }\n this.sendRequest(this.payload.refreshToken, this.payload.locale).then(resolve, reject);\n }, this.retriesCount * 1000);\n });\n };\n this.handleFailedRequest = (error) => {\n if ((error === null || error === void 0 ? void 0 : error.status) === 401 && this.retriesCount === 0) {\n return this.createWaitForStorageEventPromise();\n }\n if ((error === null || error === void 0 ? void 0 : error.status) !== 401 &&\n this.retriesCount < this.maxRetriesCount &&\n this.payload !== null) {\n return this.createRetryPromise().catch(this.handleFailedRequest);\n }\n throw error;\n };\n this.handleFulfilledRequest = (rawSession) => {\n this.setCurrentState({\n status: REFRESH_STATUSES.fulfilled,\n payload: this.payload || undefined,\n session: rawSession,\n });\n return rawSession;\n };\n this.sendRequest = (refreshToken, locale) => __awaiter(this, void 0, void 0, function* () {\n var _a;\n const response = yield this.adapter.requestRefreshToken({ refreshToken, locale });\n const data = (yield response.json());\n if ('errors' in data) {\n const error = {\n status: response.status,\n message: (_a = Object.values(data.errors)[0]) === null || _a === void 0 ? void 0 : _a[0],\n data: data.errors,\n };\n throw error;\n }\n return data.token;\n });\n this.refreshAccessToken = (refreshToken, locale) => __awaiter(this, void 0, void 0, function* () {\n if (!this.isLocalStorageSupported) {\n return this.sendRequest(refreshToken, locale);\n }\n this.payload = { refreshToken, locale };\n this.retriesCount = 0;\n const currentState = this.getCurrentState();\n let requestPromise;\n if ((currentState === null || currentState === void 0 ? void 0 : currentState.status) === REFRESH_STATUSES.pending) {\n requestPromise = this.createWaitForStorageEventPromise();\n }\n else {\n this.setCurrentState({ status: REFRESH_STATUSES.pending, payload: { refreshToken, locale } });\n requestPromise = this.sendRequest(refreshToken, locale);\n }\n return requestPromise\n .catch(this.handleFailedRequest)\n .catch(error => {\n // push failed event after all the retries\n this.setCurrentState({ status: REFRESH_STATUSES.failed, payload: { refreshToken }, error });\n throw error;\n })\n .then(this.handleFulfilledRequest)\n .finally(() => {\n this.payload = null;\n });\n });\n this.storageKey = storageKey;\n this.adapter = adapter;\n this.refreshRetryTimeout = refreshRetryTimeout;\n this.maxRetriesCount = maxRetriesCount;\n this.onRefreshFromStorage = onRefreshFromStorage;\n this.checkLocalStorageSupport();\n if (this.isLocalStorageSupported) {\n window.addEventListener('storage', this.handleStorageEvent);\n }\n }\n}\nexport { TabSyncronizer };\n","export const MESSAGES = {\n AUTH_STATE_UPDATED: 'AUTH_STATE_UPDATED',\n LOG_MESSAGE: 'LOG_MESSAGE',\n};\n","import { sendPostMessage } from '../utils';\nimport { MESSAGES } from '../constants/message-types';\nconst levels = {\n debug: 'debug',\n info: 'info',\n warning: 'warn',\n error: 'error',\n};\nclass PostMessageLogger {\n constructor(appName = 'Wheely AL') {\n this.appName = appName;\n }\n createLog(componentName) {\n const messagePrefix = [`[${this.appName}]`, componentName].filter(Boolean).join(' ');\n return (message, extra = { level: 'debug' }) => {\n const resultMessage = [messagePrefix, message].join(': ');\n sendPostMessage({\n payload: resultMessage,\n extra,\n type: MESSAGES.LOG_MESSAGE,\n });\n };\n }\n}\nclass ConsoleLogger {\n constructor(appName = 'Wheely AL') {\n this.appName = appName;\n }\n createLog(componentName) {\n const messagePrefix = [`[${this.appName}]`, componentName].filter(Boolean).join(' ');\n return (message, extra = { level: 'debug' }) => {\n const resultMessage = [messagePrefix, message].join(': ');\n // eslint-disable-next-line no-console\n console[extra.level || levels.debug](resultMessage, extra);\n };\n }\n}\nconst postMessageLogger = new PostMessageLogger();\nconst consoleLogger = new ConsoleLogger();\nexport { postMessageLogger, consoleLogger, levels, PostMessageLogger, ConsoleLogger };\n","const DEFAULT_DB_NAME = 'wheely';\nconst DEFAULT_STORE_NAME = 'auth';\nconst DEFAULT_DB_VERSION = 1;\nexport const DEFAULT_STORAGE_KEY = 'session';\nexport const DEFAULT_IDB_STORAGE_CONFIG = {\n dbName: DEFAULT_DB_NAME,\n storeName: DEFAULT_STORE_NAME,\n version: DEFAULT_DB_VERSION,\n};\n","var __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) {\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\n return new (P || (P = Promise))(function (resolve, reject) {\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\n step((generator = generator.apply(thisArg, _arguments || [])).next());\n });\n};\nimport { DEFAULT_STORAGE_KEY } from '../constants/storage';\nimport { ERRORS } from '../constants/errors';\nimport { MESSAGES } from '../constants/message-types';\nimport { isSession, transformStoredSession, transformRawSession, isSessionExpiring, sendPostMessage, getErrorDataByKey, } from '../utils';\nimport { postMessageLogger } from '../logger';\nconst defaultOnSessionUpdated = (session) => {\n sendPostMessage({ type: MESSAGES.AUTH_STATE_UPDATED, payload: session });\n};\nclass SWSessionManager {\n constructor({ storage, adapter, sessionStorageKey = DEFAULT_STORAGE_KEY, notifySessionUpdate = defaultOnSessionUpdated, logger = postMessageLogger, }) {\n this.session = undefined;\n this.sessionPromise = undefined;\n this.handleCommonAPIErrors = (errors, status) => {\n var _a, _b;\n if (status === 429) {\n const errorData = getErrorDataByKey(ERRORS.THROTTLING_ERROR.key);\n errorData.statusText = ((_a = errors === null || errors === void 0 ? void 0 : errors.throttling) === null || _a === void 0 ? void 0 : _a[0]) || errorData.statusText;\n return errorData;\n }\n if (status === 500) {\n return getErrorDataByKey(ERRORS.SERVER_ERROR.key);\n }\n const unknownErrorData = getErrorDataByKey(ERRORS.UNKNOWN_ERROR.key);\n unknownErrorData.statusText = ((_b = Object.values(errors)[0]) === null || _b === void 0 ? void 0 : _b[0]) || unknownErrorData.statusText;\n return unknownErrorData;\n };\n this.storage = storage;\n this.sessionStorageKey = sessionStorageKey;\n this.onSessionUpdated = notifySessionUpdate;\n this.log = logger.createLog('SessionManager');\n this.adapter = adapter;\n }\n trySet(session, saveToStorage = false) {\n return __awaiter(this, void 0, void 0, function* () {\n this.log('Trying to set session');\n if (!session) {\n this.set(undefined, { saveToStorage });\n return undefined;\n }\n if (isSessionExpiring(session)) {\n this.set(session, { saveToStorage, notify: false });\n this.log('Session needs to be refreshed');\n const newSession = yield this.refresh().catch(() => undefined);\n return newSession;\n }\n this.set(session, { saveToStorage });\n return session;\n });\n }\n restoreSavedSession() {\n return __awaiter(this, void 0, void 0, function* () {\n this.log('Restoring saved session');\n const savedSession = (yield this.storage.getItem(this.sessionStorageKey));\n if (savedSession === undefined) {\n this.set(undefined, { saveToStorage: false });\n this.log('No session was found in the store. Setting empty session');\n return undefined;\n }\n return this.trySet(transformStoredSession(savedSession));\n });\n }\n set(session, { saveToStorage = true, notify = true } = {}) {\n this.log('Set session');\n this.session = session;\n if (notify) {\n this.log('Notify client tabs about session change');\n this.onSessionUpdated(session);\n }\n if (saveToStorage) {\n this.updateSessionInStorage(session);\n }\n return this.session;\n }\n get() {\n return __awaiter(this, void 0, void 0, function* () {\n this.log('Get session');\n if (this.sessionPromise) {\n this.log('Wait for token refresh');\n try {\n const { data } = yield this.sessionPromise;\n return transformRawSession(data === null || data === void 0 ? void 0 : data.token);\n }\n catch (error) {\n return undefined;\n }\n }\n return this.session;\n });\n }\n updateSessionInStorage(session) {\n this.log('Update session in storage');\n if (isSession(session)) {\n return this.storage.setItem(this.sessionStorageKey, JSON.stringify(session));\n }\n return this.storage.removeItem(this.sessionStorageKey);\n }\n createByPhone(phone, hcaptcha, locale) {\n return __awaiter(this, void 0, void 0, function* () {\n this.log('Create session by phone');\n const response = yield this.adapter.requestCreateByPhone({ phone, hcaptcha, locale });\n this.log('Create session by phone response', {\n ok: response.ok,\n status: response.status,\n statusText: response.statusText,\n type: response.type,\n });\n const responseJson = yield response.json();\n if ('errors' in responseJson) {\n this.log('Create session by phone errors', responseJson.errors);\n if (responseJson.errors.invalid_user) {\n const errorData = getErrorDataByKey(ERRORS.INVALID_USER_ERROR.key);\n errorData.statusText = responseJson.errors.invalid_user[0] || errorData.statusText;\n return { error: errorData };\n }\n if (responseJson.errors.invalid_app) {\n const errorData = getErrorDataByKey(ERRORS.INVALID_APP_ERROR.key);\n errorData.statusText = responseJson.errors.invalid_app[0] || errorData.statusText;\n return { error: errorData };\n }\n return {\n error: this.handleCommonAPIErrors(responseJson.errors, response.status),\n };\n }\n const session = transformRawSession(responseJson.token);\n if (!session) {\n return { error: getErrorDataByKey(ERRORS.INVALID_SESSION_ERROR.key) };\n }\n this.set(session);\n return { data: transformRawSession(responseJson.token) };\n });\n }\n createByGoogleAccount(googleToken, locale) {\n return __awaiter(this, void 0, void 0, function* () {\n this.log('Create session by Google account');\n const response = yield this.adapter.requestCreateByGoogleToken({ googleToken, locale });\n const responseJson = yield response.json();\n if ('errors' in responseJson) {\n if (responseJson.errors.invalid_user) {\n const errorData = getErrorDataByKey(ERRORS.INVALID_USER_ERROR.key);\n errorData.statusText = responseJson.errors.invalid_user[0] || errorData.statusText;\n return { error: errorData };\n }\n if (responseJson.errors.user) {\n const errorData = getErrorDataByKey(ERRORS.NOT_ENOUGH_RIGHTS_ERROR.key);\n errorData.statusText = responseJson.errors.user[0] || errorData.statusText;\n return { error: errorData };\n }\n return {\n error: this.handleCommonAPIErrors(responseJson.errors, response.status),\n };\n }\n const session = transformRawSession(responseJson.token);\n if (!session) {\n return { error: getErrorDataByKey(ERRORS.INVALID_SESSION_ERROR.key) };\n }\n this.set(session);\n return { data: transformRawSession(responseJson.token) };\n });\n }\n activateByPin(pin, locale) {\n return __awaiter(this, void 0, void 0, function* () {\n this.log('Activate session by pin');\n const session = yield this.get();\n if (!session) {\n return { error: getErrorDataByKey(ERRORS.EMPTY_SESSION_ERROR.key) };\n }\n const response = yield this.adapter.requestActivateByPin({\n pin,\n token: session.accessToken,\n locale,\n });\n const responseJson = yield response.json();\n if ('errors' in responseJson) {\n if (responseJson.errors.invalid_pin) {\n const errorData = getErrorDataByKey(ERRORS.INVALID_PIN_ERROR.key);\n errorData.statusText = responseJson.errors.invalid_pin[0] || errorData.statusText;\n return { error: errorData };\n }\n if (responseJson.errors.invalid_token) {\n const errorData = getErrorDataByKey(ERRORS.INVALID_TOKEN_ERROR.key);\n errorData.statusText = responseJson.errors.invalid_token[0] || errorData.statusText;\n return { error: errorData };\n }\n return {\n error: this.handleCommonAPIErrors(responseJson.errors, response.status),\n };\n }\n session.activated = true;\n this.set(session);\n this.log('Session was successfully activated');\n return { data: responseJson };\n });\n }\n requestPinCall(phone, hcaptcha, locale) {\n return __awaiter(this, void 0, void 0, function* () {\n this.log('Request phone call');\n const response = yield this.adapter.requestPinCall({ phone, hcaptcha, locale });\n const responseJson = yield response.json();\n if ('errors' in responseJson) {\n if (responseJson.errors.entity_not_found) {\n const errorData = getErrorDataByKey(ERRORS.ENTITY_NOT_FOUND_ERROR.key);\n errorData.statusText = responseJson.errors.entity_not_found[0] || errorData.statusText;\n return { error: errorData };\n }\n return {\n error: this.handleCommonAPIErrors(responseJson.errors, response.status),\n };\n }\n return { data: responseJson };\n });\n }\n refresh(locale) {\n return __awaiter(this, void 0, void 0, function* () {\n this.log('Refresh session');\n if (!this.sessionPromise) {\n this.sessionPromise = this._refresh(locale);\n }\n const { data, error } = yield this.sessionPromise;\n this.sessionPromise = undefined;\n if (error) {\n this.log('Refresh error: Failed request', {\n level: 'warn',\n error: error instanceof Error\n ? { message: error.message, name: error.name }\n : { message: String(error) },\n });\n this.set(undefined);\n throw error;\n }\n const newSession = transformRawSession(data === null || data === void 0 ? void 0 : data.token);\n this.set(newSession);\n this.log('Token refresh is successful');\n return newSession;\n });\n }\n _refresh(locale) {\n return __awaiter(this, void 0, void 0, function* () {\n const session = yield this.get();\n if (!session) {\n this.log('Refresh error: Session is empty', { level: 'warn' });\n return { error: getErrorDataByKey(ERRORS.EMPTY_SESSION_ERROR.key) };\n }\n const response = yield this.adapter.requestRefreshToken({\n refreshToken: session.refreshToken,\n locale,\n });\n const responseJson = yield response.json();\n if ('errors' in responseJson) {\n this.log('Refresh error', responseJson.errors);\n if (responseJson.errors.token_missing) {\n const errorData = getErrorDataByKey(ERRORS.TOKEN_MISSING_ERROR.key);\n errorData.statusText = responseJson.errors.token_missing[0] || errorData.statusText;\n return { error: errorData };\n }\n if (responseJson.errors.token_expired) {\n const errorData = getErrorDataByKey(ERRORS.TOKEN_EXPIRED_ERROR.key);\n errorData.statusText = responseJson.errors.token_expired[0] || errorData.statusText;\n return { error: errorData };\n }\n return { error: this.handleCommonAPIErrors(responseJson.errors, response.status) };\n }\n return { data: responseJson };\n });\n }\n forceRefresh(locale) {\n return __awaiter(this, void 0, void 0, function* () {\n try {\n this.log('Force refresh session');\n const newSession = yield this.refresh(locale);\n return { data: newSession };\n }\n catch (error) {\n return { error: error };\n }\n });\n }\n invalidate(locale) {\n return __awaiter(this, void 0, void 0, function* () {\n this.log('Invalidate');\n const session = yield this.get();\n if (session) {\n try {\n yield this.adapter.requestInvalidateToken({ accessToken: session.accessToken, locale });\n }\n finally {\n this.set(undefined);\n }\n }\n return { data: {} };\n });\n }\n getShortToken(locale) {\n return __awaiter(this, void 0, void 0, function* () {\n const session = yield this.get();\n if (!session) {\n this.log('Refresh error: Session is empty', { level: 'warn' });\n return { error: getErrorDataByKey(ERRORS.EMPTY_SESSION_ERROR.key) };\n }\n const response = yield this.adapter.getShortToken({ accessToken: session.accessToken, locale });\n const responseJson = yield response.json();\n if ('errors' in responseJson) {\n if (responseJson.errors.token_expired) {\n const errorData = getErrorDataByKey(ERRORS.TOKEN_EXPIRED_ERROR.key);\n errorData.statusText = responseJson.errors.token_expired[0] || errorData.statusText;\n return { error: errorData };\n }\n if (responseJson.errors.permission_denied) {\n const errorData = getErrorDataByKey(ERRORS.PERMISSION_DENIED_ERROR.key);\n errorData.statusText = responseJson.errors.permission_denied[0] || errorData.statusText;\n return { error: errorData };\n }\n return {\n error: this.handleCommonAPIErrors(responseJson.errors, response.status),\n };\n }\n return { data: responseJson };\n });\n }\n}\nexport { SWSessionManager };\n","var __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) {\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\n return new (P || (P = Promise))(function (resolve, reject) {\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\n step((generator = generator.apply(thisArg, _arguments || [])).next());\n });\n};\nimport { ERRORS } from '../constants/errors';\nimport { TabSyncronizer, isRefreshError, } from '../client/tabSyncronizer';\nimport { getErrorDataByKey, noop, isLocalStorageSupported, transformStoredSession } from '../utils';\nimport { consoleLogger } from '../logger';\nimport { SWSessionManager } from './SWSessionManager';\nclass AuthApiSessionManager extends SWSessionManager {\n constructor({ storage, adapter, sessionStorageKey, notifySessionUpdate = noop, tabSyncronizerConfig, }) {\n super({\n storage,\n sessionStorageKey,\n notifySessionUpdate,\n adapter,\n logger: consoleLogger,\n });\n this.handleStorageEvent = (event) => __awaiter(this, void 0, void 0, function* () {\n if (event.key === this.sessionStorageKey) {\n if (event.newValue === null) {\n return this.set(undefined, { saveToStorage: false });\n }\n try {\n this.set(transformStoredSession(event.newValue), { saveToStorage: false });\n }\n catch (error) {\n return;\n }\n }\n });\n this.tabSyncronizer = new TabSyncronizer(Object.assign({ adapter, onRefreshFromStorage: newSession => {\n this.set(newSession, { saveToStorage: false });\n } }, tabSyncronizerConfig));\n if (sessionStorageKey && isLocalStorageSupported(sessionStorageKey)) {\n window.addEventListener('storage', this.handleStorageEvent);\n }\n }\n _refresh(locale) {\n var _a, _b;\n return __awaiter(this, void 0, void 0, function* () {\n const session = yield this.get();\n if (!session) {\n return { error: getErrorDataByKey(ERRORS.EMPTY_SESSION_ERROR.key) };\n }\n try {\n const newSession = yield this.tabSyncronizer.refreshAccessToken(session.refreshToken, locale);\n return { data: { token: newSession } };\n }\n catch (error) {\n let errorData = getErrorDataByKey(ERRORS.UNKNOWN_ERROR.key);\n if (isRefreshError(error)) {\n if ((_a = error.data) === null || _a === void 0 ? void 0 : _a.token_missing) {\n errorData = getErrorDataByKey(ERRORS.TOKEN_MISSING_ERROR.key);\n }\n if ((_b = error.data) === null || _b === void 0 ? void 0 : _b.token_expired) {\n errorData = getErrorDataByKey(ERRORS.TOKEN_EXPIRED_ERROR.key);\n }\n }\n errorData.statusText = error.message;\n return { error: errorData };\n }\n });\n }\n}\nexport { AuthApiSessionManager };\n","var __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) {\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\n return new (P || (P = Promise))(function (resolve, reject) {\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\n step((generator = generator.apply(thisArg, _arguments || [])).next());\n });\n};\nimport { REAL_AUTH_ROUTES } from '../constants/routes';\nimport { prepareCaptchaHeader } from '../utils';\nconst AUTH_CONFIG = {\n CREATE_TOKEN_BY_PHONE: {\n path: REAL_AUTH_ROUTES.CREATE_TOKEN_BY_PHONE,\n method: 'POST',\n getPayload: ({ params, appId }) => ({ app_id: appId, phone: params.phone }),\n getHeaders: ({ params }) => ({\n 'x-wheely-sign': prepareCaptchaHeader(params.hcaptcha),\n }),\n },\n CREATE_TOKEN_BY_GOOGLE_TOKEN: {\n path: REAL_AUTH_ROUTES.CREATE_TOKEN_BY_GTOKEN,\n method: 'POST',\n getPayload: ({ params, appId }) => ({ app_id: appId, id_token: params.googleToken }),\n },\n ACTIVATE_TOKEN: {\n path: REAL_AUTH_ROUTES.ACTIVATE_TOKEN,\n method: 'PUT',\n getPayload: ({ params }) => ({ pin: params.pin, token: params.token }),\n },\n AUTO_CALL: {\n path: REAL_AUTH_ROUTES.AUTO_CALL,\n pathParams: {\n phone: ({ params }) => params.phone,\n },\n method: 'POST',\n getHeaders: ({ params }) => ({\n 'x-wheely-sign': prepareCaptchaHeader(params.hcaptcha),\n }),\n },\n REFRESH_TOKEN: {\n path: REAL_AUTH_ROUTES.REFRESH_TOKEN,\n method: 'POST',\n getPayload: ({ params, appId }) => ({ app_id: appId, refresh_token: params.refreshToken }),\n },\n INVALIDATE_TOKEN: {\n path: REAL_AUTH_ROUTES.INVALIDATE_TOKEN,\n method: 'POST',\n getHeaders: ({ params }) => ({\n Authorization: `Bearer ${params.accessToken}`,\n }),\n },\n GET_SHORT_TOKEN: {\n path: REAL_AUTH_ROUTES.GET_SHORT_TOKEN,\n method: 'POST',\n getHeaders: ({ params }) => ({\n Authorization: `Bearer ${params.accessToken}`,\n }),\n },\n};\nconst createAuthMethod = ({ config, appId, apiHost, }) => (params) => __awaiter(void 0, void 0, void 0, function* () {\n const fetchConfig = {\n method: config.method,\n headers: {\n 'Content-Type': 'application/json',\n },\n };\n if (params.locale) {\n fetchConfig.headers = Object.assign(Object.assign({}, fetchConfig.headers), { 'Accept-Language': params.locale });\n }\n if (typeof config.getPayload === 'function') {\n fetchConfig.body = JSON.stringify(config.getPayload({ params, appId, apiHost }));\n }\n if (typeof config.getHeaders === 'function') {\n fetchConfig.headers = Object.assign(Object.assign({}, fetchConfig.headers), config.getHeaders({ params }));\n }\n const pathParams = config.pathParams || {};\n const path = Object.keys(pathParams).reduce((acc, paramName) => {\n if (!pathParams[paramName]) {\n return acc;\n }\n const paramValue = pathParams[paramName]({ params });\n return acc.replace(`:${paramName}`, paramValue);\n }, config.path);\n return fetch(`${apiHost}${path}`, fetchConfig);\n});\nclass AuthAdapter {\n constructor({ appId, apiHost }) {\n this.requestCreateByPhone = createAuthMethod({\n config: AUTH_CONFIG.CREATE_TOKEN_BY_PHONE,\n appId,\n apiHost,\n });\n this.requestCreateByGoogleToken = createAuthMethod({\n config: AUTH_CONFIG.CREATE_TOKEN_BY_GOOGLE_TOKEN,\n appId,\n apiHost,\n });\n this.requestActivateByPin = createAuthMethod({\n config: AUTH_CONFIG.ACTIVATE_TOKEN,\n appId,\n apiHost,\n });\n this.requestPinCall = createAuthMethod({\n config: AUTH_CONFIG.AUTO_CALL,\n appId,\n apiHost,\n });\n this.requestRefreshToken = createAuthMethod({\n config: AUTH_CONFIG.REFRESH_TOKEN,\n appId,\n apiHost,\n });\n this.requestInvalidateToken = createAuthMethod({\n config: AUTH_CONFIG.INVALIDATE_TOKEN,\n appId,\n apiHost,\n });\n this.getShortToken = createAuthMethod({\n config: AUTH_CONFIG.GET_SHORT_TOKEN,\n appId,\n apiHost,\n });\n }\n}\nexport { AuthAdapter };\n","export const FAKE_AUTH_ROUTES = {\n GET_SESSION: '/auth/api/get-session',\n SET_SESSION: '/auth/api/set-session',\n CREATE_TOKEN_BY_PHONE: '/auth/api/create-token-phone',\n CREATE_TOKEN_BY_GTOKEN: '/auth/api/create-token-gtoken',\n ACTIVATE_TOKEN: '/auth/api/activate-token',\n AUTO_CALL: '/auth/api/auto-call',\n REFRESH_TOKEN: '/auth/api/refresh-token',\n INVALIDATE_TOKEN: '/auth/api/invalidate-token',\n GET_SHORT_TOKEN: '/auth/api/short-token',\n};\nexport const REAL_AUTH_ROUTES = {\n CREATE_TOKEN_BY_PHONE: '/v6/auth/oauth/token',\n CREATE_TOKEN_BY_GTOKEN: '/v6/auth/oauth/token',\n ACTIVATE_TOKEN: '/v6/auth/oauth/activate',\n AUTO_CALL: '/v6/auto_call/:phone',\n REFRESH_TOKEN: '/v6/auth/oauth/refresh',\n INVALIDATE_TOKEN: '/v6/auth/oauth/invalidate',\n GET_SHORT_TOKEN: '/v6/auth/short_tokens',\n};\n","var __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) {\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\n return new (P || (P = Promise))(function (resolve, reject) {\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\n step((generator = generator.apply(thisArg, _arguments || [])).next());\n });\n};\nclass IndexedDBStorage {\n constructor({ dbName, storeName, version }) {\n this.dbPromise = null;\n this.dbName = dbName;\n this.storeName = storeName;\n this.version = version;\n }\n getDB() {\n return __awaiter(this, void 0, void 0, function* () {\n if (this.dbPromise) {\n return this.dbPromise;\n }\n this.dbPromise = new Promise((resolve, reject) => {\n const openRequest = indexedDB.open(this.dbName, this.version);\n openRequest.onsuccess = () => {\n resolve(openRequest.result);\n };\n openRequest.onerror = event => {\n reject(event);\n };\n openRequest.onupgradeneeded = () => {\n openRequest.result.createObjectStore(this.storeName, { keyPath: 'name' });\n };\n });\n return this.dbPromise;\n });\n }\n getItem(key) {\n return __awaiter(this, void 0, void 0, function* () {\n const db = yield this.getDB();\n const request = db\n .transaction(this.storeName)\n .objectStore(this.storeName)\n .get(key);\n return new Promise((resolve, reject) => {\n request.onsuccess = () => {\n var _a, _b;\n resolve((_b = (_a = request.result) === null || _a === void 0 ? void 0 : _a.value) !== null && _b !== void 0 ? _b : undefined);\n };\n request.onerror = event => {\n reject(event);\n };\n });\n });\n }\n setItem(key, value) {\n return __awaiter(this, void 0, void 0, function* () {\n const db = yield this.getDB();\n const request = db\n .transaction(this.storeName, 'readwrite')\n .objectStore(this.storeName)\n .put({ name: key, value });\n return new Promise((resolve, reject) => {\n request.onsuccess = () => {\n resolve();\n };\n request.onerror = event => {\n reject(event);\n };\n });\n });\n }\n removeItem(key) {\n return __awaiter(this, void 0, void 0, function* () {\n const db = yield this.getDB();\n const request = db\n .transaction(this.storeName, 'readwrite')\n .objectStore(this.storeName)\n .delete(key);\n return new Promise((resolve, reject) => {\n request.onsuccess = () => {\n resolve(request.result);\n };\n request.onerror = event => {\n reject(event);\n };\n });\n });\n }\n}\nexport { IndexedDBStorage };\n","import { noop } from '../../utils';\nimport { MESSAGES } from '../../constants/message-types';\nconst initServiceWorker = ({ scriptURL, options, logMessage = noop }) => {\n if (navigator.serviceWorker) {\n navigator.serviceWorker.addEventListener('message', (event) => {\n const { type, payload, extra } = event.data;\n if (type === MESSAGES.LOG_MESSAGE) {\n typeof logMessage === 'function' && logMessage(payload, extra);\n }\n });\n return navigator.serviceWorker\n .register(scriptURL, options)\n .then(() => navigator.serviceWorker.ready)\n .catch(error => {\n throw error;\n });\n }\n return Promise.reject('Service Workers are not supported in your browser');\n};\nexport { initServiceWorker };\n","import { createContext, useContext, useEffect, useState, useMemo } from 'react';\nconst noop = Function.prototype;\nconst AuthContext = createContext({\n isAuthenticated: false,\n signInWithGoogle: noop,\n signInWithPhone: noop,\n activateToken: noop,\n requestPinCall: noop,\n refreshToken: noop,\n signOut: noop,\n getSession: noop,\n setSession: noop,\n getShortToken: noop,\n});\nconst useAuth = () => useContext(AuthContext);\nconst useProvideAuth = ({ initialIsAuthenticated = false, authAPI, }) => {\n const [isAuthenticated, setIsAuthenticated] = useState(initialIsAuthenticated);\n useEffect(() => authAPI.onAuthStateUpdated(newSession => setIsAuthenticated(!!newSession && newSession.activated)), [authAPI]);\n return useMemo(() => ({\n isAuthenticated,\n signInWithGoogle: (googleToken, locale) => authAPI.signInWithGoogle(googleToken, locale),\n signInWithPhone: (phone, hcaptcha, locale) => authAPI.signInWithPhone(phone, hcaptcha, locale),\n activateToken: (pin, locale) => authAPI.activateToken(pin, locale),\n requestPinCall: (phone, hcaptcha, locale) => authAPI.requestPinCall(phone, hcaptcha, locale),\n refreshToken: (locale) => authAPI.refreshToken(locale),\n signOut: (locale) => authAPI.signOut(locale),\n getSession: () => authAPI.getCurrentSession(),\n setSession: (session) => authAPI.setCurrentSession(session),\n getShortToken: (locale) => authAPI.getShortToken(locale),\n }), [isAuthenticated, authAPI]);\n};\nexport { AuthContext, useAuth, useProvideAuth };\n","import { createContext, useContext, useEffect, useState, useMemo } from 'react';\nconst noop = Function.prototype;\nconst AuthContext = createContext({\n isAuthenticated: false,\n signInWithGoogle: noop,\n signInWithPhone: noop,\n activateToken: noop,\n requestPinCall: noop,\n refreshToken: noop,\n signOut: noop,\n getSession: noop,\n setSession: noop,\n getShortToken: noop,\n});\nconst useAuth = () => useContext(AuthContext);\nconst useProvideAuth = ({ initialIsAuthenticated = false, authAPI, }) => {\n const [isAuthenticated, setIsAuthenticated] = useState(initialIsAuthenticated);\n useEffect(() => authAPI.onAuthStateUpdated(newSession => setIsAuthenticated(!!newSession && newSession.activated)), [authAPI]);\n return useMemo(() => ({\n isAuthenticated,\n signInWithGoogle: (googleToken, locale) => authAPI.signInWithGoogle(googleToken, locale),\n signInWithPhone: (phone, hcaptcha, locale) => authAPI.signInWithPhone(phone, hcaptcha, locale),\n activateToken: (pin, locale) => authAPI.activateToken(pin, locale),\n requestPinCall: (phone, hcaptcha, locale) => authAPI.requestPinCall(phone, hcaptcha, locale),\n refreshToken: (locale) => authAPI.refreshToken(locale),\n signOut: (locale) => authAPI.signOut(locale),\n getSession: () => authAPI.getCurrentSession(),\n setSession: (session) => authAPI.setCurrentSession(session),\n getShortToken: (locale) => authAPI.getShortToken(locale),\n }), [isAuthenticated, authAPI]);\n};\nexport { AuthContext, useAuth, useProvideAuth };\n","import React from 'react';\nimport { AuthContext, useProvideAuth } from '../../hook/useAuth';\nexport const AuthProvider = ({ children, initialIsAuthenticated, authApi, }) => {\n const auth = useProvideAuth({ initialIsAuthenticated, authAPI: authApi });\n return React.createElement(AuthContext.Provider, { value: auth }, children);\n};\n","'use strict';\n\nexport default function bind(fn, thisArg) {\n return function wrap() {\n return fn.apply(thisArg, arguments);\n };\n}\n","'use strict';\n\nimport bind from './helpers/bind.js';\n\n// utils is a library of generic helper functions non-specific to axios\n\nconst {toString} = Object.prototype;\nconst {getPrototypeOf} = Object;\n\nconst kindOf = (cache => thing => {\n const str = toString.call(thing);\n return cache[str] || (cache[str] = str.slice(8, -1).toLowerCase());\n})(Object.create(null));\n\nconst kindOfTest = (type) => {\n type = type.toLowerCase();\n return (thing) => kindOf(thing) === type\n}\n\nconst typeOfTest = type => thing => typeof thing === type;\n\n/**\n * Determine if a value is an Array\n *\n * @param {Object} val The value to test\n *\n * @returns {boolean} True if value is an Array, otherwise false\n */\nconst {isArray} = Array;\n\n/**\n * Determine if a value is undefined\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if the value is undefined, otherwise false\n */\nconst isUndefined = typeOfTest('undefined');\n\n/**\n * Determine if a value is a Buffer\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a Buffer, otherwise false\n */\nfunction isBuffer(val) {\n return val !== null && !isUndefined(val) && val.constructor !== null && !isUndefined(val.constructor)\n && isFunction(val.constructor.isBuffer) && val.constructor.isBuffer(val);\n}\n\n/**\n * Determine if a value is an ArrayBuffer\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is an ArrayBuffer, otherwise false\n */\nconst isArrayBuffer = kindOfTest('ArrayBuffer');\n\n\n/**\n * Determine if a value is a view on an ArrayBuffer\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a view on an ArrayBuffer, otherwise false\n */\nfunction isArrayBufferView(val) {\n let result;\n if ((typeof ArrayBuffer !== 'undefined') && (ArrayBuffer.isView)) {\n result = ArrayBuffer.isView(val);\n } else {\n result = (val) && (val.buffer) && (isArrayBuffer(val.buffer));\n }\n return result;\n}\n\n/**\n * Determine if a value is a String\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a String, otherwise false\n */\nconst isString = typeOfTest('string');\n\n/**\n * Determine if a value is a Function\n *\n * @param {*} val The value to test\n * @returns {boolean} True if value is a Function, otherwise false\n */\nconst isFunction = typeOfTest('function');\n\n/**\n * Determine if a value is a Number\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a Number, otherwise false\n */\nconst isNumber = typeOfTest('number');\n\n/**\n * Determine if a value is an Object\n *\n * @param {*} thing The value to test\n *\n * @returns {boolean} True if value is an Object, otherwise false\n */\nconst isObject = (thing) => thing !== null && typeof thing === 'object';\n\n/**\n * Determine if a value is a Boolean\n *\n * @param {*} thing The value to test\n * @returns {boolean} True if value is a Boolean, otherwise false\n */\nconst isBoolean = thing => thing === true || thing === false;\n\n/**\n * Determine if a value is a plain Object\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a plain Object, otherwise false\n */\nconst isPlainObject = (val) => {\n if (kindOf(val) !== 'object') {\n return false;\n }\n\n const prototype = getPrototypeOf(val);\n return (prototype === null || prototype === Object.prototype || Object.getPrototypeOf(prototype) === null) && !(Symbol.toStringTag in val) && !(Symbol.iterator in val);\n}\n\n/**\n * Determine if a value is a Date\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a Date, otherwise false\n */\nconst isDate = kindOfTest('Date');\n\n/**\n * Determine if a value is a File\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a File, otherwise false\n */\nconst isFile = kindOfTest('File');\n\n/**\n * Determine if a value is a Blob\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a Blob, otherwise false\n */\nconst isBlob = kindOfTest('Blob');\n\n/**\n * Determine if a value is a FileList\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a File, otherwise false\n */\nconst isFileList = kindOfTest('FileList');\n\n/**\n * Determine if a value is a Stream\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a Stream, otherwise false\n */\nconst isStream = (val) => isObject(val) && isFunction(val.pipe);\n\n/**\n * Determine if a value is a FormData\n *\n * @param {*} thing The value to test\n *\n * @returns {boolean} True if value is an FormData, otherwise false\n */\nconst isFormData = (thing) => {\n let kind;\n return thing && (\n (typeof FormData === 'function' && thing instanceof FormData) || (\n isFunction(thing.append) && (\n (kind = kindOf(thing)) === 'formdata' ||\n // detect form-data instance\n (kind === 'object' && isFunction(thing.toString) && thing.toString() === '[object FormData]')\n )\n )\n )\n}\n\n/**\n * Determine if a value is a URLSearchParams object\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a URLSearchParams object, otherwise false\n */\nconst isURLSearchParams = kindOfTest('URLSearchParams');\n\n/**\n * Trim excess whitespace off the beginning and end of a string\n *\n * @param {String} str The String to trim\n *\n * @returns {String} The String freed of excess whitespace\n */\nconst trim = (str) => str.trim ?\n str.trim() : str.replace(/^[\\s\\uFEFF\\xA0]+|[\\s\\uFEFF\\xA0]+$/g, '');\n\n/**\n * Iterate over an Array or an Object invoking a function for each item.\n *\n * If `obj` is an Array callback will be called passing\n * the value, index, and complete array for each item.\n *\n * If 'obj' is an Object callback will be called passing\n * the value, key, and complete object for each property.\n *\n * @param {Object|Array} obj The object to iterate\n * @param {Function} fn The callback to invoke for each item\n *\n * @param {Boolean} [allOwnKeys = false]\n * @returns {any}\n */\nfunction forEach(obj, fn, {allOwnKeys = false} = {}) {\n // Don't bother if no value provided\n if (obj === null || typeof obj === 'undefined') {\n return;\n }\n\n let i;\n let l;\n\n // Force an array if not already something iterable\n if (typeof obj !== 'object') {\n /*eslint no-param-reassign:0*/\n obj = [obj];\n }\n\n if (isArray(obj)) {\n // Iterate over array values\n for (i = 0, l = obj.length; i < l; i++) {\n fn.call(null, obj[i], i, obj);\n }\n } else {\n // Iterate over object keys\n const keys = allOwnKeys ? Object.getOwnPropertyNames(obj) : Object.keys(obj);\n const len = keys.length;\n let key;\n\n for (i = 0; i < len; i++) {\n key = keys[i];\n fn.call(null, obj[key], key, obj);\n }\n }\n}\n\nfunction findKey(obj, key) {\n key = key.toLowerCase();\n const keys = Object.keys(obj);\n let i = keys.length;\n let _key;\n while (i-- > 0) {\n _key = keys[i];\n if (key === _key.toLowerCase()) {\n return _key;\n }\n }\n return null;\n}\n\nconst _global = (() => {\n /*eslint no-undef:0*/\n if (typeof globalThis !== \"undefined\") return globalThis;\n return typeof self !== \"undefined\" ? self : (typeof window !== 'undefined' ? window : global)\n})();\n\nconst isContextDefined = (context) => !isUndefined(context) && context !== _global;\n\n/**\n * Accepts varargs expecting each argument to be an object, then\n * immutably merges the properties of each object and returns result.\n *\n * When multiple objects contain the same key the later object in\n * the arguments list will take precedence.\n *\n * Example:\n *\n * ```js\n * var result = merge({foo: 123}, {foo: 456});\n * console.log(result.foo); // outputs 456\n * ```\n *\n * @param {Object} obj1 Object to merge\n *\n * @returns {Object} Result of all merge properties\n */\nfunction merge(/* obj1, obj2, obj3, ... */) {\n const {caseless} = isContextDefined(this) && this || {};\n const result = {};\n const assignValue = (val, key) => {\n const targetKey = caseless && findKey(result, key) || key;\n if (isPlainObject(result[targetKey]) && isPlainObject(val)) {\n result[targetKey] = merge(result[targetKey], val);\n } else if (isPlainObject(val)) {\n result[targetKey] = merge({}, val);\n } else if (isArray(val)) {\n result[targetKey] = val.slice();\n } else {\n result[targetKey] = val;\n }\n }\n\n for (let i = 0, l = arguments.length; i < l; i++) {\n arguments[i] && forEach(arguments[i], assignValue);\n }\n return result;\n}\n\n/**\n * Extends object a by mutably adding to it the properties of object b.\n *\n * @param {Object} a The object to be extended\n * @param {Object} b The object to copy properties from\n * @param {Object} thisArg The object to bind function to\n *\n * @param {Boolean} [allOwnKeys]\n * @returns {Object} The resulting value of object a\n */\nconst extend = (a, b, thisArg, {allOwnKeys}= {}) => {\n forEach(b, (val, key) => {\n if (thisArg && isFunction(val)) {\n a[key] = bind(val, thisArg);\n } else {\n a[key] = val;\n }\n }, {allOwnKeys});\n return a;\n}\n\n/**\n * Remove byte order marker. This catches EF BB BF (the UTF-8 BOM)\n *\n * @param {string} content with BOM\n *\n * @returns {string} content value without BOM\n */\nconst stripBOM = (content) => {\n if (content.charCodeAt(0) === 0xFEFF) {\n content = content.slice(1);\n }\n return content;\n}\n\n/**\n * Inherit the prototype methods from one constructor into another\n * @param {function} constructor\n * @param {function} superConstructor\n * @param {object} [props]\n * @param {object} [descriptors]\n *\n * @returns {void}\n */\nconst inherits = (constructor, superConstructor, props, descriptors) => {\n constructor.prototype = Object.create(superConstructor.prototype, descriptors);\n constructor.prototype.constructor = constructor;\n Object.defineProperty(constructor, 'super', {\n value: superConstructor.prototype\n });\n props && Object.assign(constructor.prototype, props);\n}\n\n/**\n * Resolve object with deep prototype chain to a flat object\n * @param {Object} sourceObj source object\n * @param {Object} [destObj]\n * @param {Function|Boolean} [filter]\n * @param {Function} [propFilter]\n *\n * @returns {Object}\n */\nconst toFlatObject = (sourceObj, destObj, filter, propFilter) => {\n let props;\n let i;\n let prop;\n const merged = {};\n\n destObj = destObj || {};\n // eslint-disable-next-line no-eq-null,eqeqeq\n if (sourceObj == null) return destObj;\n\n do {\n props = Object.getOwnPropertyNames(sourceObj);\n i = props.length;\n while (i-- > 0) {\n prop = props[i];\n if ((!propFilter || propFilter(prop, sourceObj, destObj)) && !merged[prop]) {\n destObj[prop] = sourceObj[prop];\n merged[prop] = true;\n }\n }\n sourceObj = filter !== false && getPrototypeOf(sourceObj);\n } while (sourceObj && (!filter || filter(sourceObj, destObj)) && sourceObj !== Object.prototype);\n\n return destObj;\n}\n\n/**\n * Determines whether a string ends with the characters of a specified string\n *\n * @param {String} str\n * @param {String} searchString\n * @param {Number} [position= 0]\n *\n * @returns {boolean}\n */\nconst endsWith = (str, searchString, position) => {\n str = String(str);\n if (position === undefined || position > str.length) {\n position = str.length;\n }\n position -= searchString.length;\n const lastIndex = str.indexOf(searchString, position);\n return lastIndex !== -1 && lastIndex === position;\n}\n\n\n/**\n * Returns new array from array like object or null if failed\n *\n * @param {*} [thing]\n *\n * @returns {?Array}\n */\nconst toArray = (thing) => {\n if (!thing) return null;\n if (isArray(thing)) return thing;\n let i = thing.length;\n if (!isNumber(i)) return null;\n const arr = new Array(i);\n while (i-- > 0) {\n arr[i] = thing[i];\n }\n return arr;\n}\n\n/**\n * Checking if the Uint8Array exists and if it does, it returns a function that checks if the\n * thing passed in is an instance of Uint8Array\n *\n * @param {TypedArray}\n *\n * @returns {Array}\n */\n// eslint-disable-next-line func-names\nconst isTypedArray = (TypedArray => {\n // eslint-disable-next-line func-names\n return thing => {\n return TypedArray && thing instanceof TypedArray;\n };\n})(typeof Uint8Array !== 'undefined' && getPrototypeOf(Uint8Array));\n\n/**\n * For each entry in the object, call the function with the key and value.\n *\n * @param {Object} obj - The object to iterate over.\n * @param {Function} fn - The function to call for each entry.\n *\n * @returns {void}\n */\nconst forEachEntry = (obj, fn) => {\n const generator = obj && obj[Symbol.iterator];\n\n const iterator = generator.call(obj);\n\n let result;\n\n while ((result = iterator.next()) && !result.done) {\n const pair = result.value;\n fn.call(obj, pair[0], pair[1]);\n }\n}\n\n/**\n * It takes a regular expression and a string, and returns an array of all the matches\n *\n * @param {string} regExp - The regular expression to match against.\n * @param {string} str - The string to search.\n *\n * @returns {Array}\n */\nconst matchAll = (regExp, str) => {\n let matches;\n const arr = [];\n\n while ((matches = regExp.exec(str)) !== null) {\n arr.push(matches);\n }\n\n return arr;\n}\n\n/* Checking if the kindOfTest function returns true when passed an HTMLFormElement. */\nconst isHTMLForm = kindOfTest('HTMLFormElement');\n\nconst toCamelCase = str => {\n return str.toLowerCase().replace(/[-_\\s]([a-z\\d])(\\w*)/g,\n function replacer(m, p1, p2) {\n return p1.toUpperCase() + p2;\n }\n );\n};\n\n/* Creating a function that will check if an object has a property. */\nconst hasOwnProperty = (({hasOwnProperty}) => (obj, prop) => hasOwnProperty.call(obj, prop))(Object.prototype);\n\n/**\n * Determine if a value is a RegExp object\n *\n * @param {*} val The value to test\n *\n * @returns {boolean} True if value is a RegExp object, otherwise false\n */\nconst isRegExp = kindOfTest('RegExp');\n\nconst reduceDescriptors = (obj, reducer) => {\n const descriptors = Object.getOwnPropertyDescriptors(obj);\n const reducedDescriptors = {};\n\n forEach(descriptors, (descriptor, name) => {\n if (reducer(descriptor, name, obj) !== false) {\n reducedDescriptors[name] = descriptor;\n }\n });\n\n Object.defineProperties(obj, reducedDescriptors);\n}\n\n/**\n * Makes all methods read-only\n * @param {Object} obj\n */\n\nconst freezeMethods = (obj) => {\n reduceDescriptors(obj, (descriptor, name) => {\n // skip restricted props in strict mode\n if (isFunction(obj) && ['arguments', 'caller', 'callee'].indexOf(name) !== -1) {\n return false;\n }\n\n const value = obj[name];\n\n if (!isFunction(value)) return;\n\n descriptor.enumerable = false;\n\n if ('writable' in descriptor) {\n descriptor.writable = false;\n return;\n }\n\n if (!descriptor.set) {\n descriptor.set = () => {\n throw Error('Can not rewrite read-only method \\'' + name + '\\'');\n };\n }\n });\n}\n\nconst toObjectSet = (arrayOrString, delimiter) => {\n const obj = {};\n\n const define = (arr) => {\n arr.forEach(value => {\n obj[value] = true;\n });\n }\n\n isArray(arrayOrString) ? define(arrayOrString) : define(String(arrayOrString).split(delimiter));\n\n return obj;\n}\n\nconst noop = () => {}\n\nconst toFiniteNumber = (value, defaultValue) => {\n value = +value;\n return Number.isFinite(value) ? value : defaultValue;\n}\n\nconst ALPHA = 'abcdefghijklmnopqrstuvwxyz'\n\nconst DIGIT = '0123456789';\n\nconst ALPHABET = {\n DIGIT,\n ALPHA,\n ALPHA_DIGIT: ALPHA + ALPHA.toUpperCase() + DIGIT\n}\n\nconst generateString = (size = 16, alphabet = ALPHABET.ALPHA_DIGIT) => {\n let str = '';\n const {length} = alphabet;\n while (size--) {\n str += alphabet[Math.random() * length|0]\n }\n\n return str;\n}\n\n/**\n * If the thing is a FormData object, return true, otherwise return false.\n *\n * @param {unknown} thing - The thing to check.\n *\n * @returns {boolean}\n */\nfunction isSpecCompliantForm(thing) {\n return !!(thing && isFunction(thing.append) && thing[Symbol.toStringTag] === 'FormData' && thing[Symbol.iterator]);\n}\n\nconst toJSONObject = (obj) => {\n const stack = new Array(10);\n\n const visit = (source, i) => {\n\n if (isObject(source)) {\n if (stack.indexOf(source) >= 0) {\n return;\n }\n\n if(!('toJSON' in source)) {\n stack[i] = source;\n const target = isArray(source) ? [] : {};\n\n forEach(source, (value, key) => {\n const reducedValue = visit(value, i + 1);\n !isUndefined(reducedValue) && (target[key] = reducedValue);\n });\n\n stack[i] = undefined;\n\n return target;\n }\n }\n\n return source;\n }\n\n return visit(obj, 0);\n}\n\nconst isAsyncFn = kindOfTest('AsyncFunction');\n\nconst isThenable = (thing) =>\n thing && (isObject(thing) || isFunction(thing)) && isFunction(thing.then) && isFunction(thing.catch);\n\nexport default {\n isArray,\n isArrayBuffer,\n isBuffer,\n isFormData,\n isArrayBufferView,\n isString,\n isNumber,\n isBoolean,\n isObject,\n isPlainObject,\n isUndefined,\n isDate,\n isFile,\n isBlob,\n isRegExp,\n isFunction,\n isStream,\n isURLSearchParams,\n isTypedArray,\n isFileList,\n forEach,\n merge,\n extend,\n trim,\n stripBOM,\n inherits,\n toFlatObject,\n kindOf,\n kindOfTest,\n endsWith,\n toArray,\n forEachEntry,\n matchAll,\n isHTMLForm,\n hasOwnProperty,\n hasOwnProp: hasOwnProperty, // an alias to avoid ESLint no-prototype-builtins detection\n reduceDescriptors,\n freezeMethods,\n toObjectSet,\n toCamelCase,\n noop,\n toFiniteNumber,\n findKey,\n global: _global,\n isContextDefined,\n ALPHABET,\n generateString,\n isSpecCompliantForm,\n toJSONObject,\n isAsyncFn,\n isThenable\n};\n","'use strict';\n\nimport utils from '../utils.js';\n\n/**\n * Create an Error with the specified message, config, error code, request and response.\n *\n * @param {string} message The error message.\n * @param {string} [code] The error code (for example, 'ECONNABORTED').\n * @param {Object} [config] The config.\n * @param {Object} [request] The request.\n * @param {Object} [response] The response.\n *\n * @returns {Error} The created error.\n */\nfunction AxiosError(message, code, config, request, response) {\n Error.call(this);\n\n if (Error.captureStackTrace) {\n Error.captureStackTrace(this, this.constructor);\n } else {\n this.stack = (new Error()).stack;\n }\n\n this.message = message;\n this.name = 'AxiosError';\n code && (this.code = code);\n config && (this.config = config);\n request && (this.request = request);\n response && (this.response = response);\n}\n\nutils.inherits(AxiosError, Error, {\n toJSON: function toJSON() {\n return {\n // Standard\n message: this.message,\n name: this.name,\n // Microsoft\n description: this.description,\n number: this.number,\n // Mozilla\n fileName: this.fileName,\n lineNumber: this.lineNumber,\n columnNumber: this.columnNumber,\n stack: this.stack,\n // Axios\n config: utils.toJSONObject(this.config),\n code: this.code,\n status: this.response && this.response.status ? this.response.status : null\n };\n }\n});\n\nconst prototype = AxiosError.prototype;\nconst descriptors = {};\n\n[\n 'ERR_BAD_OPTION_VALUE',\n 'ERR_BAD_OPTION',\n 'ECONNABORTED',\n 'ETIMEDOUT',\n 'ERR_NETWORK',\n 'ERR_FR_TOO_MANY_REDIRECTS',\n 'ERR_DEPRECATED',\n 'ERR_BAD_RESPONSE',\n 'ERR_BAD_REQUEST',\n 'ERR_CANCELED',\n 'ERR_NOT_SUPPORT',\n 'ERR_INVALID_URL'\n// eslint-disable-next-line func-names\n].forEach(code => {\n descriptors[code] = {value: code};\n});\n\nObject.defineProperties(AxiosError, descriptors);\nObject.defineProperty(prototype, 'isAxiosError', {value: true});\n\n// eslint-disable-next-line func-names\nAxiosError.from = (error, code, config, request, response, customProps) => {\n const axiosError = Object.create(prototype);\n\n utils.toFlatObject(error, axiosError, function filter(obj) {\n return obj !== Error.prototype;\n }, prop => {\n return prop !== 'isAxiosError';\n });\n\n AxiosError.call(axiosError, error.message, code, config, request, response);\n\n axiosError.cause = error;\n\n axiosError.name = error.name;\n\n customProps && Object.assign(axiosError, customProps);\n\n return axiosError;\n};\n\nexport default AxiosError;\n","'use strict';\n\nimport utils from '../utils.js';\nimport AxiosError from '../core/AxiosError.js';\n// temporary hotfix to avoid circular references until AxiosURLSearchParams is refactored\nimport PlatformFormData from '../platform/node/classes/FormData.js';\n\n/**\n * Determines if the given thing is a array or js object.\n *\n * @param {string} thing - The object or array to be visited.\n *\n * @returns {boolean}\n */\nfunction isVisitable(thing) {\n return utils.isPlainObject(thing) || utils.isArray(thing);\n}\n\n/**\n * It removes the brackets from the end of a string\n *\n * @param {string} key - The key of the parameter.\n *\n * @returns {string} the key without the brackets.\n */\nfunction removeBrackets(key) {\n return utils.endsWith(key, '[]') ? key.slice(0, -2) : key;\n}\n\n/**\n * It takes a path, a key, and a boolean, and returns a string\n *\n * @param {string} path - The path to the current key.\n * @param {string} key - The key of the current object being iterated over.\n * @param {string} dots - If true, the key will be rendered with dots instead of brackets.\n *\n * @returns {string} The path to the current key.\n */\nfunction renderKey(path, key, dots) {\n if (!path) return key;\n return path.concat(key).map(function each(token, i) {\n // eslint-disable-next-line no-param-reassign\n token = removeBrackets(token);\n return !dots && i ? '[' + token + ']' : token;\n }).join(dots ? '.' : '');\n}\n\n/**\n * If the array is an array and none of its elements are visitable, then it's a flat array.\n *\n * @param {Array} arr - The array to check\n *\n * @returns {boolean}\n */\nfunction isFlatArray(arr) {\n return utils.isArray(arr) && !arr.some(isVisitable);\n}\n\nconst predicates = utils.toFlatObject(utils, {}, null, function filter(prop) {\n return /^is[A-Z]/.test(prop);\n});\n\n/**\n * Convert a data object to FormData\n *\n * @param {Object} obj\n * @param {?Object} [formData]\n * @param {?Object} [options]\n * @param {Function} [options.visitor]\n * @param {Boolean} [options.metaTokens = true]\n * @param {Boolean} [options.dots = false]\n * @param {?Boolean} [options.indexes = false]\n *\n * @returns {Object}\n **/\n\n/**\n * It converts an object into a FormData object\n *\n * @param {Object} obj - The object to convert to form data.\n * @param {string} formData - The FormData object to append to.\n * @param {Object} options\n *\n * @returns\n */\nfunction toFormData(obj, formData, options) {\n if (!utils.isObject(obj)) {\n throw new TypeError('target must be an object');\n }\n\n // eslint-disable-next-line no-param-reassign\n formData = formData || new (PlatformFormData || FormData)();\n\n // eslint-disable-next-line no-param-reassign\n options = utils.toFlatObject(options, {\n metaTokens: true,\n dots: false,\n indexes: false\n }, false, function defined(option, source) {\n // eslint-disable-next-line no-eq-null,eqeqeq\n return !utils.isUndefined(source[option]);\n });\n\n const metaTokens = options.metaTokens;\n // eslint-disable-next-line no-use-before-define\n const visitor = options.visitor || defaultVisitor;\n const dots = options.dots;\n const indexes = options.indexes;\n const _Blob = options.Blob || typeof Blob !== 'undefined' && Blob;\n const useBlob = _Blob && utils.isSpecCompliantForm(formData);\n\n if (!utils.isFunction(visitor)) {\n throw new TypeError('visitor must be a function');\n }\n\n function convertValue(value) {\n if (value === null) return '';\n\n if (utils.isDate(value)) {\n return value.toISOString();\n }\n\n if (!useBlob && utils.isBlob(value)) {\n throw new AxiosError('Blob is not supported. Use a Buffer instead.');\n }\n\n if (utils.isArrayBuffer(value) || utils.isTypedArray(value)) {\n return useBlob && typeof Blob === 'function' ? new Blob([value]) : Buffer.from(value);\n }\n\n return value;\n }\n\n /**\n * Default visitor.\n *\n * @param {*} value\n * @param {String|Number} key\n * @param {Array} path\n * @this {FormData}\n *\n * @returns {boolean} return true to visit the each prop of the value recursively\n */\n function defaultVisitor(value, key, path) {\n let arr = value;\n\n if (value && !path && typeof value === 'object') {\n if (utils.endsWith(key, '{}')) {\n // eslint-disable-next-line no-param-reassign\n key = metaTokens ? key : key.slice(0, -2);\n // eslint-disable-next-line no-param-reassign\n value = JSON.stringify(value);\n } else if (\n (utils.isArray(value) && isFlatArray(value)) ||\n ((utils.isFileList(value) || utils.endsWith(key, '[]')) && (arr = utils.toArray(value))\n )) {\n // eslint-disable-next-line no-param-reassign\n key = removeBrackets(key);\n\n arr.forEach(function each(el, index) {\n !(utils.isUndefined(el) || el === null) && formData.append(\n // eslint-disable-next-line no-nested-ternary\n indexes === true ? renderKey([key], index, dots) : (indexes === null ? key : key + '[]'),\n convertValue(el)\n );\n });\n return false;\n }\n }\n\n if (isVisitable(value)) {\n return true;\n }\n\n formData.append(renderKey(path, key, dots), convertValue(value));\n\n return false;\n }\n\n const stack = [];\n\n const exposedHelpers = Object.assign(predicates, {\n defaultVisitor,\n convertValue,\n isVisitable\n });\n\n function build(value, path) {\n if (utils.isUndefined(value)) return;\n\n if (stack.indexOf(value) !== -1) {\n throw Error('Circular reference detected in ' + path.join('.'));\n }\n\n stack.push(value);\n\n utils.forEach(value, function each(el, key) {\n const result = !(utils.isUndefined(el) || el === null) && visitor.call(\n formData, el, utils.isString(key) ? key.trim() : key, path, exposedHelpers\n );\n\n if (result === true) {\n build(el, path ? path.concat(key) : [key]);\n }\n });\n\n stack.pop();\n }\n\n if (!utils.isObject(obj)) {\n throw new TypeError('data must be an object');\n }\n\n build(obj);\n\n return formData;\n}\n\nexport default toFormData;\n","'use strict';\n\nimport toFormData from './toFormData.js';\n\n/**\n * It encodes a string by replacing all characters that are not in the unreserved set with\n * their percent-encoded equivalents\n *\n * @param {string} str - The string to encode.\n *\n * @returns {string} The encoded string.\n */\nfunction encode(str) {\n const charMap = {\n '!': '%21',\n \"'\": '%27',\n '(': '%28',\n ')': '%29',\n '~': '%7E',\n '%20': '+',\n '%00': '\\x00'\n };\n return encodeURIComponent(str).replace(/[!'()~]|%20|%00/g, function replacer(match) {\n return charMap[match];\n });\n}\n\n/**\n * It takes a params object and converts it to a FormData object\n *\n * @param {Object} params - The parameters to be converted to a FormData object.\n * @param {Object} options - The options object passed to the Axios constructor.\n *\n * @returns {void}\n */\nfunction AxiosURLSearchParams(params, options) {\n this._pairs = [];\n\n params && toFormData(params, this, options);\n}\n\nconst prototype = AxiosURLSearchParams.prototype;\n\nprototype.append = function append(name, value) {\n this._pairs.push([name, value]);\n};\n\nprototype.toString = function toString(encoder) {\n const _encode = encoder ? function(value) {\n return encoder.call(this, value, encode);\n } : encode;\n\n return this._pairs.map(function each(pair) {\n return _encode(pair[0]) + '=' + _encode(pair[1]);\n }, '').join('&');\n};\n\nexport default AxiosURLSearchParams;\n","'use strict';\n\nimport utils from '../utils.js';\nimport AxiosURLSearchParams from '../helpers/AxiosURLSearchParams.js';\n\n/**\n * It replaces all instances of the characters `:`, `$`, `,`, `+`, `[`, and `]` with their\n * URI encoded counterparts\n *\n * @param {string} val The value to be encoded.\n *\n * @returns {string} The encoded value.\n */\nfunction encode(val) {\n return encodeURIComponent(val).\n replace(/%3A/gi, ':').\n replace(/%24/g, '$').\n replace(/%2C/gi, ',').\n replace(/%20/g, '+').\n replace(/%5B/gi, '[').\n replace(/%5D/gi, ']');\n}\n\n/**\n * Build a URL by appending params to the end\n *\n * @param {string} url The base of the url (e.g., http://www.google.com)\n * @param {object} [params] The params to be appended\n * @param {?object} options\n *\n * @returns {string} The formatted url\n */\nexport default function buildURL(url, params, options) {\n /*eslint no-param-reassign:0*/\n if (!params) {\n return url;\n }\n \n const _encode = options && options.encode || encode;\n\n const serializeFn = options && options.serialize;\n\n let serializedParams;\n\n if (serializeFn) {\n serializedParams = serializeFn(params, options);\n } else {\n serializedParams = utils.isURLSearchParams(params) ?\n params.toString() :\n new AxiosURLSearchParams(params, options).toString(_encode);\n }\n\n if (serializedParams) {\n const hashmarkIndex = url.indexOf(\"#\");\n\n if (hashmarkIndex !== -1) {\n url = url.slice(0, hashmarkIndex);\n }\n url += (url.indexOf('?') === -1 ? '?' : '&') + serializedParams;\n }\n\n return url;\n}\n","'use strict';\n\nimport utils from './../utils.js';\n\nclass InterceptorManager {\n constructor() {\n this.handlers = [];\n }\n\n /**\n * Add a new interceptor to the stack\n *\n * @param {Function} fulfilled The function to handle `then` for a `Promise`\n * @param {Function} rejected The function to handle `reject` for a `Promise`\n *\n * @return {Number} An ID used to remove interceptor later\n */\n use(fulfilled, rejected, options) {\n this.handlers.push({\n fulfilled,\n rejected,\n synchronous: options ? options.synchronous : false,\n runWhen: options ? options.runWhen : null\n });\n return this.handlers.length - 1;\n }\n\n /**\n * Remove an interceptor from the stack\n *\n * @param {Number} id The ID that was returned by `use`\n *\n * @returns {Boolean} `true` if the interceptor was removed, `false` otherwise\n */\n eject(id) {\n if (this.handlers[id]) {\n this.handlers[id] = null;\n }\n }\n\n /**\n * Clear all interceptors from the stack\n *\n * @returns {void}\n */\n clear() {\n if (this.handlers) {\n this.handlers = [];\n }\n }\n\n /**\n * Iterate over all the registered interceptors\n *\n * This method is particularly useful for skipping over any\n * interceptors that may have become `null` calling `eject`.\n *\n * @param {Function} fn The function to call for each interceptor\n *\n * @returns {void}\n */\n forEach(fn) {\n utils.forEach(this.handlers, function forEachHandler(h) {\n if (h !== null) {\n fn(h);\n }\n });\n }\n}\n\nexport default InterceptorManager;\n","'use strict';\n\nexport default {\n silentJSONParsing: true,\n forcedJSONParsing: true,\n clarifyTimeoutError: false\n};\n","import URLSearchParams from './classes/URLSearchParams.js'\nimport FormData from './classes/FormData.js'\nimport Blob from './classes/Blob.js'\n\n/**\n * Determine if we're running in a standard browser environment\n *\n * This allows axios to run in a web worker, and react-native.\n * Both environments support XMLHttpRequest, but not fully standard globals.\n *\n * web workers:\n * typeof window -> undefined\n * typeof document -> undefined\n *\n * react-native:\n * navigator.product -> 'ReactNative'\n * nativescript\n * navigator.product -> 'NativeScript' or 'NS'\n *\n * @returns {boolean}\n */\nconst isStandardBrowserEnv = (() => {\n let product;\n if (typeof navigator !== 'undefined' && (\n (product = navigator.product) === 'ReactNative' ||\n product === 'NativeScript' ||\n product === 'NS')\n ) {\n return false;\n }\n\n return typeof window !== 'undefined' && typeof document !== 'undefined';\n})();\n\n/**\n * Determine if we're running in a standard browser webWorker environment\n *\n * Although the `isStandardBrowserEnv` method indicates that\n * `allows axios to run in a web worker`, the WebWorker will still be\n * filtered out due to its judgment standard\n * `typeof window !== 'undefined' && typeof document !== 'undefined'`.\n * This leads to a problem when axios post `FormData` in webWorker\n */\n const isStandardBrowserWebWorkerEnv = (() => {\n return (\n typeof WorkerGlobalScope !== 'undefined' &&\n // eslint-disable-next-line no-undef\n self instanceof WorkerGlobalScope &&\n typeof self.importScripts === 'function'\n );\n})();\n\n\nexport default {\n isBrowser: true,\n classes: {\n URLSearchParams,\n FormData,\n Blob\n },\n isStandardBrowserEnv,\n isStandardBrowserWebWorkerEnv,\n protocols: ['http', 'https', 'file', 'blob', 'url', 'data']\n};\n","'use strict';\n\nimport AxiosURLSearchParams from '../../../helpers/AxiosURLSearchParams.js';\nexport default typeof URLSearchParams !== 'undefined' ? URLSearchParams : AxiosURLSearchParams;\n","'use strict';\n\nexport default typeof FormData !== 'undefined' ? FormData : null;\n","'use strict'\n\nexport default typeof Blob !== 'undefined' ? Blob : null\n","'use strict';\n\nimport utils from '../utils.js';\n\n/**\n * It takes a string like `foo[x][y][z]` and returns an array like `['foo', 'x', 'y', 'z']\n *\n * @param {string} name - The name of the property to get.\n *\n * @returns An array of strings.\n */\nfunction parsePropPath(name) {\n // foo[x][y][z]\n // foo.x.y.z\n // foo-x-y-z\n // foo x y z\n return utils.matchAll(/\\w+|\\[(\\w*)]/g, name).map(match => {\n return match[0] === '[]' ? '' : match[1] || match[0];\n });\n}\n\n/**\n * Convert an array to an object.\n *\n * @param {Array} arr - The array to convert to an object.\n *\n * @returns An object with the same keys and values as the array.\n */\nfunction arrayToObject(arr) {\n const obj = {};\n const keys = Object.keys(arr);\n let i;\n const len = keys.length;\n let key;\n for (i = 0; i < len; i++) {\n key = keys[i];\n obj[key] = arr[key];\n }\n return obj;\n}\n\n/**\n * It takes a FormData object and returns a JavaScript object\n *\n * @param {string} formData The FormData object to convert to JSON.\n *\n * @returns {Object | null} The converted object.\n */\nfunction formDataToJSON(formData) {\n function buildPath(path, value, target, index) {\n let name = path[index++];\n const isNumericKey = Number.isFinite(+name);\n const isLast = index >= path.length;\n name = !name && utils.isArray(target) ? target.length : name;\n\n if (isLast) {\n if (utils.hasOwnProp(target, name)) {\n target[name] = [target[name], value];\n } else {\n target[name] = value;\n }\n\n return !isNumericKey;\n }\n\n if (!target[name] || !utils.isObject(target[name])) {\n target[name] = [];\n }\n\n const result = buildPath(path, value, target[name], index);\n\n if (result && utils.isArray(target[name])) {\n target[name] = arrayToObject(target[name]);\n }\n\n return !isNumericKey;\n }\n\n if (utils.isFormData(formData) && utils.isFunction(formData.entries)) {\n const obj = {};\n\n utils.forEachEntry(formData, (name, value) => {\n buildPath(parsePropPath(name), value, obj, 0);\n });\n\n return obj;\n }\n\n return null;\n}\n\nexport default formDataToJSON;\n","'use strict';\n\nimport utils from '../utils.js';\nimport AxiosError from '../core/AxiosError.js';\nimport transitionalDefaults from './transitional.js';\nimport toFormData from '../helpers/toFormData.js';\nimport toURLEncodedForm from '../helpers/toURLEncodedForm.js';\nimport platform from '../platform/index.js';\nimport formDataToJSON from '../helpers/formDataToJSON.js';\n\nconst DEFAULT_CONTENT_TYPE = {\n 'Content-Type': undefined\n};\n\n/**\n * It takes a string, tries to parse it, and if it fails, it returns the stringified version\n * of the input\n *\n * @param {any} rawValue - The value to be stringified.\n * @param {Function} parser - A function that parses a string into a JavaScript object.\n * @param {Function} encoder - A function that takes a value and returns a string.\n *\n * @returns {string} A stringified version of the rawValue.\n */\nfunction stringifySafely(rawValue, parser, encoder) {\n if (utils.isString(rawValue)) {\n try {\n (parser || JSON.parse)(rawValue);\n return utils.trim(rawValue);\n } catch (e) {\n if (e.name !== 'SyntaxError') {\n throw e;\n }\n }\n }\n\n return (encoder || JSON.stringify)(rawValue);\n}\n\nconst defaults = {\n\n transitional: transitionalDefaults,\n\n adapter: ['xhr', 'http'],\n\n transformRequest: [function transformRequest(data, headers) {\n const contentType = headers.getContentType() || '';\n const hasJSONContentType = contentType.indexOf('application/json') > -1;\n const isObjectPayload = utils.isObject(data);\n\n if (isObjectPayload && utils.isHTMLForm(data)) {\n data = new FormData(data);\n }\n\n const isFormData = utils.isFormData(data);\n\n if (isFormData) {\n if (!hasJSONContentType) {\n return data;\n }\n return hasJSONContentType ? JSON.stringify(formDataToJSON(data)) : data;\n }\n\n if (utils.isArrayBuffer(data) ||\n utils.isBuffer(data) ||\n utils.isStream(data) ||\n utils.isFile(data) ||\n utils.isBlob(data)\n ) {\n return data;\n }\n if (utils.isArrayBufferView(data)) {\n return data.buffer;\n }\n if (utils.isURLSearchParams(data)) {\n headers.setContentType('application/x-www-form-urlencoded;charset=utf-8', false);\n return data.toString();\n }\n\n let isFileList;\n\n if (isObjectPayload) {\n if (contentType.indexOf('application/x-www-form-urlencoded') > -1) {\n return toURLEncodedForm(data, this.formSerializer).toString();\n }\n\n if ((isFileList = utils.isFileList(data)) || contentType.indexOf('multipart/form-data') > -1) {\n const _FormData = this.env && this.env.FormData;\n\n return toFormData(\n isFileList ? {'files[]': data} : data,\n _FormData && new _FormData(),\n this.formSerializer\n );\n }\n }\n\n if (isObjectPayload || hasJSONContentType ) {\n headers.setContentType('application/json', false);\n return stringifySafely(data);\n }\n\n return data;\n }],\n\n transformResponse: [function transformResponse(data) {\n const transitional = this.transitional || defaults.transitional;\n const forcedJSONParsing = transitional && transitional.forcedJSONParsing;\n const JSONRequested = this.responseType === 'json';\n\n if (data && utils.isString(data) && ((forcedJSONParsing && !this.responseType) || JSONRequested)) {\n const silentJSONParsing = transitional && transitional.silentJSONParsing;\n const strictJSONParsing = !silentJSONParsing && JSONRequested;\n\n try {\n return JSON.parse(data);\n } catch (e) {\n if (strictJSONParsing) {\n if (e.name === 'SyntaxError') {\n throw AxiosError.from(e, AxiosError.ERR_BAD_RESPONSE, this, null, this.response);\n }\n throw e;\n }\n }\n }\n\n return data;\n }],\n\n /**\n * A timeout in milliseconds to abort a request. If set to 0 (default) a\n * timeout is not created.\n */\n timeout: 0,\n\n xsrfCookieName: 'XSRF-TOKEN',\n xsrfHeaderName: 'X-XSRF-TOKEN',\n\n maxContentLength: -1,\n maxBodyLength: -1,\n\n env: {\n FormData: platform.classes.FormData,\n Blob: platform.classes.Blob\n },\n\n validateStatus: function validateStatus(status) {\n return status >= 200 && status < 300;\n },\n\n headers: {\n common: {\n 'Accept': 'application/json, text/plain, */*'\n }\n }\n};\n\nutils.forEach(['delete', 'get', 'head'], function forEachMethodNoData(method) {\n defaults.headers[method] = {};\n});\n\nutils.forEach(['post', 'put', 'patch'], function forEachMethodWithData(method) {\n defaults.headers[method] = utils.merge(DEFAULT_CONTENT_TYPE);\n});\n\nexport default defaults;\n","'use strict';\n\nimport utils from '../utils.js';\nimport toFormData from './toFormData.js';\nimport platform from '../platform/index.js';\n\nexport default function toURLEncodedForm(data, options) {\n return toFormData(data, new platform.classes.URLSearchParams(), Object.assign({\n visitor: function(value, key, path, helpers) {\n if (platform.isNode && utils.isBuffer(value)) {\n this.append(key, value.toString('base64'));\n return false;\n }\n\n return helpers.defaultVisitor.apply(this, arguments);\n }\n }, options));\n}\n","'use strict';\n\nimport utils from './../utils.js';\n\n// RawAxiosHeaders whose duplicates are ignored by node\n// c.f. https://nodejs.org/api/http.html#http_message_headers\nconst ignoreDuplicateOf = utils.toObjectSet([\n 'age', 'authorization', 'content-length', 'content-type', 'etag',\n 'expires', 'from', 'host', 'if-modified-since', 'if-unmodified-since',\n 'last-modified', 'location', 'max-forwards', 'proxy-authorization',\n 'referer', 'retry-after', 'user-agent'\n]);\n\n/**\n * Parse headers into an object\n *\n * ```\n * Date: Wed, 27 Aug 2014 08:58:49 GMT\n * Content-Type: application/json\n * Connection: keep-alive\n * Transfer-Encoding: chunked\n * ```\n *\n * @param {String} rawHeaders Headers needing to be parsed\n *\n * @returns {Object} Headers parsed into an object\n */\nexport default rawHeaders => {\n const parsed = {};\n let key;\n let val;\n let i;\n\n rawHeaders && rawHeaders.split('\\n').forEach(function parser(line) {\n i = line.indexOf(':');\n key = line.substring(0, i).trim().toLowerCase();\n val = line.substring(i + 1).trim();\n\n if (!key || (parsed[key] && ignoreDuplicateOf[key])) {\n return;\n }\n\n if (key === 'set-cookie') {\n if (parsed[key]) {\n parsed[key].push(val);\n } else {\n parsed[key] = [val];\n }\n } else {\n parsed[key] = parsed[key] ? parsed[key] + ', ' + val : val;\n }\n });\n\n return parsed;\n};\n","'use strict';\n\nimport utils from '../utils.js';\nimport parseHeaders from '../helpers/parseHeaders.js';\n\nconst $internals = Symbol('internals');\n\nfunction normalizeHeader(header) {\n return header && String(header).trim().toLowerCase();\n}\n\nfunction normalizeValue(value) {\n if (value === false || value == null) {\n return value;\n }\n\n return utils.isArray(value) ? value.map(normalizeValue) : String(value);\n}\n\nfunction parseTokens(str) {\n const tokens = Object.create(null);\n const tokensRE = /([^\\s,;=]+)\\s*(?:=\\s*([^,;]+))?/g;\n let match;\n\n while ((match = tokensRE.exec(str))) {\n tokens[match[1]] = match[2];\n }\n\n return tokens;\n}\n\nconst isValidHeaderName = (str) => /^[-_a-zA-Z0-9^`|~,!#$%&'*+.]+$/.test(str.trim());\n\nfunction matchHeaderValue(context, value, header, filter, isHeaderNameFilter) {\n if (utils.isFunction(filter)) {\n return filter.call(this, value, header);\n }\n\n if (isHeaderNameFilter) {\n value = header;\n }\n\n if (!utils.isString(value)) return;\n\n if (utils.isString(filter)) {\n return value.indexOf(filter) !== -1;\n }\n\n if (utils.isRegExp(filter)) {\n return filter.test(value);\n }\n}\n\nfunction formatHeader(header) {\n return header.trim()\n .toLowerCase().replace(/([a-z\\d])(\\w*)/g, (w, char, str) => {\n return char.toUpperCase() + str;\n });\n}\n\nfunction buildAccessors(obj, header) {\n const accessorName = utils.toCamelCase(' ' + header);\n\n ['get', 'set', 'has'].forEach(methodName => {\n Object.defineProperty(obj, methodName + accessorName, {\n value: function(arg1, arg2, arg3) {\n return this[methodName].call(this, header, arg1, arg2, arg3);\n },\n configurable: true\n });\n });\n}\n\nclass AxiosHeaders {\n constructor(headers) {\n headers && this.set(headers);\n }\n\n set(header, valueOrRewrite, rewrite) {\n const self = this;\n\n function setHeader(_value, _header, _rewrite) {\n const lHeader = normalizeHeader(_header);\n\n if (!lHeader) {\n throw new Error('header name must be a non-empty string');\n }\n\n const key = utils.findKey(self, lHeader);\n\n if(!key || self[key] === undefined || _rewrite === true || (_rewrite === undefined && self[key] !== false)) {\n self[key || _header] = normalizeValue(_value);\n }\n }\n\n const setHeaders = (headers, _rewrite) =>\n utils.forEach(headers, (_value, _header) => setHeader(_value, _header, _rewrite));\n\n if (utils.isPlainObject(header) || header instanceof this.constructor) {\n setHeaders(header, valueOrRewrite)\n } else if(utils.isString(header) && (header = header.trim()) && !isValidHeaderName(header)) {\n setHeaders(parseHeaders(header), valueOrRewrite);\n } else {\n header != null && setHeader(valueOrRewrite, header, rewrite);\n }\n\n return this;\n }\n\n get(header, parser) {\n header = normalizeHeader(header);\n\n if (header) {\n const key = utils.findKey(this, header);\n\n if (key) {\n const value = this[key];\n\n if (!parser) {\n return value;\n }\n\n if (parser === true) {\n return parseTokens(value);\n }\n\n if (utils.isFunction(parser)) {\n return parser.call(this, value, key);\n }\n\n if (utils.isRegExp(parser)) {\n return parser.exec(value);\n }\n\n throw new TypeError('parser must be boolean|regexp|function');\n }\n }\n }\n\n has(header, matcher) {\n header = normalizeHeader(header);\n\n if (header) {\n const key = utils.findKey(this, header);\n\n return !!(key && this[key] !== undefined && (!matcher || matchHeaderValue(this, this[key], key, matcher)));\n }\n\n return false;\n }\n\n delete(header, matcher) {\n const self = this;\n let deleted = false;\n\n function deleteHeader(_header) {\n _header = normalizeHeader(_header);\n\n if (_header) {\n const key = utils.findKey(self, _header);\n\n if (key && (!matcher || matchHeaderValue(self, self[key], key, matcher))) {\n delete self[key];\n\n deleted = true;\n }\n }\n }\n\n if (utils.isArray(header)) {\n header.forEach(deleteHeader);\n } else {\n deleteHeader(header);\n }\n\n return deleted;\n }\n\n clear(matcher) {\n const keys = Object.keys(this);\n let i = keys.length;\n let deleted = false;\n\n while (i--) {\n const key = keys[i];\n if(!matcher || matchHeaderValue(this, this[key], key, matcher, true)) {\n delete this[key];\n deleted = true;\n }\n }\n\n return deleted;\n }\n\n normalize(format) {\n const self = this;\n const headers = {};\n\n utils.forEach(this, (value, header) => {\n const key = utils.findKey(headers, header);\n\n if (key) {\n self[key] = normalizeValue(value);\n delete self[header];\n return;\n }\n\n const normalized = format ? formatHeader(header) : String(header).trim();\n\n if (normalized !== header) {\n delete self[header];\n }\n\n self[normalized] = normalizeValue(value);\n\n headers[normalized] = true;\n });\n\n return this;\n }\n\n concat(...targets) {\n return this.constructor.concat(this, ...targets);\n }\n\n toJSON(asStrings) {\n const obj = Object.create(null);\n\n utils.forEach(this, (value, header) => {\n value != null && value !== false && (obj[header] = asStrings && utils.isArray(value) ? value.join(', ') : value);\n });\n\n return obj;\n }\n\n [Symbol.iterator]() {\n return Object.entries(this.toJSON())[Symbol.iterator]();\n }\n\n toString() {\n return Object.entries(this.toJSON()).map(([header, value]) => header + ': ' + value).join('\\n');\n }\n\n get [Symbol.toStringTag]() {\n return 'AxiosHeaders';\n }\n\n static from(thing) {\n return thing instanceof this ? thing : new this(thing);\n }\n\n static concat(first, ...targets) {\n const computed = new this(first);\n\n targets.forEach((target) => computed.set(target));\n\n return computed;\n }\n\n static accessor(header) {\n const internals = this[$internals] = (this[$internals] = {\n accessors: {}\n });\n\n const accessors = internals.accessors;\n const prototype = this.prototype;\n\n function defineAccessor(_header) {\n const lHeader = normalizeHeader(_header);\n\n if (!accessors[lHeader]) {\n buildAccessors(prototype, _header);\n accessors[lHeader] = true;\n }\n }\n\n utils.isArray(header) ? header.forEach(defineAccessor) : defineAccessor(header);\n\n return this;\n }\n}\n\nAxiosHeaders.accessor(['Content-Type', 'Content-Length', 'Accept', 'Accept-Encoding', 'User-Agent', 'Authorization']);\n\nutils.freezeMethods(AxiosHeaders.prototype);\nutils.freezeMethods(AxiosHeaders);\n\nexport default AxiosHeaders;\n","'use strict';\n\nimport utils from './../utils.js';\nimport defaults from '../defaults/index.js';\nimport AxiosHeaders from '../core/AxiosHeaders.js';\n\n/**\n * Transform the data for a request or a response\n *\n * @param {Array|Function} fns A single function or Array of functions\n * @param {?Object} response The response object\n *\n * @returns {*} The resulting transformed data\n */\nexport default function transformData(fns, response) {\n const config = this || defaults;\n const context = response || config;\n const headers = AxiosHeaders.from(context.headers);\n let data = context.data;\n\n utils.forEach(fns, function transform(fn) {\n data = fn.call(config, data, headers.normalize(), response ? response.status : undefined);\n });\n\n headers.normalize();\n\n return data;\n}\n","'use strict';\n\nexport default function isCancel(value) {\n return !!(value && value.__CANCEL__);\n}\n","'use strict';\n\nimport AxiosError from '../core/AxiosError.js';\nimport utils from '../utils.js';\n\n/**\n * A `CanceledError` is an object that is thrown when an operation is canceled.\n *\n * @param {string=} message The message.\n * @param {Object=} config The config.\n * @param {Object=} request The request.\n *\n * @returns {CanceledError} The created error.\n */\nfunction CanceledError(message, config, request) {\n // eslint-disable-next-line no-eq-null,eqeqeq\n AxiosError.call(this, message == null ? 'canceled' : message, AxiosError.ERR_CANCELED, config, request);\n this.name = 'CanceledError';\n}\n\nutils.inherits(CanceledError, AxiosError, {\n __CANCEL__: true\n});\n\nexport default CanceledError;\n","'use strict';\n\nimport utils from './../utils.js';\nimport platform from '../platform/index.js';\n\nexport default platform.isStandardBrowserEnv ?\n\n// Standard browser envs support document.cookie\n (function standardBrowserEnv() {\n return {\n write: function write(name, value, expires, path, domain, secure) {\n const cookie = [];\n cookie.push(name + '=' + encodeURIComponent(value));\n\n if (utils.isNumber(expires)) {\n cookie.push('expires=' + new Date(expires).toGMTString());\n }\n\n if (utils.isString(path)) {\n cookie.push('path=' + path);\n }\n\n if (utils.isString(domain)) {\n cookie.push('domain=' + domain);\n }\n\n if (secure === true) {\n cookie.push('secure');\n }\n\n document.cookie = cookie.join('; ');\n },\n\n read: function read(name) {\n const match = document.cookie.match(new RegExp('(^|;\\\\s*)(' + name + ')=([^;]*)'));\n return (match ? decodeURIComponent(match[3]) : null);\n },\n\n remove: function remove(name) {\n this.write(name, '', Date.now() - 86400000);\n }\n };\n })() :\n\n// Non standard browser env (web workers, react-native) lack needed support.\n (function nonStandardBrowserEnv() {\n return {\n write: function write() {},\n read: function read() { return null; },\n remove: function remove() {}\n };\n })();\n","'use strict';\n\nimport isAbsoluteURL from '../helpers/isAbsoluteURL.js';\nimport combineURLs from '../helpers/combineURLs.js';\n\n/**\n * Creates a new URL by combining the baseURL with the requestedURL,\n * only when the requestedURL is not already an absolute URL.\n * If the requestURL is absolute, this function returns the requestedURL untouched.\n *\n * @param {string} baseURL The base URL\n * @param {string} requestedURL Absolute or relative URL to combine\n *\n * @returns {string} The combined full path\n */\nexport default function buildFullPath(baseURL, requestedURL) {\n if (baseURL && !isAbsoluteURL(requestedURL)) {\n return combineURLs(baseURL, requestedURL);\n }\n return requestedURL;\n}\n","'use strict';\n\n/**\n * Determines whether the specified URL is absolute\n *\n * @param {string} url The URL to test\n *\n * @returns {boolean} True if the specified URL is absolute, otherwise false\n */\nexport default function isAbsoluteURL(url) {\n // A URL is considered absolute if it begins with \"://\" or \"//\" (protocol-relative URL).\n // RFC 3986 defines scheme name as a sequence of characters beginning with a letter and followed\n // by any combination of letters, digits, plus, period, or hyphen.\n return /^([a-z][a-z\\d+\\-.]*:)?\\/\\//i.test(url);\n}\n","'use strict';\n\n/**\n * Creates a new URL by combining the specified URLs\n *\n * @param {string} baseURL The base URL\n * @param {string} relativeURL The relative URL\n *\n * @returns {string} The combined URL\n */\nexport default function combineURLs(baseURL, relativeURL) {\n return relativeURL\n ? baseURL.replace(/\\/+$/, '') + '/' + relativeURL.replace(/^\\/+/, '')\n : baseURL;\n}\n","'use strict';\n\nimport utils from './../utils.js';\nimport platform from '../platform/index.js';\n\nexport default platform.isStandardBrowserEnv ?\n\n// Standard browser envs have full support of the APIs needed to test\n// whether the request URL is of the same origin as current location.\n (function standardBrowserEnv() {\n const msie = /(msie|trident)/i.test(navigator.userAgent);\n const urlParsingNode = document.createElement('a');\n let originURL;\n\n /**\n * Parse a URL to discover it's components\n *\n * @param {String} url The URL to be parsed\n * @returns {Object}\n */\n function resolveURL(url) {\n let href = url;\n\n if (msie) {\n // IE needs attribute set twice to normalize properties\n urlParsingNode.setAttribute('href', href);\n href = urlParsingNode.href;\n }\n\n urlParsingNode.setAttribute('href', href);\n\n // urlParsingNode provides the UrlUtils interface - http://url.spec.whatwg.org/#urlutils\n return {\n href: urlParsingNode.href,\n protocol: urlParsingNode.protocol ? urlParsingNode.protocol.replace(/:$/, '') : '',\n host: urlParsingNode.host,\n search: urlParsingNode.search ? urlParsingNode.search.replace(/^\\?/, '') : '',\n hash: urlParsingNode.hash ? urlParsingNode.hash.replace(/^#/, '') : '',\n hostname: urlParsingNode.hostname,\n port: urlParsingNode.port,\n pathname: (urlParsingNode.pathname.charAt(0) === '/') ?\n urlParsingNode.pathname :\n '/' + urlParsingNode.pathname\n };\n }\n\n originURL = resolveURL(window.location.href);\n\n /**\n * Determine if a URL shares the same origin as the current location\n *\n * @param {String} requestURL The URL to test\n * @returns {boolean} True if URL shares the same origin, otherwise false\n */\n return function isURLSameOrigin(requestURL) {\n const parsed = (utils.isString(requestURL)) ? resolveURL(requestURL) : requestURL;\n return (parsed.protocol === originURL.protocol &&\n parsed.host === originURL.host);\n };\n })() :\n\n // Non standard browser envs (web workers, react-native) lack needed support.\n (function nonStandardBrowserEnv() {\n return function isURLSameOrigin() {\n return true;\n };\n })();\n","'use strict';\n\nimport utils from './../utils.js';\nimport settle from './../core/settle.js';\nimport cookies from './../helpers/cookies.js';\nimport buildURL from './../helpers/buildURL.js';\nimport buildFullPath from '../core/buildFullPath.js';\nimport isURLSameOrigin from './../helpers/isURLSameOrigin.js';\nimport transitionalDefaults from '../defaults/transitional.js';\nimport AxiosError from '../core/AxiosError.js';\nimport CanceledError from '../cancel/CanceledError.js';\nimport parseProtocol from '../helpers/parseProtocol.js';\nimport platform from '../platform/index.js';\nimport AxiosHeaders from '../core/AxiosHeaders.js';\nimport speedometer from '../helpers/speedometer.js';\n\nfunction progressEventReducer(listener, isDownloadStream) {\n let bytesNotified = 0;\n const _speedometer = speedometer(50, 250);\n\n return e => {\n const loaded = e.loaded;\n const total = e.lengthComputable ? e.total : undefined;\n const progressBytes = loaded - bytesNotified;\n const rate = _speedometer(progressBytes);\n const inRange = loaded <= total;\n\n bytesNotified = loaded;\n\n const data = {\n loaded,\n total,\n progress: total ? (loaded / total) : undefined,\n bytes: progressBytes,\n rate: rate ? rate : undefined,\n estimated: rate && total && inRange ? (total - loaded) / rate : undefined,\n event: e\n };\n\n data[isDownloadStream ? 'download' : 'upload'] = true;\n\n listener(data);\n };\n}\n\nconst isXHRAdapterSupported = typeof XMLHttpRequest !== 'undefined';\n\nexport default isXHRAdapterSupported && function (config) {\n return new Promise(function dispatchXhrRequest(resolve, reject) {\n let requestData = config.data;\n const requestHeaders = AxiosHeaders.from(config.headers).normalize();\n const responseType = config.responseType;\n let onCanceled;\n function done() {\n if (config.cancelToken) {\n config.cancelToken.unsubscribe(onCanceled);\n }\n\n if (config.signal) {\n config.signal.removeEventListener('abort', onCanceled);\n }\n }\n\n if (utils.isFormData(requestData)) {\n if (platform.isStandardBrowserEnv || platform.isStandardBrowserWebWorkerEnv) {\n requestHeaders.setContentType(false); // Let the browser set it\n } else {\n requestHeaders.setContentType('multipart/form-data;', false); // mobile/desktop app frameworks\n }\n }\n\n let request = new XMLHttpRequest();\n\n // HTTP basic authentication\n if (config.auth) {\n const username = config.auth.username || '';\n const password = config.auth.password ? unescape(encodeURIComponent(config.auth.password)) : '';\n requestHeaders.set('Authorization', 'Basic ' + btoa(username + ':' + password));\n }\n\n const fullPath = buildFullPath(config.baseURL, config.url);\n\n request.open(config.method.toUpperCase(), buildURL(fullPath, config.params, config.paramsSerializer), true);\n\n // Set the request timeout in MS\n request.timeout = config.timeout;\n\n function onloadend() {\n if (!request) {\n return;\n }\n // Prepare the response\n const responseHeaders = AxiosHeaders.from(\n 'getAllResponseHeaders' in request && request.getAllResponseHeaders()\n );\n const responseData = !responseType || responseType === 'text' || responseType === 'json' ?\n request.responseText : request.response;\n const response = {\n data: responseData,\n status: request.status,\n statusText: request.statusText,\n headers: responseHeaders,\n config,\n request\n };\n\n settle(function _resolve(value) {\n resolve(value);\n done();\n }, function _reject(err) {\n reject(err);\n done();\n }, response);\n\n // Clean up request\n request = null;\n }\n\n if ('onloadend' in request) {\n // Use onloadend if available\n request.onloadend = onloadend;\n } else {\n // Listen for ready state to emulate onloadend\n request.onreadystatechange = function handleLoad() {\n if (!request || request.readyState !== 4) {\n return;\n }\n\n // The request errored out and we didn't get a response, this will be\n // handled by onerror instead\n // With one exception: request that using file: protocol, most browsers\n // will return status as 0 even though it's a successful request\n if (request.status === 0 && !(request.responseURL && request.responseURL.indexOf('file:') === 0)) {\n return;\n }\n // readystate handler is calling before onerror or ontimeout handlers,\n // so we should call onloadend on the next 'tick'\n setTimeout(onloadend);\n };\n }\n\n // Handle browser request cancellation (as opposed to a manual cancellation)\n request.onabort = function handleAbort() {\n if (!request) {\n return;\n }\n\n reject(new AxiosError('Request aborted', AxiosError.ECONNABORTED, config, request));\n\n // Clean up request\n request = null;\n };\n\n // Handle low level network errors\n request.onerror = function handleError() {\n // Real errors are hidden from us by the browser\n // onerror should only fire if it's a network error\n reject(new AxiosError('Network Error', AxiosError.ERR_NETWORK, config, request));\n\n // Clean up request\n request = null;\n };\n\n // Handle timeout\n request.ontimeout = function handleTimeout() {\n let timeoutErrorMessage = config.timeout ? 'timeout of ' + config.timeout + 'ms exceeded' : 'timeout exceeded';\n const transitional = config.transitional || transitionalDefaults;\n if (config.timeoutErrorMessage) {\n timeoutErrorMessage = config.timeoutErrorMessage;\n }\n reject(new AxiosError(\n timeoutErrorMessage,\n transitional.clarifyTimeoutError ? AxiosError.ETIMEDOUT : AxiosError.ECONNABORTED,\n config,\n request));\n\n // Clean up request\n request = null;\n };\n\n // Add xsrf header\n // This is only done if running in a standard browser environment.\n // Specifically not if we're in a web worker, or react-native.\n if (platform.isStandardBrowserEnv) {\n // Add xsrf header\n const xsrfValue = (config.withCredentials || isURLSameOrigin(fullPath))\n && config.xsrfCookieName && cookies.read(config.xsrfCookieName);\n\n if (xsrfValue) {\n requestHeaders.set(config.xsrfHeaderName, xsrfValue);\n }\n }\n\n // Remove Content-Type if data is undefined\n requestData === undefined && requestHeaders.setContentType(null);\n\n // Add headers to the request\n if ('setRequestHeader' in request) {\n utils.forEach(requestHeaders.toJSON(), function setRequestHeader(val, key) {\n request.setRequestHeader(key, val);\n });\n }\n\n // Add withCredentials to request if needed\n if (!utils.isUndefined(config.withCredentials)) {\n request.withCredentials = !!config.withCredentials;\n }\n\n // Add responseType to request if needed\n if (responseType && responseType !== 'json') {\n request.responseType = config.responseType;\n }\n\n // Handle progress if needed\n if (typeof config.onDownloadProgress === 'function') {\n request.addEventListener('progress', progressEventReducer(config.onDownloadProgress, true));\n }\n\n // Not all browsers support upload events\n if (typeof config.onUploadProgress === 'function' && request.upload) {\n request.upload.addEventListener('progress', progressEventReducer(config.onUploadProgress));\n }\n\n if (config.cancelToken || config.signal) {\n // Handle cancellation\n // eslint-disable-next-line func-names\n onCanceled = cancel => {\n if (!request) {\n return;\n }\n reject(!cancel || cancel.type ? new CanceledError(null, config, request) : cancel);\n request.abort();\n request = null;\n };\n\n config.cancelToken && config.cancelToken.subscribe(onCanceled);\n if (config.signal) {\n config.signal.aborted ? onCanceled() : config.signal.addEventListener('abort', onCanceled);\n }\n }\n\n const protocol = parseProtocol(fullPath);\n\n if (protocol && platform.protocols.indexOf(protocol) === -1) {\n reject(new AxiosError('Unsupported protocol ' + protocol + ':', AxiosError.ERR_BAD_REQUEST, config));\n return;\n }\n\n\n // Send the request\n request.send(requestData || null);\n });\n}\n","'use strict';\n\n/**\n * Calculate data maxRate\n * @param {Number} [samplesCount= 10]\n * @param {Number} [min= 1000]\n * @returns {Function}\n */\nfunction speedometer(samplesCount, min) {\n samplesCount = samplesCount || 10;\n const bytes = new Array(samplesCount);\n const timestamps = new Array(samplesCount);\n let head = 0;\n let tail = 0;\n let firstSampleTS;\n\n min = min !== undefined ? min : 1000;\n\n return function push(chunkLength) {\n const now = Date.now();\n\n const startedAt = timestamps[tail];\n\n if (!firstSampleTS) {\n firstSampleTS = now;\n }\n\n bytes[head] = chunkLength;\n timestamps[head] = now;\n\n let i = tail;\n let bytesCount = 0;\n\n while (i !== head) {\n bytesCount += bytes[i++];\n i = i % samplesCount;\n }\n\n head = (head + 1) % samplesCount;\n\n if (head === tail) {\n tail = (tail + 1) % samplesCount;\n }\n\n if (now - firstSampleTS < min) {\n return;\n }\n\n const passed = startedAt && now - startedAt;\n\n return passed ? Math.round(bytesCount * 1000 / passed) : undefined;\n };\n}\n\nexport default speedometer;\n","import utils from '../utils.js';\nimport httpAdapter from './http.js';\nimport xhrAdapter from './xhr.js';\nimport AxiosError from \"../core/AxiosError.js\";\n\nconst knownAdapters = {\n http: httpAdapter,\n xhr: xhrAdapter\n}\n\nutils.forEach(knownAdapters, (fn, value) => {\n if(fn) {\n try {\n Object.defineProperty(fn, 'name', {value});\n } catch (e) {\n // eslint-disable-next-line no-empty\n }\n Object.defineProperty(fn, 'adapterName', {value});\n }\n});\n\nexport default {\n getAdapter: (adapters) => {\n adapters = utils.isArray(adapters) ? adapters : [adapters];\n\n const {length} = adapters;\n let nameOrAdapter;\n let adapter;\n\n for (let i = 0; i < length; i++) {\n nameOrAdapter = adapters[i];\n if((adapter = utils.isString(nameOrAdapter) ? knownAdapters[nameOrAdapter.toLowerCase()] : nameOrAdapter)) {\n break;\n }\n }\n\n if (!adapter) {\n if (adapter === false) {\n throw new AxiosError(\n `Adapter ${nameOrAdapter} is not supported by the environment`,\n 'ERR_NOT_SUPPORT'\n );\n }\n\n throw new Error(\n utils.hasOwnProp(knownAdapters, nameOrAdapter) ?\n `Adapter '${nameOrAdapter}' is not available in the build` :\n `Unknown adapter '${nameOrAdapter}'`\n );\n }\n\n if (!utils.isFunction(adapter)) {\n throw new TypeError('adapter is not a function');\n }\n\n return adapter;\n },\n adapters: knownAdapters\n}\n","// eslint-disable-next-line strict\nexport default null;\n","'use strict';\n\nimport AxiosError from './AxiosError.js';\n\n/**\n * Resolve or reject a Promise based on response status.\n *\n * @param {Function} resolve A function that resolves the promise.\n * @param {Function} reject A function that rejects the promise.\n * @param {object} response The response.\n *\n * @returns {object} The response.\n */\nexport default function settle(resolve, reject, response) {\n const validateStatus = response.config.validateStatus;\n if (!response.status || !validateStatus || validateStatus(response.status)) {\n resolve(response);\n } else {\n reject(new AxiosError(\n 'Request failed with status code ' + response.status,\n [AxiosError.ERR_BAD_REQUEST, AxiosError.ERR_BAD_RESPONSE][Math.floor(response.status / 100) - 4],\n response.config,\n response.request,\n response\n ));\n }\n}\n","'use strict';\n\nexport default function parseProtocol(url) {\n const match = /^([-+\\w]{1,25})(:?\\/\\/|:)/.exec(url);\n return match && match[1] || '';\n}\n","'use strict';\n\nimport transformData from './transformData.js';\nimport isCancel from '../cancel/isCancel.js';\nimport defaults from '../defaults/index.js';\nimport CanceledError from '../cancel/CanceledError.js';\nimport AxiosHeaders from '../core/AxiosHeaders.js';\nimport adapters from \"../adapters/adapters.js\";\n\n/**\n * Throws a `CanceledError` if cancellation has been requested.\n *\n * @param {Object} config The config that is to be used for the request\n *\n * @returns {void}\n */\nfunction throwIfCancellationRequested(config) {\n if (config.cancelToken) {\n config.cancelToken.throwIfRequested();\n }\n\n if (config.signal && config.signal.aborted) {\n throw new CanceledError(null, config);\n }\n}\n\n/**\n * Dispatch a request to the server using the configured adapter.\n *\n * @param {object} config The config that is to be used for the request\n *\n * @returns {Promise} The Promise to be fulfilled\n */\nexport default function dispatchRequest(config) {\n throwIfCancellationRequested(config);\n\n config.headers = AxiosHeaders.from(config.headers);\n\n // Transform request data\n config.data = transformData.call(\n config,\n config.transformRequest\n );\n\n if (['post', 'put', 'patch'].indexOf(config.method) !== -1) {\n config.headers.setContentType('application/x-www-form-urlencoded', false);\n }\n\n const adapter = adapters.getAdapter(config.adapter || defaults.adapter);\n\n return adapter(config).then(function onAdapterResolution(response) {\n throwIfCancellationRequested(config);\n\n // Transform response data\n response.data = transformData.call(\n config,\n config.transformResponse,\n response\n );\n\n response.headers = AxiosHeaders.from(response.headers);\n\n return response;\n }, function onAdapterRejection(reason) {\n if (!isCancel(reason)) {\n throwIfCancellationRequested(config);\n\n // Transform response data\n if (reason && reason.response) {\n reason.response.data = transformData.call(\n config,\n config.transformResponse,\n reason.response\n );\n reason.response.headers = AxiosHeaders.from(reason.response.headers);\n }\n }\n\n return Promise.reject(reason);\n });\n}\n","'use strict';\n\nimport utils from '../utils.js';\nimport AxiosHeaders from \"./AxiosHeaders.js\";\n\nconst headersToObject = (thing) => thing instanceof AxiosHeaders ? thing.toJSON() : thing;\n\n/**\n * Config-specific merge-function which creates a new config-object\n * by merging two configuration objects together.\n *\n * @param {Object} config1\n * @param {Object} config2\n *\n * @returns {Object} New object resulting from merging config2 to config1\n */\nexport default function mergeConfig(config1, config2) {\n // eslint-disable-next-line no-param-reassign\n config2 = config2 || {};\n const config = {};\n\n function getMergedValue(target, source, caseless) {\n if (utils.isPlainObject(target) && utils.isPlainObject(source)) {\n return utils.merge.call({caseless}, target, source);\n } else if (utils.isPlainObject(source)) {\n return utils.merge({}, source);\n } else if (utils.isArray(source)) {\n return source.slice();\n }\n return source;\n }\n\n // eslint-disable-next-line consistent-return\n function mergeDeepProperties(a, b, caseless) {\n if (!utils.isUndefined(b)) {\n return getMergedValue(a, b, caseless);\n } else if (!utils.isUndefined(a)) {\n return getMergedValue(undefined, a, caseless);\n }\n }\n\n // eslint-disable-next-line consistent-return\n function valueFromConfig2(a, b) {\n if (!utils.isUndefined(b)) {\n return getMergedValue(undefined, b);\n }\n }\n\n // eslint-disable-next-line consistent-return\n function defaultToConfig2(a, b) {\n if (!utils.isUndefined(b)) {\n return getMergedValue(undefined, b);\n } else if (!utils.isUndefined(a)) {\n return getMergedValue(undefined, a);\n }\n }\n\n // eslint-disable-next-line consistent-return\n function mergeDirectKeys(a, b, prop) {\n if (prop in config2) {\n return getMergedValue(a, b);\n } else if (prop in config1) {\n return getMergedValue(undefined, a);\n }\n }\n\n const mergeMap = {\n url: valueFromConfig2,\n method: valueFromConfig2,\n data: valueFromConfig2,\n baseURL: defaultToConfig2,\n transformRequest: defaultToConfig2,\n transformResponse: defaultToConfig2,\n paramsSerializer: defaultToConfig2,\n timeout: defaultToConfig2,\n timeoutMessage: defaultToConfig2,\n withCredentials: defaultToConfig2,\n adapter: defaultToConfig2,\n responseType: defaultToConfig2,\n xsrfCookieName: defaultToConfig2,\n xsrfHeaderName: defaultToConfig2,\n onUploadProgress: defaultToConfig2,\n onDownloadProgress: defaultToConfig2,\n decompress: defaultToConfig2,\n maxContentLength: defaultToConfig2,\n maxBodyLength: defaultToConfig2,\n beforeRedirect: defaultToConfig2,\n transport: defaultToConfig2,\n httpAgent: defaultToConfig2,\n httpsAgent: defaultToConfig2,\n cancelToken: defaultToConfig2,\n socketPath: defaultToConfig2,\n responseEncoding: defaultToConfig2,\n validateStatus: mergeDirectKeys,\n headers: (a, b) => mergeDeepProperties(headersToObject(a), headersToObject(b), true)\n };\n\n utils.forEach(Object.keys(Object.assign({}, config1, config2)), function computeConfigValue(prop) {\n const merge = mergeMap[prop] || mergeDeepProperties;\n const configValue = merge(config1[prop], config2[prop], prop);\n (utils.isUndefined(configValue) && merge !== mergeDirectKeys) || (config[prop] = configValue);\n });\n\n return config;\n}\n","export const VERSION = \"1.4.0\";","'use strict';\n\nimport {VERSION} from '../env/data.js';\nimport AxiosError from '../core/AxiosError.js';\n\nconst validators = {};\n\n// eslint-disable-next-line func-names\n['object', 'boolean', 'number', 'function', 'string', 'symbol'].forEach((type, i) => {\n validators[type] = function validator(thing) {\n return typeof thing === type || 'a' + (i < 1 ? 'n ' : ' ') + type;\n };\n});\n\nconst deprecatedWarnings = {};\n\n/**\n * Transitional option validator\n *\n * @param {function|boolean?} validator - set to false if the transitional option has been removed\n * @param {string?} version - deprecated version / removed since version\n * @param {string?} message - some message with additional info\n *\n * @returns {function}\n */\nvalidators.transitional = function transitional(validator, version, message) {\n function formatMessage(opt, desc) {\n return '[Axios v' + VERSION + '] Transitional option \\'' + opt + '\\'' + desc + (message ? '. ' + message : '');\n }\n\n // eslint-disable-next-line func-names\n return (value, opt, opts) => {\n if (validator === false) {\n throw new AxiosError(\n formatMessage(opt, ' has been removed' + (version ? ' in ' + version : '')),\n AxiosError.ERR_DEPRECATED\n );\n }\n\n if (version && !deprecatedWarnings[opt]) {\n deprecatedWarnings[opt] = true;\n // eslint-disable-next-line no-console\n console.warn(\n formatMessage(\n opt,\n ' has been deprecated since v' + version + ' and will be removed in the near future'\n )\n );\n }\n\n return validator ? validator(value, opt, opts) : true;\n };\n};\n\n/**\n * Assert object's properties type\n *\n * @param {object} options\n * @param {object} schema\n * @param {boolean?} allowUnknown\n *\n * @returns {object}\n */\n\nfunction assertOptions(options, schema, allowUnknown) {\n if (typeof options !== 'object') {\n throw new AxiosError('options must be an object', AxiosError.ERR_BAD_OPTION_VALUE);\n }\n const keys = Object.keys(options);\n let i = keys.length;\n while (i-- > 0) {\n const opt = keys[i];\n const validator = schema[opt];\n if (validator) {\n const value = options[opt];\n const result = value === undefined || validator(value, opt, options);\n if (result !== true) {\n throw new AxiosError('option ' + opt + ' must be ' + result, AxiosError.ERR_BAD_OPTION_VALUE);\n }\n continue;\n }\n if (allowUnknown !== true) {\n throw new AxiosError('Unknown option ' + opt, AxiosError.ERR_BAD_OPTION);\n }\n }\n}\n\nexport default {\n assertOptions,\n validators\n};\n","'use strict';\n\nimport utils from './../utils.js';\nimport buildURL from '../helpers/buildURL.js';\nimport InterceptorManager from './InterceptorManager.js';\nimport dispatchRequest from './dispatchRequest.js';\nimport mergeConfig from './mergeConfig.js';\nimport buildFullPath from './buildFullPath.js';\nimport validator from '../helpers/validator.js';\nimport AxiosHeaders from './AxiosHeaders.js';\n\nconst validators = validator.validators;\n\n/**\n * Create a new instance of Axios\n *\n * @param {Object} instanceConfig The default config for the instance\n *\n * @return {Axios} A new instance of Axios\n */\nclass Axios {\n constructor(instanceConfig) {\n this.defaults = instanceConfig;\n this.interceptors = {\n request: new InterceptorManager(),\n response: new InterceptorManager()\n };\n }\n\n /**\n * Dispatch a request\n *\n * @param {String|Object} configOrUrl The config specific for this request (merged with this.defaults)\n * @param {?Object} config\n *\n * @returns {Promise} The Promise to be fulfilled\n */\n request(configOrUrl, config) {\n /*eslint no-param-reassign:0*/\n // Allow for axios('example/url'[, config]) a la fetch API\n if (typeof configOrUrl === 'string') {\n config = config || {};\n config.url = configOrUrl;\n } else {\n config = configOrUrl || {};\n }\n\n config = mergeConfig(this.defaults, config);\n\n const {transitional, paramsSerializer, headers} = config;\n\n if (transitional !== undefined) {\n validator.assertOptions(transitional, {\n silentJSONParsing: validators.transitional(validators.boolean),\n forcedJSONParsing: validators.transitional(validators.boolean),\n clarifyTimeoutError: validators.transitional(validators.boolean)\n }, false);\n }\n\n if (paramsSerializer != null) {\n if (utils.isFunction(paramsSerializer)) {\n config.paramsSerializer = {\n serialize: paramsSerializer\n }\n } else {\n validator.assertOptions(paramsSerializer, {\n encode: validators.function,\n serialize: validators.function\n }, true);\n }\n }\n\n // Set config.method\n config.method = (config.method || this.defaults.method || 'get').toLowerCase();\n\n let contextHeaders;\n\n // Flatten headers\n contextHeaders = headers && utils.merge(\n headers.common,\n headers[config.method]\n );\n\n contextHeaders && utils.forEach(\n ['delete', 'get', 'head', 'post', 'put', 'patch', 'common'],\n (method) => {\n delete headers[method];\n }\n );\n\n config.headers = AxiosHeaders.concat(contextHeaders, headers);\n\n // filter out skipped interceptors\n const requestInterceptorChain = [];\n let synchronousRequestInterceptors = true;\n this.interceptors.request.forEach(function unshiftRequestInterceptors(interceptor) {\n if (typeof interceptor.runWhen === 'function' && interceptor.runWhen(config) === false) {\n return;\n }\n\n synchronousRequestInterceptors = synchronousRequestInterceptors && interceptor.synchronous;\n\n requestInterceptorChain.unshift(interceptor.fulfilled, interceptor.rejected);\n });\n\n const responseInterceptorChain = [];\n this.interceptors.response.forEach(function pushResponseInterceptors(interceptor) {\n responseInterceptorChain.push(interceptor.fulfilled, interceptor.rejected);\n });\n\n let promise;\n let i = 0;\n let len;\n\n if (!synchronousRequestInterceptors) {\n const chain = [dispatchRequest.bind(this), undefined];\n chain.unshift.apply(chain, requestInterceptorChain);\n chain.push.apply(chain, responseInterceptorChain);\n len = chain.length;\n\n promise = Promise.resolve(config);\n\n while (i < len) {\n promise = promise.then(chain[i++], chain[i++]);\n }\n\n return promise;\n }\n\n len = requestInterceptorChain.length;\n\n let newConfig = config;\n\n i = 0;\n\n while (i < len) {\n const onFulfilled = requestInterceptorChain[i++];\n const onRejected = requestInterceptorChain[i++];\n try {\n newConfig = onFulfilled(newConfig);\n } catch (error) {\n onRejected.call(this, error);\n break;\n }\n }\n\n try {\n promise = dispatchRequest.call(this, newConfig);\n } catch (error) {\n return Promise.reject(error);\n }\n\n i = 0;\n len = responseInterceptorChain.length;\n\n while (i < len) {\n promise = promise.then(responseInterceptorChain[i++], responseInterceptorChain[i++]);\n }\n\n return promise;\n }\n\n getUri(config) {\n config = mergeConfig(this.defaults, config);\n const fullPath = buildFullPath(config.baseURL, config.url);\n return buildURL(fullPath, config.params, config.paramsSerializer);\n }\n}\n\n// Provide aliases for supported request methods\nutils.forEach(['delete', 'get', 'head', 'options'], function forEachMethodNoData(method) {\n /*eslint func-names:0*/\n Axios.prototype[method] = function(url, config) {\n return this.request(mergeConfig(config || {}, {\n method,\n url,\n data: (config || {}).data\n }));\n };\n});\n\nutils.forEach(['post', 'put', 'patch'], function forEachMethodWithData(method) {\n /*eslint func-names:0*/\n\n function generateHTTPMethod(isForm) {\n return function httpMethod(url, data, config) {\n return this.request(mergeConfig(config || {}, {\n method,\n headers: isForm ? {\n 'Content-Type': 'multipart/form-data'\n } : {},\n url,\n data\n }));\n };\n }\n\n Axios.prototype[method] = generateHTTPMethod();\n\n Axios.prototype[method + 'Form'] = generateHTTPMethod(true);\n});\n\nexport default Axios;\n","'use strict';\n\nimport CanceledError from './CanceledError.js';\n\n/**\n * A `CancelToken` is an object that can be used to request cancellation of an operation.\n *\n * @param {Function} executor The executor function.\n *\n * @returns {CancelToken}\n */\nclass CancelToken {\n constructor(executor) {\n if (typeof executor !== 'function') {\n throw new TypeError('executor must be a function.');\n }\n\n let resolvePromise;\n\n this.promise = new Promise(function promiseExecutor(resolve) {\n resolvePromise = resolve;\n });\n\n const token = this;\n\n // eslint-disable-next-line func-names\n this.promise.then(cancel => {\n if (!token._listeners) return;\n\n let i = token._listeners.length;\n\n while (i-- > 0) {\n token._listeners[i](cancel);\n }\n token._listeners = null;\n });\n\n // eslint-disable-next-line func-names\n this.promise.then = onfulfilled => {\n let _resolve;\n // eslint-disable-next-line func-names\n const promise = new Promise(resolve => {\n token.subscribe(resolve);\n _resolve = resolve;\n }).then(onfulfilled);\n\n promise.cancel = function reject() {\n token.unsubscribe(_resolve);\n };\n\n return promise;\n };\n\n executor(function cancel(message, config, request) {\n if (token.reason) {\n // Cancellation has already been requested\n return;\n }\n\n token.reason = new CanceledError(message, config, request);\n resolvePromise(token.reason);\n });\n }\n\n /**\n * Throws a `CanceledError` if cancellation has been requested.\n */\n throwIfRequested() {\n if (this.reason) {\n throw this.reason;\n }\n }\n\n /**\n * Subscribe to the cancel signal\n */\n\n subscribe(listener) {\n if (this.reason) {\n listener(this.reason);\n return;\n }\n\n if (this._listeners) {\n this._listeners.push(listener);\n } else {\n this._listeners = [listener];\n }\n }\n\n /**\n * Unsubscribe from the cancel signal\n */\n\n unsubscribe(listener) {\n if (!this._listeners) {\n return;\n }\n const index = this._listeners.indexOf(listener);\n if (index !== -1) {\n this._listeners.splice(index, 1);\n }\n }\n\n /**\n * Returns an object that contains a new `CancelToken` and a function that, when called,\n * cancels the `CancelToken`.\n */\n static source() {\n let cancel;\n const token = new CancelToken(function executor(c) {\n cancel = c;\n });\n return {\n token,\n cancel\n };\n }\n}\n\nexport default CancelToken;\n","const HttpStatusCode = {\n Continue: 100,\n SwitchingProtocols: 101,\n Processing: 102,\n EarlyHints: 103,\n Ok: 200,\n Created: 201,\n Accepted: 202,\n NonAuthoritativeInformation: 203,\n NoContent: 204,\n ResetContent: 205,\n PartialContent: 206,\n MultiStatus: 207,\n AlreadyReported: 208,\n ImUsed: 226,\n MultipleChoices: 300,\n MovedPermanently: 301,\n Found: 302,\n SeeOther: 303,\n NotModified: 304,\n UseProxy: 305,\n Unused: 306,\n TemporaryRedirect: 307,\n PermanentRedirect: 308,\n BadRequest: 400,\n Unauthorized: 401,\n PaymentRequired: 402,\n Forbidden: 403,\n NotFound: 404,\n MethodNotAllowed: 405,\n NotAcceptable: 406,\n ProxyAuthenticationRequired: 407,\n RequestTimeout: 408,\n Conflict: 409,\n Gone: 410,\n LengthRequired: 411,\n PreconditionFailed: 412,\n PayloadTooLarge: 413,\n UriTooLong: 414,\n UnsupportedMediaType: 415,\n RangeNotSatisfiable: 416,\n ExpectationFailed: 417,\n ImATeapot: 418,\n MisdirectedRequest: 421,\n UnprocessableEntity: 422,\n Locked: 423,\n FailedDependency: 424,\n TooEarly: 425,\n UpgradeRequired: 426,\n PreconditionRequired: 428,\n TooManyRequests: 429,\n RequestHeaderFieldsTooLarge: 431,\n UnavailableForLegalReasons: 451,\n InternalServerError: 500,\n NotImplemented: 501,\n BadGateway: 502,\n ServiceUnavailable: 503,\n GatewayTimeout: 504,\n HttpVersionNotSupported: 505,\n VariantAlsoNegotiates: 506,\n InsufficientStorage: 507,\n LoopDetected: 508,\n NotExtended: 510,\n NetworkAuthenticationRequired: 511,\n};\n\nObject.entries(HttpStatusCode).forEach(([key, value]) => {\n HttpStatusCode[value] = key;\n});\n\nexport default HttpStatusCode;\n","'use strict';\n\nimport utils from './utils.js';\nimport bind from './helpers/bind.js';\nimport Axios from './core/Axios.js';\nimport mergeConfig from './core/mergeConfig.js';\nimport defaults from './defaults/index.js';\nimport formDataToJSON from './helpers/formDataToJSON.js';\nimport CanceledError from './cancel/CanceledError.js';\nimport CancelToken from './cancel/CancelToken.js';\nimport isCancel from './cancel/isCancel.js';\nimport {VERSION} from './env/data.js';\nimport toFormData from './helpers/toFormData.js';\nimport AxiosError from './core/AxiosError.js';\nimport spread from './helpers/spread.js';\nimport isAxiosError from './helpers/isAxiosError.js';\nimport AxiosHeaders from \"./core/AxiosHeaders.js\";\nimport HttpStatusCode from './helpers/HttpStatusCode.js';\n\n/**\n * Create an instance of Axios\n *\n * @param {Object} defaultConfig The default config for the instance\n *\n * @returns {Axios} A new instance of Axios\n */\nfunction createInstance(defaultConfig) {\n const context = new Axios(defaultConfig);\n const instance = bind(Axios.prototype.request, context);\n\n // Copy axios.prototype to instance\n utils.extend(instance, Axios.prototype, context, {allOwnKeys: true});\n\n // Copy context to instance\n utils.extend(instance, context, null, {allOwnKeys: true});\n\n // Factory for creating new instances\n instance.create = function create(instanceConfig) {\n return createInstance(mergeConfig(defaultConfig, instanceConfig));\n };\n\n return instance;\n}\n\n// Create the default instance to be exported\nconst axios = createInstance(defaults);\n\n// Expose Axios class to allow class inheritance\naxios.Axios = Axios;\n\n// Expose Cancel & CancelToken\naxios.CanceledError = CanceledError;\naxios.CancelToken = CancelToken;\naxios.isCancel = isCancel;\naxios.VERSION = VERSION;\naxios.toFormData = toFormData;\n\n// Expose AxiosError class\naxios.AxiosError = AxiosError;\n\n// alias for CanceledError for backward compatibility\naxios.Cancel = axios.CanceledError;\n\n// Expose all/spread\naxios.all = function all(promises) {\n return Promise.all(promises);\n};\n\naxios.spread = spread;\n\n// Expose isAxiosError\naxios.isAxiosError = isAxiosError;\n\n// Expose mergeConfig\naxios.mergeConfig = mergeConfig;\n\naxios.AxiosHeaders = AxiosHeaders;\n\naxios.formToJSON = thing => formDataToJSON(utils.isHTMLForm(thing) ? new FormData(thing) : thing);\n\naxios.HttpStatusCode = HttpStatusCode;\n\naxios.default = axios;\n\n// this module should only have a default export\nexport default axios\n","'use strict';\n\n/**\n * Syntactic sugar for invoking a function and expanding an array for arguments.\n *\n * Common use case would be to use `Function.prototype.apply`.\n *\n * ```js\n * function f(x, y, z) {}\n * var args = [1, 2, 3];\n * f.apply(null, args);\n * ```\n *\n * With `spread` this example can be re-written.\n *\n * ```js\n * spread(function(x, y, z) {})([1, 2, 3]);\n * ```\n *\n * @param {Function} callback\n *\n * @returns {Function}\n */\nexport default function spread(callback) {\n return function wrap(arr) {\n return callback.apply(null, arr);\n };\n}\n","'use strict';\n\nimport utils from './../utils.js';\n\n/**\n * Determines whether the payload is an error thrown by Axios\n *\n * @param {*} payload The value to test\n *\n * @returns {boolean} True if the payload is an error thrown by Axios, otherwise false\n */\nexport default function isAxiosError(payload) {\n return utils.isObject(payload) && (payload.isAxiosError === true);\n}\n","var __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) {\n function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }\n return new (P || (P = Promise))(function (resolve, reject) {\n function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }\n function rejected(value) { try { step(generator[\"throw\"](value)); } catch (e) { reject(e); } }\n function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }\n step((generator = generator.apply(thisArg, _arguments || [])).next());\n });\n};\nimport axios from 'axios';\nimport { isSessionExpiring } from '../../utils';\nconst createTransport = ({ onFulfilledRequest, onRejectedRequest, onFulfilledResponse, onRejectedResponse, sessionManager, config, }) => {\n const transport = axios.create(config);\n const handleInterceptRequest = (requestConfig) => __awaiter(void 0, void 0, void 0, function* () {\n const session = yield sessionManager.get();\n if (session) {\n requestConfig.headers['Authorization'] = `Bearer ${session.accessToken}`;\n }\n if (typeof onFulfilledRequest === 'function') {\n return onFulfilledRequest(requestConfig);\n }\n return requestConfig;\n });\n const handleInterceptResponseError = (error) => __awaiter(void 0, void 0, void 0, function* () {\n var _a;\n const session = yield sessionManager.get();\n if (((_a = error.response) === null || _a === void 0 ? void 0 : _a.status) === 401 && session && error.config) {\n if (isSessionExpiring(session)) {\n yield sessionManager.refresh();\n }\n const updatedAxiosConfig = yield handleInterceptRequest(error.config);\n const response = yield axios(updatedAxiosConfig);\n if (typeof onFulfilledResponse === 'function') {\n return onFulfilledResponse(response);\n }\n return response;\n }\n if (typeof onRejectedResponse === 'function') {\n return onRejectedResponse(error);\n }\n return Promise.reject(error);\n });\n transport.interceptors.request.use(handleInterceptRequest, onRejectedRequest);\n transport.interceptors.response.use(onFulfilledResponse, handleInterceptResponseError);\n return transport;\n};\nexport { createTransport };\n","var o = typeof globalThis == \"object\" ? globalThis : typeof self == \"object\" ? self : typeof window == \"object\" ? window : typeof global == \"object\" ? global : {};\nexport {\n o as _globalThis\n};\n","var r = \"1.9.0\";\nexport {\n r as VERSION\n};\n","import { VERSION as d } from \"../version.mjs\";\nvar h = /^(\\d+)\\.(\\d+)\\.(\\d+)(-(.+))?$/;\nfunction s(c) {\n var m = /* @__PURE__ */ new Set([c]), f = /* @__PURE__ */ new Set(), t = c.match(h);\n if (!t)\n return function() {\n return !1;\n };\n var e = {\n major: +t[1],\n minor: +t[2],\n patch: +t[3],\n prerelease: t[4]\n };\n if (e.prerelease != null)\n return function(r) {\n return r === c;\n };\n function a(n) {\n return f.add(n), !1;\n }\n function p(n) {\n return m.add(n), !0;\n }\n return function(r) {\n if (m.has(r))\n return !0;\n if (f.has(r))\n return !1;\n var i = r.match(h);\n if (!i)\n return a(r);\n var u = {\n major: +i[1],\n minor: +i[2],\n patch: +i[3],\n prerelease: i[4]\n };\n return u.prerelease != null || e.major !== u.major ? a(r) : e.major === 0 ? e.minor === u.minor && e.patch <= u.patch ? p(r) : a(r) : e.minor <= u.minor ? p(r) : a(r);\n };\n}\nvar v = s(d);\nexport {\n s as _makeCompatibilityCheck,\n v as isCompatible\n};\n","import \"../platform/browser/index.mjs\";\nimport { VERSION as t } from \"../version.mjs\";\nimport { isCompatible as f } from \"./semver.mjs\";\nimport { _globalThis as m } from \"../platform/browser/globalThis.mjs\";\nvar p = t.split(\".\")[0], n = Symbol.for(\"opentelemetry.js.api.\" + p), l = m;\nfunction E(r, o, e, i) {\n var v;\n i === void 0 && (i = !1);\n var s = l[n] = (v = l[n]) !== null && v !== void 0 ? v : {\n version: t\n };\n if (!i && s[r]) {\n var a = new Error(\"@opentelemetry/api: Attempted duplicate registration of API: \" + r);\n return e.error(a.stack || a.message), !1;\n }\n if (s.version !== t) {\n var a = new Error(\"@opentelemetry/api: Registration of version v\" + s.version + \" for \" + r + \" does not match previously registered API v\" + t);\n return e.error(a.stack || a.message), !1;\n }\n return s[r] = o, e.debug(\"@opentelemetry/api: Registered a global for \" + r + \" v\" + t + \".\"), !0;\n}\nfunction _(r) {\n var o, e, i = (o = l[n]) === null || o === void 0 ? void 0 : o.version;\n if (!(!i || !f(i)))\n return (e = l[n]) === null || e === void 0 ? void 0 : e[r];\n}\nfunction c(r, o) {\n o.debug(\"@opentelemetry/api: Unregistering a global for \" + r + \" v\" + t + \".\");\n var e = l[n];\n e && delete e[r];\n}\nexport {\n _ as getGlobal,\n E as registerGlobal,\n c as unregisterGlobal\n};\n","import { getGlobal as f } from \"../internal/global-utils.mjs\";\nvar p = function(n, e) {\n var r = typeof Symbol == \"function\" && n[Symbol.iterator];\n if (!r) return n;\n var t = r.call(n), o, a = [], g;\n try {\n for (; (e === void 0 || e-- > 0) && !(o = t.next()).done; ) a.push(o.value);\n } catch (s) {\n g = { error: s };\n } finally {\n try {\n o && !o.done && (r = t.return) && r.call(t);\n } finally {\n if (g) throw g.error;\n }\n }\n return a;\n}, l = function(n, e, r) {\n if (r || arguments.length === 2) for (var t = 0, o = e.length, a; t < o; t++)\n (a || !(t in e)) && (a || (a = Array.prototype.slice.call(e, 0, t)), a[t] = e[t]);\n return n.concat(a || Array.prototype.slice.call(e));\n}, i = (\n /** @class */\n function() {\n function n(e) {\n this._namespace = e.namespace || \"DiagComponentLogger\";\n }\n return n.prototype.debug = function() {\n for (var e = [], r = 0; r < arguments.length; r++)\n e[r] = arguments[r];\n return u(\"debug\", this._namespace, e);\n }, n.prototype.error = function() {\n for (var e = [], r = 0; r < arguments.length; r++)\n e[r] = arguments[r];\n return u(\"error\", this._namespace, e);\n }, n.prototype.info = function() {\n for (var e = [], r = 0; r < arguments.length; r++)\n e[r] = arguments[r];\n return u(\"info\", this._namespace, e);\n }, n.prototype.warn = function() {\n for (var e = [], r = 0; r < arguments.length; r++)\n e[r] = arguments[r];\n return u(\"warn\", this._namespace, e);\n }, n.prototype.verbose = function() {\n for (var e = [], r = 0; r < arguments.length; r++)\n e[r] = arguments[r];\n return u(\"verbose\", this._namespace, e);\n }, n;\n }()\n);\nfunction u(n, e, r) {\n var t = f(\"diag\");\n if (t)\n return r.unshift(e), t[n].apply(t, l([], p(r), !1));\n}\nexport {\n i as DiagComponentLogger\n};\n","var R;\n(function(E) {\n E[E.NONE = 0] = \"NONE\", E[E.ERROR = 30] = \"ERROR\", E[E.WARN = 50] = \"WARN\", E[E.INFO = 60] = \"INFO\", E[E.DEBUG = 70] = \"DEBUG\", E[E.VERBOSE = 80] = \"VERBOSE\", E[E.ALL = 9999] = \"ALL\";\n})(R || (R = {}));\nexport {\n R as DiagLogLevel\n};\n","import { DiagComponentLogger as m } from \"../diag/ComponentLogger.mjs\";\nimport { createLogLevelDiagLogger as y } from \"../diag/internal/logLevelLogger.mjs\";\nimport { DiagLogLevel as d } from \"../diag/types.mjs\";\nimport { getGlobal as v, registerGlobal as p, unregisterGlobal as w } from \"../internal/global-utils.mjs\";\nvar b = function(i, n) {\n var r = typeof Symbol == \"function\" && i[Symbol.iterator];\n if (!r) return i;\n var t = r.call(i), a, e = [], o;\n try {\n for (; (n === void 0 || n-- > 0) && !(a = t.next()).done; ) e.push(a.value);\n } catch (l) {\n o = { error: l };\n } finally {\n try {\n a && !a.done && (r = t.return) && r.call(t);\n } finally {\n if (o) throw o.error;\n }\n }\n return e;\n}, _ = function(i, n, r) {\n if (r || arguments.length === 2) for (var t = 0, a = n.length, e; t < a; t++)\n (e || !(t in n)) && (e || (e = Array.prototype.slice.call(n, 0, t)), e[t] = n[t]);\n return i.concat(e || Array.prototype.slice.call(n));\n}, h = \"diag\", P = (\n /** @class */\n function() {\n function i() {\n function n(a) {\n return function() {\n for (var e = [], o = 0; o < arguments.length; o++)\n e[o] = arguments[o];\n var l = v(\"diag\");\n if (l)\n return l[a].apply(l, _([], b(e), !1));\n };\n }\n var r = this, t = function(a, e) {\n var o, l, g;\n if (e === void 0 && (e = { logLevel: d.INFO }), a === r) {\n var u = new Error(\"Cannot use diag as the logger for itself. Please use a DiagLogger implementation like ConsoleDiagLogger or a custom implementation\");\n return r.error((o = u.stack) !== null && o !== void 0 ? o : u.message), !1;\n }\n typeof e == \"number\" && (e = {\n logLevel: e\n });\n var f = v(\"diag\"), s = y((l = e.logLevel) !== null && l !== void 0 ? l : d.INFO, a);\n if (f && !e.suppressOverrideMessage) {\n var c = (g = new Error().stack) !== null && g !== void 0 ? g : \"\";\n f.warn(\"Current logger will be overwritten from \" + c), s.warn(\"Current logger will overwrite one already registered from \" + c);\n }\n return p(\"diag\", s, r, !0);\n };\n r.setLogger = t, r.disable = function() {\n w(h, r);\n }, r.createComponentLogger = function(a) {\n return new m(a);\n }, r.verbose = n(\"verbose\"), r.debug = n(\"debug\"), r.info = n(\"info\"), r.warn = n(\"warn\"), r.error = n(\"error\");\n }\n return i.instance = function() {\n return this._instance || (this._instance = new i()), this._instance;\n }, i;\n }()\n);\nexport {\n P as DiagAPI\n};\n","import { DiagLogLevel as r } from \"../types.mjs\";\nfunction c(n, o) {\n n < r.NONE ? n = r.NONE : n > r.ALL && (n = r.ALL), o = o || {};\n function i(t, f) {\n var e = o[t];\n return typeof e == \"function\" && n >= f ? e.bind(o) : function() {\n };\n }\n return {\n error: i(\"error\", r.ERROR),\n warn: i(\"warn\", r.WARN),\n info: i(\"info\", r.INFO),\n debug: i(\"debug\", r.DEBUG),\n verbose: i(\"verbose\", r.VERBOSE)\n };\n}\nexport {\n c as createLogLevelDiagLogger\n};\n","var v = function(e, r) {\n var t = typeof Symbol == \"function\" && e[Symbol.iterator];\n if (!t) return e;\n var n = t.call(e), i, u = [], a;\n try {\n for (; (r === void 0 || r-- > 0) && !(i = n.next()).done; ) u.push(i.value);\n } catch (o) {\n a = { error: o };\n } finally {\n try {\n i && !i.done && (t = n.return) && t.call(n);\n } finally {\n if (a) throw a.error;\n }\n }\n return u;\n}, c = function(e) {\n var r = typeof Symbol == \"function\" && Symbol.iterator, t = r && e[r], n = 0;\n if (t) return t.call(e);\n if (e && typeof e.length == \"number\") return {\n next: function() {\n return e && n >= e.length && (e = void 0), { value: e && e[n++], done: !e };\n }\n };\n throw new TypeError(r ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\n}, g = (\n /** @class */\n function() {\n function e(r) {\n this._entries = r ? new Map(r) : /* @__PURE__ */ new Map();\n }\n return e.prototype.getEntry = function(r) {\n var t = this._entries.get(r);\n if (t)\n return Object.assign({}, t);\n }, e.prototype.getAllEntries = function() {\n return Array.from(this._entries.entries()).map(function(r) {\n var t = v(r, 2), n = t[0], i = t[1];\n return [n, i];\n });\n }, e.prototype.setEntry = function(r, t) {\n var n = new e(this._entries);\n return n._entries.set(r, t), n;\n }, e.prototype.removeEntry = function(r) {\n var t = new e(this._entries);\n return t._entries.delete(r), t;\n }, e.prototype.removeEntries = function() {\n for (var r, t, n = [], i = 0; i < arguments.length; i++)\n n[i] = arguments[i];\n var u = new e(this._entries);\n try {\n for (var a = c(n), o = a.next(); !o.done; o = a.next()) {\n var f = o.value;\n u._entries.delete(f);\n }\n } catch (l) {\n r = { error: l };\n } finally {\n try {\n o && !o.done && (t = a.return) && t.call(a);\n } finally {\n if (r) throw r.error;\n }\n }\n return u;\n }, e.prototype.clear = function() {\n return new e();\n }, e;\n }()\n);\nexport {\n g as BaggageImpl\n};\n","var a = Symbol(\"BaggageEntryMetadata\");\nexport {\n a as baggageEntryMetadataSymbol\n};\n","import { DiagAPI as t } from \"../api/diag.mjs\";\nimport { BaggageImpl as e } from \"./internal/baggage-impl.mjs\";\nimport { baggageEntryMetadataSymbol as n } from \"./internal/symbol.mjs\";\nvar r = t.instance();\nfunction f(a) {\n return a === void 0 && (a = {}), new e(new Map(Object.entries(a)));\n}\nfunction m(a) {\n return typeof a != \"string\" && (r.error(\"Cannot create baggage metadata from unknown type: \" + typeof a), a = \"\"), {\n __TYPE__: n,\n toString: function() {\n return a;\n }\n };\n}\nexport {\n m as baggageEntryMetadataFromString,\n f as createBaggage\n};\n","function a(t) {\n return Symbol.for(t);\n}\nvar c = (\n /** @class */\n /* @__PURE__ */ function() {\n function t(u) {\n var e = this;\n e._currentContext = u ? new Map(u) : /* @__PURE__ */ new Map(), e.getValue = function(n) {\n return e._currentContext.get(n);\n }, e.setValue = function(n, r) {\n var o = new t(e._currentContext);\n return o._currentContext.set(n, r), o;\n }, e.deleteValue = function(n) {\n var r = new t(e._currentContext);\n return r._currentContext.delete(n), r;\n };\n }\n return t;\n }()\n), x = new c();\nexport {\n x as ROOT_CONTEXT,\n a as createContextKey\n};\n","var o;\n(function(n) {\n n[n.INT = 0] = \"INT\", n[n.DOUBLE = 1] = \"DOUBLE\";\n})(o || (o = {}));\nexport {\n o as ValueType\n};\n","var r = /* @__PURE__ */ function() {\n var t = function(n, o) {\n return t = Object.setPrototypeOf || { __proto__: [] } instanceof Array && function(e, a) {\n e.__proto__ = a;\n } || function(e, a) {\n for (var i in a) Object.prototype.hasOwnProperty.call(a, i) && (e[i] = a[i]);\n }, t(n, o);\n };\n return function(n, o) {\n if (typeof o != \"function\" && o !== null)\n throw new TypeError(\"Class extends value \" + String(o) + \" is not a constructor or null\");\n t(n, o);\n function e() {\n this.constructor = n;\n }\n n.prototype = o === null ? Object.create(o) : (e.prototype = o.prototype, new e());\n };\n}(), p = (\n /** @class */\n function() {\n function t() {\n }\n return t.prototype.createGauge = function(n, o) {\n return M;\n }, t.prototype.createHistogram = function(n, o) {\n return C;\n }, t.prototype.createCounter = function(n, o) {\n return y;\n }, t.prototype.createUpDownCounter = function(n, o) {\n return E;\n }, t.prototype.createObservableGauge = function(n, o) {\n return m;\n }, t.prototype.createObservableCounter = function(n, o) {\n return h;\n }, t.prototype.createObservableUpDownCounter = function(n, o) {\n return w;\n }, t.prototype.addBatchObservableCallback = function(n, o) {\n }, t.prototype.removeBatchObservableCallback = function(n) {\n }, t;\n }()\n), u = (\n /** @class */\n /* @__PURE__ */ function() {\n function t() {\n }\n return t;\n }()\n), l = (\n /** @class */\n function(t) {\n r(n, t);\n function n() {\n return t !== null && t.apply(this, arguments) || this;\n }\n return n.prototype.add = function(o, e) {\n }, n;\n }(u)\n), f = (\n /** @class */\n function(t) {\n r(n, t);\n function n() {\n return t !== null && t.apply(this, arguments) || this;\n }\n return n.prototype.add = function(o, e) {\n }, n;\n }(u)\n), s = (\n /** @class */\n function(t) {\n r(n, t);\n function n() {\n return t !== null && t.apply(this, arguments) || this;\n }\n return n.prototype.record = function(o, e) {\n }, n;\n }(u)\n), _ = (\n /** @class */\n function(t) {\n r(n, t);\n function n() {\n return t !== null && t.apply(this, arguments) || this;\n }\n return n.prototype.record = function(o, e) {\n }, n;\n }(u)\n), c = (\n /** @class */\n function() {\n function t() {\n }\n return t.prototype.addCallback = function(n) {\n }, t.prototype.removeCallback = function(n) {\n }, t;\n }()\n), O = (\n /** @class */\n function(t) {\n r(n, t);\n function n() {\n return t !== null && t.apply(this, arguments) || this;\n }\n return n;\n }(c)\n), v = (\n /** @class */\n function(t) {\n r(n, t);\n function n() {\n return t !== null && t.apply(this, arguments) || this;\n }\n return n;\n }(c)\n), b = (\n /** @class */\n function(t) {\n r(n, t);\n function n() {\n return t !== null && t.apply(this, arguments) || this;\n }\n return n;\n }(c)\n), N = new p(), y = new l(), M = new s(), C = new _(), E = new f(), h = new O(), m = new v(), w = new b();\nfunction g() {\n return N;\n}\nexport {\n y as NOOP_COUNTER_METRIC,\n M as NOOP_GAUGE_METRIC,\n C as NOOP_HISTOGRAM_METRIC,\n N as NOOP_METER,\n h as NOOP_OBSERVABLE_COUNTER_METRIC,\n m as NOOP_OBSERVABLE_GAUGE_METRIC,\n w as NOOP_OBSERVABLE_UP_DOWN_COUNTER_METRIC,\n E as NOOP_UP_DOWN_COUNTER_METRIC,\n l as NoopCounterMetric,\n s as NoopGaugeMetric,\n _ as NoopHistogramMetric,\n p as NoopMeter,\n u as NoopMetric,\n O as NoopObservableCounterMetric,\n v as NoopObservableGaugeMetric,\n c as NoopObservableMetric,\n b as NoopObservableUpDownCounterMetric,\n f as NoopUpDownCounterMetric,\n g as createNoopMeter\n};\n","var u = {\n get: function(t, e) {\n if (t != null)\n return t[e];\n },\n keys: function(t) {\n return t == null ? [] : Object.keys(t);\n }\n}, f = {\n set: function(t, e, n) {\n t != null && (t[e] = n);\n }\n};\nexport {\n u as defaultTextMapGetter,\n f as defaultTextMapSetter\n};\n","var N;\n(function(E) {\n E[E.NONE = 0] = \"NONE\", E[E.SAMPLED = 1] = \"SAMPLED\";\n})(N || (N = {}));\nexport {\n N as TraceFlags\n};\n","import { ROOT_CONTEXT as l } from \"./context.mjs\";\nvar c = function(t, o) {\n var n = typeof Symbol == \"function\" && t[Symbol.iterator];\n if (!n) return t;\n var e = n.call(t), a, r = [], u;\n try {\n for (; (o === void 0 || o-- > 0) && !(a = e.next()).done; ) r.push(a.value);\n } catch (i) {\n u = { error: i };\n } finally {\n try {\n a && !a.done && (n = e.return) && n.call(e);\n } finally {\n if (u) throw u.error;\n }\n }\n return r;\n}, p = function(t, o, n) {\n if (n || arguments.length === 2) for (var e = 0, a = o.length, r; e < a; e++)\n (r || !(e in o)) && (r || (r = Array.prototype.slice.call(o, 0, e)), r[e] = o[e]);\n return t.concat(r || Array.prototype.slice.call(o));\n}, y = (\n /** @class */\n function() {\n function t() {\n }\n return t.prototype.active = function() {\n return l;\n }, t.prototype.with = function(o, n, e) {\n for (var a = [], r = 3; r < arguments.length; r++)\n a[r - 3] = arguments[r];\n return n.call.apply(n, p([e], c(a), !1));\n }, t.prototype.bind = function(o, n) {\n return n;\n }, t.prototype.enable = function() {\n return this;\n }, t.prototype.disable = function() {\n return this;\n }, t;\n }()\n);\nexport {\n y as NoopContextManager\n};\n","import { NoopContextManager as f } from \"../context/NoopContextManager.mjs\";\nimport { registerGlobal as s, getGlobal as p, unregisterGlobal as g } from \"../internal/global-utils.mjs\";\nimport { DiagAPI as u } from \"./diag.mjs\";\nvar y = function(t, e) {\n var a = typeof Symbol == \"function\" && t[Symbol.iterator];\n if (!a) return t;\n var n = a.call(t), o, r = [], i;\n try {\n for (; (e === void 0 || e-- > 0) && !(o = n.next()).done; ) r.push(o.value);\n } catch (c) {\n i = { error: c };\n } finally {\n try {\n o && !o.done && (a = n.return) && a.call(n);\n } finally {\n if (i) throw i.error;\n }\n }\n return r;\n}, d = function(t, e, a) {\n if (a || arguments.length === 2) for (var n = 0, o = e.length, r; n < o; n++)\n (r || !(n in e)) && (r || (r = Array.prototype.slice.call(e, 0, n)), r[n] = e[n]);\n return t.concat(r || Array.prototype.slice.call(e));\n}, l = \"context\", _ = new f(), A = (\n /** @class */\n function() {\n function t() {\n }\n return t.getInstance = function() {\n return this._instance || (this._instance = new t()), this._instance;\n }, t.prototype.setGlobalContextManager = function(e) {\n return s(l, e, u.instance());\n }, t.prototype.active = function() {\n return this._getContextManager().active();\n }, t.prototype.with = function(e, a, n) {\n for (var o, r = [], i = 3; i < arguments.length; i++)\n r[i - 3] = arguments[i];\n return (o = this._getContextManager()).with.apply(o, d([e, a, n], y(r), !1));\n }, t.prototype.bind = function(e, a) {\n return this._getContextManager().bind(e, a);\n }, t.prototype._getContextManager = function() {\n return p(l) || _;\n }, t.prototype.disable = function() {\n this._getContextManager().disable(), g(l, u.instance());\n }, t;\n }()\n);\nexport {\n A as ContextAPI\n};\n","import { TraceFlags as I } from \"./trace_flags.mjs\";\nvar a = \"0000000000000000\", r = \"00000000000000000000000000000000\", A = {\n traceId: r,\n spanId: a,\n traceFlags: I.NONE\n};\nexport {\n a as INVALID_SPANID,\n A as INVALID_SPAN_CONTEXT,\n r as INVALID_TRACEID\n};\n","import { INVALID_SPAN_CONTEXT as o } from \"./invalid-span-constants.mjs\";\nvar i = (\n /** @class */\n function() {\n function t(n) {\n n === void 0 && (n = o), this._spanContext = n;\n }\n return t.prototype.spanContext = function() {\n return this._spanContext;\n }, t.prototype.setAttribute = function(n, e) {\n return this;\n }, t.prototype.setAttributes = function(n) {\n return this;\n }, t.prototype.addEvent = function(n, e) {\n return this;\n }, t.prototype.addLink = function(n) {\n return this;\n }, t.prototype.addLinks = function(n) {\n return this;\n }, t.prototype.setStatus = function(n) {\n return this;\n }, t.prototype.updateName = function(n) {\n return this;\n }, t.prototype.end = function(n) {\n }, t.prototype.isRecording = function() {\n return !1;\n }, t.prototype.recordException = function(n, e) {\n }, t;\n }()\n);\nexport {\n i as NonRecordingSpan\n};\n","import { createContextKey as o } from \"../context/context.mjs\";\nimport { NonRecordingSpan as a } from \"./NonRecordingSpan.mjs\";\nimport { ContextAPI as u } from \"../api/context.mjs\";\nvar n = o(\"OpenTelemetry Context Key SPAN\");\nfunction r(e) {\n return e.getValue(n) || void 0;\n}\nfunction S() {\n return r(u.getInstance().active());\n}\nfunction i(e, t) {\n return e.setValue(n, t);\n}\nfunction l(e) {\n return e.deleteValue(n);\n}\nfunction d(e, t) {\n return i(e, new a(t));\n}\nfunction m(e) {\n var t;\n return (t = r(e)) === null || t === void 0 ? void 0 : t.spanContext();\n}\nexport {\n l as deleteSpan,\n S as getActiveSpan,\n r as getSpan,\n m as getSpanContext,\n i as setSpan,\n d as setSpanContext\n};\n","import { INVALID_TRACEID as r, INVALID_SPANID as t } from \"./invalid-span-constants.mjs\";\nimport { NonRecordingSpan as i } from \"./NonRecordingSpan.mjs\";\nvar a = /^([0-9a-f]{32})$/i, o = /^[0-9a-f]{16}$/i;\nfunction I(n) {\n return a.test(n) && n !== r;\n}\nfunction e(n) {\n return o.test(n) && n !== t;\n}\nfunction A(n) {\n return I(n.traceId) && e(n.spanId);\n}\nfunction D(n) {\n return new i(n);\n}\nexport {\n A as isSpanContextValid,\n e as isValidSpanId,\n I as isValidTraceId,\n D as wrapSpanContext\n};\n","import { ContextAPI as l } from \"../api/context.mjs\";\nimport { getSpanContext as m, setSpan as d } from \"./context-utils.mjs\";\nimport { NonRecordingSpan as p } from \"./NonRecordingSpan.mjs\";\nimport { isSpanContextValid as S } from \"./spancontext-utils.mjs\";\nvar f = l.getInstance(), I = (\n /** @class */\n function() {\n function t() {\n }\n return t.prototype.startSpan = function(u, e, r) {\n r === void 0 && (r = f.active());\n var i = !!(e != null && e.root);\n if (i)\n return new p();\n var n = r && m(r);\n return g(n) && S(n) ? new p(n) : new p();\n }, t.prototype.startActiveSpan = function(u, e, r, i) {\n var n, o, a;\n if (!(arguments.length < 2)) {\n arguments.length === 2 ? a = e : arguments.length === 3 ? (n = e, a = r) : (n = e, o = r, a = i);\n var v = o ?? f.active(), s = this.startSpan(u, n, v), c = d(v, s);\n return f.with(c, a, void 0, s);\n }\n }, t;\n }()\n);\nfunction g(t) {\n return typeof t == \"object\" && typeof t.spanId == \"string\" && typeof t.traceId == \"string\" && typeof t.traceFlags == \"number\";\n}\nexport {\n I as NoopTracer\n};\n","var E;\n(function(R) {\n R[R.NOT_RECORD = 0] = \"NOT_RECORD\", R[R.RECORD = 1] = \"RECORD\", R[R.RECORD_AND_SAMPLED = 2] = \"RECORD_AND_SAMPLED\";\n})(E || (E = {}));\nexport {\n E as SamplingDecision\n};\n","var R;\n(function(E) {\n E[E.INTERNAL = 0] = \"INTERNAL\", E[E.SERVER = 1] = \"SERVER\", E[E.CLIENT = 2] = \"CLIENT\", E[E.PRODUCER = 3] = \"PRODUCER\", E[E.CONSUMER = 4] = \"CONSUMER\";\n})(R || (R = {}));\nexport {\n R as SpanKind\n};\n","var E;\n(function(R) {\n R[R.UNSET = 0] = \"UNSET\", R[R.OK = 1] = \"OK\", R[R.ERROR = 2] = \"ERROR\";\n})(E || (E = {}));\nexport {\n E as SpanStatusCode\n};\n","import { NoopTracer as o } from \"./NoopTracer.mjs\";\nvar s = new o(), c = (\n /** @class */\n function() {\n function r(t, e, n, a) {\n this._provider = t, this.name = e, this.version = n, this.options = a;\n }\n return r.prototype.startSpan = function(t, e, n) {\n return this._getTracer().startSpan(t, e, n);\n }, r.prototype.startActiveSpan = function(t, e, n, a) {\n var i = this._getTracer();\n return Reflect.apply(i.startActiveSpan, i, arguments);\n }, r.prototype._getTracer = function() {\n if (this._delegate)\n return this._delegate;\n var t = this._provider.getDelegateTracer(this.name, this.version, this.options);\n return t ? (this._delegate = t, this._delegate) : s;\n }, r;\n }()\n);\nexport {\n c as ProxyTracer\n};\n","import { ProxyTracer as i } from \"./ProxyTracer.mjs\";\nimport { NoopTracerProvider as n } from \"./NoopTracerProvider.mjs\";\nvar c = new n(), g = (\n /** @class */\n function() {\n function t() {\n }\n return t.prototype.getTracer = function(e, o, a) {\n var r;\n return (r = this.getDelegateTracer(e, o, a)) !== null && r !== void 0 ? r : new i(this, e, o, a);\n }, t.prototype.getDelegate = function() {\n var e;\n return (e = this._delegate) !== null && e !== void 0 ? e : c;\n }, t.prototype.setDelegate = function(e) {\n this._delegate = e;\n }, t.prototype.getDelegateTracer = function(e, o, a) {\n var r;\n return (r = this._delegate) === null || r === void 0 ? void 0 : r.getTracer(e, o, a);\n }, t;\n }()\n);\nexport {\n g as ProxyTracerProvider\n};\n","import { NoopTracer as o } from \"./NoopTracer.mjs\";\nvar p = (\n /** @class */\n function() {\n function r() {\n }\n return r.prototype.getTracer = function(e, n, t) {\n return new o();\n }, r;\n }()\n);\nexport {\n p as NoopTracerProvider\n};\n","var _ = \"[_0-9a-z-*/]\", a = \"[a-z]\" + _ + \"{0,255}\", t = \"[a-z0-9]\" + _ + \"{0,240}@[a-z]\" + _ + \"{0,13}\", A = new RegExp(\"^(?:\" + a + \"|\" + t + \")$\"), e = /^[ -~]{0,255}[!-~]$/, r = /,|=/;\nfunction V(E) {\n return A.test(E);\n}\nfunction L(E) {\n return e.test(E) && !r.test(E);\n}\nexport {\n V as validateKey,\n L as validateValue\n};\n","import { validateKey as u, validateValue as S } from \"./tracestate-validators.mjs\";\nvar _ = 32, c = 512, l = \",\", p = \"=\", h = (\n /** @class */\n function() {\n function n(t) {\n this._internalState = /* @__PURE__ */ new Map(), t && this._parse(t);\n }\n return n.prototype.set = function(t, e) {\n var r = this._clone();\n return r._internalState.has(t) && r._internalState.delete(t), r._internalState.set(t, e), r;\n }, n.prototype.unset = function(t) {\n var e = this._clone();\n return e._internalState.delete(t), e;\n }, n.prototype.get = function(t) {\n return this._internalState.get(t);\n }, n.prototype.serialize = function() {\n var t = this;\n return this._keys().reduce(function(e, r) {\n return e.push(r + p + t.get(r)), e;\n }, []).join(l);\n }, n.prototype._parse = function(t) {\n t.length > c || (this._internalState = t.split(l).reverse().reduce(function(e, r) {\n var i = r.trim(), a = i.indexOf(p);\n if (a !== -1) {\n var s = i.slice(0, a), o = i.slice(a + 1, r.length);\n u(s) && S(o) && e.set(s, o);\n }\n return e;\n }, /* @__PURE__ */ new Map()), this._internalState.size > _ && (this._internalState = new Map(Array.from(this._internalState.entries()).reverse().slice(0, _))));\n }, n.prototype._keys = function() {\n return Array.from(this._internalState.keys()).reverse();\n }, n.prototype._clone = function() {\n var t = new n();\n return t._internalState = new Map(this._internalState), t;\n }, n;\n }()\n);\nexport {\n h as TraceStateImpl\n};\n","import { ContextAPI as t } from \"./api/context.mjs\";\nvar o = t.getInstance();\nexport {\n o as context\n};\n","import { DiagAPI as a } from \"./api/diag.mjs\";\nvar r = a.instance();\nexport {\n r as diag\n};\n","import { NOOP_METER as o } from \"./NoopMeter.mjs\";\nvar e = (\n /** @class */\n function() {\n function r() {\n }\n return r.prototype.getMeter = function(t, n, i) {\n return o;\n }, r;\n }()\n), _ = new e();\nexport {\n _ as NOOP_METER_PROVIDER,\n e as NoopMeterProvider\n};\n","import { NOOP_METER_PROVIDER as s } from \"../metrics/NoopMeterProvider.mjs\";\nimport { registerGlobal as c, getGlobal as a, unregisterGlobal as u } from \"../internal/global-utils.mjs\";\nimport { DiagAPI as n } from \"./diag.mjs\";\nvar r = \"metrics\", l = (\n /** @class */\n function() {\n function t() {\n }\n return t.getInstance = function() {\n return this._instance || (this._instance = new t()), this._instance;\n }, t.prototype.setGlobalMeterProvider = function(e) {\n return c(r, e, n.instance());\n }, t.prototype.getMeterProvider = function() {\n return a(r) || s;\n }, t.prototype.getMeter = function(e, i, o) {\n return this.getMeterProvider().getMeter(e, i, o);\n }, t.prototype.disable = function() {\n u(r, n.instance());\n }, t;\n }()\n);\nexport {\n l as MetricsAPI\n};\n","import { MetricsAPI as r } from \"./api/metrics.mjs\";\nvar e = r.getInstance();\nexport {\n e as metrics\n};\n","var e = (\n /** @class */\n function() {\n function t() {\n }\n return t.prototype.inject = function(r, o) {\n }, t.prototype.extract = function(r, o) {\n return r;\n }, t.prototype.fields = function() {\n return [];\n }, t;\n }()\n);\nexport {\n e as NoopTextMapPropagator\n};\n","import { ContextAPI as n } from \"../api/context.mjs\";\nimport { createContextKey as a } from \"../context/context.mjs\";\nvar t = a(\"OpenTelemetry Baggage Key\");\nfunction r(e) {\n return e.getValue(t) || void 0;\n}\nfunction i() {\n return r(n.getInstance().active());\n}\nfunction c(e, g) {\n return e.setValue(t, g);\n}\nfunction f(e) {\n return e.deleteValue(t);\n}\nexport {\n f as deleteBaggage,\n i as getActiveBaggage,\n r as getBaggage,\n c as setBaggage\n};\n","import { registerGlobal as i, unregisterGlobal as n, getGlobal as p } from \"../internal/global-utils.mjs\";\nimport { NoopTextMapPropagator as c } from \"../propagation/NoopTextMapPropagator.mjs\";\nimport { defaultTextMapSetter as l, defaultTextMapGetter as s } from \"../propagation/TextMapPropagator.mjs\";\nimport { getBaggage as f, getActiveBaggage as u, setBaggage as P, deleteBaggage as m } from \"../baggage/context-helpers.mjs\";\nimport { createBaggage as h } from \"../baggage/utils.mjs\";\nimport { DiagAPI as g } from \"./diag.mjs\";\nvar r = \"propagation\", _ = new c(), x = (\n /** @class */\n function() {\n function t() {\n this.createBaggage = h, this.getBaggage = f, this.getActiveBaggage = u, this.setBaggage = P, this.deleteBaggage = m;\n }\n return t.getInstance = function() {\n return this._instance || (this._instance = new t()), this._instance;\n }, t.prototype.setGlobalPropagator = function(a) {\n return i(r, a, g.instance());\n }, t.prototype.inject = function(a, o, e) {\n return e === void 0 && (e = l), this._getGlobalPropagator().inject(a, o, e);\n }, t.prototype.extract = function(a, o, e) {\n return e === void 0 && (e = s), this._getGlobalPropagator().extract(a, o, e);\n }, t.prototype.fields = function() {\n return this._getGlobalPropagator().fields();\n }, t.prototype.disable = function() {\n n(r, g.instance());\n }, t.prototype._getGlobalPropagator = function() {\n return p(r) || _;\n }, t;\n }()\n);\nexport {\n x as PropagationAPI\n};\n","import { PropagationAPI as o } from \"./api/propagation.mjs\";\nvar r = o.getInstance();\nexport {\n r as propagation\n};\n","import { registerGlobal as a, getGlobal as p, unregisterGlobal as s } from \"../internal/global-utils.mjs\";\nimport { ProxyTracerProvider as i } from \"../trace/ProxyTracerProvider.mjs\";\nimport { wrapSpanContext as c, isSpanContextValid as h } from \"../trace/spancontext-utils.mjs\";\nimport { deleteSpan as g, getSpan as S, getActiveSpan as x, getSpanContext as d, setSpan as f, setSpanContext as l } from \"../trace/context-utils.mjs\";\nimport { DiagAPI as o } from \"./diag.mjs\";\nvar n = \"trace\", y = (\n /** @class */\n function() {\n function t() {\n this._proxyTracerProvider = new i(), this.wrapSpanContext = c, this.isSpanContextValid = h, this.deleteSpan = g, this.getSpan = S, this.getActiveSpan = x, this.getSpanContext = d, this.setSpan = f, this.setSpanContext = l;\n }\n return t.getInstance = function() {\n return this._instance || (this._instance = new t()), this._instance;\n }, t.prototype.setGlobalTracerProvider = function(r) {\n var e = a(n, this._proxyTracerProvider, o.instance());\n return e && this._proxyTracerProvider.setDelegate(r), e;\n }, t.prototype.getTracerProvider = function() {\n return p(n) || this._proxyTracerProvider;\n }, t.prototype.getTracer = function(r, e) {\n return this.getTracerProvider().getTracer(r, e);\n }, t.prototype.disable = function() {\n s(n, o.instance()), this._proxyTracerProvider = new i();\n }, t;\n }()\n);\nexport {\n y as TraceAPI\n};\n","import { TraceAPI as r } from \"./api/trace.mjs\";\nvar t = r.getInstance();\nexport {\n t as trace\n};\n","import \"../../../../api/build/esm/index.mjs\";\nimport { createContextKey as t } from \"../../../../api/build/esm/context/context.mjs\";\nvar r = t(\"OpenTelemetry SDK Context Key SUPPRESS_TRACING\");\nfunction p(e) {\n return e.setValue(r, !0);\n}\nfunction s(e) {\n return e.deleteValue(r);\n}\nfunction i(e) {\n return e.getValue(r) === !0;\n}\nexport {\n i as isTracingSuppressed,\n p as suppressTracing,\n s as unsuppressTracing\n};\n","var A = \"=\", E = \";\", G = \",\", _ = \"baggage\", R = 180, a = 4096, P = 8192;\nexport {\n _ as BAGGAGE_HEADER,\n G as BAGGAGE_ITEMS_SEPARATOR,\n A as BAGGAGE_KEY_PAIR_SEPARATOR,\n R as BAGGAGE_MAX_NAME_VALUE_PAIRS,\n a as BAGGAGE_MAX_PER_NAME_VALUE_PAIRS,\n P as BAGGAGE_MAX_TOTAL_LENGTH,\n E as BAGGAGE_PROPERTIES_SEPARATOR\n};\n","import \"../../../../api/build/esm/index.mjs\";\nimport { BAGGAGE_ITEMS_SEPARATOR as f, BAGGAGE_MAX_TOTAL_LENGTH as l, BAGGAGE_PROPERTIES_SEPARATOR as u, BAGGAGE_KEY_PAIR_SEPARATOR as c } from \"./constants.mjs\";\nimport { baggageEntryMetadataFromString as m } from \"../../../../api/build/esm/baggage/utils.mjs\";\nvar v = function(t, r) {\n var e = typeof Symbol == \"function\" && t[Symbol.iterator];\n if (!e) return t;\n var n = e.call(t), a, i = [], o;\n try {\n for (; (r === void 0 || r-- > 0) && !(a = n.next()).done; ) i.push(a.value);\n } catch (d) {\n o = { error: d };\n } finally {\n try {\n a && !a.done && (e = n.return) && e.call(n);\n } finally {\n if (o) throw o.error;\n }\n }\n return i;\n};\nfunction g(t) {\n return t.reduce(function(r, e) {\n var n = \"\" + r + (r !== \"\" ? f : \"\") + e;\n return n.length > l ? r : n;\n }, \"\");\n}\nfunction _(t) {\n return t.getAllEntries().map(function(r) {\n var e = v(r, 2), n = e[0], a = e[1], i = encodeURIComponent(n) + \"=\" + encodeURIComponent(a.value);\n return a.metadata !== void 0 && (i += u + a.metadata.toString()), i;\n });\n}\nfunction p(t) {\n var r = t.split(u);\n if (!(r.length <= 0)) {\n var e = r.shift();\n if (e) {\n var n = e.indexOf(c);\n if (!(n <= 0)) {\n var a = decodeURIComponent(e.substring(0, n).trim()), i = decodeURIComponent(e.substring(n + 1).trim()), o;\n return r.length > 0 && (o = m(r.join(u))), { key: a, value: i, metadata: o };\n }\n }\n }\n}\nfunction E(t) {\n return typeof t != \"string\" || t.length === 0 ? {} : t.split(f).map(function(r) {\n return p(r);\n }).filter(function(r) {\n return r !== void 0 && r.value.length > 0;\n }).reduce(function(r, e) {\n return r[e.key] = e.value, r;\n }, {});\n}\nexport {\n _ as getKeyPairs,\n E as parseKeyPairsIntoRecord,\n p as parsePairKeyValue,\n g as serializeKeyPairs\n};\n","import \"../../../../../api/build/esm/index.mjs\";\nimport { isTracingSuppressed as E } from \"../../trace/suppress-tracing.mjs\";\nimport { BAGGAGE_MAX_PER_NAME_VALUE_PAIRS as m, BAGGAGE_MAX_NAME_VALUE_PAIRS as v, BAGGAGE_HEADER as p, BAGGAGE_ITEMS_SEPARATOR as s } from \"../constants.mjs\";\nimport { getKeyPairs as G, serializeKeyPairs as _, parsePairKeyValue as P } from \"../utils.mjs\";\nimport { propagation as u } from \"../../../../../api/build/esm/propagation-api.mjs\";\nvar R = (\n /** @class */\n function() {\n function g() {\n }\n return g.prototype.inject = function(r, n, o) {\n var a = u.getBaggage(r);\n if (!(!a || E(r))) {\n var t = G(a).filter(function(f) {\n return f.length <= m;\n }).slice(0, v), e = _(t);\n e.length > 0 && o.set(n, p, e);\n }\n }, g.prototype.extract = function(r, n, o) {\n var a = o.get(n, p), t = Array.isArray(a) ? a.join(s) : a;\n if (!t)\n return r;\n var e = {};\n if (t.length === 0)\n return r;\n var f = t.split(s);\n return f.forEach(function(l) {\n var i = P(l);\n if (i) {\n var A = { value: i.value };\n i.metadata && (A.metadata = i.metadata), e[i.key] = A;\n }\n }), Object.entries(e).length === 0 ? r : u.setBaggage(r, u.createBaggage(e));\n }, g.prototype.fields = function() {\n return [p];\n }, g;\n }()\n);\nexport {\n R as W3CBaggagePropagator\n};\n","import \"../../../../api/build/esm/index.mjs\";\nimport { diag as l } from \"../../../../api/build/esm/diag-api.mjs\";\nvar c = function(r) {\n var t = typeof Symbol == \"function\" && Symbol.iterator, u = t && r[t], e = 0;\n if (u) return u.call(r);\n if (r && typeof r.length == \"number\") return {\n next: function() {\n return r && e >= r.length && (r = void 0), { value: r && r[e++], done: !r };\n }\n };\n throw new TypeError(t ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\n}, d = function(r, t) {\n var u = typeof Symbol == \"function\" && r[Symbol.iterator];\n if (!u) return r;\n var e = u.call(r), n, i = [], o;\n try {\n for (; (t === void 0 || t-- > 0) && !(n = e.next()).done; ) i.push(n.value);\n } catch (f) {\n o = { error: f };\n } finally {\n try {\n n && !n.done && (u = e.return) && u.call(e);\n } finally {\n if (o) throw o.error;\n }\n }\n return i;\n};\nfunction A(r) {\n var t, u, e = {};\n if (typeof r != \"object\" || r == null)\n return e;\n try {\n for (var n = c(Object.entries(r)), i = n.next(); !i.done; i = n.next()) {\n var o = d(i.value, 2), f = o[0], a = o[1];\n if (!v(f)) {\n l.warn(\"Invalid attribute key: \" + f);\n continue;\n }\n if (!b(a)) {\n l.warn(\"Invalid attribute value set for key: \" + f);\n continue;\n }\n Array.isArray(a) ? e[f] = a.slice() : e[f] = a;\n }\n } catch (s) {\n t = { error: s };\n } finally {\n try {\n i && !i.done && (u = n.return) && u.call(n);\n } finally {\n if (t) throw t.error;\n }\n }\n return e;\n}\nfunction v(r) {\n return typeof r == \"string\" && r.length > 0;\n}\nfunction b(r) {\n return r == null ? !0 : Array.isArray(r) ? p(r) : y(r);\n}\nfunction p(r) {\n var t, u, e;\n try {\n for (var n = c(r), i = n.next(); !i.done; i = n.next()) {\n var o = i.value;\n if (o != null) {\n if (!e) {\n if (y(o)) {\n e = typeof o;\n continue;\n }\n return !1;\n }\n if (typeof o !== e)\n return !1;\n }\n }\n } catch (f) {\n t = { error: f };\n } finally {\n try {\n i && !i.done && (u = n.return) && u.call(n);\n } finally {\n if (t) throw t.error;\n }\n }\n return !0;\n}\nfunction y(r) {\n switch (typeof r) {\n case \"number\":\n case \"boolean\":\n case \"string\":\n return !0;\n }\n return !1;\n}\nexport {\n v as isAttributeKey,\n b as isAttributeValue,\n A as sanitizeAttributes\n};\n","import { loggingErrorHandler as a } from \"./logging-error-handler.mjs\";\nvar o = a();\nfunction n(r) {\n o = r;\n}\nfunction t(r) {\n try {\n o(r);\n } catch {\n }\n}\nexport {\n t as globalErrorHandler,\n n as setGlobalErrorHandler\n};\n","var t;\n(function(a) {\n a.AlwaysOff = \"always_off\", a.AlwaysOn = \"always_on\", a.ParentBasedAlwaysOff = \"parentbased_always_off\", a.ParentBasedAlwaysOn = \"parentbased_always_on\", a.ParentBasedTraceIdRatio = \"parentbased_traceidratio\", a.TraceIdRatio = \"traceidratio\";\n})(t || (t = {}));\nexport {\n t as TracesSamplerValues\n};\n","import \"../../../../api/build/esm/index.mjs\";\nimport { diag as o } from \"../../../../api/build/esm/diag-api.mjs\";\nfunction l() {\n return function(r) {\n o.error(f(r));\n };\n}\nfunction f(r) {\n return typeof r == \"string\" ? r : JSON.stringify(u(r));\n}\nfunction u(r) {\n for (var n = {}, t = r; t !== null; )\n Object.getOwnPropertyNames(t).forEach(function(i) {\n if (!n[i]) {\n var e = t[i];\n e && (n[i] = String(e));\n }\n }), t = Object.getPrototypeOf(t);\n return n;\n}\nexport {\n l as loggingErrorHandler\n};\n","import \"../../../../api/build/esm/index.mjs\";\nimport { TracesSamplerValues as S } from \"./sampling.mjs\";\nimport { DiagLogLevel as R } from \"../../../../api/build/esm/diag/types.mjs\";\nvar N = \",\", C = [\"OTEL_SDK_DISABLED\"];\nfunction U(E) {\n return C.indexOf(E) > -1;\n}\nvar M = [\n \"OTEL_BSP_EXPORT_TIMEOUT\",\n \"OTEL_BSP_MAX_EXPORT_BATCH_SIZE\",\n \"OTEL_BSP_MAX_QUEUE_SIZE\",\n \"OTEL_BSP_SCHEDULE_DELAY\",\n \"OTEL_BLRP_EXPORT_TIMEOUT\",\n \"OTEL_BLRP_MAX_EXPORT_BATCH_SIZE\",\n \"OTEL_BLRP_MAX_QUEUE_SIZE\",\n \"OTEL_BLRP_SCHEDULE_DELAY\",\n \"OTEL_ATTRIBUTE_VALUE_LENGTH_LIMIT\",\n \"OTEL_ATTRIBUTE_COUNT_LIMIT\",\n \"OTEL_SPAN_ATTRIBUTE_VALUE_LENGTH_LIMIT\",\n \"OTEL_SPAN_ATTRIBUTE_COUNT_LIMIT\",\n \"OTEL_LOGRECORD_ATTRIBUTE_VALUE_LENGTH_LIMIT\",\n \"OTEL_LOGRECORD_ATTRIBUTE_COUNT_LIMIT\",\n \"OTEL_SPAN_EVENT_COUNT_LIMIT\",\n \"OTEL_SPAN_LINK_COUNT_LIMIT\",\n \"OTEL_SPAN_ATTRIBUTE_PER_EVENT_COUNT_LIMIT\",\n \"OTEL_SPAN_ATTRIBUTE_PER_LINK_COUNT_LIMIT\",\n \"OTEL_EXPORTER_OTLP_TIMEOUT\",\n \"OTEL_EXPORTER_OTLP_TRACES_TIMEOUT\",\n \"OTEL_EXPORTER_OTLP_METRICS_TIMEOUT\",\n \"OTEL_EXPORTER_OTLP_LOGS_TIMEOUT\",\n \"OTEL_EXPORTER_JAEGER_AGENT_PORT\"\n];\nfunction X(E) {\n return M.indexOf(E) > -1;\n}\nvar r = [\n \"OTEL_NO_PATCH_MODULES\",\n \"OTEL_PROPAGATORS\"\n];\nfunction t(E) {\n return r.indexOf(E) > -1;\n}\nvar P = 1 / 0, A = 128, i = 128, B = 128, n = {\n OTEL_SDK_DISABLED: !1,\n CONTAINER_NAME: \"\",\n ECS_CONTAINER_METADATA_URI_V4: \"\",\n ECS_CONTAINER_METADATA_URI: \"\",\n HOSTNAME: \"\",\n KUBERNETES_SERVICE_HOST: \"\",\n NAMESPACE: \"\",\n OTEL_BSP_EXPORT_TIMEOUT: 3e4,\n OTEL_BSP_MAX_EXPORT_BATCH_SIZE: 512,\n OTEL_BSP_MAX_QUEUE_SIZE: 2048,\n OTEL_BSP_SCHEDULE_DELAY: 5e3,\n OTEL_BLRP_EXPORT_TIMEOUT: 3e4,\n OTEL_BLRP_MAX_EXPORT_BATCH_SIZE: 512,\n OTEL_BLRP_MAX_QUEUE_SIZE: 2048,\n OTEL_BLRP_SCHEDULE_DELAY: 5e3,\n OTEL_EXPORTER_JAEGER_AGENT_HOST: \"\",\n OTEL_EXPORTER_JAEGER_AGENT_PORT: 6832,\n OTEL_EXPORTER_JAEGER_ENDPOINT: \"\",\n OTEL_EXPORTER_JAEGER_PASSWORD: \"\",\n OTEL_EXPORTER_JAEGER_USER: \"\",\n OTEL_EXPORTER_OTLP_ENDPOINT: \"\",\n OTEL_EXPORTER_OTLP_TRACES_ENDPOINT: \"\",\n OTEL_EXPORTER_OTLP_METRICS_ENDPOINT: \"\",\n OTEL_EXPORTER_OTLP_LOGS_ENDPOINT: \"\",\n OTEL_EXPORTER_OTLP_HEADERS: \"\",\n OTEL_EXPORTER_OTLP_TRACES_HEADERS: \"\",\n OTEL_EXPORTER_OTLP_METRICS_HEADERS: \"\",\n OTEL_EXPORTER_OTLP_LOGS_HEADERS: \"\",\n OTEL_EXPORTER_OTLP_TIMEOUT: 1e4,\n OTEL_EXPORTER_OTLP_TRACES_TIMEOUT: 1e4,\n OTEL_EXPORTER_OTLP_METRICS_TIMEOUT: 1e4,\n OTEL_EXPORTER_OTLP_LOGS_TIMEOUT: 1e4,\n OTEL_EXPORTER_ZIPKIN_ENDPOINT: \"http://localhost:9411/api/v2/spans\",\n OTEL_LOG_LEVEL: R.INFO,\n OTEL_NO_PATCH_MODULES: [],\n OTEL_PROPAGATORS: [\"tracecontext\", \"baggage\"],\n OTEL_RESOURCE_ATTRIBUTES: \"\",\n OTEL_SERVICE_NAME: \"\",\n OTEL_ATTRIBUTE_VALUE_LENGTH_LIMIT: P,\n OTEL_ATTRIBUTE_COUNT_LIMIT: A,\n OTEL_SPAN_ATTRIBUTE_VALUE_LENGTH_LIMIT: P,\n OTEL_SPAN_ATTRIBUTE_COUNT_LIMIT: A,\n OTEL_LOGRECORD_ATTRIBUTE_VALUE_LENGTH_LIMIT: P,\n OTEL_LOGRECORD_ATTRIBUTE_COUNT_LIMIT: A,\n OTEL_SPAN_EVENT_COUNT_LIMIT: 128,\n OTEL_SPAN_LINK_COUNT_LIMIT: 128,\n OTEL_SPAN_ATTRIBUTE_PER_EVENT_COUNT_LIMIT: i,\n OTEL_SPAN_ATTRIBUTE_PER_LINK_COUNT_LIMIT: B,\n OTEL_TRACES_EXPORTER: \"\",\n OTEL_TRACES_SAMPLER: S.ParentBasedAlwaysOn,\n OTEL_TRACES_SAMPLER_ARG: \"\",\n OTEL_LOGS_EXPORTER: \"\",\n OTEL_EXPORTER_OTLP_INSECURE: \"\",\n OTEL_EXPORTER_OTLP_TRACES_INSECURE: \"\",\n OTEL_EXPORTER_OTLP_METRICS_INSECURE: \"\",\n OTEL_EXPORTER_OTLP_LOGS_INSECURE: \"\",\n OTEL_EXPORTER_OTLP_CERTIFICATE: \"\",\n OTEL_EXPORTER_OTLP_TRACES_CERTIFICATE: \"\",\n OTEL_EXPORTER_OTLP_METRICS_CERTIFICATE: \"\",\n OTEL_EXPORTER_OTLP_LOGS_CERTIFICATE: \"\",\n OTEL_EXPORTER_OTLP_COMPRESSION: \"\",\n OTEL_EXPORTER_OTLP_TRACES_COMPRESSION: \"\",\n OTEL_EXPORTER_OTLP_METRICS_COMPRESSION: \"\",\n OTEL_EXPORTER_OTLP_LOGS_COMPRESSION: \"\",\n OTEL_EXPORTER_OTLP_CLIENT_KEY: \"\",\n OTEL_EXPORTER_OTLP_TRACES_CLIENT_KEY: \"\",\n OTEL_EXPORTER_OTLP_METRICS_CLIENT_KEY: \"\",\n OTEL_EXPORTER_OTLP_LOGS_CLIENT_KEY: \"\",\n OTEL_EXPORTER_OTLP_CLIENT_CERTIFICATE: \"\",\n OTEL_EXPORTER_OTLP_TRACES_CLIENT_CERTIFICATE: \"\",\n OTEL_EXPORTER_OTLP_METRICS_CLIENT_CERTIFICATE: \"\",\n OTEL_EXPORTER_OTLP_LOGS_CLIENT_CERTIFICATE: \"\",\n OTEL_EXPORTER_OTLP_PROTOCOL: \"http/protobuf\",\n OTEL_EXPORTER_OTLP_TRACES_PROTOCOL: \"http/protobuf\",\n OTEL_EXPORTER_OTLP_METRICS_PROTOCOL: \"http/protobuf\",\n OTEL_EXPORTER_OTLP_LOGS_PROTOCOL: \"http/protobuf\",\n OTEL_EXPORTER_OTLP_METRICS_TEMPORALITY_PREFERENCE: \"cumulative\"\n};\nfunction f(E, _, L) {\n if (!(typeof L[E] > \"u\")) {\n var T = String(L[E]);\n _[E] = T.toLowerCase() === \"true\";\n }\n}\nfunction o(E, _, L, T, O) {\n if (T === void 0 && (T = -1 / 0), O === void 0 && (O = 1 / 0), typeof L[E] < \"u\") {\n var I = Number(L[E]);\n isNaN(I) || (I < T ? _[E] = T : I > O ? _[E] = O : _[E] = I);\n }\n}\nfunction D(E, _, L, T) {\n T === void 0 && (T = N);\n var O = L[E];\n typeof O == \"string\" && (_[E] = O.split(T).map(function(I) {\n return I.trim();\n }));\n}\nvar G = {\n ALL: R.ALL,\n VERBOSE: R.VERBOSE,\n DEBUG: R.DEBUG,\n INFO: R.INFO,\n WARN: R.WARN,\n ERROR: R.ERROR,\n NONE: R.NONE\n};\nfunction e(E, _, L) {\n var T = L[E];\n if (typeof T == \"string\") {\n var O = G[T.toUpperCase()];\n O != null && (_[E] = O);\n }\n}\nfunction u(E) {\n var _ = {};\n for (var L in n) {\n var T = L;\n switch (T) {\n case \"OTEL_LOG_LEVEL\":\n e(T, _, E);\n break;\n default:\n if (U(T))\n f(T, _, E);\n else if (X(T))\n o(T, _, E);\n else if (t(T))\n D(T, _, E);\n else {\n var O = E[T];\n typeof O < \"u\" && O !== null && (_[T] = String(O));\n }\n }\n }\n return _;\n}\nexport {\n A as DEFAULT_ATTRIBUTE_COUNT_LIMIT,\n P as DEFAULT_ATTRIBUTE_VALUE_LENGTH_LIMIT,\n n as DEFAULT_ENVIRONMENT,\n i as DEFAULT_SPAN_ATTRIBUTE_PER_EVENT_COUNT_LIMIT,\n B as DEFAULT_SPAN_ATTRIBUTE_PER_LINK_COUNT_LIMIT,\n u as parseEnvironment\n};\n","var o = typeof globalThis == \"object\" ? globalThis : typeof self == \"object\" ? self : typeof window == \"object\" ? window : typeof global == \"object\" ? global : {};\nexport {\n o as _globalThis\n};\n","import { parseEnvironment as t, DEFAULT_ENVIRONMENT as o } from \"../../utils/environment.mjs\";\nimport { _globalThis as n } from \"./globalThis.mjs\";\nfunction E() {\n var r = t(n);\n return Object.assign({}, o, r);\n}\nfunction a() {\n return t(n);\n}\nexport {\n E as getEnv,\n a as getEnvWithoutDefaults\n};\n","// @__NO_SIDE_EFFECTS__\nfunction o(t) {\n for (var n = {}, a = t.length, r = 0; r < a; r++) {\n var e = t[r];\n e && (n[String(e).toUpperCase().replace(/[-.]/g, \"_\")] = e);\n }\n return n;\n}\nexport {\n o as createConstMap\n};\n","var t = 8, o = 16, f = (\n /** @class */\n /* @__PURE__ */ function() {\n function n() {\n this.generateTraceId = a(o), this.generateSpanId = a(t);\n }\n return n;\n }()\n), e = Array(32);\nfunction a(n) {\n return function() {\n for (var r = 0; r < n * 2; r++)\n e[r] = Math.floor(Math.random() * 16) + 48, e[r] >= 58 && (e[r] += 39);\n return String.fromCharCode.apply(null, e.slice(0, n * 2));\n };\n}\nexport {\n f as RandomIdGenerator\n};\n","import { createConstMap as S } from \"../internal/utils.mjs\";\nvar E = \"aws.lambda.invoked_arn\", T = \"db.system\", _ = \"db.connection_string\", A = \"db.user\", N = \"db.jdbc.driver_classname\", a = \"db.name\", M = \"db.statement\", O = \"db.operation\", r = \"db.mssql.instance_name\", R = \"db.cassandra.keyspace\", P = \"db.cassandra.page_size\", D = \"db.cassandra.consistency_level\", C = \"db.cassandra.table\", v = \"db.cassandra.idempotence\", L = \"db.cassandra.speculative_execution_count\", U = \"db.cassandra.coordinator.id\", I = \"db.cassandra.coordinator.dc\", V = \"db.hbase.namespace\", e = \"db.redis.database_index\", B = \"db.mongodb.collection\", s = \"db.sql.table\", Y = \"exception.type\", t = \"exception.message\", n = \"exception.stacktrace\", G = \"exception.escaped\", o = \"faas.trigger\", H = \"faas.execution\", d = \"faas.document.collection\", i = \"faas.document.operation\", c = \"faas.document.time\", m = \"faas.document.name\", p = \"faas.time\", F = \"faas.cron\", b = \"faas.coldstart\", l = \"faas.invoked_name\", g = \"faas.invoked_provider\", u = \"faas.invoked_region\", W = \"net.transport\", K = \"net.peer.ip\", h = \"net.peer.port\", y = \"net.peer.name\", X = \"net.host.ip\", Q = \"net.host.port\", w = \"net.host.name\", f = \"net.host.connection.type\", k = \"net.host.connection.subtype\", q = \"net.host.carrier.name\", x = \"net.host.carrier.mcc\", Z = \"net.host.carrier.mnc\", J = \"net.host.carrier.icc\", z = \"peer.service\", j = \"enduser.id\", $ = \"enduser.role\", SS = \"enduser.scope\", ES = \"thread.id\", TS = \"thread.name\", _S = \"code.function\", AS = \"code.namespace\", NS = \"code.filepath\", aS = \"code.lineno\", MS = \"http.method\", OS = \"http.url\", rS = \"http.target\", RS = \"http.host\", PS = \"http.scheme\", DS = \"http.status_code\", CS = \"http.flavor\", vS = \"http.user_agent\", LS = \"http.request_content_length\", US = \"http.request_content_length_uncompressed\", IS = \"http.response_content_length\", VS = \"http.response_content_length_uncompressed\", eS = \"http.server_name\", BS = \"http.route\", sS = \"http.client_ip\", YS = \"aws.dynamodb.table_names\", tS = \"aws.dynamodb.consumed_capacity\", nS = \"aws.dynamodb.item_collection_metrics\", GS = \"aws.dynamodb.provisioned_read_capacity\", oS = \"aws.dynamodb.provisioned_write_capacity\", HS = \"aws.dynamodb.consistent_read\", dS = \"aws.dynamodb.projection\", iS = \"aws.dynamodb.limit\", cS = \"aws.dynamodb.attributes_to_get\", mS = \"aws.dynamodb.index_name\", pS = \"aws.dynamodb.select\", FS = \"aws.dynamodb.global_secondary_indexes\", bS = \"aws.dynamodb.local_secondary_indexes\", lS = \"aws.dynamodb.exclusive_start_table\", gS = \"aws.dynamodb.table_count\", uS = \"aws.dynamodb.scan_forward\", WS = \"aws.dynamodb.segment\", KS = \"aws.dynamodb.total_segments\", hS = \"aws.dynamodb.count\", yS = \"aws.dynamodb.scanned_count\", XS = \"aws.dynamodb.attribute_definitions\", QS = \"aws.dynamodb.global_secondary_index_updates\", wS = \"messaging.system\", fS = \"messaging.destination\", kS = \"messaging.destination_kind\", qS = \"messaging.temp_destination\", xS = \"messaging.protocol\", ZS = \"messaging.protocol_version\", JS = \"messaging.url\", zS = \"messaging.message_id\", jS = \"messaging.conversation_id\", $S = \"messaging.message_payload_size_bytes\", SE = \"messaging.message_payload_compressed_size_bytes\", EE = \"messaging.operation\", TE = \"messaging.consumer_id\", _E = \"messaging.rabbitmq.routing_key\", AE = \"messaging.kafka.message_key\", NE = \"messaging.kafka.consumer_group\", aE = \"messaging.kafka.client_id\", ME = \"messaging.kafka.partition\", OE = \"messaging.kafka.tombstone\", rE = \"rpc.system\", RE = \"rpc.service\", PE = \"rpc.method\", DE = \"rpc.grpc.status_code\", CE = \"rpc.jsonrpc.version\", vE = \"rpc.jsonrpc.request_id\", LE = \"rpc.jsonrpc.error_code\", UE = \"rpc.jsonrpc.error_message\", IE = \"message.type\", VE = \"message.id\", eE = \"message.compressed_size\", BE = \"message.uncompressed_size\", f_ = E, k_ = T, q_ = _, x_ = A, Z_ = N, J_ = a, z_ = M, j_ = O, $_ = r, SA = R, EA = P, TA = D, _A = C, AA = v, NA = L, aA = U, MA = I, OA = V, rA = e, RA = B, PA = s, DA = Y, CA = t, vA = n, LA = G, UA = o, IA = H, VA = d, eA = i, BA = c, sA = m, YA = p, tA = F, nA = b, GA = l, oA = g, HA = u, dA = W, iA = K, cA = h, mA = y, pA = X, FA = Q, bA = w, lA = f, gA = k, uA = q, WA = x, KA = Z, hA = J, yA = z, XA = j, QA = $, wA = SS, fA = ES, kA = TS, qA = _S, xA = AS, ZA = NS, JA = aS, zA = MS, jA = OS, $A = rS, SN = RS, EN = PS, TN = DS, _N = CS, AN = vS, NN = LS, aN = US, MN = IS, ON = VS, rN = eS, RN = BS, PN = sS, DN = YS, CN = tS, vN = nS, LN = GS, UN = oS, IN = HS, VN = dS, eN = iS, BN = cS, sN = mS, YN = pS, tN = FS, nN = bS, GN = lS, oN = gS, HN = uS, dN = WS, iN = KS, cN = hS, mN = yS, pN = XS, FN = QS, bN = wS, lN = fS, gN = kS, uN = qS, WN = xS, KN = ZS, hN = JS, yN = zS, XN = jS, QN = $S, wN = SE, fN = EE, kN = TE, qN = _E, xN = AE, ZN = NE, JN = aE, zN = ME, jN = OE, $N = rE, Sa = RE, Ea = PE, Ta = DE, _a = CE, Aa = vE, Na = LE, aa = UE, Ma = IE, Oa = VE, ra = eE, Ra = BE, Pa = /* @__PURE__ */ S([\n E,\n T,\n _,\n A,\n N,\n a,\n M,\n O,\n r,\n R,\n P,\n D,\n C,\n v,\n L,\n U,\n I,\n V,\n e,\n B,\n s,\n Y,\n t,\n n,\n G,\n o,\n H,\n d,\n i,\n c,\n m,\n p,\n F,\n b,\n l,\n g,\n u,\n W,\n K,\n h,\n y,\n X,\n Q,\n w,\n f,\n k,\n q,\n x,\n Z,\n J,\n z,\n j,\n $,\n SS,\n ES,\n TS,\n _S,\n AS,\n NS,\n aS,\n MS,\n OS,\n rS,\n RS,\n PS,\n DS,\n CS,\n vS,\n LS,\n US,\n IS,\n VS,\n eS,\n BS,\n sS,\n YS,\n tS,\n nS,\n GS,\n oS,\n HS,\n dS,\n iS,\n cS,\n mS,\n pS,\n FS,\n bS,\n lS,\n gS,\n uS,\n WS,\n KS,\n hS,\n yS,\n XS,\n QS,\n wS,\n fS,\n kS,\n qS,\n xS,\n ZS,\n JS,\n zS,\n jS,\n $S,\n SE,\n EE,\n TE,\n _E,\n AE,\n NE,\n aE,\n ME,\n OE,\n rE,\n RE,\n PE,\n DE,\n CE,\n vE,\n LE,\n UE,\n IE,\n VE,\n eE,\n BE\n]), sE = \"other_sql\", YE = \"mssql\", tE = \"mysql\", nE = \"oracle\", GE = \"db2\", oE = \"postgresql\", HE = \"redshift\", dE = \"hive\", iE = \"cloudscape\", cE = \"hsqldb\", mE = \"progress\", pE = \"maxdb\", FE = \"hanadb\", bE = \"ingres\", lE = \"firstsql\", gE = \"edb\", uE = \"cache\", WE = \"adabas\", KE = \"firebird\", hE = \"derby\", yE = \"filemaker\", XE = \"informix\", QE = \"instantdb\", wE = \"interbase\", fE = \"mariadb\", kE = \"netezza\", qE = \"pervasive\", xE = \"pointbase\", ZE = \"sqlite\", JE = \"sybase\", zE = \"teradata\", jE = \"vertica\", $E = \"h2\", ST = \"coldfusion\", ET = \"cassandra\", TT = \"hbase\", _T = \"mongodb\", AT = \"redis\", NT = \"couchbase\", aT = \"couchdb\", MT = \"cosmosdb\", OT = \"dynamodb\", rT = \"neo4j\", RT = \"geode\", PT = \"elasticsearch\", DT = \"memcached\", CT = \"cockroachdb\", Da = sE, Ca = YE, va = tE, La = nE, Ua = GE, Ia = oE, Va = HE, ea = dE, Ba = iE, sa = cE, Ya = mE, ta = pE, na = FE, Ga = bE, oa = lE, Ha = gE, da = uE, ia = WE, ca = KE, ma = hE, pa = yE, Fa = XE, ba = QE, la = wE, ga = fE, ua = kE, Wa = qE, Ka = xE, ha = ZE, ya = JE, Xa = zE, Qa = jE, wa = $E, fa = ST, ka = ET, qa = TT, xa = _T, Za = AT, Ja = NT, za = aT, ja = MT, $a = OT, SM = rT, EM = RT, TM = PT, _M = DT, AM = CT, NM = /* @__PURE__ */ S([\n sE,\n YE,\n tE,\n nE,\n GE,\n oE,\n HE,\n dE,\n iE,\n cE,\n mE,\n pE,\n FE,\n bE,\n lE,\n gE,\n uE,\n WE,\n KE,\n hE,\n yE,\n XE,\n QE,\n wE,\n fE,\n kE,\n qE,\n xE,\n ZE,\n JE,\n zE,\n jE,\n $E,\n ST,\n ET,\n TT,\n _T,\n AT,\n NT,\n aT,\n MT,\n OT,\n rT,\n RT,\n PT,\n DT,\n CT\n]), vT = \"all\", LT = \"each_quorum\", UT = \"quorum\", IT = \"local_quorum\", VT = \"one\", eT = \"two\", BT = \"three\", sT = \"local_one\", YT = \"any\", tT = \"serial\", nT = \"local_serial\", aM = vT, MM = LT, OM = UT, rM = IT, RM = VT, PM = eT, DM = BT, CM = sT, vM = YT, LM = tT, UM = nT, IM = /* @__PURE__ */ S([\n vT,\n LT,\n UT,\n IT,\n VT,\n eT,\n BT,\n sT,\n YT,\n tT,\n nT\n]), GT = \"datasource\", oT = \"http\", HT = \"pubsub\", dT = \"timer\", iT = \"other\", VM = GT, eM = oT, BM = HT, sM = dT, YM = iT, tM = /* @__PURE__ */ S([\n GT,\n oT,\n HT,\n dT,\n iT\n]), cT = \"insert\", mT = \"edit\", pT = \"delete\", nM = cT, GM = mT, oM = pT, HM = /* @__PURE__ */ S([\n cT,\n mT,\n pT\n]), FT = \"alibaba_cloud\", bT = \"aws\", lT = \"azure\", gT = \"gcp\", dM = FT, iM = bT, cM = lT, mM = gT, pM = /* @__PURE__ */ S([\n FT,\n bT,\n lT,\n gT\n]), uT = \"ip_tcp\", WT = \"ip_udp\", KT = \"ip\", hT = \"unix\", yT = \"pipe\", XT = \"inproc\", QT = \"other\", FM = uT, bM = WT, lM = KT, gM = hT, uM = yT, WM = XT, KM = QT, hM = /* @__PURE__ */ S([\n uT,\n WT,\n KT,\n hT,\n yT,\n XT,\n QT\n]), wT = \"wifi\", fT = \"wired\", kT = \"cell\", qT = \"unavailable\", xT = \"unknown\", yM = wT, XM = fT, QM = kT, wM = qT, fM = xT, kM = /* @__PURE__ */ S([\n wT,\n fT,\n kT,\n qT,\n xT\n]), ZT = \"gprs\", JT = \"edge\", zT = \"umts\", jT = \"cdma\", $T = \"evdo_0\", S_ = \"evdo_a\", E_ = \"cdma2000_1xrtt\", T_ = \"hsdpa\", __ = \"hsupa\", A_ = \"hspa\", N_ = \"iden\", a_ = \"evdo_b\", M_ = \"lte\", O_ = \"ehrpd\", r_ = \"hspap\", R_ = \"gsm\", P_ = \"td_scdma\", D_ = \"iwlan\", C_ = \"nr\", v_ = \"nrnsa\", L_ = \"lte_ca\", qM = ZT, xM = JT, ZM = zT, JM = jT, zM = $T, jM = S_, $M = E_, SO = T_, EO = __, TO = A_, _O = N_, AO = a_, NO = M_, aO = O_, MO = r_, OO = R_, rO = P_, RO = D_, PO = C_, DO = v_, CO = L_, vO = /* @__PURE__ */ S([\n ZT,\n JT,\n zT,\n jT,\n $T,\n S_,\n E_,\n T_,\n __,\n A_,\n N_,\n a_,\n M_,\n O_,\n r_,\n R_,\n P_,\n D_,\n C_,\n v_,\n L_\n]), U_ = \"1.0\", I_ = \"1.1\", V_ = \"2.0\", e_ = \"SPDY\", B_ = \"QUIC\", LO = U_, UO = I_, IO = V_, VO = e_, eO = B_, BO = {\n HTTP_1_0: U_,\n HTTP_1_1: I_,\n HTTP_2_0: V_,\n SPDY: e_,\n QUIC: B_\n}, s_ = \"queue\", Y_ = \"topic\", sO = s_, YO = Y_, tO = /* @__PURE__ */ S([\n s_,\n Y_\n]), t_ = \"receive\", n_ = \"process\", nO = t_, GO = n_, oO = /* @__PURE__ */ S([\n t_,\n n_\n]), G_ = 0, o_ = 1, H_ = 2, d_ = 3, i_ = 4, c_ = 5, m_ = 6, p_ = 7, F_ = 8, b_ = 9, l_ = 10, g_ = 11, u_ = 12, W_ = 13, K_ = 14, h_ = 15, y_ = 16, HO = G_, dO = o_, iO = H_, cO = d_, mO = i_, pO = c_, FO = m_, bO = p_, lO = F_, gO = b_, uO = l_, WO = g_, KO = u_, hO = W_, yO = K_, XO = h_, QO = y_, wO = {\n OK: G_,\n CANCELLED: o_,\n UNKNOWN: H_,\n INVALID_ARGUMENT: d_,\n DEADLINE_EXCEEDED: i_,\n NOT_FOUND: c_,\n ALREADY_EXISTS: m_,\n PERMISSION_DENIED: p_,\n RESOURCE_EXHAUSTED: F_,\n FAILED_PRECONDITION: b_,\n ABORTED: l_,\n OUT_OF_RANGE: g_,\n UNIMPLEMENTED: u_,\n INTERNAL: W_,\n UNAVAILABLE: K_,\n DATA_LOSS: h_,\n UNAUTHENTICATED: y_\n}, X_ = \"SENT\", Q_ = \"RECEIVED\", fO = X_, kO = Q_, qO = /* @__PURE__ */ S([\n X_,\n Q_\n]);\nexport {\n aM as DBCASSANDRACONSISTENCYLEVELVALUES_ALL,\n vM as DBCASSANDRACONSISTENCYLEVELVALUES_ANY,\n MM as DBCASSANDRACONSISTENCYLEVELVALUES_EACH_QUORUM,\n CM as DBCASSANDRACONSISTENCYLEVELVALUES_LOCAL_ONE,\n rM as DBCASSANDRACONSISTENCYLEVELVALUES_LOCAL_QUORUM,\n UM as DBCASSANDRACONSISTENCYLEVELVALUES_LOCAL_SERIAL,\n RM as DBCASSANDRACONSISTENCYLEVELVALUES_ONE,\n OM as DBCASSANDRACONSISTENCYLEVELVALUES_QUORUM,\n LM as DBCASSANDRACONSISTENCYLEVELVALUES_SERIAL,\n DM as DBCASSANDRACONSISTENCYLEVELVALUES_THREE,\n PM as DBCASSANDRACONSISTENCYLEVELVALUES_TWO,\n ia as DBSYSTEMVALUES_ADABAS,\n da as DBSYSTEMVALUES_CACHE,\n ka as DBSYSTEMVALUES_CASSANDRA,\n Ba as DBSYSTEMVALUES_CLOUDSCAPE,\n AM as DBSYSTEMVALUES_COCKROACHDB,\n fa as DBSYSTEMVALUES_COLDFUSION,\n ja as DBSYSTEMVALUES_COSMOSDB,\n Ja as DBSYSTEMVALUES_COUCHBASE,\n za as DBSYSTEMVALUES_COUCHDB,\n Ua as DBSYSTEMVALUES_DB2,\n ma as DBSYSTEMVALUES_DERBY,\n $a as DBSYSTEMVALUES_DYNAMODB,\n Ha as DBSYSTEMVALUES_EDB,\n TM as DBSYSTEMVALUES_ELASTICSEARCH,\n pa as DBSYSTEMVALUES_FILEMAKER,\n ca as DBSYSTEMVALUES_FIREBIRD,\n oa as DBSYSTEMVALUES_FIRSTSQL,\n EM as DBSYSTEMVALUES_GEODE,\n wa as DBSYSTEMVALUES_H2,\n na as DBSYSTEMVALUES_HANADB,\n qa as DBSYSTEMVALUES_HBASE,\n ea as DBSYSTEMVALUES_HIVE,\n sa as DBSYSTEMVALUES_HSQLDB,\n Fa as DBSYSTEMVALUES_INFORMIX,\n Ga as DBSYSTEMVALUES_INGRES,\n ba as DBSYSTEMVALUES_INSTANTDB,\n la as DBSYSTEMVALUES_INTERBASE,\n ga as DBSYSTEMVALUES_MARIADB,\n ta as DBSYSTEMVALUES_MAXDB,\n _M as DBSYSTEMVALUES_MEMCACHED,\n xa as DBSYSTEMVALUES_MONGODB,\n Ca as DBSYSTEMVALUES_MSSQL,\n va as DBSYSTEMVALUES_MYSQL,\n SM as DBSYSTEMVALUES_NEO4J,\n ua as DBSYSTEMVALUES_NETEZZA,\n La as DBSYSTEMVALUES_ORACLE,\n Da as DBSYSTEMVALUES_OTHER_SQL,\n Wa as DBSYSTEMVALUES_PERVASIVE,\n Ka as DBSYSTEMVALUES_POINTBASE,\n Ia as DBSYSTEMVALUES_POSTGRESQL,\n Ya as DBSYSTEMVALUES_PROGRESS,\n Za as DBSYSTEMVALUES_REDIS,\n Va as DBSYSTEMVALUES_REDSHIFT,\n ha as DBSYSTEMVALUES_SQLITE,\n ya as DBSYSTEMVALUES_SYBASE,\n Xa as DBSYSTEMVALUES_TERADATA,\n Qa as DBSYSTEMVALUES_VERTICA,\n IM as DbCassandraConsistencyLevelValues,\n NM as DbSystemValues,\n oM as FAASDOCUMENTOPERATIONVALUES_DELETE,\n GM as FAASDOCUMENTOPERATIONVALUES_EDIT,\n nM as FAASDOCUMENTOPERATIONVALUES_INSERT,\n dM as FAASINVOKEDPROVIDERVALUES_ALIBABA_CLOUD,\n iM as FAASINVOKEDPROVIDERVALUES_AWS,\n cM as FAASINVOKEDPROVIDERVALUES_AZURE,\n mM as FAASINVOKEDPROVIDERVALUES_GCP,\n VM as FAASTRIGGERVALUES_DATASOURCE,\n eM as FAASTRIGGERVALUES_HTTP,\n YM as FAASTRIGGERVALUES_OTHER,\n BM as FAASTRIGGERVALUES_PUBSUB,\n sM as FAASTRIGGERVALUES_TIMER,\n HM as FaasDocumentOperationValues,\n pM as FaasInvokedProviderValues,\n tM as FaasTriggerValues,\n LO as HTTPFLAVORVALUES_HTTP_1_0,\n UO as HTTPFLAVORVALUES_HTTP_1_1,\n IO as HTTPFLAVORVALUES_HTTP_2_0,\n eO as HTTPFLAVORVALUES_QUIC,\n VO as HTTPFLAVORVALUES_SPDY,\n BO as HttpFlavorValues,\n kO as MESSAGETYPEVALUES_RECEIVED,\n fO as MESSAGETYPEVALUES_SENT,\n sO as MESSAGINGDESTINATIONKINDVALUES_QUEUE,\n YO as MESSAGINGDESTINATIONKINDVALUES_TOPIC,\n GO as MESSAGINGOPERATIONVALUES_PROCESS,\n nO as MESSAGINGOPERATIONVALUES_RECEIVE,\n qO as MessageTypeValues,\n tO as MessagingDestinationKindValues,\n oO as MessagingOperationValues,\n JM as NETHOSTCONNECTIONSUBTYPEVALUES_CDMA,\n $M as NETHOSTCONNECTIONSUBTYPEVALUES_CDMA2000_1XRTT,\n xM as NETHOSTCONNECTIONSUBTYPEVALUES_EDGE,\n aO as NETHOSTCONNECTIONSUBTYPEVALUES_EHRPD,\n zM as NETHOSTCONNECTIONSUBTYPEVALUES_EVDO_0,\n jM as NETHOSTCONNECTIONSUBTYPEVALUES_EVDO_A,\n AO as NETHOSTCONNECTIONSUBTYPEVALUES_EVDO_B,\n qM as NETHOSTCONNECTIONSUBTYPEVALUES_GPRS,\n OO as NETHOSTCONNECTIONSUBTYPEVALUES_GSM,\n SO as NETHOSTCONNECTIONSUBTYPEVALUES_HSDPA,\n TO as NETHOSTCONNECTIONSUBTYPEVALUES_HSPA,\n MO as NETHOSTCONNECTIONSUBTYPEVALUES_HSPAP,\n EO as NETHOSTCONNECTIONSUBTYPEVALUES_HSUPA,\n _O as NETHOSTCONNECTIONSUBTYPEVALUES_IDEN,\n RO as NETHOSTCONNECTIONSUBTYPEVALUES_IWLAN,\n NO as NETHOSTCONNECTIONSUBTYPEVALUES_LTE,\n CO as NETHOSTCONNECTIONSUBTYPEVALUES_LTE_CA,\n PO as NETHOSTCONNECTIONSUBTYPEVALUES_NR,\n DO as NETHOSTCONNECTIONSUBTYPEVALUES_NRNSA,\n rO as NETHOSTCONNECTIONSUBTYPEVALUES_TD_SCDMA,\n ZM as NETHOSTCONNECTIONSUBTYPEVALUES_UMTS,\n QM as NETHOSTCONNECTIONTYPEVALUES_CELL,\n wM as NETHOSTCONNECTIONTYPEVALUES_UNAVAILABLE,\n fM as NETHOSTCONNECTIONTYPEVALUES_UNKNOWN,\n yM as NETHOSTCONNECTIONTYPEVALUES_WIFI,\n XM as NETHOSTCONNECTIONTYPEVALUES_WIRED,\n WM as NETTRANSPORTVALUES_INPROC,\n lM as NETTRANSPORTVALUES_IP,\n FM as NETTRANSPORTVALUES_IP_TCP,\n bM as NETTRANSPORTVALUES_IP_UDP,\n KM as NETTRANSPORTVALUES_OTHER,\n uM as NETTRANSPORTVALUES_PIPE,\n gM as NETTRANSPORTVALUES_UNIX,\n vO as NetHostConnectionSubtypeValues,\n kM as NetHostConnectionTypeValues,\n hM as NetTransportValues,\n uO as RPCGRPCSTATUSCODEVALUES_ABORTED,\n FO as RPCGRPCSTATUSCODEVALUES_ALREADY_EXISTS,\n dO as RPCGRPCSTATUSCODEVALUES_CANCELLED,\n XO as RPCGRPCSTATUSCODEVALUES_DATA_LOSS,\n mO as RPCGRPCSTATUSCODEVALUES_DEADLINE_EXCEEDED,\n gO as RPCGRPCSTATUSCODEVALUES_FAILED_PRECONDITION,\n hO as RPCGRPCSTATUSCODEVALUES_INTERNAL,\n cO as RPCGRPCSTATUSCODEVALUES_INVALID_ARGUMENT,\n pO as RPCGRPCSTATUSCODEVALUES_NOT_FOUND,\n HO as RPCGRPCSTATUSCODEVALUES_OK,\n WO as RPCGRPCSTATUSCODEVALUES_OUT_OF_RANGE,\n bO as RPCGRPCSTATUSCODEVALUES_PERMISSION_DENIED,\n lO as RPCGRPCSTATUSCODEVALUES_RESOURCE_EXHAUSTED,\n QO as RPCGRPCSTATUSCODEVALUES_UNAUTHENTICATED,\n yO as RPCGRPCSTATUSCODEVALUES_UNAVAILABLE,\n KO as RPCGRPCSTATUSCODEVALUES_UNIMPLEMENTED,\n iO as RPCGRPCSTATUSCODEVALUES_UNKNOWN,\n wO as RpcGrpcStatusCodeValues,\n BN as SEMATTRS_AWS_DYNAMODB_ATTRIBUTES_TO_GET,\n pN as SEMATTRS_AWS_DYNAMODB_ATTRIBUTE_DEFINITIONS,\n IN as SEMATTRS_AWS_DYNAMODB_CONSISTENT_READ,\n CN as SEMATTRS_AWS_DYNAMODB_CONSUMED_CAPACITY,\n cN as SEMATTRS_AWS_DYNAMODB_COUNT,\n GN as SEMATTRS_AWS_DYNAMODB_EXCLUSIVE_START_TABLE,\n tN as SEMATTRS_AWS_DYNAMODB_GLOBAL_SECONDARY_INDEXES,\n FN as SEMATTRS_AWS_DYNAMODB_GLOBAL_SECONDARY_INDEX_UPDATES,\n sN as SEMATTRS_AWS_DYNAMODB_INDEX_NAME,\n vN as SEMATTRS_AWS_DYNAMODB_ITEM_COLLECTION_METRICS,\n eN as SEMATTRS_AWS_DYNAMODB_LIMIT,\n nN as SEMATTRS_AWS_DYNAMODB_LOCAL_SECONDARY_INDEXES,\n VN as SEMATTRS_AWS_DYNAMODB_PROJECTION,\n LN as SEMATTRS_AWS_DYNAMODB_PROVISIONED_READ_CAPACITY,\n UN as SEMATTRS_AWS_DYNAMODB_PROVISIONED_WRITE_CAPACITY,\n mN as SEMATTRS_AWS_DYNAMODB_SCANNED_COUNT,\n HN as SEMATTRS_AWS_DYNAMODB_SCAN_FORWARD,\n dN as SEMATTRS_AWS_DYNAMODB_SEGMENT,\n YN as SEMATTRS_AWS_DYNAMODB_SELECT,\n oN as SEMATTRS_AWS_DYNAMODB_TABLE_COUNT,\n DN as SEMATTRS_AWS_DYNAMODB_TABLE_NAMES,\n iN as SEMATTRS_AWS_DYNAMODB_TOTAL_SEGMENTS,\n f_ as SEMATTRS_AWS_LAMBDA_INVOKED_ARN,\n ZA as SEMATTRS_CODE_FILEPATH,\n qA as SEMATTRS_CODE_FUNCTION,\n JA as SEMATTRS_CODE_LINENO,\n xA as SEMATTRS_CODE_NAMESPACE,\n TA as SEMATTRS_DB_CASSANDRA_CONSISTENCY_LEVEL,\n MA as SEMATTRS_DB_CASSANDRA_COORDINATOR_DC,\n aA as SEMATTRS_DB_CASSANDRA_COORDINATOR_ID,\n AA as SEMATTRS_DB_CASSANDRA_IDEMPOTENCE,\n SA as SEMATTRS_DB_CASSANDRA_KEYSPACE,\n EA as SEMATTRS_DB_CASSANDRA_PAGE_SIZE,\n NA as SEMATTRS_DB_CASSANDRA_SPECULATIVE_EXECUTION_COUNT,\n _A as SEMATTRS_DB_CASSANDRA_TABLE,\n q_ as SEMATTRS_DB_CONNECTION_STRING,\n OA as SEMATTRS_DB_HBASE_NAMESPACE,\n Z_ as SEMATTRS_DB_JDBC_DRIVER_CLASSNAME,\n RA as SEMATTRS_DB_MONGODB_COLLECTION,\n $_ as SEMATTRS_DB_MSSQL_INSTANCE_NAME,\n J_ as SEMATTRS_DB_NAME,\n j_ as SEMATTRS_DB_OPERATION,\n rA as SEMATTRS_DB_REDIS_DATABASE_INDEX,\n PA as SEMATTRS_DB_SQL_TABLE,\n z_ as SEMATTRS_DB_STATEMENT,\n k_ as SEMATTRS_DB_SYSTEM,\n x_ as SEMATTRS_DB_USER,\n XA as SEMATTRS_ENDUSER_ID,\n QA as SEMATTRS_ENDUSER_ROLE,\n wA as SEMATTRS_ENDUSER_SCOPE,\n LA as SEMATTRS_EXCEPTION_ESCAPED,\n CA as SEMATTRS_EXCEPTION_MESSAGE,\n vA as SEMATTRS_EXCEPTION_STACKTRACE,\n DA as SEMATTRS_EXCEPTION_TYPE,\n nA as SEMATTRS_FAAS_COLDSTART,\n tA as SEMATTRS_FAAS_CRON,\n VA as SEMATTRS_FAAS_DOCUMENT_COLLECTION,\n sA as SEMATTRS_FAAS_DOCUMENT_NAME,\n eA as SEMATTRS_FAAS_DOCUMENT_OPERATION,\n BA as SEMATTRS_FAAS_DOCUMENT_TIME,\n IA as SEMATTRS_FAAS_EXECUTION,\n GA as SEMATTRS_FAAS_INVOKED_NAME,\n oA as SEMATTRS_FAAS_INVOKED_PROVIDER,\n HA as SEMATTRS_FAAS_INVOKED_REGION,\n YA as SEMATTRS_FAAS_TIME,\n UA as SEMATTRS_FAAS_TRIGGER,\n PN as SEMATTRS_HTTP_CLIENT_IP,\n _N as SEMATTRS_HTTP_FLAVOR,\n SN as SEMATTRS_HTTP_HOST,\n zA as SEMATTRS_HTTP_METHOD,\n NN as SEMATTRS_HTTP_REQUEST_CONTENT_LENGTH,\n aN as SEMATTRS_HTTP_REQUEST_CONTENT_LENGTH_UNCOMPRESSED,\n MN as SEMATTRS_HTTP_RESPONSE_CONTENT_LENGTH,\n ON as SEMATTRS_HTTP_RESPONSE_CONTENT_LENGTH_UNCOMPRESSED,\n RN as SEMATTRS_HTTP_ROUTE,\n EN as SEMATTRS_HTTP_SCHEME,\n rN as SEMATTRS_HTTP_SERVER_NAME,\n TN as SEMATTRS_HTTP_STATUS_CODE,\n $A as SEMATTRS_HTTP_TARGET,\n jA as SEMATTRS_HTTP_URL,\n AN as SEMATTRS_HTTP_USER_AGENT,\n ra as SEMATTRS_MESSAGE_COMPRESSED_SIZE,\n Oa as SEMATTRS_MESSAGE_ID,\n Ma as SEMATTRS_MESSAGE_TYPE,\n Ra as SEMATTRS_MESSAGE_UNCOMPRESSED_SIZE,\n kN as SEMATTRS_MESSAGING_CONSUMER_ID,\n XN as SEMATTRS_MESSAGING_CONVERSATION_ID,\n lN as SEMATTRS_MESSAGING_DESTINATION,\n gN as SEMATTRS_MESSAGING_DESTINATION_KIND,\n JN as SEMATTRS_MESSAGING_KAFKA_CLIENT_ID,\n ZN as SEMATTRS_MESSAGING_KAFKA_CONSUMER_GROUP,\n xN as SEMATTRS_MESSAGING_KAFKA_MESSAGE_KEY,\n zN as SEMATTRS_MESSAGING_KAFKA_PARTITION,\n jN as SEMATTRS_MESSAGING_KAFKA_TOMBSTONE,\n yN as SEMATTRS_MESSAGING_MESSAGE_ID,\n wN as SEMATTRS_MESSAGING_MESSAGE_PAYLOAD_COMPRESSED_SIZE_BYTES,\n QN as SEMATTRS_MESSAGING_MESSAGE_PAYLOAD_SIZE_BYTES,\n fN as SEMATTRS_MESSAGING_OPERATION,\n WN as SEMATTRS_MESSAGING_PROTOCOL,\n KN as SEMATTRS_MESSAGING_PROTOCOL_VERSION,\n qN as SEMATTRS_MESSAGING_RABBITMQ_ROUTING_KEY,\n bN as SEMATTRS_MESSAGING_SYSTEM,\n uN as SEMATTRS_MESSAGING_TEMP_DESTINATION,\n hN as SEMATTRS_MESSAGING_URL,\n hA as SEMATTRS_NET_HOST_CARRIER_ICC,\n WA as SEMATTRS_NET_HOST_CARRIER_MCC,\n KA as SEMATTRS_NET_HOST_CARRIER_MNC,\n uA as SEMATTRS_NET_HOST_CARRIER_NAME,\n gA as SEMATTRS_NET_HOST_CONNECTION_SUBTYPE,\n lA as SEMATTRS_NET_HOST_CONNECTION_TYPE,\n pA as SEMATTRS_NET_HOST_IP,\n bA as SEMATTRS_NET_HOST_NAME,\n FA as SEMATTRS_NET_HOST_PORT,\n iA as SEMATTRS_NET_PEER_IP,\n mA as SEMATTRS_NET_PEER_NAME,\n cA as SEMATTRS_NET_PEER_PORT,\n dA as SEMATTRS_NET_TRANSPORT,\n yA as SEMATTRS_PEER_SERVICE,\n Ta as SEMATTRS_RPC_GRPC_STATUS_CODE,\n Na as SEMATTRS_RPC_JSONRPC_ERROR_CODE,\n aa as SEMATTRS_RPC_JSONRPC_ERROR_MESSAGE,\n Aa as SEMATTRS_RPC_JSONRPC_REQUEST_ID,\n _a as SEMATTRS_RPC_JSONRPC_VERSION,\n Ea as SEMATTRS_RPC_METHOD,\n Sa as SEMATTRS_RPC_SERVICE,\n $N as SEMATTRS_RPC_SYSTEM,\n fA as SEMATTRS_THREAD_ID,\n kA as SEMATTRS_THREAD_NAME,\n Pa as SemanticAttributes\n};\n","import { VERSION as S } from \"../../version.mjs\";\nimport \"../../../../../semantic-conventions/build/esm/index.mjs\";\nimport { SEMRESATTRS_TELEMETRY_SDK_NAME as T, SEMRESATTRS_PROCESS_RUNTIME_NAME as R, SEMRESATTRS_TELEMETRY_SDK_LANGUAGE as _, TELEMETRYSDKLANGUAGEVALUES_WEBJS as r, SEMRESATTRS_TELEMETRY_SDK_VERSION as A } from \"../../../../../semantic-conventions/build/esm/resource/SemanticResourceAttributes.mjs\";\nvar E, L = (E = {}, E[T] = \"opentelemetry\", E[R] = \"browser\", E[_] = r, E[A] = S, E);\nexport {\n L as SDK_INFO\n};\n","var n;\n(function(S) {\n S[S.SUCCESS = 0] = \"SUCCESS\", S[S.FAILED = 1] = \"FAILED\";\n})(n || (n = {}));\nexport {\n n as ExportResultCode\n};\n","import { createConstMap as E } from \"../internal/utils.mjs\";\nvar S = \"cloud.provider\", _ = \"cloud.account.id\", A = \"cloud.region\", T = \"cloud.availability_zone\", a = \"cloud.platform\", R = \"aws.ecs.container.arn\", M = \"aws.ecs.cluster.arn\", r = \"aws.ecs.launchtype\", L = \"aws.ecs.task.arn\", O = \"aws.ecs.task.family\", P = \"aws.ecs.task.revision\", v = \"aws.eks.cluster.arn\", N = \"aws.log.group.names\", U = \"aws.log.group.arns\", C = \"aws.log.stream.names\", e = \"aws.log.stream.arns\", D = \"container.name\", I = \"container.id\", V = \"container.runtime\", s = \"container.image.name\", n = \"container.image.tag\", o = \"deployment.environment\", G = \"device.id\", i = \"device.model.identifier\", c = \"device.model.name\", t = \"faas.name\", K = \"faas.id\", Y = \"faas.version\", m = \"faas.instance\", d = \"faas.max_memory\", F = \"host.id\", u = \"host.name\", l = \"host.type\", H = \"host.arch\", p = \"host.image.name\", W = \"host.image.id\", B = \"host.image.version\", g = \"k8s.cluster.name\", k = \"k8s.node.name\", b = \"k8s.node.uid\", w = \"k8s.namespace.name\", y = \"k8s.pod.uid\", f = \"k8s.pod.name\", Z = \"k8s.container.name\", h = \"k8s.replicaset.uid\", J = \"k8s.replicaset.name\", X = \"k8s.deployment.uid\", x = \"k8s.deployment.name\", z = \"k8s.statefulset.uid\", j = \"k8s.statefulset.name\", q = \"k8s.daemonset.uid\", Q = \"k8s.daemonset.name\", $ = \"k8s.job.uid\", EE = \"k8s.job.name\", SE = \"k8s.cronjob.uid\", _E = \"k8s.cronjob.name\", AE = \"os.type\", TE = \"os.description\", aE = \"os.name\", RE = \"os.version\", ME = \"process.pid\", rE = \"process.executable.name\", LE = \"process.executable.path\", OE = \"process.command\", PE = \"process.command_line\", vE = \"process.command_args\", NE = \"process.owner\", UE = \"process.runtime.name\", CE = \"process.runtime.version\", eE = \"process.runtime.description\", DE = \"service.name\", IE = \"service.namespace\", VE = \"service.instance.id\", sE = \"service.version\", nE = \"telemetry.sdk.name\", oE = \"telemetry.sdk.language\", GE = \"telemetry.sdk.version\", iE = \"telemetry.auto.version\", cE = \"webengine.name\", tE = \"webengine.version\", KE = \"webengine.description\", tS = S, KS = _, YS = A, mS = T, dS = a, FS = R, uS = M, lS = r, HS = L, pS = O, WS = P, BS = v, gS = N, kS = U, bS = C, wS = e, yS = D, fS = I, ZS = V, hS = s, JS = n, XS = o, xS = G, zS = i, jS = c, qS = t, QS = K, $S = Y, E_ = m, S_ = d, __ = F, A_ = u, T_ = l, a_ = H, R_ = p, M_ = W, r_ = B, L_ = g, O_ = k, P_ = b, v_ = w, N_ = y, U_ = f, C_ = Z, e_ = h, D_ = J, I_ = X, V_ = x, s_ = z, n_ = j, o_ = q, G_ = Q, i_ = $, c_ = EE, t_ = SE, K_ = _E, Y_ = AE, m_ = TE, d_ = aE, F_ = RE, u_ = ME, l_ = rE, H_ = LE, p_ = OE, W_ = PE, B_ = vE, g_ = NE, k_ = UE, b_ = CE, w_ = eE, y_ = DE, f_ = IE, Z_ = VE, h_ = sE, J_ = nE, X_ = oE, x_ = GE, z_ = iE, j_ = cE, q_ = tE, Q_ = KE, $_ = /* @__PURE__ */ E([\n S,\n _,\n A,\n T,\n a,\n R,\n M,\n r,\n L,\n O,\n P,\n v,\n N,\n U,\n C,\n e,\n D,\n I,\n V,\n s,\n n,\n o,\n G,\n i,\n c,\n t,\n K,\n Y,\n m,\n d,\n F,\n u,\n l,\n H,\n p,\n W,\n B,\n g,\n k,\n b,\n w,\n y,\n f,\n Z,\n h,\n J,\n X,\n x,\n z,\n j,\n q,\n Q,\n $,\n EE,\n SE,\n _E,\n AE,\n TE,\n aE,\n RE,\n ME,\n rE,\n LE,\n OE,\n PE,\n vE,\n NE,\n UE,\n CE,\n eE,\n DE,\n IE,\n VE,\n sE,\n nE,\n oE,\n GE,\n iE,\n cE,\n tE,\n KE\n]), YE = \"alibaba_cloud\", mE = \"aws\", dE = \"azure\", FE = \"gcp\", EA = YE, SA = mE, _A = dE, AA = FE, TA = /* @__PURE__ */ E([\n YE,\n mE,\n dE,\n FE\n]), uE = \"alibaba_cloud_ecs\", lE = \"alibaba_cloud_fc\", HE = \"aws_ec2\", pE = \"aws_ecs\", WE = \"aws_eks\", BE = \"aws_lambda\", gE = \"aws_elastic_beanstalk\", kE = \"azure_vm\", bE = \"azure_container_instances\", wE = \"azure_aks\", yE = \"azure_functions\", fE = \"azure_app_service\", ZE = \"gcp_compute_engine\", hE = \"gcp_cloud_run\", JE = \"gcp_kubernetes_engine\", XE = \"gcp_cloud_functions\", xE = \"gcp_app_engine\", aA = uE, RA = lE, MA = HE, rA = pE, LA = WE, OA = BE, PA = gE, vA = kE, NA = bE, UA = wE, CA = yE, eA = fE, DA = ZE, IA = hE, VA = JE, sA = XE, nA = xE, oA = /* @__PURE__ */ E([\n uE,\n lE,\n HE,\n pE,\n WE,\n BE,\n gE,\n kE,\n bE,\n wE,\n yE,\n fE,\n ZE,\n hE,\n JE,\n XE,\n xE\n]), zE = \"ec2\", jE = \"fargate\", GA = zE, iA = jE, cA = /* @__PURE__ */ E([\n zE,\n jE\n]), qE = \"amd64\", QE = \"arm32\", $E = \"arm64\", ES = \"ia64\", SS = \"ppc32\", _S = \"ppc64\", AS = \"x86\", tA = qE, KA = QE, YA = $E, mA = ES, dA = SS, FA = _S, uA = AS, lA = /* @__PURE__ */ E([\n qE,\n QE,\n $E,\n ES,\n SS,\n _S,\n AS\n]), TS = \"windows\", aS = \"linux\", RS = \"darwin\", MS = \"freebsd\", rS = \"netbsd\", LS = \"openbsd\", OS = \"dragonflybsd\", PS = \"hpux\", vS = \"aix\", NS = \"solaris\", US = \"z_os\", HA = TS, pA = aS, WA = RS, BA = MS, gA = rS, kA = LS, bA = OS, wA = PS, yA = vS, fA = NS, ZA = US, hA = /* @__PURE__ */ E([\n TS,\n aS,\n RS,\n MS,\n rS,\n LS,\n OS,\n PS,\n vS,\n NS,\n US\n]), CS = \"cpp\", eS = \"dotnet\", DS = \"erlang\", IS = \"go\", VS = \"java\", sS = \"nodejs\", nS = \"php\", oS = \"python\", GS = \"ruby\", iS = \"webjs\", JA = CS, XA = eS, xA = DS, zA = IS, jA = VS, qA = sS, QA = nS, $A = oS, ET = GS, ST = iS, _T = /* @__PURE__ */ E([\n CS,\n eS,\n DS,\n IS,\n VS,\n sS,\n nS,\n oS,\n GS,\n iS\n]);\nexport {\n GA as AWSECSLAUNCHTYPEVALUES_EC2,\n iA as AWSECSLAUNCHTYPEVALUES_FARGATE,\n cA as AwsEcsLaunchtypeValues,\n aA as CLOUDPLATFORMVALUES_ALIBABA_CLOUD_ECS,\n RA as CLOUDPLATFORMVALUES_ALIBABA_CLOUD_FC,\n MA as CLOUDPLATFORMVALUES_AWS_EC2,\n rA as CLOUDPLATFORMVALUES_AWS_ECS,\n LA as CLOUDPLATFORMVALUES_AWS_EKS,\n PA as CLOUDPLATFORMVALUES_AWS_ELASTIC_BEANSTALK,\n OA as CLOUDPLATFORMVALUES_AWS_LAMBDA,\n UA as CLOUDPLATFORMVALUES_AZURE_AKS,\n eA as CLOUDPLATFORMVALUES_AZURE_APP_SERVICE,\n NA as CLOUDPLATFORMVALUES_AZURE_CONTAINER_INSTANCES,\n CA as CLOUDPLATFORMVALUES_AZURE_FUNCTIONS,\n vA as CLOUDPLATFORMVALUES_AZURE_VM,\n nA as CLOUDPLATFORMVALUES_GCP_APP_ENGINE,\n sA as CLOUDPLATFORMVALUES_GCP_CLOUD_FUNCTIONS,\n IA as CLOUDPLATFORMVALUES_GCP_CLOUD_RUN,\n DA as CLOUDPLATFORMVALUES_GCP_COMPUTE_ENGINE,\n VA as CLOUDPLATFORMVALUES_GCP_KUBERNETES_ENGINE,\n EA as CLOUDPROVIDERVALUES_ALIBABA_CLOUD,\n SA as CLOUDPROVIDERVALUES_AWS,\n _A as CLOUDPROVIDERVALUES_AZURE,\n AA as CLOUDPROVIDERVALUES_GCP,\n oA as CloudPlatformValues,\n TA as CloudProviderValues,\n tA as HOSTARCHVALUES_AMD64,\n KA as HOSTARCHVALUES_ARM32,\n YA as HOSTARCHVALUES_ARM64,\n mA as HOSTARCHVALUES_IA64,\n dA as HOSTARCHVALUES_PPC32,\n FA as HOSTARCHVALUES_PPC64,\n uA as HOSTARCHVALUES_X86,\n lA as HostArchValues,\n yA as OSTYPEVALUES_AIX,\n WA as OSTYPEVALUES_DARWIN,\n bA as OSTYPEVALUES_DRAGONFLYBSD,\n BA as OSTYPEVALUES_FREEBSD,\n wA as OSTYPEVALUES_HPUX,\n pA as OSTYPEVALUES_LINUX,\n gA as OSTYPEVALUES_NETBSD,\n kA as OSTYPEVALUES_OPENBSD,\n fA as OSTYPEVALUES_SOLARIS,\n HA as OSTYPEVALUES_WINDOWS,\n ZA as OSTYPEVALUES_Z_OS,\n hA as OsTypeValues,\n uS as SEMRESATTRS_AWS_ECS_CLUSTER_ARN,\n FS as SEMRESATTRS_AWS_ECS_CONTAINER_ARN,\n lS as SEMRESATTRS_AWS_ECS_LAUNCHTYPE,\n HS as SEMRESATTRS_AWS_ECS_TASK_ARN,\n pS as SEMRESATTRS_AWS_ECS_TASK_FAMILY,\n WS as SEMRESATTRS_AWS_ECS_TASK_REVISION,\n BS as SEMRESATTRS_AWS_EKS_CLUSTER_ARN,\n kS as SEMRESATTRS_AWS_LOG_GROUP_ARNS,\n gS as SEMRESATTRS_AWS_LOG_GROUP_NAMES,\n wS as SEMRESATTRS_AWS_LOG_STREAM_ARNS,\n bS as SEMRESATTRS_AWS_LOG_STREAM_NAMES,\n KS as SEMRESATTRS_CLOUD_ACCOUNT_ID,\n mS as SEMRESATTRS_CLOUD_AVAILABILITY_ZONE,\n dS as SEMRESATTRS_CLOUD_PLATFORM,\n tS as SEMRESATTRS_CLOUD_PROVIDER,\n YS as SEMRESATTRS_CLOUD_REGION,\n fS as SEMRESATTRS_CONTAINER_ID,\n hS as SEMRESATTRS_CONTAINER_IMAGE_NAME,\n JS as SEMRESATTRS_CONTAINER_IMAGE_TAG,\n yS as SEMRESATTRS_CONTAINER_NAME,\n ZS as SEMRESATTRS_CONTAINER_RUNTIME,\n XS as SEMRESATTRS_DEPLOYMENT_ENVIRONMENT,\n xS as SEMRESATTRS_DEVICE_ID,\n zS as SEMRESATTRS_DEVICE_MODEL_IDENTIFIER,\n jS as SEMRESATTRS_DEVICE_MODEL_NAME,\n QS as SEMRESATTRS_FAAS_ID,\n E_ as SEMRESATTRS_FAAS_INSTANCE,\n S_ as SEMRESATTRS_FAAS_MAX_MEMORY,\n qS as SEMRESATTRS_FAAS_NAME,\n $S as SEMRESATTRS_FAAS_VERSION,\n a_ as SEMRESATTRS_HOST_ARCH,\n __ as SEMRESATTRS_HOST_ID,\n M_ as SEMRESATTRS_HOST_IMAGE_ID,\n R_ as SEMRESATTRS_HOST_IMAGE_NAME,\n r_ as SEMRESATTRS_HOST_IMAGE_VERSION,\n A_ as SEMRESATTRS_HOST_NAME,\n T_ as SEMRESATTRS_HOST_TYPE,\n L_ as SEMRESATTRS_K8S_CLUSTER_NAME,\n C_ as SEMRESATTRS_K8S_CONTAINER_NAME,\n K_ as SEMRESATTRS_K8S_CRONJOB_NAME,\n t_ as SEMRESATTRS_K8S_CRONJOB_UID,\n G_ as SEMRESATTRS_K8S_DAEMONSET_NAME,\n o_ as SEMRESATTRS_K8S_DAEMONSET_UID,\n V_ as SEMRESATTRS_K8S_DEPLOYMENT_NAME,\n I_ as SEMRESATTRS_K8S_DEPLOYMENT_UID,\n c_ as SEMRESATTRS_K8S_JOB_NAME,\n i_ as SEMRESATTRS_K8S_JOB_UID,\n v_ as SEMRESATTRS_K8S_NAMESPACE_NAME,\n O_ as SEMRESATTRS_K8S_NODE_NAME,\n P_ as SEMRESATTRS_K8S_NODE_UID,\n U_ as SEMRESATTRS_K8S_POD_NAME,\n N_ as SEMRESATTRS_K8S_POD_UID,\n D_ as SEMRESATTRS_K8S_REPLICASET_NAME,\n e_ as SEMRESATTRS_K8S_REPLICASET_UID,\n n_ as SEMRESATTRS_K8S_STATEFULSET_NAME,\n s_ as SEMRESATTRS_K8S_STATEFULSET_UID,\n m_ as SEMRESATTRS_OS_DESCRIPTION,\n d_ as SEMRESATTRS_OS_NAME,\n Y_ as SEMRESATTRS_OS_TYPE,\n F_ as SEMRESATTRS_OS_VERSION,\n p_ as SEMRESATTRS_PROCESS_COMMAND,\n B_ as SEMRESATTRS_PROCESS_COMMAND_ARGS,\n W_ as SEMRESATTRS_PROCESS_COMMAND_LINE,\n l_ as SEMRESATTRS_PROCESS_EXECUTABLE_NAME,\n H_ as SEMRESATTRS_PROCESS_EXECUTABLE_PATH,\n g_ as SEMRESATTRS_PROCESS_OWNER,\n u_ as SEMRESATTRS_PROCESS_PID,\n w_ as SEMRESATTRS_PROCESS_RUNTIME_DESCRIPTION,\n k_ as SEMRESATTRS_PROCESS_RUNTIME_NAME,\n b_ as SEMRESATTRS_PROCESS_RUNTIME_VERSION,\n Z_ as SEMRESATTRS_SERVICE_INSTANCE_ID,\n y_ as SEMRESATTRS_SERVICE_NAME,\n f_ as SEMRESATTRS_SERVICE_NAMESPACE,\n h_ as SEMRESATTRS_SERVICE_VERSION,\n z_ as SEMRESATTRS_TELEMETRY_AUTO_VERSION,\n X_ as SEMRESATTRS_TELEMETRY_SDK_LANGUAGE,\n J_ as SEMRESATTRS_TELEMETRY_SDK_NAME,\n x_ as SEMRESATTRS_TELEMETRY_SDK_VERSION,\n Q_ as SEMRESATTRS_WEBENGINE_DESCRIPTION,\n j_ as SEMRESATTRS_WEBENGINE_NAME,\n q_ as SEMRESATTRS_WEBENGINE_VERSION,\n $_ as SemanticResourceAttributes,\n JA as TELEMETRYSDKLANGUAGEVALUES_CPP,\n XA as TELEMETRYSDKLANGUAGEVALUES_DOTNET,\n xA as TELEMETRYSDKLANGUAGEVALUES_ERLANG,\n zA as TELEMETRYSDKLANGUAGEVALUES_GO,\n jA as TELEMETRYSDKLANGUAGEVALUES_JAVA,\n qA as TELEMETRYSDKLANGUAGEVALUES_NODEJS,\n QA as TELEMETRYSDKLANGUAGEVALUES_PHP,\n $A as TELEMETRYSDKLANGUAGEVALUES_PYTHON,\n ET as TELEMETRYSDKLANGUAGEVALUES_RUBY,\n ST as TELEMETRYSDKLANGUAGEVALUES_WEBJS,\n _T as TelemetrySdkLanguageValues\n};\n","var r = \"1.25.0\";\nexport {\n r as VERSION\n};\n","var r = performance;\nexport {\n r as otperformance\n};\n","import \"../platform/browser/index.mjs\";\nimport { otperformance as u } from \"../platform/browser/performance.mjs\";\nvar a = 9, T = 6, p = Math.pow(10, T), i = Math.pow(10, a);\nfunction o(r) {\n var n = r / 1e3, e = Math.trunc(n), t = Math.round(r % 1e3 * p);\n return [e, t];\n}\nfunction f() {\n var r = u.timeOrigin;\n if (typeof r != \"number\") {\n var n = u;\n r = n.timing && n.timing.fetchStart;\n }\n return r;\n}\nfunction m(r) {\n var n = o(f()), e = o(typeof r == \"number\" ? r : u.now());\n return S(n, e);\n}\nfunction h(r) {\n if (c(r))\n return r;\n if (typeof r == \"number\")\n return r < f() ? m(r) : o(r);\n if (r instanceof Date)\n return o(r.getTime());\n throw TypeError(\"Invalid input type\");\n}\nfunction v(r, n) {\n var e = n[0] - r[0], t = n[1] - r[1];\n return t < 0 && (e -= 1, t += i), [e, t];\n}\nfunction I(r) {\n var n = a, e = \"\" + \"0\".repeat(n) + r[1] + \"Z\", t = e.substr(e.length - n - 1), s = new Date(r[0] * 1e3).toISOString();\n return s.replace(\"000Z\", t);\n}\nfunction g(r) {\n return r[0] * i + r[1];\n}\nfunction D(r) {\n return r[0] * 1e3 + r[1] / 1e6;\n}\nfunction d(r) {\n return r[0] * 1e6 + r[1] / 1e3;\n}\nfunction c(r) {\n return Array.isArray(r) && r.length === 2 && typeof r[0] == \"number\" && typeof r[1] == \"number\";\n}\nfunction y(r) {\n return c(r) || typeof r == \"number\" || r instanceof Date;\n}\nfunction S(r, n) {\n var e = [r[0] + n[0], r[1] + n[1]];\n return e[1] >= i && (e[1] -= i, e[0] += 1), e;\n}\nexport {\n S as addHrTimes,\n f as getTimeOrigin,\n m as hrTime,\n v as hrTimeDuration,\n d as hrTimeToMicroseconds,\n D as hrTimeToMilliseconds,\n g as hrTimeToNanoseconds,\n I as hrTimeToTimeStamp,\n y as isTimeInput,\n c as isTimeInputHrTime,\n o as millisToHrTime,\n h as timeInputToHrTime\n};\n","import \"../../../../api/build/esm/index.mjs\";\nimport { diag as c } from \"../../../../api/build/esm/diag-api.mjs\";\nvar l = function(r) {\n var t = typeof Symbol == \"function\" && Symbol.iterator, n = t && r[t], e = 0;\n if (n) return n.call(r);\n if (r && typeof r.length == \"number\") return {\n next: function() {\n return r && e >= r.length && (r = void 0), { value: r && r[e++], done: !r };\n }\n };\n throw new TypeError(t ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\n}, y = (\n /** @class */\n function() {\n function r(t) {\n t === void 0 && (t = {});\n var n;\n this._propagators = (n = t.propagators) !== null && n !== void 0 ? n : [], this._fields = Array.from(new Set(this._propagators.map(function(e) {\n return typeof e.fields == \"function\" ? e.fields() : [];\n }).reduce(function(e, i) {\n return e.concat(i);\n }, [])));\n }\n return r.prototype.inject = function(t, n, e) {\n var i, a;\n try {\n for (var o = l(this._propagators), u = o.next(); !u.done; u = o.next()) {\n var s = u.value;\n try {\n s.inject(t, n, e);\n } catch (f) {\n c.warn(\"Failed to inject with \" + s.constructor.name + \". Err: \" + f.message);\n }\n }\n } catch (f) {\n i = { error: f };\n } finally {\n try {\n u && !u.done && (a = o.return) && a.call(o);\n } finally {\n if (i) throw i.error;\n }\n }\n }, r.prototype.extract = function(t, n, e) {\n return this._propagators.reduce(function(i, a) {\n try {\n return a.extract(i, n, e);\n } catch (o) {\n c.warn(\"Failed to inject with \" + a.constructor.name + \". Err: \" + o.message);\n }\n return i;\n }, t);\n }, r.prototype.fields = function() {\n return this._fields.slice();\n }, r;\n }()\n);\nexport {\n y as CompositePropagator\n};\n","import \"../../../../api/build/esm/index.mjs\";\nimport { createContextKey as r } from \"../../../../api/build/esm/context/context.mjs\";\nvar t = r(\"OpenTelemetry SDK Context Key RPC_METADATA\"), a;\n(function(e) {\n e.HTTP = \"http\";\n})(a || (a = {}));\nfunction C(e, n) {\n return e.setValue(t, n);\n}\nfunction T(e) {\n return e.deleteValue(t);\n}\nfunction P(e) {\n return e.getValue(t);\n}\nexport {\n a as RPCType,\n T as deleteRPCMetadata,\n P as getRPCMetadata,\n C as setRPCMetadata\n};\n","var _ = \"[_0-9a-z-*/]\", a = \"[a-z]\" + _ + \"{0,255}\", t = \"[a-z0-9]\" + _ + \"{0,240}@[a-z]\" + _ + \"{0,13}\", A = new RegExp(\"^(?:\" + a + \"|\" + t + \")$\"), e = /^[ -~]{0,255}[!-~]$/, r = /,|=/;\nfunction V(E) {\n return A.test(E);\n}\nfunction L(E) {\n return e.test(E) && !r.test(E);\n}\nexport {\n V as validateKey,\n L as validateValue\n};\n","import { validateKey as S, validateValue as p } from \"../internal/validators.mjs\";\nvar _ = 32, c = 512, l = \",\", u = \"=\", h = (\n /** @class */\n function() {\n function n(t) {\n this._internalState = /* @__PURE__ */ new Map(), t && this._parse(t);\n }\n return n.prototype.set = function(t, e) {\n var r = this._clone();\n return r._internalState.has(t) && r._internalState.delete(t), r._internalState.set(t, e), r;\n }, n.prototype.unset = function(t) {\n var e = this._clone();\n return e._internalState.delete(t), e;\n }, n.prototype.get = function(t) {\n return this._internalState.get(t);\n }, n.prototype.serialize = function() {\n var t = this;\n return this._keys().reduce(function(e, r) {\n return e.push(r + u + t.get(r)), e;\n }, []).join(l);\n }, n.prototype._parse = function(t) {\n t.length > c || (this._internalState = t.split(l).reverse().reduce(function(e, r) {\n var i = r.trim(), a = i.indexOf(u);\n if (a !== -1) {\n var s = i.slice(0, a), o = i.slice(a + 1, r.length);\n S(s) && p(o) && e.set(s, o);\n }\n return e;\n }, /* @__PURE__ */ new Map()), this._internalState.size > _ && (this._internalState = new Map(Array.from(this._internalState.entries()).reverse().slice(0, _))));\n }, n.prototype._keys = function() {\n return Array.from(this._internalState.keys()).reverse();\n }, n.prototype._clone = function() {\n var t = new n();\n return t._internalState = new Map(this._internalState), t;\n }, n;\n }()\n);\nexport {\n h as TraceState\n};\n","import \"../../../../api/build/esm/index.mjs\";\nimport { isTracingSuppressed as A } from \"./suppress-tracing.mjs\";\nimport { TraceState as T } from \"./TraceState.mjs\";\nimport { trace as u } from \"../../../../api/build/esm/trace-api.mjs\";\nimport { isSpanContextValid as E } from \"../../../../api/build/esm/trace/spancontext-utils.mjs\";\nimport { TraceFlags as R } from \"../../../../api/build/esm/trace/trace_flags.mjs\";\nvar f = \"traceparent\", c = \"tracestate\", v = \"00\", d = \"(?!ff)[\\\\da-f]{2}\", m = \"(?![0]{32})[\\\\da-f]{32}\", S = \"(?![0]{16})[\\\\da-f]{16}\", C = \"[\\\\da-f]{2}\", P = new RegExp(\"^\\\\s?(\" + d + \")-(\" + m + \")-(\" + S + \")-(\" + C + \")(-.*)?\\\\s?$\");\nfunction g(a) {\n var r = P.exec(a);\n return !r || r[1] === \"00\" && r[5] ? null : {\n traceId: r[2],\n spanId: r[3],\n traceFlags: parseInt(r[4], 16)\n };\n}\nvar D = (\n /** @class */\n function() {\n function a() {\n }\n return a.prototype.inject = function(r, e, n) {\n var t = u.getSpanContext(r);\n if (!(!t || A(r) || !E(t))) {\n var o = v + \"-\" + t.traceId + \"-\" + t.spanId + \"-0\" + Number(t.traceFlags || R.NONE).toString(16);\n n.set(e, f, o), t.traceState && n.set(e, c, t.traceState.serialize());\n }\n }, a.prototype.extract = function(r, e, n) {\n var t = n.get(e, f);\n if (!t)\n return r;\n var o = Array.isArray(t) ? t[0] : t;\n if (typeof o != \"string\")\n return r;\n var i = g(o);\n if (!i)\n return r;\n i.isRemote = !0;\n var p = n.get(e, c);\n if (p) {\n var s = Array.isArray(p) ? p.join(\",\") : p;\n i.traceState = new T(typeof s == \"string\" ? s : void 0);\n }\n return u.setSpanContext(r, i);\n }, a.prototype.fields = function() {\n return [f, c];\n }, a;\n }()\n);\nexport {\n f as TRACE_PARENT_HEADER,\n c as TRACE_STATE_HEADER,\n D as W3CTraceContextPropagator,\n g as parseTraceParent\n};\n","import \"../../../../../api/build/esm/index.mjs\";\nimport { SamplingDecision as o } from \"../../../../../api/build/esm/trace/SamplingResult.mjs\";\nvar e = (\n /** @class */\n function() {\n function r() {\n }\n return r.prototype.shouldSample = function() {\n return {\n decision: o.NOT_RECORD\n };\n }, r.prototype.toString = function() {\n return \"AlwaysOffSampler\";\n }, r;\n }()\n);\nexport {\n e as AlwaysOffSampler\n};\n","import \"../../../../../api/build/esm/index.mjs\";\nimport { SamplingDecision as r } from \"../../../../../api/build/esm/trace/SamplingResult.mjs\";\nvar e = (\n /** @class */\n function() {\n function n() {\n }\n return n.prototype.shouldSample = function() {\n return {\n decision: r.RECORD_AND_SAMPLED\n };\n }, n.prototype.toString = function() {\n return \"AlwaysOnSampler\";\n }, n;\n }()\n);\nexport {\n e as AlwaysOnSampler\n};\n","var b = \"[object Object]\", g = \"[object Null]\", l = \"[object Undefined]\", j = Function.prototype, c = j.toString, s = c.call(Object), O = d(Object.getPrototypeOf, Object), i = Object.prototype, a = i.hasOwnProperty, e = Symbol ? Symbol.toStringTag : void 0, f = i.toString;\nfunction d(t, n) {\n return function(r) {\n return t(n(r));\n };\n}\nfunction v(t) {\n if (!p(t) || y(t) !== b)\n return !1;\n var n = O(t);\n if (n === null)\n return !0;\n var r = a.call(n, \"constructor\") && n.constructor;\n return typeof r == \"function\" && r instanceof r && c.call(r) === s;\n}\nfunction p(t) {\n return t != null && typeof t == \"object\";\n}\nfunction y(t) {\n return t == null ? t === void 0 ? l : g : e && e in Object(t) ? T(t) : S(t);\n}\nfunction T(t) {\n var n = a.call(t, e), r = t[e], o = !1;\n try {\n t[e] = void 0, o = !0;\n } catch {\n }\n var u = f.call(t);\n return o && (n ? t[e] = r : delete t[e]), u;\n}\nfunction S(t) {\n return f.call(t);\n}\nexport {\n v as isPlainObject\n};\n","import \"../../../../../api/build/esm/index.mjs\";\nimport { globalErrorHandler as d } from \"../../common/global-error-handler.mjs\";\nimport { AlwaysOffSampler as p } from \"./AlwaysOffSampler.mjs\";\nimport { AlwaysOnSampler as n } from \"./AlwaysOnSampler.mjs\";\nimport { trace as P } from \"../../../../../api/build/esm/trace-api.mjs\";\nimport { isSpanContextValid as h } from \"../../../../../api/build/esm/trace/spancontext-utils.mjs\";\nimport { TraceFlags as i } from \"../../../../../api/build/esm/trace/trace_flags.mjs\";\nvar c = (\n /** @class */\n function() {\n function S(e) {\n var r, t, o, a;\n this._root = e.root, this._root || (d(new Error(\"ParentBasedSampler must have a root sampler configured\")), this._root = new n()), this._remoteParentSampled = (r = e.remoteParentSampled) !== null && r !== void 0 ? r : new n(), this._remoteParentNotSampled = (t = e.remoteParentNotSampled) !== null && t !== void 0 ? t : new p(), this._localParentSampled = (o = e.localParentSampled) !== null && o !== void 0 ? o : new n(), this._localParentNotSampled = (a = e.localParentNotSampled) !== null && a !== void 0 ? a : new p();\n }\n return S.prototype.shouldSample = function(e, r, t, o, a, l) {\n var m = P.getSpanContext(e);\n return !m || !h(m) ? this._root.shouldSample(e, r, t, o, a, l) : m.isRemote ? m.traceFlags & i.SAMPLED ? this._remoteParentSampled.shouldSample(e, r, t, o, a, l) : this._remoteParentNotSampled.shouldSample(e, r, t, o, a, l) : m.traceFlags & i.SAMPLED ? this._localParentSampled.shouldSample(e, r, t, o, a, l) : this._localParentNotSampled.shouldSample(e, r, t, o, a, l);\n }, S.prototype.toString = function() {\n return \"ParentBased{root=\" + this._root.toString() + \", remoteParentSampled=\" + this._remoteParentSampled.toString() + \", remoteParentNotSampled=\" + this._remoteParentNotSampled.toString() + \", localParentSampled=\" + this._localParentSampled.toString() + \", localParentNotSampled=\" + this._localParentNotSampled.toString() + \"}\";\n }, S;\n }()\n);\nexport {\n c as ParentBasedSampler\n};\n","import \"../../../../../api/build/esm/index.mjs\";\nimport { isValidTraceId as u } from \"../../../../../api/build/esm/trace/spancontext-utils.mjs\";\nimport { SamplingDecision as n } from \"../../../../../api/build/esm/trace/SamplingResult.mjs\";\nvar s = (\n /** @class */\n function() {\n function o(t) {\n t === void 0 && (t = 0), this._ratio = t, this._ratio = this._normalize(t), this._upperBound = Math.floor(this._ratio * 4294967295);\n }\n return o.prototype.shouldSample = function(t, r) {\n return {\n decision: u(r) && this._accumulate(r) < this._upperBound ? n.RECORD_AND_SAMPLED : n.NOT_RECORD\n };\n }, o.prototype.toString = function() {\n return \"TraceIdRatioBased{\" + this._ratio + \"}\";\n }, o.prototype._normalize = function(t) {\n return typeof t != \"number\" || isNaN(t) ? 0 : t >= 1 ? 1 : t <= 0 ? 0 : t;\n }, o.prototype._accumulate = function(t) {\n for (var r = 0, e = 0; e < t.length / 8; e++) {\n var i = e * 8, a = parseInt(t.slice(i, i + 8), 16);\n r = (r ^ a) >>> 0;\n }\n return r;\n }, o;\n }()\n);\nexport {\n s as TraceIdRatioBasedSampler\n};\n","import { isPlainObject as k } from \"./lodash.merge.mjs\";\nvar j = 20;\nfunction x() {\n for (var r = [], e = 0; e < arguments.length; e++)\n r[e] = arguments[e];\n for (var s = r.shift(), t = /* @__PURE__ */ new WeakMap(); r.length > 0; )\n s = A(s, r.shift(), 0, t);\n return s;\n}\nfunction m(r) {\n return y(r) ? r.slice() : r;\n}\nfunction A(r, e, s, t) {\n s === void 0 && (s = 0);\n var n;\n if (!(s > j)) {\n if (s++, p(r) || p(e) || b(e))\n n = m(e);\n else if (y(r)) {\n if (n = r.slice(), y(e))\n for (var i = 0, u = e.length; i < u; i++)\n n.push(m(e[i]));\n else if (g(e))\n for (var a = Object.keys(e), i = 0, u = a.length; i < u; i++) {\n var f = a[i];\n n[f] = m(e[f]);\n }\n } else if (g(r))\n if (g(e)) {\n if (!E(r, e))\n return e;\n n = Object.assign({}, r);\n for (var a = Object.keys(e), i = 0, u = a.length; i < u; i++) {\n var f = a[i], c = e[f];\n if (p(c))\n typeof c > \"u\" ? delete n[f] : n[f] = c;\n else {\n var h = n[f], d = c;\n if (l(r, f, t) || l(e, f, t))\n delete n[f];\n else {\n if (g(h) && g(d)) {\n var v = t.get(h) || [], O = t.get(d) || [];\n v.push({ obj: r, key: f }), O.push({ obj: e, key: f }), t.set(h, v), t.set(d, O);\n }\n n[f] = A(n[f], c, s, t);\n }\n }\n }\n } else\n n = e;\n return n;\n }\n}\nfunction l(r, e, s) {\n for (var t = s.get(r[e]) || [], n = 0, i = t.length; n < i; n++) {\n var u = t[n];\n if (u.key === e && u.obj === r)\n return !0;\n }\n return !1;\n}\nfunction y(r) {\n return Array.isArray(r);\n}\nfunction b(r) {\n return typeof r == \"function\";\n}\nfunction g(r) {\n return !p(r) && !y(r) && !b(r) && typeof r == \"object\";\n}\nfunction p(r) {\n return typeof r == \"string\" || typeof r == \"number\" || typeof r == \"boolean\" || typeof r > \"u\" || r instanceof Date || r instanceof RegExp || r === null;\n}\nfunction E(r, e) {\n return !(!k(r) || !k(e));\n}\nexport {\n x as merge\n};\n","var c = /* @__PURE__ */ function() {\n var r = function(e, t) {\n return r = Object.setPrototypeOf || { __proto__: [] } instanceof Array && function(o, n) {\n o.__proto__ = n;\n } || function(o, n) {\n for (var i in n) Object.prototype.hasOwnProperty.call(n, i) && (o[i] = n[i]);\n }, r(e, t);\n };\n return function(e, t) {\n if (typeof t != \"function\" && t !== null)\n throw new TypeError(\"Class extends value \" + String(t) + \" is not a constructor or null\");\n r(e, t);\n function o() {\n this.constructor = e;\n }\n e.prototype = t === null ? Object.create(t) : (o.prototype = t.prototype, new o());\n };\n}(), a = (\n /** @class */\n function(r) {\n c(e, r);\n function e(t) {\n var o = r.call(this, t) || this;\n return Object.setPrototypeOf(o, e.prototype), o;\n }\n return e;\n }(Error)\n);\nfunction s(r, e) {\n var t, o = new Promise(function(i, u) {\n t = setTimeout(function() {\n u(new a(\"Operation timed out.\"));\n }, e);\n });\n return Promise.race([r, o]).then(function(n) {\n return clearTimeout(t), n;\n }, function(n) {\n throw clearTimeout(t), n;\n });\n}\nexport {\n a as TimeoutError,\n s as callWithTimeout\n};\n","var i = (\n /** @class */\n function() {\n function r() {\n var e = this;\n this._promise = new Promise(function(t, o) {\n e._resolve = t, e._reject = o;\n });\n }\n return Object.defineProperty(r.prototype, \"promise\", {\n get: function() {\n return this._promise;\n },\n enumerable: !1,\n configurable: !0\n }), r.prototype.resolve = function(e) {\n this._resolve(e);\n }, r.prototype.reject = function(e) {\n this._reject(e);\n }, r;\n }()\n);\nexport {\n i as Deferred\n};\n","var E;\n(function(R) {\n R[R.NOT_RECORD = 0] = \"NOT_RECORD\", R[R.RECORD = 1] = \"RECORD\", R[R.RECORD_AND_SAMPLED = 2] = \"RECORD_AND_SAMPLED\";\n})(E || (E = {}));\nexport {\n E as SamplingDecision\n};\n","import { Deferred as u } from \"./promise.mjs\";\nvar f = function(i, r) {\n var n = typeof Symbol == \"function\" && i[Symbol.iterator];\n if (!n) return i;\n var t = n.call(i), a, e = [], l;\n try {\n for (; (r === void 0 || r-- > 0) && !(a = t.next()).done; ) e.push(a.value);\n } catch (o) {\n l = { error: o };\n } finally {\n try {\n a && !a.done && (n = t.return) && n.call(t);\n } finally {\n if (l) throw l.error;\n }\n }\n return e;\n}, s = function(i, r, n) {\n if (n || arguments.length === 2) for (var t = 0, a = r.length, e; t < a; t++)\n (e || !(t in r)) && (e || (e = Array.prototype.slice.call(r, 0, t)), e[t] = r[t]);\n return i.concat(e || Array.prototype.slice.call(r));\n}, c = (\n /** @class */\n function() {\n function i(r, n) {\n this._callback = r, this._that = n, this._isCalled = !1, this._deferred = new u();\n }\n return Object.defineProperty(i.prototype, \"isCalled\", {\n get: function() {\n return this._isCalled;\n },\n enumerable: !1,\n configurable: !0\n }), Object.defineProperty(i.prototype, \"promise\", {\n get: function() {\n return this._deferred.promise;\n },\n enumerable: !1,\n configurable: !0\n }), i.prototype.call = function() {\n for (var r, n = this, t = [], a = 0; a < arguments.length; a++)\n t[a] = arguments[a];\n if (!this._isCalled) {\n this._isCalled = !0;\n try {\n Promise.resolve((r = this._callback).call.apply(r, s([this._that], f(t), !1))).then(function(e) {\n return n._deferred.resolve(e);\n }, function(e) {\n return n._deferred.reject(e);\n });\n } catch (e) {\n this._deferred.reject(e);\n }\n }\n return this._deferred.promise;\n }, i;\n }()\n);\nexport {\n c as BindOnceFuture\n};\n","import { W3CBaggagePropagator as s } from \"./baggage/propagation/W3CBaggagePropagator.mjs\";\nimport { AnchoredClock as x } from \"./common/anchored-clock.mjs\";\nimport { isAttributeKey as l, isAttributeValue as f, sanitizeAttributes as _ } from \"./common/attributes.mjs\";\nimport { globalErrorHandler as d, setGlobalErrorHandler as g } from \"./common/global-error-handler.mjs\";\nimport { loggingErrorHandler as I } from \"./common/logging-error-handler.mjs\";\nimport { addHrTimes as c, getTimeOrigin as C, hrTime as U, hrTimeDuration as N, hrTimeToMicroseconds as P, hrTimeToMilliseconds as L, hrTimeToNanoseconds as S, hrTimeToTimeStamp as M, isTimeInput as h, isTimeInputHrTime as H, millisToHrTime as B, timeInputToHrTime as O } from \"./common/time.mjs\";\nimport \"./common/types.mjs\";\nimport { hexToBinary as b } from \"./common/hex-to-binary.mjs\";\nimport { ExportResultCode as V } from \"./ExportResult.mjs\";\nimport * as o from \"./baggage/utils.mjs\";\nimport \"./platform/browser/index.mjs\";\nimport { CompositePropagator as W } from \"./propagation/composite.mjs\";\nimport { TRACE_PARENT_HEADER as w, TRACE_STATE_HEADER as G, W3CTraceContextPropagator as K, parseTraceParent as k } from \"./trace/W3CTraceContextPropagator.mjs\";\nimport \"./trace/IdGenerator.mjs\";\nimport { RPCType as j, deleteRPCMetadata as q, getRPCMetadata as J, setRPCMetadata as Q } from \"./trace/rpc-metadata.mjs\";\nimport { AlwaysOffSampler as Y } from \"./trace/sampler/AlwaysOffSampler.mjs\";\nimport { AlwaysOnSampler as $ } from \"./trace/sampler/AlwaysOnSampler.mjs\";\nimport { ParentBasedSampler as er } from \"./trace/sampler/ParentBasedSampler.mjs\";\nimport { TraceIdRatioBasedSampler as tr } from \"./trace/sampler/TraceIdRatioBasedSampler.mjs\";\nimport { isTracingSuppressed as ar, suppressTracing as mr, unsuppressTracing as pr } from \"./trace/suppress-tracing.mjs\";\nimport { TraceState as sr } from \"./trace/TraceState.mjs\";\nimport { DEFAULT_ATTRIBUTE_COUNT_LIMIT as xr, DEFAULT_ATTRIBUTE_VALUE_LENGTH_LIMIT as Er, DEFAULT_ENVIRONMENT as lr, DEFAULT_SPAN_ATTRIBUTE_PER_EVENT_COUNT_LIMIT as fr, DEFAULT_SPAN_ATTRIBUTE_PER_LINK_COUNT_LIMIT as _r, parseEnvironment as Ar } from \"./utils/environment.mjs\";\nimport { merge as gr } from \"./utils/merge.mjs\";\nimport { TracesSamplerValues as Ir } from \"./utils/sampling.mjs\";\nimport { TimeoutError as cr, callWithTimeout as Cr } from \"./utils/timeout.mjs\";\nimport { isUrlIgnored as Nr, urlMatches as Pr } from \"./utils/url.mjs\";\nimport { isWrapped as Sr } from \"./utils/wrap.mjs\";\nimport { BindOnceFuture as hr } from \"./utils/callback.mjs\";\nimport { VERSION as Br } from \"./version.mjs\";\nimport { _export as r } from \"./internal/exporter.mjs\";\nvar m = {\n _export: r\n};\nexport {\n Y as AlwaysOffSampler,\n $ as AlwaysOnSampler,\n x as AnchoredClock,\n hr as BindOnceFuture,\n W as CompositePropagator,\n xr as DEFAULT_ATTRIBUTE_COUNT_LIMIT,\n Er as DEFAULT_ATTRIBUTE_VALUE_LENGTH_LIMIT,\n lr as DEFAULT_ENVIRONMENT,\n fr as DEFAULT_SPAN_ATTRIBUTE_PER_EVENT_COUNT_LIMIT,\n _r as DEFAULT_SPAN_ATTRIBUTE_PER_LINK_COUNT_LIMIT,\n V as ExportResultCode,\n er as ParentBasedSampler,\n j as RPCType,\n w as TRACE_PARENT_HEADER,\n G as TRACE_STATE_HEADER,\n cr as TimeoutError,\n tr as TraceIdRatioBasedSampler,\n sr as TraceState,\n Ir as TracesSamplerValues,\n Br as VERSION,\n s as W3CBaggagePropagator,\n K as W3CTraceContextPropagator,\n c as addHrTimes,\n o as baggageUtils,\n Cr as callWithTimeout,\n q as deleteRPCMetadata,\n J as getRPCMetadata,\n C as getTimeOrigin,\n d as globalErrorHandler,\n b as hexToBinary,\n U as hrTime,\n N as hrTimeDuration,\n P as hrTimeToMicroseconds,\n L as hrTimeToMilliseconds,\n S as hrTimeToNanoseconds,\n M as hrTimeToTimeStamp,\n m as internal,\n l as isAttributeKey,\n f as isAttributeValue,\n h as isTimeInput,\n H as isTimeInputHrTime,\n ar as isTracingSuppressed,\n Nr as isUrlIgnored,\n Sr as isWrapped,\n I as loggingErrorHandler,\n gr as merge,\n B as millisToHrTime,\n Ar as parseEnvironment,\n k as parseTraceParent,\n _ as sanitizeAttributes,\n g as setGlobalErrorHandler,\n Q as setRPCMetadata,\n mr as suppressTracing,\n O as timeInputToHrTime,\n pr as unsuppressTracing,\n Pr as urlMatches\n};\n","import \"../../../../api/build/esm/index.mjs\";\nimport { suppressTracing as e } from \"../trace/suppress-tracing.mjs\";\nimport { context as t } from \"../../../../api/build/esm/context-api.mjs\";\nfunction m(o, r) {\n return new Promise(function(n) {\n t.with(e(t.active()), function() {\n o.export(r, function(i) {\n n(i);\n });\n });\n });\n}\nexport {\n m as _export\n};\n","import \"../../../api/build/esm/index.mjs\";\nimport \"../../../core/build/esm/index.mjs\";\nimport \"../../../semantic-conventions/build/esm/index.mjs\";\nimport { ExceptionEventName as v } from \"./enums.mjs\";\nimport { SpanStatusCode as g } from \"../../../api/build/esm/trace/status.mjs\";\nimport { otperformance as h } from \"../../../core/build/esm/platform/browser/performance.mjs\";\nimport { getTimeOrigin as T, isTimeInput as y, hrTimeDuration as C, hrTime as E, millisToHrTime as p, isTimeInputHrTime as S, addHrTimes as L } from \"../../../core/build/esm/common/time.mjs\";\nimport { diag as o } from \"../../../api/build/esm/diag-api.mjs\";\nimport { isAttributeValue as A, sanitizeAttributes as w } from \"../../../core/build/esm/common/attributes.mjs\";\nimport { SEMATTRS_EXCEPTION_MESSAGE as f, SEMATTRS_EXCEPTION_TYPE as m, SEMATTRS_EXCEPTION_STACKTRACE as P } from \"../../../semantic-conventions/build/esm/trace/SemanticAttributes.mjs\";\nvar I = function(e) {\n var t = typeof Symbol == \"function\" && Symbol.iterator, i = t && e[t], r = 0;\n if (i) return i.call(e);\n if (e && typeof e.length == \"number\") return {\n next: function() {\n return e && r >= e.length && (e = void 0), { value: e && e[r++], done: !e };\n }\n };\n throw new TypeError(t ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\n}, b = function(e, t) {\n var i = typeof Symbol == \"function\" && e[Symbol.iterator];\n if (!i) return e;\n var r = i.call(e), n, s = [], a;\n try {\n for (; (t === void 0 || t-- > 0) && !(n = r.next()).done; ) s.push(n.value);\n } catch (u) {\n a = { error: u };\n } finally {\n try {\n n && !n.done && (i = r.return) && i.call(r);\n } finally {\n if (a) throw a.error;\n }\n }\n return s;\n}, O = function(e, t, i) {\n if (i || arguments.length === 2) for (var r = 0, n = t.length, s; r < n; r++)\n (s || !(r in t)) && (s || (s = Array.prototype.slice.call(t, 0, r)), s[r] = t[r]);\n return e.concat(s || Array.prototype.slice.call(t));\n}, H = (\n /** @class */\n function() {\n function e(t, i, r, n, s, a, u, d, l, c) {\n u === void 0 && (u = []), this.attributes = {}, this.links = [], this.events = [], this._droppedAttributesCount = 0, this._droppedEventsCount = 0, this._droppedLinksCount = 0, this.status = {\n code: g.UNSET\n }, this.endTime = [0, 0], this._ended = !1, this._duration = [-1, -1], this.name = r, this._spanContext = n, this.parentSpanId = a, this.kind = s, this.links = u;\n var _ = Date.now();\n this._performanceStartTime = h.now(), this._performanceOffset = _ - (this._performanceStartTime + T()), this._startTimeProvided = d != null, this.startTime = this._getTime(d ?? _), this.resource = t.resource, this.instrumentationLibrary = t.instrumentationLibrary, this._spanLimits = t.getSpanLimits(), this._attributeValueLengthLimit = this._spanLimits.attributeValueLengthLimit || 0, c != null && this.setAttributes(c), this._spanProcessor = t.getActiveSpanProcessor(), this._spanProcessor.onStart(this, i);\n }\n return e.prototype.spanContext = function() {\n return this._spanContext;\n }, e.prototype.setAttribute = function(t, i) {\n return i == null || this._isSpanEnded() ? this : t.length === 0 ? (o.warn(\"Invalid attribute key: \" + t), this) : A(i) ? Object.keys(this.attributes).length >= this._spanLimits.attributeCountLimit && !Object.prototype.hasOwnProperty.call(this.attributes, t) ? (this._droppedAttributesCount++, this) : (this.attributes[t] = this._truncateToSize(i), this) : (o.warn(\"Invalid attribute value set for key: \" + t), this);\n }, e.prototype.setAttributes = function(t) {\n var i, r;\n try {\n for (var n = I(Object.entries(t)), s = n.next(); !s.done; s = n.next()) {\n var a = b(s.value, 2), u = a[0], d = a[1];\n this.setAttribute(u, d);\n }\n } catch (l) {\n i = { error: l };\n } finally {\n try {\n s && !s.done && (r = n.return) && r.call(n);\n } finally {\n if (i) throw i.error;\n }\n }\n return this;\n }, e.prototype.addEvent = function(t, i, r) {\n if (this._isSpanEnded())\n return this;\n if (this._spanLimits.eventCountLimit === 0)\n return o.warn(\"No events allowed.\"), this._droppedEventsCount++, this;\n this.events.length >= this._spanLimits.eventCountLimit && (this._droppedEventsCount === 0 && o.debug(\"Dropping extra events.\"), this.events.shift(), this._droppedEventsCount++), y(i) && (y(r) || (r = i), i = void 0);\n var n = w(i);\n return this.events.push({\n name: t,\n attributes: n,\n time: this._getTime(r),\n droppedAttributesCount: 0\n }), this;\n }, e.prototype.addLink = function(t) {\n return this.links.push(t), this;\n }, e.prototype.addLinks = function(t) {\n var i;\n return (i = this.links).push.apply(i, O([], b(t), !1)), this;\n }, e.prototype.setStatus = function(t) {\n return this._isSpanEnded() ? this : (this.status = t, this);\n }, e.prototype.updateName = function(t) {\n return this._isSpanEnded() ? this : (this.name = t, this);\n }, e.prototype.end = function(t) {\n if (this._isSpanEnded()) {\n o.error(this.name + \" \" + this._spanContext.traceId + \"-\" + this._spanContext.spanId + \" - You can only call end() on a span once.\");\n return;\n }\n this._ended = !0, this.endTime = this._getTime(t), this._duration = C(this.startTime, this.endTime), this._duration[0] < 0 && (o.warn(\"Inconsistent start and end time, startTime > endTime. Setting span duration to 0ms.\", this.startTime, this.endTime), this.endTime = this.startTime.slice(), this._duration = [0, 0]), this._droppedEventsCount > 0 && o.warn(\"Dropped \" + this._droppedEventsCount + \" events because eventCountLimit reached\"), this._spanProcessor.onEnd(this);\n }, e.prototype._getTime = function(t) {\n if (typeof t == \"number\" && t < h.now())\n return E(t + this._performanceOffset);\n if (typeof t == \"number\")\n return p(t);\n if (t instanceof Date)\n return p(t.getTime());\n if (S(t))\n return t;\n if (this._startTimeProvided)\n return p(Date.now());\n var i = h.now() - this._performanceStartTime;\n return L(this.startTime, p(i));\n }, e.prototype.isRecording = function() {\n return this._ended === !1;\n }, e.prototype.recordException = function(t, i) {\n var r = {};\n typeof t == \"string\" ? r[f] = t : t && (t.code ? r[m] = t.code.toString() : t.name && (r[m] = t.name), t.message && (r[f] = t.message), t.stack && (r[P] = t.stack)), r[m] || r[f] ? this.addEvent(v, r, i) : o.warn(\"Failed to record an exception \" + t);\n }, Object.defineProperty(e.prototype, \"duration\", {\n get: function() {\n return this._duration;\n },\n enumerable: !1,\n configurable: !0\n }), Object.defineProperty(e.prototype, \"ended\", {\n get: function() {\n return this._ended;\n },\n enumerable: !1,\n configurable: !0\n }), Object.defineProperty(e.prototype, \"droppedAttributesCount\", {\n get: function() {\n return this._droppedAttributesCount;\n },\n enumerable: !1,\n configurable: !0\n }), Object.defineProperty(e.prototype, \"droppedEventsCount\", {\n get: function() {\n return this._droppedEventsCount;\n },\n enumerable: !1,\n configurable: !0\n }), Object.defineProperty(e.prototype, \"droppedLinksCount\", {\n get: function() {\n return this._droppedLinksCount;\n },\n enumerable: !1,\n configurable: !0\n }), e.prototype._isSpanEnded = function() {\n return this._ended && o.warn(\"Can not execute the operation on ended Span {traceId: \" + this._spanContext.traceId + \", spanId: \" + this._spanContext.spanId + \"}\"), this._ended;\n }, e.prototype._truncateToLimitUtil = function(t, i) {\n return t.length <= i ? t : t.substr(0, i);\n }, e.prototype._truncateToSize = function(t) {\n var i = this, r = this._attributeValueLengthLimit;\n return r <= 0 ? (o.warn(\"Attribute value limit must be positive, got \" + r), t) : typeof t == \"string\" ? this._truncateToLimitUtil(t, r) : Array.isArray(t) ? t.map(function(n) {\n return typeof n == \"string\" ? i._truncateToLimitUtil(n, r) : n;\n }) : t;\n }, e;\n }()\n);\nexport {\n H as Span\n};\n","var e = \"exception\";\nexport {\n e as ExceptionEventName\n};\n","import { SamplingDecision as n } from \"../Sampler.mjs\";\nvar t = (\n /** @class */\n function() {\n function r() {\n }\n return r.prototype.shouldSample = function() {\n return {\n decision: n.NOT_RECORD\n };\n }, r.prototype.toString = function() {\n return \"AlwaysOffSampler\";\n }, r;\n }()\n);\nexport {\n t as AlwaysOffSampler\n};\n","import { SamplingDecision as r } from \"../Sampler.mjs\";\nvar t = (\n /** @class */\n function() {\n function n() {\n }\n return n.prototype.shouldSample = function() {\n return {\n decision: r.RECORD_AND_SAMPLED\n };\n }, n.prototype.toString = function() {\n return \"AlwaysOnSampler\";\n }, n;\n }()\n);\nexport {\n t as AlwaysOnSampler\n};\n","import \"../../../../api/build/esm/index.mjs\";\nimport \"../../../../core/build/esm/index.mjs\";\nimport { AlwaysOffSampler as n } from \"./AlwaysOffSampler.mjs\";\nimport { AlwaysOnSampler as p } from \"./AlwaysOnSampler.mjs\";\nimport { globalErrorHandler as d } from \"../../../../core/build/esm/common/global-error-handler.mjs\";\nimport { trace as P } from \"../../../../api/build/esm/trace-api.mjs\";\nimport { isSpanContextValid as h } from \"../../../../api/build/esm/trace/spancontext-utils.mjs\";\nimport { TraceFlags as i } from \"../../../../api/build/esm/trace/trace_flags.mjs\";\nvar N = (\n /** @class */\n function() {\n function S(e) {\n var r, t, o, a;\n this._root = e.root, this._root || (d(new Error(\"ParentBasedSampler must have a root sampler configured\")), this._root = new p()), this._remoteParentSampled = (r = e.remoteParentSampled) !== null && r !== void 0 ? r : new p(), this._remoteParentNotSampled = (t = e.remoteParentNotSampled) !== null && t !== void 0 ? t : new n(), this._localParentSampled = (o = e.localParentSampled) !== null && o !== void 0 ? o : new p(), this._localParentNotSampled = (a = e.localParentNotSampled) !== null && a !== void 0 ? a : new n();\n }\n return S.prototype.shouldSample = function(e, r, t, o, a, l) {\n var m = P.getSpanContext(e);\n return !m || !h(m) ? this._root.shouldSample(e, r, t, o, a, l) : m.isRemote ? m.traceFlags & i.SAMPLED ? this._remoteParentSampled.shouldSample(e, r, t, o, a, l) : this._remoteParentNotSampled.shouldSample(e, r, t, o, a, l) : m.traceFlags & i.SAMPLED ? this._localParentSampled.shouldSample(e, r, t, o, a, l) : this._localParentNotSampled.shouldSample(e, r, t, o, a, l);\n }, S.prototype.toString = function() {\n return \"ParentBased{root=\" + this._root.toString() + \", remoteParentSampled=\" + this._remoteParentSampled.toString() + \", remoteParentNotSampled=\" + this._remoteParentNotSampled.toString() + \", localParentSampled=\" + this._localParentSampled.toString() + \", localParentNotSampled=\" + this._localParentNotSampled.toString() + \"}\";\n }, S;\n }()\n);\nexport {\n N as ParentBasedSampler\n};\n","import \"../../../../api/build/esm/index.mjs\";\nimport { SamplingDecision as n } from \"../Sampler.mjs\";\nimport { isValidTraceId as u } from \"../../../../api/build/esm/trace/spancontext-utils.mjs\";\nvar s = (\n /** @class */\n function() {\n function o(t) {\n t === void 0 && (t = 0), this._ratio = t, this._ratio = this._normalize(t), this._upperBound = Math.floor(this._ratio * 4294967295);\n }\n return o.prototype.shouldSample = function(t, r) {\n return {\n decision: u(r) && this._accumulate(r) < this._upperBound ? n.RECORD_AND_SAMPLED : n.NOT_RECORD\n };\n }, o.prototype.toString = function() {\n return \"TraceIdRatioBased{\" + this._ratio + \"}\";\n }, o.prototype._normalize = function(t) {\n return typeof t != \"number\" || isNaN(t) ? 0 : t >= 1 ? 1 : t <= 0 ? 0 : t;\n }, o.prototype._accumulate = function(t) {\n for (var r = 0, e = 0; e < t.length / 8; e++) {\n var i = e * 8, a = parseInt(t.slice(i, i + 8), 16);\n r = (r ^ a) >>> 0;\n }\n return r;\n }, o;\n }()\n);\nexport {\n s as TraceIdRatioBasedSampler\n};\n","import \"../../../api/build/esm/index.mjs\";\nimport \"../../../core/build/esm/index.mjs\";\nimport { AlwaysOffSampler as L } from \"./sampler/AlwaysOffSampler.mjs\";\nimport { AlwaysOnSampler as i } from \"./sampler/AlwaysOnSampler.mjs\";\nimport { ParentBasedSampler as E } from \"./sampler/ParentBasedSampler.mjs\";\nimport { TraceIdRatioBasedSampler as A } from \"./sampler/TraceIdRatioBasedSampler.mjs\";\nimport { getEnv as r } from \"../../../core/build/esm/platform/browser/environment.mjs\";\nimport { TracesSamplerValues as T } from \"../../../core/build/esm/utils/sampling.mjs\";\nimport { diag as _ } from \"../../../api/build/esm/diag-api.mjs\";\nvar u = r(), R = T.AlwaysOn, e = 1;\nfunction d() {\n return {\n sampler: n(u),\n forceFlushTimeoutMillis: 3e4,\n generalLimits: {\n attributeValueLengthLimit: r().OTEL_ATTRIBUTE_VALUE_LENGTH_LIMIT,\n attributeCountLimit: r().OTEL_ATTRIBUTE_COUNT_LIMIT\n },\n spanLimits: {\n attributeValueLengthLimit: r().OTEL_SPAN_ATTRIBUTE_VALUE_LENGTH_LIMIT,\n attributeCountLimit: r().OTEL_SPAN_ATTRIBUTE_COUNT_LIMIT,\n linkCountLimit: r().OTEL_SPAN_LINK_COUNT_LIMIT,\n eventCountLimit: r().OTEL_SPAN_EVENT_COUNT_LIMIT,\n attributePerEventCountLimit: r().OTEL_SPAN_ATTRIBUTE_PER_EVENT_COUNT_LIMIT,\n attributePerLinkCountLimit: r().OTEL_SPAN_ATTRIBUTE_PER_LINK_COUNT_LIMIT\n }\n };\n}\nfunction n(t) {\n switch (t === void 0 && (t = r()), t.OTEL_TRACES_SAMPLER) {\n case T.AlwaysOn:\n return new i();\n case T.AlwaysOff:\n return new L();\n case T.ParentBasedAlwaysOn:\n return new E({\n root: new i()\n });\n case T.ParentBasedAlwaysOff:\n return new E({\n root: new L()\n });\n case T.TraceIdRatio:\n return new A(o(t));\n case T.ParentBasedTraceIdRatio:\n return new E({\n root: new A(o(t))\n });\n default:\n return _.error('OTEL_TRACES_SAMPLER value \"' + t.OTEL_TRACES_SAMPLER + \" invalid, defaulting to \" + R + '\".'), new i();\n }\n}\nfunction o(t) {\n if (t.OTEL_TRACES_SAMPLER_ARG === void 0 || t.OTEL_TRACES_SAMPLER_ARG === \"\")\n return _.error(\"OTEL_TRACES_SAMPLER_ARG is blank, defaulting to \" + e + \".\"), e;\n var a = Number(t.OTEL_TRACES_SAMPLER_ARG);\n return isNaN(a) ? (_.error(\"OTEL_TRACES_SAMPLER_ARG=\" + t.OTEL_TRACES_SAMPLER_ARG + \" was given, but it is invalid, defaulting to \" + e + \".\"), e) : a < 0 || a > 1 ? (_.error(\"OTEL_TRACES_SAMPLER_ARG=\" + t.OTEL_TRACES_SAMPLER_ARG + \" was given, but it is out of range ([0..1]), defaulting to \" + e + \".\"), e) : a;\n}\nexport {\n n as buildSamplerFromEnv,\n d as loadDefaultConfig\n};\n","import \"../../../../api/build/esm/index.mjs\";\nimport \"../../../../core/build/esm/index.mjs\";\nimport { getEnv as c } from \"../../../../core/build/esm/platform/browser/environment.mjs\";\nimport { BindOnceFuture as S } from \"../../../../core/build/esm/utils/callback.mjs\";\nimport { diag as _ } from \"../../../../api/build/esm/diag-api.mjs\";\nimport { TraceFlags as x } from \"../../../../api/build/esm/trace/trace_flags.mjs\";\nimport { context as m } from \"../../../../api/build/esm/context-api.mjs\";\nimport { suppressTracing as E } from \"../../../../core/build/esm/trace/suppress-tracing.mjs\";\nimport { ExportResultCode as v } from \"../../../../core/build/esm/ExportResult.mjs\";\nimport { globalErrorHandler as d } from \"../../../../core/build/esm/common/global-error-handler.mjs\";\nimport { unrefTimer as T } from \"../../../../core/build/esm/platform/browser/timer-util.mjs\";\nvar g = (\n /** @class */\n function() {\n function r(t, e) {\n this._exporter = t, this._isExporting = !1, this._finishedSpans = [], this._droppedSpansCount = 0;\n var i = c();\n this._maxExportBatchSize = typeof (e == null ? void 0 : e.maxExportBatchSize) == \"number\" ? e.maxExportBatchSize : i.OTEL_BSP_MAX_EXPORT_BATCH_SIZE, this._maxQueueSize = typeof (e == null ? void 0 : e.maxQueueSize) == \"number\" ? e.maxQueueSize : i.OTEL_BSP_MAX_QUEUE_SIZE, this._scheduledDelayMillis = typeof (e == null ? void 0 : e.scheduledDelayMillis) == \"number\" ? e.scheduledDelayMillis : i.OTEL_BSP_SCHEDULE_DELAY, this._exportTimeoutMillis = typeof (e == null ? void 0 : e.exportTimeoutMillis) == \"number\" ? e.exportTimeoutMillis : i.OTEL_BSP_EXPORT_TIMEOUT, this._shutdownOnce = new S(this._shutdown, this), this._maxExportBatchSize > this._maxQueueSize && (_.warn(\"BatchSpanProcessor: maxExportBatchSize must be smaller or equal to maxQueueSize, setting maxExportBatchSize to match maxQueueSize\"), this._maxExportBatchSize = this._maxQueueSize);\n }\n return r.prototype.forceFlush = function() {\n return this._shutdownOnce.isCalled ? this._shutdownOnce.promise : this._flushAll();\n }, r.prototype.onStart = function(t, e) {\n }, r.prototype.onEnd = function(t) {\n this._shutdownOnce.isCalled || t.spanContext().traceFlags & x.SAMPLED && this._addToBuffer(t);\n }, r.prototype.shutdown = function() {\n return this._shutdownOnce.call();\n }, r.prototype._shutdown = function() {\n var t = this;\n return Promise.resolve().then(function() {\n return t.onShutdown();\n }).then(function() {\n return t._flushAll();\n }).then(function() {\n return t._exporter.shutdown();\n });\n }, r.prototype._addToBuffer = function(t) {\n if (this._finishedSpans.length >= this._maxQueueSize) {\n this._droppedSpansCount === 0 && _.debug(\"maxQueueSize reached, dropping spans\"), this._droppedSpansCount++;\n return;\n }\n this._droppedSpansCount > 0 && (_.warn(\"Dropped \" + this._droppedSpansCount + \" spans because maxQueueSize reached\"), this._droppedSpansCount = 0), this._finishedSpans.push(t), this._maybeStartTimer();\n }, r.prototype._flushAll = function() {\n var t = this;\n return new Promise(function(e, i) {\n for (var a = [], o = Math.ceil(t._finishedSpans.length / t._maxExportBatchSize), s = 0, n = o; s < n; s++)\n a.push(t._flushOneBatch());\n Promise.all(a).then(function() {\n e();\n }).catch(i);\n });\n }, r.prototype._flushOneBatch = function() {\n var t = this;\n return this._clearTimer(), this._finishedSpans.length === 0 ? Promise.resolve() : new Promise(function(e, i) {\n var a = setTimeout(function() {\n i(new Error(\"Timeout\"));\n }, t._exportTimeoutMillis);\n m.with(E(m.active()), function() {\n var o;\n t._finishedSpans.length <= t._maxExportBatchSize ? (o = t._finishedSpans, t._finishedSpans = []) : o = t._finishedSpans.splice(0, t._maxExportBatchSize);\n for (var s = function() {\n return t._exporter.export(o, function(u) {\n var l;\n clearTimeout(a), u.code === v.SUCCESS ? e() : i((l = u.error) !== null && l !== void 0 ? l : new Error(\"BatchSpanProcessor: span export failed\"));\n });\n }, n = null, h = 0, f = o.length; h < f; h++) {\n var p = o[h];\n p.resource.asyncAttributesPending && p.resource.waitForAsyncAttributes && (n ?? (n = []), n.push(p.resource.waitForAsyncAttributes()));\n }\n n === null ? s() : Promise.all(n).then(s, function(u) {\n d(u), i(u);\n });\n });\n });\n }, r.prototype._maybeStartTimer = function() {\n var t = this;\n if (!this._isExporting) {\n var e = function() {\n t._isExporting = !0, t._flushOneBatch().finally(function() {\n t._isExporting = !1, t._finishedSpans.length > 0 && (t._clearTimer(), t._maybeStartTimer());\n }).catch(function(i) {\n t._isExporting = !1, d(i);\n });\n };\n if (this._finishedSpans.length >= this._maxExportBatchSize)\n return e();\n this._timer === void 0 && (this._timer = setTimeout(function() {\n return e();\n }, this._scheduledDelayMillis), T(this._timer));\n }\n }, r.prototype._clearTimer = function() {\n this._timer !== void 0 && (clearTimeout(this._timer), this._timer = void 0);\n }, r;\n }()\n);\nexport {\n g as BatchSpanProcessorBase\n};\n","import { BatchSpanProcessorBase as s } from \"../../../export/BatchSpanProcessorBase.mjs\";\nvar u = /* @__PURE__ */ function() {\n var o = function(i, t) {\n return o = Object.setPrototypeOf || { __proto__: [] } instanceof Array && function(e, n) {\n e.__proto__ = n;\n } || function(e, n) {\n for (var r in n) Object.prototype.hasOwnProperty.call(n, r) && (e[r] = n[r]);\n }, o(i, t);\n };\n return function(i, t) {\n if (typeof t != \"function\" && t !== null)\n throw new TypeError(\"Class extends value \" + String(t) + \" is not a constructor or null\");\n o(i, t);\n function e() {\n this.constructor = i;\n }\n i.prototype = t === null ? Object.create(t) : (e.prototype = t.prototype, new e());\n };\n}(), a = (\n /** @class */\n function(o) {\n u(i, o);\n function i(t, e) {\n var n = o.call(this, t, e) || this;\n return n.onInit(e), n;\n }\n return i.prototype.onInit = function(t) {\n var e = this;\n (t == null ? void 0 : t.disableAutoFlushOnDocumentHide) !== !0 && typeof document < \"u\" && (this._visibilityChangeListener = function() {\n document.visibilityState === \"hidden\" && e.forceFlush();\n }, this._pageHideListener = function() {\n e.forceFlush();\n }, document.addEventListener(\"visibilitychange\", this._visibilityChangeListener), document.addEventListener(\"pagehide\", this._pageHideListener));\n }, i.prototype.onShutdown = function() {\n typeof document < \"u\" && (this._visibilityChangeListener && document.removeEventListener(\"visibilitychange\", this._visibilityChangeListener), this._pageHideListener && document.removeEventListener(\"pagehide\", this._pageHideListener));\n }, i;\n }(s)\n);\nexport {\n a as BatchSpanProcessor\n};\n","var t = 8, o = 16, f = (\n /** @class */\n /* @__PURE__ */ function() {\n function n() {\n this.generateTraceId = a(o), this.generateSpanId = a(t);\n }\n return n;\n }()\n), e = Array(32);\nfunction a(n) {\n return function() {\n for (var r = 0; r < n * 2; r++)\n e[r] = Math.floor(Math.random() * 16) + 48, e[r] >= 58 && (e[r] += 39);\n return String.fromCharCode.apply(null, e.slice(0, n * 2));\n };\n}\nexport {\n f as RandomIdGenerator\n};\n","import \"../../../api/build/esm/index.mjs\";\nimport \"../../../core/build/esm/index.mjs\";\nimport { Span as D } from \"./Span.mjs\";\nimport { mergeConfig as E } from \"./utility.mjs\";\nimport \"./platform/browser/index.mjs\";\nimport { RandomIdGenerator as y } from \"./platform/browser/RandomIdGenerator.mjs\";\nimport { context as f } from \"../../../api/build/esm/context-api.mjs\";\nimport { trace as u } from \"../../../api/build/esm/trace-api.mjs\";\nimport { isTracingSuppressed as G } from \"../../../core/build/esm/trace/suppress-tracing.mjs\";\nimport { diag as C } from \"../../../api/build/esm/diag-api.mjs\";\nimport { INVALID_SPAN_CONTEXT as O } from \"../../../api/build/esm/trace/invalid-span-constants.mjs\";\nimport { SpanKind as P } from \"../../../api/build/esm/trace/span_kind.mjs\";\nimport { sanitizeAttributes as S } from \"../../../core/build/esm/common/attributes.mjs\";\nimport { SamplingDecision as A } from \"../../../api/build/esm/trace/SamplingResult.mjs\";\nimport { TraceFlags as N } from \"../../../api/build/esm/trace/trace_flags.mjs\";\nvar U = (\n /** @class */\n function() {\n function o(p, t, r) {\n this._tracerProvider = r;\n var e = E(t);\n this._sampler = e.sampler, this._generalLimits = e.generalLimits, this._spanLimits = e.spanLimits, this._idGenerator = t.idGenerator || new y(), this.resource = r.resource, this.instrumentationLibrary = p;\n }\n return o.prototype.startSpan = function(p, t, r) {\n var e, s, a;\n t === void 0 && (t = {}), r === void 0 && (r = f.active()), t.root && (r = u.deleteSpan(r));\n var n = u.getSpan(r);\n if (G(r)) {\n C.debug(\"Instrumentation suppressed, returning Noop Span\");\n var m = u.wrapSpanContext(O);\n return m;\n }\n var i = n == null ? void 0 : n.spanContext(), l = this._idGenerator.generateSpanId(), d, c, g;\n !i || !u.isSpanContextValid(i) ? d = this._idGenerator.generateTraceId() : (d = i.traceId, c = i.traceState, g = i.spanId);\n var h = (e = t.kind) !== null && e !== void 0 ? e : P.INTERNAL, _ = ((s = t.links) !== null && s !== void 0 ? s : []).map(function(b) {\n return {\n context: b.context,\n attributes: S(b.attributes)\n };\n }), I = S(t.attributes), v = this._sampler.shouldSample(r, d, p, h, I, _);\n c = (a = v.traceState) !== null && a !== void 0 ? a : c;\n var T = v.decision === A.RECORD_AND_SAMPLED ? N.SAMPLED : N.NONE, L = { traceId: d, spanId: l, traceFlags: T, traceState: c };\n if (v.decision === A.NOT_RECORD) {\n C.debug(\"Recording is off, propagating context in a non-recording span\");\n var m = u.wrapSpanContext(L);\n return m;\n }\n var R = S(Object.assign(I, v.attributes)), x = new D(this, r, p, L, h, g, _, t.startTime, void 0, R);\n return x;\n }, o.prototype.startActiveSpan = function(p, t, r, e) {\n var s, a, n;\n if (!(arguments.length < 2)) {\n arguments.length === 2 ? n = t : arguments.length === 3 ? (s = t, n = r) : (s = t, a = r, n = e);\n var m = a ?? f.active(), i = this.startSpan(p, s, m), l = u.setSpan(m, i);\n return f.with(l, n, void 0, i);\n }\n }, o.prototype.getGeneralLimits = function() {\n return this._generalLimits;\n }, o.prototype.getSpanLimits = function() {\n return this._spanLimits;\n }, o.prototype.getActiveSpanProcessor = function() {\n return this._tracerProvider.getActiveSpanProcessor();\n }, o;\n }()\n);\nexport {\n U as Tracer\n};\n","import \"../../../api/build/esm/index.mjs\";\nimport \"../../../core/build/esm/index.mjs\";\nimport \"../../../resources/build/esm/index.mjs\";\nimport \"./index.mjs\";\nimport { loadDefaultConfig as f } from \"./config.mjs\";\nimport { MultiSpanProcessor as g } from \"./MultiSpanProcessor.mjs\";\nimport { NoopSpanProcessor as v } from \"./export/NoopSpanProcessor.mjs\";\nimport \"./platform/browser/index.mjs\";\nimport { reconfigureLimits as d } from \"./utility.mjs\";\nimport { merge as h } from \"../../../core/build/esm/utils/merge.mjs\";\nimport { Resource as c } from \"../../../resources/build/esm/Resource.mjs\";\nimport { BatchSpanProcessor as l } from \"./platform/browser/export/BatchSpanProcessor.mjs\";\nimport { Tracer as P } from \"./Tracer.mjs\";\nimport { diag as u } from \"../../../api/build/esm/diag-api.mjs\";\nimport { trace as _ } from \"../../../api/build/esm/trace-api.mjs\";\nimport { context as w } from \"../../../api/build/esm/context-api.mjs\";\nimport { propagation as E } from \"../../../api/build/esm/propagation-api.mjs\";\nimport { getEnv as m } from \"../../../core/build/esm/platform/browser/environment.mjs\";\nimport { CompositePropagator as x } from \"../../../core/build/esm/propagation/composite.mjs\";\nimport { W3CTraceContextPropagator as S } from \"../../../core/build/esm/trace/W3CTraceContextPropagator.mjs\";\nimport { W3CBaggagePropagator as T } from \"../../../core/build/esm/baggage/propagation/W3CBaggagePropagator.mjs\";\nvar s;\n(function(o) {\n o[o.resolved = 0] = \"resolved\", o[o.timeout = 1] = \"timeout\", o[o.error = 2] = \"error\", o[o.unresolved = 3] = \"unresolved\";\n})(s || (s = {}));\nvar J = (\n /** @class */\n function() {\n function o(r) {\n r === void 0 && (r = {});\n var e;\n this._registeredSpanProcessors = [], this._tracers = /* @__PURE__ */ new Map();\n var n = h({}, f(), d(r));\n this.resource = (e = n.resource) !== null && e !== void 0 ? e : c.empty(), this.resource = c.default().merge(this.resource), this._config = Object.assign({}, n, {\n resource: this.resource\n });\n var t = this._buildExporterFromEnv();\n if (t !== void 0) {\n var i = new l(t);\n this.activeSpanProcessor = i;\n } else\n this.activeSpanProcessor = new v();\n }\n return o.prototype.getTracer = function(r, e, n) {\n var t = r + \"@\" + (e || \"\") + \":\" + ((n == null ? void 0 : n.schemaUrl) || \"\");\n return this._tracers.has(t) || this._tracers.set(t, new P({ name: r, version: e, schemaUrl: n == null ? void 0 : n.schemaUrl }, this._config, this)), this._tracers.get(t);\n }, o.prototype.addSpanProcessor = function(r) {\n this._registeredSpanProcessors.length === 0 && this.activeSpanProcessor.shutdown().catch(function(e) {\n return u.error(\"Error while trying to shutdown current span processor\", e);\n }), this._registeredSpanProcessors.push(r), this.activeSpanProcessor = new g(this._registeredSpanProcessors);\n }, o.prototype.getActiveSpanProcessor = function() {\n return this.activeSpanProcessor;\n }, o.prototype.register = function(r) {\n r === void 0 && (r = {}), _.setGlobalTracerProvider(this), r.propagator === void 0 && (r.propagator = this._buildPropagatorFromEnv()), r.contextManager && w.setGlobalContextManager(r.contextManager), r.propagator && E.setGlobalPropagator(r.propagator);\n }, o.prototype.forceFlush = function() {\n var r = this._config.forceFlushTimeoutMillis, e = this._registeredSpanProcessors.map(function(n) {\n return new Promise(function(t) {\n var i, a = setTimeout(function() {\n t(new Error(\"Span processor did not completed within timeout period of \" + r + \" ms\")), i = s.timeout;\n }, r);\n n.forceFlush().then(function() {\n clearTimeout(a), i !== s.timeout && (i = s.resolved, t(i));\n }).catch(function(p) {\n clearTimeout(a), i = s.error, t(p);\n });\n });\n });\n return new Promise(function(n, t) {\n Promise.all(e).then(function(i) {\n var a = i.filter(function(p) {\n return p !== s.resolved;\n });\n a.length > 0 ? t(a) : n();\n }).catch(function(i) {\n return t([i]);\n });\n });\n }, o.prototype.shutdown = function() {\n return this.activeSpanProcessor.shutdown();\n }, o.prototype._getPropagator = function(r) {\n var e;\n return (e = this.constructor._registeredPropagators.get(r)) === null || e === void 0 ? void 0 : e();\n }, o.prototype._getSpanExporter = function(r) {\n var e;\n return (e = this.constructor._registeredExporters.get(r)) === null || e === void 0 ? void 0 : e();\n }, o.prototype._buildPropagatorFromEnv = function() {\n var r = this, e = Array.from(new Set(m().OTEL_PROPAGATORS)), n = e.map(function(i) {\n var a = r._getPropagator(i);\n return a || u.warn('Propagator \"' + i + '\" requested through environment variable is unavailable.'), a;\n }), t = n.reduce(function(i, a) {\n return a && i.push(a), i;\n }, []);\n if (t.length !== 0)\n return e.length === 1 ? t[0] : new x({\n propagators: t\n });\n }, o.prototype._buildExporterFromEnv = function() {\n var r = m().OTEL_TRACES_EXPORTER;\n if (!(r === \"none\" || r === \"\")) {\n var e = this._getSpanExporter(r);\n return e || u.error('Exporter \"' + r + '\" requested through environment variable is unavailable.'), e;\n }\n }, o._registeredPropagators = /* @__PURE__ */ new Map([\n [\"tracecontext\", function() {\n return new S();\n }],\n [\"baggage\", function() {\n return new T();\n }]\n ]), o._registeredExporters = /* @__PURE__ */ new Map(), o;\n }()\n);\nexport {\n J as BasicTracerProvider,\n s as ForceFlushState\n};\n","import { buildSamplerFromEnv as E, loadDefaultConfig as d } from \"./config.mjs\";\nimport \"../../../core/build/esm/index.mjs\";\nimport { getEnvWithoutDefaults as I } from \"../../../core/build/esm/platform/browser/environment.mjs\";\nimport { DEFAULT_ATTRIBUTE_COUNT_LIMIT as p, DEFAULT_ATTRIBUTE_VALUE_LENGTH_LIMIT as U } from \"../../../core/build/esm/utils/environment.mjs\";\nfunction c(i) {\n var a = {\n sampler: E()\n }, t = d(), n = Object.assign({}, t, a, i);\n return n.generalLimits = Object.assign({}, t.generalLimits, i.generalLimits || {}), n.spanLimits = Object.assign({}, t.spanLimits, i.spanLimits || {}), n;\n}\nfunction N(i) {\n var a, t, n, l, e, T, _, m, r, s, o, u, v = Object.assign({}, i.spanLimits), L = I();\n return v.attributeCountLimit = (T = (e = (l = (t = (a = i.spanLimits) === null || a === void 0 ? void 0 : a.attributeCountLimit) !== null && t !== void 0 ? t : (n = i.generalLimits) === null || n === void 0 ? void 0 : n.attributeCountLimit) !== null && l !== void 0 ? l : L.OTEL_SPAN_ATTRIBUTE_COUNT_LIMIT) !== null && e !== void 0 ? e : L.OTEL_ATTRIBUTE_COUNT_LIMIT) !== null && T !== void 0 ? T : p, v.attributeValueLengthLimit = (u = (o = (s = (m = (_ = i.spanLimits) === null || _ === void 0 ? void 0 : _.attributeValueLengthLimit) !== null && m !== void 0 ? m : (r = i.generalLimits) === null || r === void 0 ? void 0 : r.attributeValueLengthLimit) !== null && s !== void 0 ? s : L.OTEL_SPAN_ATTRIBUTE_VALUE_LENGTH_LIMIT) !== null && o !== void 0 ? o : L.OTEL_ATTRIBUTE_VALUE_LENGTH_LIMIT) !== null && u !== void 0 ? u : U, Object.assign({}, i, { spanLimits: v });\n}\nexport {\n c as mergeConfig,\n N as reconfigureLimits\n};\n","import \"../../../api/build/esm/index.mjs\";\nimport \"../../../semantic-conventions/build/esm/index.mjs\";\nimport \"../../../core/build/esm/index.mjs\";\nimport \"./platform/browser/index.mjs\";\nimport { diag as _ } from \"../../../api/build/esm/diag-api.mjs\";\nimport { SEMRESATTRS_SERVICE_NAME as m, SEMRESATTRS_TELEMETRY_SDK_LANGUAGE as y, SEMRESATTRS_TELEMETRY_SDK_NAME as h, SEMRESATTRS_TELEMETRY_SDK_VERSION as v } from \"../../../semantic-conventions/build/esm/resource/SemanticResourceAttributes.mjs\";\nimport { defaultServiceName as A } from \"./platform/browser/default-service-name.mjs\";\nimport { SDK_INFO as d } from \"../../../core/build/esm/platform/browser/sdk-info.mjs\";\nvar f = function() {\n return f = Object.assign || function(u) {\n for (var r, e = 1, s = arguments.length; e < s; e++) {\n r = arguments[e];\n for (var i in r) Object.prototype.hasOwnProperty.call(r, i) && (u[i] = r[i]);\n }\n return u;\n }, f.apply(this, arguments);\n}, E = function(u, r, e, s) {\n function i(t) {\n return t instanceof e ? t : new e(function(a) {\n a(t);\n });\n }\n return new (e || (e = Promise))(function(t, a) {\n function o(c) {\n try {\n n(s.next(c));\n } catch (b) {\n a(b);\n }\n }\n function l(c) {\n try {\n n(s.throw(c));\n } catch (b) {\n a(b);\n }\n }\n function n(c) {\n c.done ? t(c.value) : i(c.value).then(o, l);\n }\n n((s = s.apply(u, r || [])).next());\n });\n}, g = function(u, r) {\n var e = { label: 0, sent: function() {\n if (t[0] & 1) throw t[1];\n return t[1];\n }, trys: [], ops: [] }, s, i, t, a;\n return a = { next: o(0), throw: o(1), return: o(2) }, typeof Symbol == \"function\" && (a[Symbol.iterator] = function() {\n return this;\n }), a;\n function o(n) {\n return function(c) {\n return l([n, c]);\n };\n }\n function l(n) {\n if (s) throw new TypeError(\"Generator is already executing.\");\n for (; e; ) try {\n if (s = 1, i && (t = n[0] & 2 ? i.return : n[0] ? i.throw || ((t = i.return) && t.call(i), 0) : i.next) && !(t = t.call(i, n[1])).done) return t;\n switch (i = 0, t && (n = [n[0] & 2, t.value]), n[0]) {\n case 0:\n case 1:\n t = n;\n break;\n case 4:\n return e.label++, { value: n[1], done: !1 };\n case 5:\n e.label++, i = n[1], n = [0];\n continue;\n case 7:\n n = e.ops.pop(), e.trys.pop();\n continue;\n default:\n if (t = e.trys, !(t = t.length > 0 && t[t.length - 1]) && (n[0] === 6 || n[0] === 2)) {\n e = 0;\n continue;\n }\n if (n[0] === 3 && (!t || n[1] > t[0] && n[1] < t[3])) {\n e.label = n[1];\n break;\n }\n if (n[0] === 6 && e.label < t[1]) {\n e.label = t[1], t = n;\n break;\n }\n if (t && e.label < t[2]) {\n e.label = t[2], e.ops.push(n);\n break;\n }\n t[2] && e.ops.pop(), e.trys.pop();\n continue;\n }\n n = r.call(u, e);\n } catch (c) {\n n = [6, c], i = 0;\n } finally {\n s = t = 0;\n }\n if (n[0] & 5) throw n[1];\n return { value: n[0] ? n[1] : void 0, done: !0 };\n }\n}, S = function(u, r) {\n var e = typeof Symbol == \"function\" && u[Symbol.iterator];\n if (!e) return u;\n var s = e.call(u), i, t = [], a;\n try {\n for (; (r === void 0 || r-- > 0) && !(i = s.next()).done; ) t.push(i.value);\n } catch (o) {\n a = { error: o };\n } finally {\n try {\n i && !i.done && (e = s.return) && e.call(s);\n } finally {\n if (a) throw a.error;\n }\n }\n return t;\n}, N = (\n /** @class */\n function() {\n function u(r, e) {\n var s = this, i;\n this._attributes = r, this.asyncAttributesPending = e != null, this._syncAttributes = (i = this._attributes) !== null && i !== void 0 ? i : {}, this._asyncAttributesPromise = e == null ? void 0 : e.then(function(t) {\n return s._attributes = Object.assign({}, s._attributes, t), s.asyncAttributesPending = !1, t;\n }, function(t) {\n return _.debug(\"a resource's async attributes promise rejected: %s\", t), s.asyncAttributesPending = !1, {};\n });\n }\n return u.empty = function() {\n return u.EMPTY;\n }, u.default = function() {\n var r;\n return new u((r = {}, r[m] = A(), r[y] = d[y], r[h] = d[h], r[v] = d[v], r));\n }, Object.defineProperty(u.prototype, \"attributes\", {\n get: function() {\n var r;\n return this.asyncAttributesPending && _.error(\"Accessing resource attributes before async attributes settled\"), (r = this._attributes) !== null && r !== void 0 ? r : {};\n },\n enumerable: !1,\n configurable: !0\n }), u.prototype.waitForAsyncAttributes = function() {\n return E(this, void 0, void 0, function() {\n return g(this, function(r) {\n switch (r.label) {\n case 0:\n return this.asyncAttributesPending ? [4, this._asyncAttributesPromise] : [3, 2];\n case 1:\n r.sent(), r.label = 2;\n case 2:\n return [\n 2\n /*return*/\n ];\n }\n });\n });\n }, u.prototype.merge = function(r) {\n var e = this, s;\n if (!r)\n return this;\n var i = f(f({}, this._syncAttributes), (s = r._syncAttributes) !== null && s !== void 0 ? s : r.attributes);\n if (!this._asyncAttributesPromise && !r._asyncAttributesPromise)\n return new u(i);\n var t = Promise.all([\n this._asyncAttributesPromise,\n r._asyncAttributesPromise\n ]).then(function(a) {\n var o, l = S(a, 2), n = l[0], c = l[1];\n return f(f(f(f({}, e._syncAttributes), n), (o = r._syncAttributes) !== null && o !== void 0 ? o : r.attributes), c);\n });\n return new u(i, t);\n }, u.EMPTY = new u({}), u;\n }()\n);\nexport {\n N as Resource\n};\n","function e() {\n return \"unknown_service\";\n}\nexport {\n e as defaultServiceName\n};\n","import { Resource as t } from \"../Resource.mjs\";\nvar e = (\n /** @class */\n function() {\n function o() {\n }\n return o.prototype.detect = function() {\n return new t({});\n }, o;\n }()\n), r = new e();\nexport {\n e as NoopDetectorSync,\n r as noopDetectorSync\n};\n","import \"../../../../semantic-conventions/build/esm/index.mjs\";\nimport \"../../../../api/build/esm/index.mjs\";\nimport { Resource as u } from \"../Resource.mjs\";\nimport { SEMRESATTRS_PROCESS_RUNTIME_NAME as f, SEMRESATTRS_PROCESS_RUNTIME_DESCRIPTION as S, SEMRESATTRS_PROCESS_RUNTIME_VERSION as a } from \"../../../../semantic-conventions/build/esm/resource/SemanticResourceAttributes.mjs\";\nimport { diag as _ } from \"../../../../api/build/esm/diag-api.mjs\";\nvar s = function() {\n return s = Object.assign || function(o) {\n for (var r, e = 1, n = arguments.length; e < n; e++) {\n r = arguments[e];\n for (var t in r) Object.prototype.hasOwnProperty.call(r, t) && (o[t] = r[t]);\n }\n return o;\n }, s.apply(this, arguments);\n}, v = (\n /** @class */\n function() {\n function o() {\n }\n return o.prototype.detect = function(r) {\n var e, n, t, i, c = typeof navigator < \"u\" && ((t = (n = global.process) === null || n === void 0 ? void 0 : n.versions) === null || t === void 0 ? void 0 : t.node) === void 0 && // Node.js v21 adds `navigator`\n // eslint-disable-next-line @typescript-eslint/ban-ts-comment\n // @ts-ignore don't have Bun types\n ((i = global.Bun) === null || i === void 0 ? void 0 : i.version) === void 0;\n if (!c)\n return u.empty();\n var d = (e = {}, e[f] = \"browser\", e[S] = \"Web Browser\", e[a] = navigator.userAgent, e);\n return this._getResourceAttributes(d, r);\n }, o.prototype._getResourceAttributes = function(r, e) {\n return r[a] === \"\" ? (_.debug(\"BrowserDetector failed: Unable to find required browser resources. \"), u.empty()) : new u(s({}, r));\n }, o;\n }()\n), b = new v();\nexport {\n b as browserDetectorSync\n};\n","import { noopDetectorSync as t } from \"./NoopDetectorSync.mjs\";\nvar e = (\n /** @class */\n function() {\n function o() {\n }\n return o.prototype.detect = function() {\n return Promise.resolve(t.detect());\n }, o;\n }()\n), n = new e();\nexport {\n e as NoopDetector,\n n as noopDetector\n};\n","import { browserDetectorSync as t } from \"./BrowserDetectorSync.mjs\";\nvar o = (\n /** @class */\n function() {\n function e() {\n }\n return e.prototype.detect = function(r) {\n return Promise.resolve(t.detect(r));\n }, e;\n }()\n), n = new o();\nexport {\n n as browserDetector\n};\n","import \"../../../../api/build/esm/index.mjs\";\nimport \"../../../../core/build/esm/index.mjs\";\nimport \"../../../../semantic-conventions/build/esm/index.mjs\";\nimport { Resource as h } from \"../Resource.mjs\";\nimport { getEnv as d } from \"../../../../core/build/esm/platform/browser/environment.mjs\";\nimport { diag as A } from \"../../../../api/build/esm/diag-api.mjs\";\nimport { SEMRESATTRS_SERVICE_NAME as S } from \"../../../../semantic-conventions/build/esm/resource/SemanticResourceAttributes.mjs\";\nvar v = function(t) {\n var r = typeof Symbol == \"function\" && Symbol.iterator, e = r && t[r], n = 0;\n if (e) return e.call(t);\n if (t && typeof t.length == \"number\") return {\n next: function() {\n return t && n >= t.length && (t = void 0), { value: t && t[n++], done: !t };\n }\n };\n throw new TypeError(r ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\n}, p = function(t, r) {\n var e = typeof Symbol == \"function\" && t[Symbol.iterator];\n if (!e) return t;\n var n = e.call(t), i, _ = [], o;\n try {\n for (; (r === void 0 || r-- > 0) && !(i = n.next()).done; ) _.push(i.value);\n } catch (a) {\n o = { error: a };\n } finally {\n try {\n i && !i.done && (e = n.return) && e.call(n);\n } finally {\n if (o) throw o.error;\n }\n }\n return _;\n}, R = (\n /** @class */\n function() {\n function t() {\n this._MAX_LENGTH = 255, this._COMMA_SEPARATOR = \",\", this._LABEL_KEY_VALUE_SPLITTER = \"=\", this._ERROR_MESSAGE_INVALID_CHARS = \"should be a ASCII string with a length greater than 0 and not exceed \" + this._MAX_LENGTH + \" characters.\", this._ERROR_MESSAGE_INVALID_VALUE = \"should be a ASCII string with a length not exceed \" + this._MAX_LENGTH + \" characters.\";\n }\n return t.prototype.detect = function(r) {\n var e = {}, n = d(), i = n.OTEL_RESOURCE_ATTRIBUTES, _ = n.OTEL_SERVICE_NAME;\n if (i)\n try {\n var o = this._parseResourceAttributes(i);\n Object.assign(e, o);\n } catch (a) {\n A.debug(\"EnvDetector failed: \" + a.message);\n }\n return _ && (e[S] = _), new h(e);\n }, t.prototype._parseResourceAttributes = function(r) {\n var e, n;\n if (!r)\n return {};\n var i = {}, _ = r.split(this._COMMA_SEPARATOR, -1);\n try {\n for (var o = v(_), a = o.next(); !a.done; a = o.next()) {\n var l = a.value, c = l.split(this._LABEL_KEY_VALUE_SPLITTER, -1);\n if (c.length === 2) {\n var s = p(c, 2), E = s[0], f = s[1];\n if (E = E.trim(), f = f.trim().split(/^\"|\"$/).join(\"\"), !this._isValidAndNotEmpty(E))\n throw new Error(\"Attribute key \" + this._ERROR_MESSAGE_INVALID_CHARS);\n if (!this._isValid(f))\n throw new Error(\"Attribute value \" + this._ERROR_MESSAGE_INVALID_VALUE);\n i[E] = decodeURIComponent(f);\n }\n }\n } catch (u) {\n e = { error: u };\n } finally {\n try {\n a && !a.done && (n = o.return) && n.call(o);\n } finally {\n if (e) throw e.error;\n }\n }\n return i;\n }, t.prototype._isValid = function(r) {\n return r.length <= this._MAX_LENGTH && this._isBaggageOctetString(r);\n }, t.prototype._isBaggageOctetString = function(r) {\n for (var e = 0; e < r.length; e++) {\n var n = r.charCodeAt(e);\n if (n < 33 || n === 44 || n === 59 || n === 92 || n > 126)\n return !1;\n }\n return !0;\n }, t.prototype._isValidAndNotEmpty = function(r) {\n return r.length > 0 && this._isValid(r);\n }, t;\n }()\n), O = new R();\nexport {\n O as envDetectorSync\n};\n","import { Resource as d } from \"./Resource.mjs\";\nimport \"../../../api/build/esm/index.mjs\";\nimport { isPromiseLike as m } from \"./utils.mjs\";\nimport { diag as l } from \"../../../api/build/esm/diag-api.mjs\";\nvar b = function(c, a, n, i) {\n function r(e) {\n return e instanceof n ? e : new n(function(u) {\n u(e);\n });\n }\n return new (n || (n = Promise))(function(e, u) {\n function f(o) {\n try {\n t(i.next(o));\n } catch (v) {\n u(v);\n }\n }\n function s(o) {\n try {\n t(i.throw(o));\n } catch (v) {\n u(v);\n }\n }\n function t(o) {\n o.done ? e(o.value) : r(o.value).then(f, s);\n }\n t((i = i.apply(c, a || [])).next());\n });\n}, h = function(c, a) {\n var n = { label: 0, sent: function() {\n if (e[0] & 1) throw e[1];\n return e[1];\n }, trys: [], ops: [] }, i, r, e, u;\n return u = { next: f(0), throw: f(1), return: f(2) }, typeof Symbol == \"function\" && (u[Symbol.iterator] = function() {\n return this;\n }), u;\n function f(t) {\n return function(o) {\n return s([t, o]);\n };\n }\n function s(t) {\n if (i) throw new TypeError(\"Generator is already executing.\");\n for (; n; ) try {\n if (i = 1, r && (e = t[0] & 2 ? r.return : t[0] ? r.throw || ((e = r.return) && e.call(r), 0) : r.next) && !(e = e.call(r, t[1])).done) return e;\n switch (r = 0, e && (t = [t[0] & 2, e.value]), t[0]) {\n case 0:\n case 1:\n e = t;\n break;\n case 4:\n return n.label++, { value: t[1], done: !1 };\n case 5:\n n.label++, r = t[1], t = [0];\n continue;\n case 7:\n t = n.ops.pop(), n.trys.pop();\n continue;\n default:\n if (e = n.trys, !(e = e.length > 0 && e[e.length - 1]) && (t[0] === 6 || t[0] === 2)) {\n n = 0;\n continue;\n }\n if (t[0] === 3 && (!e || t[1] > e[0] && t[1] < e[3])) {\n n.label = t[1];\n break;\n }\n if (t[0] === 6 && n.label < e[1]) {\n n.label = e[1], e = t;\n break;\n }\n if (e && n.label < e[2]) {\n n.label = e[2], n.ops.push(t);\n break;\n }\n e[2] && n.ops.pop(), n.trys.pop();\n continue;\n }\n t = a.call(c, n);\n } catch (o) {\n t = [6, o], r = 0;\n } finally {\n i = e = 0;\n }\n if (t[0] & 5) throw t[1];\n return { value: t[0] ? t[1] : void 0, done: !0 };\n }\n}, k = function(c) {\n return c === void 0 && (c = {}), b(void 0, void 0, void 0, function() {\n var a;\n return h(this, function(n) {\n switch (n.label) {\n case 0:\n return [4, Promise.all((c.detectors || []).map(function(i) {\n return b(void 0, void 0, void 0, function() {\n var r, e;\n return h(this, function(u) {\n switch (u.label) {\n case 0:\n return u.trys.push([0, 2, , 3]), [4, i.detect(c)];\n case 1:\n return r = u.sent(), l.debug(i.constructor.name + \" found resource.\", r), [2, r];\n case 2:\n return e = u.sent(), l.debug(i.constructor.name + \" failed: \" + e.message), [2, d.empty()];\n case 3:\n return [\n 2\n /*return*/\n ];\n }\n });\n });\n }))];\n case 1:\n return a = n.sent(), y(a), [2, a.reduce(function(i, r) {\n return i.merge(r);\n }, d.empty())];\n }\n });\n });\n}, x = function(c) {\n var a;\n c === void 0 && (c = {});\n var n = ((a = c.detectors) !== null && a !== void 0 ? a : []).map(function(r) {\n try {\n var e = r.detect(c), u;\n if (m(e)) {\n var f = function() {\n return b(void 0, void 0, void 0, function() {\n var s;\n return h(this, function(t) {\n switch (t.label) {\n case 0:\n return [4, e];\n case 1:\n return s = t.sent(), [2, s.attributes];\n }\n });\n });\n };\n u = new d({}, f());\n } else\n u = e;\n return u.waitForAsyncAttributes ? u.waitForAsyncAttributes().then(function() {\n return l.debug(r.constructor.name + \" found resource.\", u);\n }) : l.debug(r.constructor.name + \" found resource.\", u), u;\n } catch (s) {\n return l.error(r.constructor.name + \" failed: \" + s.message), d.empty();\n }\n }), i = n.reduce(function(r, e) {\n return r.merge(e);\n }, d.empty());\n return i.waitForAsyncAttributes && i.waitForAsyncAttributes().then(function() {\n y(n);\n }), i;\n}, y = function(c) {\n c.forEach(function(a) {\n if (Object.keys(a.attributes).length > 0) {\n var n = JSON.stringify(a.attributes, null, 4);\n l.verbose(n);\n }\n });\n};\nexport {\n k as detectResources,\n x as detectResourcesSync\n};\n","import { envDetectorSync as r } from \"./EnvDetectorSync.mjs\";\nvar n = (\n /** @class */\n function() {\n function e() {\n }\n return e.prototype.detect = function(t) {\n return Promise.resolve(r.detect(t));\n }, e;\n }()\n), c = new n();\nexport {\n c as envDetector\n};\n","import \"../../../core/build/esm/index.mjs\";\nimport { globalErrorHandler as u } from \"../../../core/build/esm/common/global-error-handler.mjs\";\nvar f = function(t) {\n var n = typeof Symbol == \"function\" && Symbol.iterator, a = n && t[n], o = 0;\n if (a) return a.call(t);\n if (t && typeof t.length == \"number\") return {\n next: function() {\n return t && o >= t.length && (t = void 0), { value: t && t[o++], done: !t };\n }\n };\n throw new TypeError(n ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\n}, y = (\n /** @class */\n function() {\n function t(n) {\n this._spanProcessors = n;\n }\n return t.prototype.forceFlush = function() {\n var n, a, o = [];\n try {\n for (var e = f(this._spanProcessors), r = e.next(); !r.done; r = e.next()) {\n var l = r.value;\n o.push(l.forceFlush());\n }\n } catch (i) {\n n = { error: i };\n } finally {\n try {\n r && !r.done && (a = e.return) && a.call(e);\n } finally {\n if (n) throw n.error;\n }\n }\n return new Promise(function(i) {\n Promise.all(o).then(function() {\n i();\n }).catch(function(s) {\n u(s || new Error(\"MultiSpanProcessor: forceFlush failed\")), i();\n });\n });\n }, t.prototype.onStart = function(n, a) {\n var o, e;\n try {\n for (var r = f(this._spanProcessors), l = r.next(); !l.done; l = r.next()) {\n var i = l.value;\n i.onStart(n, a);\n }\n } catch (s) {\n o = { error: s };\n } finally {\n try {\n l && !l.done && (e = r.return) && e.call(r);\n } finally {\n if (o) throw o.error;\n }\n }\n }, t.prototype.onEnd = function(n) {\n var a, o;\n try {\n for (var e = f(this._spanProcessors), r = e.next(); !r.done; r = e.next()) {\n var l = r.value;\n l.onEnd(n);\n }\n } catch (i) {\n a = { error: i };\n } finally {\n try {\n r && !r.done && (o = e.return) && o.call(e);\n } finally {\n if (a) throw a.error;\n }\n }\n }, t.prototype.shutdown = function() {\n var n, a, o = [];\n try {\n for (var e = f(this._spanProcessors), r = e.next(); !r.done; r = e.next()) {\n var l = r.value;\n o.push(l.shutdown());\n }\n } catch (i) {\n n = { error: i };\n } finally {\n try {\n r && !r.done && (a = e.return) && a.call(e);\n } finally {\n if (n) throw n.error;\n }\n }\n return new Promise(function(i, s) {\n Promise.all(o).then(function() {\n i();\n }, s);\n });\n }, t;\n }()\n);\nexport {\n y as MultiSpanProcessor\n};\n","var r = (\n /** @class */\n function() {\n function o() {\n }\n return o.prototype.onStart = function(n, t) {\n }, o.prototype.onEnd = function(n) {\n }, o.prototype.shutdown = function() {\n return Promise.resolve();\n }, o.prototype.forceFlush = function() {\n return Promise.resolve();\n }, o;\n }()\n);\nexport {\n r as NoopSpanProcessor\n};\n","var t;\n(function(E) {\n E.CONNECT_END = \"connectEnd\", E.CONNECT_START = \"connectStart\", E.DECODED_BODY_SIZE = \"decodedBodySize\", E.DOM_COMPLETE = \"domComplete\", E.DOM_CONTENT_LOADED_EVENT_END = \"domContentLoadedEventEnd\", E.DOM_CONTENT_LOADED_EVENT_START = \"domContentLoadedEventStart\", E.DOM_INTERACTIVE = \"domInteractive\", E.DOMAIN_LOOKUP_END = \"domainLookupEnd\", E.DOMAIN_LOOKUP_START = \"domainLookupStart\", E.ENCODED_BODY_SIZE = \"encodedBodySize\", E.FETCH_START = \"fetchStart\", E.LOAD_EVENT_END = \"loadEventEnd\", E.LOAD_EVENT_START = \"loadEventStart\", E.NAVIGATION_START = \"navigationStart\", E.REDIRECT_END = \"redirectEnd\", E.REDIRECT_START = \"redirectStart\", E.REQUEST_START = \"requestStart\", E.RESPONSE_END = \"responseEnd\", E.RESPONSE_START = \"responseStart\", E.SECURE_CONNECTION_START = \"secureConnectionStart\", E.UNLOAD_EVENT_END = \"unloadEventEnd\", E.UNLOAD_EVENT_START = \"unloadEventStart\";\n})(t || (t = {}));\nexport {\n t as PerformanceTimingNames\n};\n","import { PerformanceTimingNames as f } from \"./enums/PerformanceTimingNames.mjs\";\nimport \"../../../core/build/esm/index.mjs\";\nimport \"../../../semantic-conventions/build/esm/index.mjs\";\nimport { SEMATTRS_HTTP_RESPONSE_CONTENT_LENGTH as A, SEMATTRS_HTTP_RESPONSE_CONTENT_LENGTH_UNCOMPRESSED as D } from \"../../../semantic-conventions/build/esm/trace/SemanticAttributes.mjs\";\nimport { hrTimeToNanoseconds as N, timeInputToHrTime as S } from \"../../../core/build/esm/common/time.mjs\";\nimport { urlMatches as C } from \"../../../core/build/esm/utils/url.mjs\";\nvar _;\nfunction c() {\n return _ || (_ = document.createElement(\"a\")), _;\n}\nfunction O(e, n) {\n return n in e;\n}\nfunction E(e, n, r, t) {\n var i = void 0, a = void 0;\n O(r, n) && typeof r[n] == \"number\" && (i = r[n]);\n var d = t || f.FETCH_START;\n if (O(r, d) && typeof r[d] == \"number\" && (a = r[d]), i !== void 0 && a !== void 0 && i >= a)\n return e.addEvent(n, i), e;\n}\nfunction w(e, n) {\n E(e, f.FETCH_START, n), E(e, f.DOMAIN_LOOKUP_START, n), E(e, f.DOMAIN_LOOKUP_END, n), E(e, f.CONNECT_START, n), O(n, \"name\") && n.name.startsWith(\"https:\") && E(e, f.SECURE_CONNECTION_START, n), E(e, f.CONNECT_END, n), E(e, f.REQUEST_START, n), E(e, f.RESPONSE_START, n), E(e, f.RESPONSE_END, n);\n var r = n[f.ENCODED_BODY_SIZE];\n r !== void 0 && e.setAttribute(A, r);\n var t = n[f.DECODED_BODY_SIZE];\n t !== void 0 && r !== t && e.setAttribute(D, t);\n}\nfunction h(e) {\n return e.slice().sort(function(n, r) {\n var t = n[f.FETCH_START], i = r[f.FETCH_START];\n return t > i ? 1 : t < i ? -1 : 0;\n });\n}\nfunction p() {\n return typeof location < \"u\" ? location.origin : void 0;\n}\nfunction F(e, n, r, t, i, a) {\n i === void 0 && (i = /* @__PURE__ */ new WeakSet());\n var d = R(e);\n e = d.toString();\n var u = g(e, n, r, t, i, a);\n if (u.length === 0)\n return {\n mainRequest: void 0\n };\n if (u.length === 1)\n return {\n mainRequest: u[0]\n };\n var T = h(u);\n if (d.origin !== p() && T.length > 1) {\n var o = T[0], l = y(T, o[f.RESPONSE_END], r), v = o[f.RESPONSE_END], m = l[f.FETCH_START];\n return m < v && (l = o, o = void 0), {\n corsPreFlightRequest: o,\n mainRequest: l\n };\n } else\n return {\n mainRequest: u[0]\n };\n}\nfunction y(e, n, r) {\n for (var t = N(r), i = N(S(n)), a = e[1], d, u = e.length, T = 1; T < u; T++) {\n var o = e[T], l = N(S(o[f.FETCH_START])), v = N(S(o[f.RESPONSE_END])), m = t - v;\n l >= i && (!d || m < d) && (d = m, a = o);\n }\n return a;\n}\nfunction g(e, n, r, t, i, a) {\n var d = N(n), u = N(r), T = t.filter(function(o) {\n var l = N(S(o[f.FETCH_START])), v = N(S(o[f.RESPONSE_END]));\n return o.initiatorType.toLowerCase() === (a || \"xmlhttprequest\") && o.name === e && l >= d && v <= u;\n });\n return T.length > 0 && (T = T.filter(function(o) {\n return !i.has(o);\n })), T;\n}\nfunction R(e) {\n if (typeof URL == \"function\")\n return new URL(e, typeof document < \"u\" ? document.baseURI : typeof location < \"u\" ? location.href : void 0);\n var n = c();\n return n.href = e, n;\n}\nfunction k(e) {\n var n = R(e);\n return n.href;\n}\nfunction H(e, n) {\n if (e.nodeType === Node.DOCUMENT_NODE)\n return \"/\";\n var r = U(e, n);\n if (n && r.indexOf(\"@id\") > 0)\n return r;\n var t = \"\";\n return e.parentNode && (t += H(e.parentNode, !1)), t += r, t;\n}\nfunction P(e) {\n if (!e.parentNode)\n return 0;\n var n = [e.nodeType];\n e.nodeType === Node.CDATA_SECTION_NODE && n.push(Node.TEXT_NODE);\n var r = Array.from(e.parentNode.childNodes);\n return r = r.filter(function(t) {\n var i = t.localName;\n return n.indexOf(t.nodeType) >= 0 && i === e.localName;\n }), r.length >= 1 ? r.indexOf(e) + 1 : 0;\n}\nfunction U(e, n) {\n var r = e.nodeType, t = P(e), i = \"\";\n if (r === Node.ELEMENT_NODE) {\n var a = e.getAttribute(\"id\");\n if (n && a)\n return '//*[@id=\"' + a + '\"]';\n i = e.localName;\n } else if (r === Node.TEXT_NODE || r === Node.CDATA_SECTION_NODE)\n i = \"text()\";\n else if (r === Node.COMMENT_NODE)\n i = \"comment()\";\n else\n return \"\";\n return i && t > 1 ? \"/\" + i + \"[\" + t + \"]\" : \"/\" + i;\n}\nfunction z(e, n) {\n var r = n || [];\n (typeof r == \"string\" || r instanceof RegExp) && (r = [r]);\n var t = R(e);\n return t.origin === p() ? !0 : r.some(function(i) {\n return C(e, i);\n });\n}\nexport {\n E as addSpanNetworkEvent,\n w as addSpanNetworkEvents,\n H as getElementXPath,\n F as getResource,\n O as hasKey,\n k as normalizeUrl,\n R as parseUrl,\n z as shouldPropagateTraceHeaders,\n h as sortResources\n};\n","import \"../../../../core/build/esm/index.mjs\";\nimport { hrTimeToMicroseconds as a } from \"../../../../core/build/esm/common/time.mjs\";\nimport { ExportResultCode as l } from \"../../../../core/build/esm/ExportResult.mjs\";\nvar c = function(e) {\n var t = typeof Symbol == \"function\" && Symbol.iterator, r = t && e[t], o = 0;\n if (r) return r.call(e);\n if (e && typeof e.length == \"number\") return {\n next: function() {\n return e && o >= e.length && (e = void 0), { value: e && e[o++], done: !e };\n }\n };\n throw new TypeError(t ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\n}, v = (\n /** @class */\n function() {\n function e() {\n }\n return e.prototype.export = function(t, r) {\n return this._sendSpans(t, r);\n }, e.prototype.shutdown = function() {\n return this._sendSpans([]), this.forceFlush();\n }, e.prototype.forceFlush = function() {\n return Promise.resolve();\n }, e.prototype._exportInfo = function(t) {\n var r;\n return {\n resource: {\n attributes: t.resource.attributes\n },\n traceId: t.spanContext().traceId,\n parentId: t.parentSpanId,\n traceState: (r = t.spanContext().traceState) === null || r === void 0 ? void 0 : r.serialize(),\n name: t.name,\n id: t.spanContext().spanId,\n kind: t.kind,\n timestamp: a(t.startTime),\n duration: a(t.duration),\n attributes: t.attributes,\n status: t.status,\n events: t.events,\n links: t.links\n };\n }, e.prototype._sendSpans = function(t, r) {\n var o, u;\n try {\n for (var i = c(t), n = i.next(); !n.done; n = i.next()) {\n var d = n.value;\n console.dir(this._exportInfo(d), { depth: 3 });\n }\n } catch (f) {\n o = { error: f };\n } finally {\n try {\n n && !n.done && (u = i.return) && u.call(i);\n } finally {\n if (o) throw o.error;\n }\n }\n if (r)\n return r({ code: l.SUCCESS });\n }, e;\n }()\n);\nexport {\n v as ConsoleSpanExporter\n};\n","import \"../../../../api/build/esm/index.mjs\";\nimport { internal as h } from \"../../../../core/build/esm/index.mjs\";\nimport { BindOnceFuture as p } from \"../../../../core/build/esm/utils/callback.mjs\";\nimport { TraceFlags as w } from \"../../../../api/build/esm/trace/trace_flags.mjs\";\nimport { ExportResultCode as v } from \"../../../../core/build/esm/ExportResult.mjs\";\nimport { globalErrorHandler as d } from \"../../../../core/build/esm/common/global-error-handler.mjs\";\nvar _ = function(c, r, n, s) {\n function o(t) {\n return t instanceof n ? t : new n(function(i) {\n i(t);\n });\n }\n return new (n || (n = Promise))(function(t, i) {\n function u(a) {\n try {\n e(s.next(a));\n } catch (f) {\n i(f);\n }\n }\n function l(a) {\n try {\n e(s.throw(a));\n } catch (f) {\n i(f);\n }\n }\n function e(a) {\n a.done ? t(a.value) : o(a.value).then(u, l);\n }\n e((s = s.apply(c, r || [])).next());\n });\n}, y = function(c, r) {\n var n = { label: 0, sent: function() {\n if (t[0] & 1) throw t[1];\n return t[1];\n }, trys: [], ops: [] }, s, o, t, i;\n return i = { next: u(0), throw: u(1), return: u(2) }, typeof Symbol == \"function\" && (i[Symbol.iterator] = function() {\n return this;\n }), i;\n function u(e) {\n return function(a) {\n return l([e, a]);\n };\n }\n function l(e) {\n if (s) throw new TypeError(\"Generator is already executing.\");\n for (; n; ) try {\n if (s = 1, o && (t = e[0] & 2 ? o.return : e[0] ? o.throw || ((t = o.return) && t.call(o), 0) : o.next) && !(t = t.call(o, e[1])).done) return t;\n switch (o = 0, t && (e = [e[0] & 2, t.value]), e[0]) {\n case 0:\n case 1:\n t = e;\n break;\n case 4:\n return n.label++, { value: e[1], done: !1 };\n case 5:\n n.label++, o = e[1], e = [0];\n continue;\n case 7:\n e = n.ops.pop(), n.trys.pop();\n continue;\n default:\n if (t = n.trys, !(t = t.length > 0 && t[t.length - 1]) && (e[0] === 6 || e[0] === 2)) {\n n = 0;\n continue;\n }\n if (e[0] === 3 && (!t || e[1] > t[0] && e[1] < t[3])) {\n n.label = e[1];\n break;\n }\n if (e[0] === 6 && n.label < t[1]) {\n n.label = t[1], t = e;\n break;\n }\n if (t && n.label < t[2]) {\n n.label = t[2], n.ops.push(e);\n break;\n }\n t[2] && n.ops.pop(), n.trys.pop();\n continue;\n }\n e = r.call(c, n);\n } catch (a) {\n e = [6, a], o = 0;\n } finally {\n s = t = 0;\n }\n if (e[0] & 5) throw e[1];\n return { value: e[0] ? e[1] : void 0, done: !0 };\n }\n}, F = (\n /** @class */\n function() {\n function c(r) {\n this._exporter = r, this._shutdownOnce = new p(this._shutdown, this), this._unresolvedExports = /* @__PURE__ */ new Set();\n }\n return c.prototype.forceFlush = function() {\n return _(this, void 0, void 0, function() {\n return y(this, function(r) {\n switch (r.label) {\n case 0:\n return [4, Promise.all(Array.from(this._unresolvedExports))];\n case 1:\n return r.sent(), this._exporter.forceFlush ? [4, this._exporter.forceFlush()] : [3, 3];\n case 2:\n r.sent(), r.label = 3;\n case 3:\n return [\n 2\n /*return*/\n ];\n }\n });\n });\n }, c.prototype.onStart = function(r, n) {\n }, c.prototype.onEnd = function(r) {\n var n = this, s, o;\n if (!this._shutdownOnce.isCalled && r.spanContext().traceFlags & w.SAMPLED) {\n var t = function() {\n return h._export(n._exporter, [r]).then(function(u) {\n var l;\n u.code !== v.SUCCESS && d((l = u.error) !== null && l !== void 0 ? l : new Error(\"SimpleSpanProcessor: span export failed (status \" + u + \")\"));\n }).catch(function(u) {\n d(u);\n });\n };\n if (r.resource.asyncAttributesPending) {\n var i = (o = (s = r.resource).waitForAsyncAttributes) === null || o === void 0 ? void 0 : o.call(s).then(function() {\n return i != null && n._unresolvedExports.delete(i), t();\n }, function(u) {\n return d(u);\n });\n i != null && this._unresolvedExports.add(i);\n } else\n t();\n }\n }, c.prototype.shutdown = function() {\n return this._shutdownOnce.call();\n }, c.prototype._shutdown = function() {\n return this._exporter.shutdown();\n }, c;\n }()\n);\nexport {\n F as SimpleSpanProcessor\n};\n","import \"../../../../core/build/esm/index.mjs\";\nimport { ExportResultCode as s } from \"../../../../core/build/esm/ExportResult.mjs\";\nvar u = function(r, t) {\n var n = typeof Symbol == \"function\" && r[Symbol.iterator];\n if (!n) return r;\n var e = n.call(r), i, o = [], p;\n try {\n for (; (t === void 0 || t-- > 0) && !(i = e.next()).done; ) o.push(i.value);\n } catch (a) {\n p = { error: a };\n } finally {\n try {\n i && !i.done && (n = e.return) && n.call(e);\n } finally {\n if (p) throw p.error;\n }\n }\n return o;\n}, f = function(r, t, n) {\n if (n || arguments.length === 2) for (var e = 0, i = t.length, o; e < i; e++)\n (o || !(e in t)) && (o || (o = Array.prototype.slice.call(t, 0, e)), o[e] = t[e]);\n return r.concat(o || Array.prototype.slice.call(t));\n}, c = (\n /** @class */\n function() {\n function r() {\n this._finishedSpans = [], this._stopped = !1;\n }\n return r.prototype.export = function(t, n) {\n var e;\n if (this._stopped)\n return n({\n code: s.FAILED,\n error: new Error(\"Exporter has been stopped\")\n });\n (e = this._finishedSpans).push.apply(e, f([], u(t), !1)), setTimeout(function() {\n return n({ code: s.SUCCESS });\n }, 0);\n }, r.prototype.shutdown = function() {\n return this._stopped = !0, this._finishedSpans = [], this.forceFlush();\n }, r.prototype.forceFlush = function() {\n return Promise.resolve();\n }, r.prototype.reset = function() {\n this._finishedSpans = [];\n }, r.prototype.getFinishedSpans = function() {\n return this._finishedSpans;\n }, r;\n }()\n);\nexport {\n c as InMemorySpanExporter\n};\n","import \"../../../api/build/esm/index.mjs\";\nimport { ROOT_CONTEXT as l } from \"../../../api/build/esm/context/context.mjs\";\nvar f = function(i, t) {\n var r = typeof Symbol == \"function\" && i[Symbol.iterator];\n if (!r) return i;\n var n = r.call(i), a, e = [], o;\n try {\n for (; (t === void 0 || t-- > 0) && !(a = n.next()).done; ) e.push(a.value);\n } catch (u) {\n o = { error: u };\n } finally {\n try {\n a && !a.done && (r = n.return) && r.call(n);\n } finally {\n if (o) throw o.error;\n }\n }\n return e;\n}, s = function(i, t, r) {\n if (r || arguments.length === 2) for (var n = 0, a = t.length, e; n < a; n++)\n (e || !(n in t)) && (e || (e = Array.prototype.slice.call(t, 0, n)), e[n] = t[n]);\n return i.concat(e || Array.prototype.slice.call(t));\n}, h = (\n /** @class */\n function() {\n function i() {\n this._enabled = !1, this._currentContext = l;\n }\n return i.prototype._bindFunction = function(t, r) {\n t === void 0 && (t = l);\n var n = this, a = function() {\n for (var e = this, o = [], u = 0; u < arguments.length; u++)\n o[u] = arguments[u];\n return n.with(t, function() {\n return r.apply(e, o);\n });\n };\n return Object.defineProperty(a, \"length\", {\n enumerable: !1,\n configurable: !0,\n writable: !1,\n value: r.length\n }), a;\n }, i.prototype.active = function() {\n return this._currentContext;\n }, i.prototype.bind = function(t, r) {\n return t === void 0 && (t = this.active()), typeof r == \"function\" ? this._bindFunction(t, r) : r;\n }, i.prototype.disable = function() {\n return this._currentContext = l, this._enabled = !1, this;\n }, i.prototype.enable = function() {\n return this._enabled ? this : (this._enabled = !0, this._currentContext = l, this);\n }, i.prototype.with = function(t, r, n) {\n for (var a = [], e = 3; e < arguments.length; e++)\n a[e - 3] = arguments[e];\n var o = this._currentContext;\n this._currentContext = t || l;\n try {\n return r.call.apply(r, s([n], f(a), !1));\n } finally {\n this._currentContext = o;\n }\n }, i;\n }()\n);\nexport {\n h as StackContextManager\n};\n","import \"../../../sdk-trace-base/build/esm/index.mjs\";\nimport { StackContextManager as i } from \"./StackContextManager.mjs\";\nimport { BasicTracerProvider as c } from \"../../../sdk-trace-base/build/esm/BasicTracerProvider.mjs\";\nvar u = /* @__PURE__ */ function() {\n var o = function(r, t) {\n return o = Object.setPrototypeOf || { __proto__: [] } instanceof Array && function(e, n) {\n e.__proto__ = n;\n } || function(e, n) {\n for (var a in n) Object.prototype.hasOwnProperty.call(n, a) && (e[a] = n[a]);\n }, o(r, t);\n };\n return function(r, t) {\n if (typeof t != \"function\" && t !== null)\n throw new TypeError(\"Class extends value \" + String(t) + \" is not a constructor or null\");\n o(r, t);\n function e() {\n this.constructor = r;\n }\n r.prototype = t === null ? Object.create(t) : (e.prototype = t.prototype, new e());\n };\n}(), f = (\n /** @class */\n function(o) {\n u(r, o);\n function r(t) {\n t === void 0 && (t = {});\n var e = o.call(this, t) || this;\n if (t.contextManager)\n throw \"contextManager should be defined in register method not in constructor\";\n if (t.propagator)\n throw \"propagator should be defined in register method not in constructor\";\n return e;\n }\n return r.prototype.register = function(t) {\n t === void 0 && (t = {}), t.contextManager === void 0 && (t.contextManager = new i()), t.contextManager && t.contextManager.enable(), o.prototype.register.call(this, t);\n }, r;\n }(c)\n);\nexport {\n f as WebTracerProvider\n};\n","var l = function(e) {\n var t = typeof Symbol == \"function\" && Symbol.iterator, n = t && e[t], r = 0;\n if (n) return n.call(e);\n if (e && typeof e.length == \"number\") return {\n next: function() {\n return e && r >= e.length && (e = void 0), { value: e && e[r++], done: !e };\n }\n };\n throw new TypeError(t ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\n};\nfunction y(e, t) {\n return typeof t == \"string\" ? e === t : !!e.match(t);\n}\nfunction c(e, t) {\n var n, r;\n if (!t)\n return !1;\n try {\n for (var a = l(t), f = a.next(); !f.done; f = a.next()) {\n var u = f.value;\n if (y(e, u))\n return !0;\n }\n } catch (i) {\n n = { error: i };\n } finally {\n try {\n f && !f.done && (r = a.return) && r.call(a);\n } finally {\n if (n) throw n.error;\n }\n }\n return !1;\n}\nexport {\n c as isUrlIgnored,\n y as urlMatches\n};\n","import \"../../../api/build/esm/index.mjs\";\nimport \"../../../core/build/esm/index.mjs\";\nimport { diag as u } from \"../../../api/build/esm/diag-api.mjs\";\nimport { getEnv as f } from \"../../../core/build/esm/platform/browser/environment.mjs\";\nvar _ = function(e, r) {\n var n = typeof Symbol == \"function\" && e[Symbol.iterator];\n if (!n) return e;\n var a = n.call(e), t, o = [], i;\n try {\n for (; (r === void 0 || r-- > 0) && !(t = a.next()).done; ) o.push(t.value);\n } catch (E) {\n i = { error: E };\n } finally {\n try {\n t && !t.done && (n = a.return) && n.call(a);\n } finally {\n if (i) throw i.error;\n }\n }\n return o;\n}, T = 1e4, O = 5, R = 1e3, h = 5e3, s = 1.5;\nfunction L(e) {\n e === void 0 && (e = {});\n var r = {};\n return Object.entries(e).forEach(function(n) {\n var a = _(n, 2), t = a[0], o = a[1];\n typeof o < \"u\" ? r[t] = String(o) : u.warn('Header \"' + t + '\" has invalid value (' + o + \") and will be ignored\");\n }), r;\n}\nfunction y(e, r) {\n return e.endsWith(\"/\") || (e = e + \"/\"), e + r;\n}\nfunction A(e) {\n try {\n var r = new URL(e);\n return r.pathname === \"\" && (r.pathname = r.pathname + \"/\"), r.toString();\n } catch {\n return u.warn(\"Could not parse export URL: '\" + e + \"'\"), e;\n }\n}\nfunction F(e) {\n return typeof e == \"number\" ? e <= 0 ? d(e, T) : e : v();\n}\nfunction v() {\n var e, r = Number((e = f().OTEL_EXPORTER_OTLP_TRACES_TIMEOUT) !== null && e !== void 0 ? e : f().OTEL_EXPORTER_OTLP_TIMEOUT);\n return r <= 0 ? d(r, T) : r;\n}\nfunction d(e, r) {\n return u.warn(\"Timeout must be greater than 0\", e), r;\n}\nfunction P(e) {\n var r = [429, 502, 503, 504];\n return r.includes(e);\n}\nfunction b(e) {\n if (e == null)\n return -1;\n var r = Number.parseInt(e, 10);\n if (Number.isInteger(r))\n return r > 0 ? r * 1e3 : -1;\n var n = new Date(e).getTime() - Date.now();\n return n >= 0 ? n : 0;\n}\nexport {\n s as DEFAULT_EXPORT_BACKOFF_MULTIPLIER,\n R as DEFAULT_EXPORT_INITIAL_BACKOFF,\n O as DEFAULT_EXPORT_MAX_ATTEMPTS,\n h as DEFAULT_EXPORT_MAX_BACKOFF,\n y as appendResourcePathToUrl,\n A as appendRootPathToUrlIfNeeded,\n F as configureExporterTimeout,\n d as invalidTimeout,\n P as isExportRetryable,\n L as parseHeaders,\n b as parseRetryAfterToMills\n};\n","import \"../../../api/build/esm/index.mjs\";\nimport \"../../../core/build/esm/index.mjs\";\nimport { configureExporterTimeout as u } from \"./util.mjs\";\nimport { BindOnceFuture as c } from \"../../../core/build/esm/utils/callback.mjs\";\nimport { ExportResultCode as e } from \"../../../core/build/esm/ExportResult.mjs\";\nimport { diag as s } from \"../../../api/build/esm/diag-api.mjs\";\nvar y = (\n /** @class */\n function() {\n function r(t) {\n t === void 0 && (t = {}), this._sendingPromises = [], this.url = this.getDefaultUrl(t), typeof t.hostname == \"string\" && (this.hostname = t.hostname), this.shutdown = this.shutdown.bind(this), this._shutdownOnce = new c(this._shutdown, this), this._concurrencyLimit = typeof t.concurrencyLimit == \"number\" ? t.concurrencyLimit : 30, this.timeoutMillis = u(t.timeoutMillis), this.onInit(t);\n }\n return r.prototype.export = function(t, o) {\n if (this._shutdownOnce.isCalled) {\n o({\n code: e.FAILED,\n error: new Error(\"Exporter has been shutdown\")\n });\n return;\n }\n if (this._sendingPromises.length >= this._concurrencyLimit) {\n o({\n code: e.FAILED,\n error: new Error(\"Concurrent export limit reached\")\n });\n return;\n }\n this._export(t).then(function() {\n o({ code: e.SUCCESS });\n }).catch(function(n) {\n o({ code: e.FAILED, error: n });\n });\n }, r.prototype._export = function(t) {\n var o = this;\n return new Promise(function(n, i) {\n try {\n s.debug(\"items to be sent\", t), o.send(t, n, i);\n } catch (h) {\n i(h);\n }\n });\n }, r.prototype.shutdown = function() {\n return this._shutdownOnce.call();\n }, r.prototype.forceFlush = function() {\n return Promise.all(this._sendingPromises).then(function() {\n });\n }, r.prototype._shutdown = function() {\n return s.debug(\"shutdown started\"), this.onShutdown(), this.forceFlush();\n }, r;\n }()\n);\nexport {\n y as OTLPExporterBase\n};\n","var i = /* @__PURE__ */ function() {\n var c = function(r, t) {\n return c = Object.setPrototypeOf || { __proto__: [] } instanceof Array && function(n, e) {\n n.__proto__ = e;\n } || function(n, e) {\n for (var o in e) Object.prototype.hasOwnProperty.call(e, o) && (n[o] = e[o]);\n }, c(r, t);\n };\n return function(r, t) {\n if (typeof t != \"function\" && t !== null)\n throw new TypeError(\"Class extends value \" + String(t) + \" is not a constructor or null\");\n c(r, t);\n function n() {\n this.constructor = r;\n }\n r.prototype = t === null ? Object.create(t) : (n.prototype = t.prototype, new n());\n };\n}(), u = (\n /** @class */\n function(c) {\n i(r, c);\n function r(t, n, e) {\n var o = c.call(this, t) || this;\n return o.name = \"OTLPExporterError\", o.data = e, o.code = n, o;\n }\n return r;\n }(Error)\n);\nexport {\n u as OTLPExporterError\n};\n","import \"../../../../../api/build/esm/index.mjs\";\nimport { OTLPExporterError as d } from \"../../types.mjs\";\nimport { DEFAULT_EXPORT_MAX_ATTEMPTS as O, DEFAULT_EXPORT_INITIAL_BACKOFF as g, isExportRetryable as E, DEFAULT_EXPORT_BACKOFF_MULTIPLIER as w, parseRetryAfterToMills as F, DEFAULT_EXPORT_MAX_BACKOFF as L } from \"../../util.mjs\";\nimport { diag as _ } from \"../../../../../api/build/esm/diag-api.mjs\";\nvar v = function() {\n return v = Object.assign || function(t) {\n for (var n, r = 1, i = arguments.length; r < i; r++) {\n n = arguments[r];\n for (var a in n) Object.prototype.hasOwnProperty.call(n, a) && (t[a] = n[a]);\n }\n return t;\n }, v.apply(this, arguments);\n}, X = function(t, n) {\n var r = typeof Symbol == \"function\" && t[Symbol.iterator];\n if (!r) return t;\n var i = r.call(t), a, s = [], o;\n try {\n for (; (n === void 0 || n-- > 0) && !(a = i.next()).done; ) s.push(a.value);\n } catch (e) {\n o = { error: e };\n } finally {\n try {\n a && !a.done && (r = i.return) && r.call(i);\n } finally {\n if (o) throw o.error;\n }\n }\n return s;\n};\nfunction q(t, n, r, i, a) {\n if (navigator.sendBeacon(n, new Blob([t], r)))\n _.debug(\"sendBeacon - can send\", t), i();\n else {\n var s = new d(\"sendBeacon - cannot send \" + t);\n a(s);\n }\n}\nfunction x(t, n, r, i, a, s) {\n var o, e, l = !1, T = setTimeout(function() {\n if (clearTimeout(o), l = !0, e.readyState === XMLHttpRequest.DONE) {\n var c = new d(\"Request Timeout\");\n s(c);\n } else\n e.abort();\n }, i), m = function(c, f) {\n c === void 0 && (c = O), f === void 0 && (f = g), e = new XMLHttpRequest(), e.open(\"POST\", n);\n var R = {\n Accept: \"application/json\",\n \"Content-Type\": \"application/json\"\n };\n Object.entries(v(v({}, R), r)).forEach(function(u) {\n var p = X(u, 2), h = p[0], A = p[1];\n e.setRequestHeader(h, A);\n }), e.send(t), e.onreadystatechange = function() {\n if (e.readyState === XMLHttpRequest.DONE && l === !1)\n if (e.status >= 200 && e.status <= 299)\n _.debug(\"xhr success\", t), a(), clearTimeout(T), clearTimeout(o);\n else if (e.status && E(e.status) && c > 0) {\n var u = void 0;\n f = w * f, e.getResponseHeader(\"Retry-After\") ? u = F(e.getResponseHeader(\"Retry-After\")) : u = Math.round(Math.random() * (L - f) + f), o = setTimeout(function() {\n m(c - 1, f);\n }, u);\n } else {\n var p = new d(\"Failed to export with XHR (status: \" + e.status + \")\", e.status);\n s(p), clearTimeout(T), clearTimeout(o);\n }\n }, e.onabort = function() {\n if (l) {\n var u = new d(\"Request Timeout\");\n s(u);\n }\n clearTimeout(T), clearTimeout(o);\n }, e.onerror = function() {\n if (l) {\n var u = new d(\"Request Timeout\");\n s(u);\n }\n clearTimeout(T), clearTimeout(o);\n };\n };\n m();\n}\nexport {\n q as sendWithBeacon,\n x as sendWithXhr\n};\n","import { OTLPExporterBase as c } from \"../../OTLPExporterBase.mjs\";\nimport { parseHeaders as l } from \"../../util.mjs\";\nimport { sendWithXhr as h, sendWithBeacon as y } from \"./util.mjs\";\nimport \"../../../../../api/build/esm/index.mjs\";\nimport \"../../../../../core/build/esm/index.mjs\";\nimport { parseKeyPairsIntoRecord as m } from \"../../../../../core/build/esm/baggage/utils.mjs\";\nimport { getEnv as v } from \"../../../../../core/build/esm/platform/browser/environment.mjs\";\nimport { diag as O } from \"../../../../../api/build/esm/diag-api.mjs\";\nvar P = /* @__PURE__ */ function() {\n var i = function(n, t) {\n return i = Object.setPrototypeOf || { __proto__: [] } instanceof Array && function(o, r) {\n o.__proto__ = r;\n } || function(o, r) {\n for (var e in r) Object.prototype.hasOwnProperty.call(r, e) && (o[e] = r[e]);\n }, i(n, t);\n };\n return function(n, t) {\n if (typeof t != \"function\" && t !== null)\n throw new TypeError(\"Class extends value \" + String(t) + \" is not a constructor or null\");\n i(n, t);\n function o() {\n this.constructor = n;\n }\n n.prototype = t === null ? Object.create(t) : (o.prototype = t.prototype, new o());\n };\n}(), a = function() {\n return a = Object.assign || function(i) {\n for (var n, t = 1, o = arguments.length; t < o; t++) {\n n = arguments[t];\n for (var r in n) Object.prototype.hasOwnProperty.call(n, r) && (i[r] = n[r]);\n }\n return i;\n }, a.apply(this, arguments);\n}, H = (\n /** @class */\n function(i) {\n P(n, i);\n function n(t, o, r) {\n t === void 0 && (t = {});\n var e = i.call(this, t) || this;\n return e._useXHR = !1, e._serializer = o, e._contentType = r, e._useXHR = !!t.headers || typeof navigator.sendBeacon != \"function\", e._useXHR ? e._headers = Object.assign({}, l(t.headers), m(v().OTEL_EXPORTER_OTLP_HEADERS)) : e._headers = {}, e;\n }\n return n.prototype.onInit = function() {\n }, n.prototype.onShutdown = function() {\n }, n.prototype.send = function(t, o, r) {\n var e = this, u;\n if (this._shutdownOnce.isCalled) {\n O.debug(\"Shutdown already started. Cannot send objects\");\n return;\n }\n var f = (u = this._serializer.serializeRequest(t)) !== null && u !== void 0 ? u : new Uint8Array(), p = new Promise(function(s, d) {\n e._useXHR ? h(f, e.url, a(a({}, e._headers), { \"Content-Type\": e._contentType }), e.timeoutMillis, s, d) : y(f, e.url, { type: e._contentType }, s, d);\n }).then(o, r);\n this._sendingPromises.push(p);\n var _ = function() {\n var s = e._sendingPromises.indexOf(p);\n e._sendingPromises.splice(s, 1);\n };\n p.then(_, _);\n }, n;\n }(c)\n);\nexport {\n H as OTLPExporterBrowserBase\n};\n","function f(n) {\n return n >= 48 && n <= 57 ? n - 48 : n >= 97 && n <= 102 ? n - 87 : n - 55;\n}\nfunction e(n) {\n for (var t = new Uint8Array(n.length / 2), u = 0, r = 0; r < n.length; r += 2) {\n var v = f(n.charCodeAt(r)), a = f(n.charCodeAt(r + 1));\n t[u++] = v << 4 | a;\n }\n return t;\n}\nexport {\n e as hexToBinary\n};\n","import \"../../../../core/build/esm/index.mjs\";\nimport { hrTimeToNanoseconds as f } from \"../../../../core/build/esm/common/time.mjs\";\nimport { hexToBinary as o } from \"../../../../core/build/esm/common/hex-to-binary.mjs\";\nfunction u(n) {\n var e = BigInt(1e9);\n return BigInt(n[0]) * e + BigInt(n[1]);\n}\nfunction g(n) {\n var e = Number(BigInt.asUintN(32, n)), t = Number(BigInt.asUintN(32, n >> BigInt(32)));\n return { low: e, high: t };\n}\nfunction a(n) {\n var e = u(n);\n return g(e);\n}\nfunction s(n) {\n var e = u(n);\n return e.toString();\n}\nvar B = typeof BigInt < \"u\" ? s : f;\nfunction r(n) {\n return n;\n}\nfunction d(n) {\n if (n !== void 0)\n return o(n);\n}\nvar m = {\n encodeHrTime: a,\n encodeSpanContext: o,\n encodeOptionalSpanContext: d\n};\nfunction N(n) {\n var e, t;\n if (n === void 0)\n return m;\n var c = (e = n.useLongBits) !== null && e !== void 0 ? e : !0, i = (t = n.useHex) !== null && t !== void 0 ? t : !1;\n return {\n encodeHrTime: c ? a : B,\n encodeSpanContext: i ? r : o,\n encodeOptionalSpanContext: i ? r : d\n };\n}\nexport {\n a as encodeAsLongBits,\n s as encodeAsString,\n N as getOtlpEncoder,\n u as hrTimeToNanos,\n g as toLongBits\n};\n","var _;\n(function(N) {\n N[N.SPAN_KIND_UNSPECIFIED = 0] = \"SPAN_KIND_UNSPECIFIED\", N[N.SPAN_KIND_INTERNAL = 1] = \"SPAN_KIND_INTERNAL\", N[N.SPAN_KIND_SERVER = 2] = \"SPAN_KIND_SERVER\", N[N.SPAN_KIND_CLIENT = 3] = \"SPAN_KIND_CLIENT\", N[N.SPAN_KIND_PRODUCER = 4] = \"SPAN_KIND_PRODUCER\", N[N.SPAN_KIND_CONSUMER = 5] = \"SPAN_KIND_CONSUMER\";\n})(_ || (_ = {}));\nexport {\n _ as ESpanKind\n};\n","var c = function(r, n) {\n var e = typeof Symbol == \"function\" && r[Symbol.iterator];\n if (!e) return r;\n var t = e.call(r), i, u = [], o;\n try {\n for (; (n === void 0 || n-- > 0) && !(i = t.next()).done; ) u.push(i.value);\n } catch (l) {\n o = { error: l };\n } finally {\n try {\n i && !i.done && (e = t.return) && e.call(t);\n } finally {\n if (o) throw o.error;\n }\n }\n return u;\n};\nfunction y(r) {\n return {\n name: r.name,\n version: r.version\n };\n}\nfunction s(r) {\n return Object.keys(r).map(function(n) {\n return a(n, r[n]);\n });\n}\nfunction a(r, n) {\n return {\n key: r,\n value: f(n)\n };\n}\nfunction f(r) {\n var n = typeof r;\n return n === \"string\" ? { stringValue: r } : n === \"number\" ? Number.isInteger(r) ? { intValue: r } : { doubleValue: r } : n === \"boolean\" ? { boolValue: r } : r instanceof Uint8Array ? { bytesValue: r } : Array.isArray(r) ? { arrayValue: { values: r.map(f) } } : n === \"object\" && r != null ? {\n kvlistValue: {\n values: Object.entries(r).map(function(e) {\n var t = c(e, 2), i = t[0], u = t[1];\n return a(i, u);\n })\n }\n } : {};\n}\nexport {\n y as createInstrumentationScope,\n f as toAnyValue,\n s as toAttributes,\n a as toKeyValue\n};\n","import { toAttributes as a } from \"../common/internal.mjs\";\nfunction s(t, e) {\n var n, o = t.spanContext(), i = t.status;\n return {\n traceId: e.encodeSpanContext(o.traceId),\n spanId: e.encodeSpanContext(o.spanId),\n parentSpanId: e.encodeOptionalSpanContext(t.parentSpanId),\n traceState: (n = o.traceState) === null || n === void 0 ? void 0 : n.serialize(),\n name: t.name,\n // Span kind is offset by 1 because the API does not define a value for unset\n kind: t.kind == null ? 0 : t.kind + 1,\n startTimeUnixNano: e.encodeHrTime(t.startTime),\n endTimeUnixNano: e.encodeHrTime(t.endTime),\n attributes: a(t.attributes),\n droppedAttributesCount: t.droppedAttributesCount,\n events: t.events.map(function(r) {\n return d(r, e);\n }),\n droppedEventsCount: t.droppedEventsCount,\n status: {\n // API and proto enums share the same values\n code: i.code,\n message: i.message\n },\n links: t.links.map(function(r) {\n return u(r, e);\n }),\n droppedLinksCount: t.droppedLinksCount\n };\n}\nfunction u(t, e) {\n var n;\n return {\n attributes: t.attributes ? a(t.attributes) : [],\n spanId: e.encodeSpanContext(t.context.spanId),\n traceId: e.encodeSpanContext(t.context.traceId),\n traceState: (n = t.context.traceState) === null || n === void 0 ? void 0 : n.serialize(),\n droppedAttributesCount: t.droppedAttributesCount || 0\n };\n}\nfunction d(t, e) {\n return {\n attributes: t.attributes ? a(t.attributes) : [],\n name: t.name,\n timeUnixNano: e.encodeHrTime(t.time),\n droppedAttributesCount: t.droppedAttributesCount || 0\n };\n}\nexport {\n s as sdkSpanToOtlpSpan,\n u as toOtlpLink,\n d as toOtlpSpanEvent\n};\n","import { toAttributes as r } from \"../common/internal.mjs\";\nfunction o(t) {\n return {\n attributes: r(t.attributes),\n droppedAttributesCount: 0\n };\n}\nexport {\n o as createResource\n};\n","import { sdkSpanToOtlpSpan as p } from \"./internal.mjs\";\nimport { getOtlpEncoder as d } from \"../common/index.mjs\";\nimport { createInstrumentationScope as x } from \"../common/internal.mjs\";\nimport { createResource as w } from \"../resource/internal.mjs\";\nvar g = function(r) {\n var e = typeof Symbol == \"function\" && Symbol.iterator, t = e && r[e], n = 0;\n if (t) return t.call(r);\n if (r && typeof r.length == \"number\") return {\n next: function() {\n return r && n >= r.length && (r = void 0), { value: r && r[n++], done: !r };\n }\n };\n throw new TypeError(e ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\n}, b = function(r, e) {\n var t = typeof Symbol == \"function\" && r[Symbol.iterator];\n if (!t) return r;\n var n = t.call(r), u, a = [], i;\n try {\n for (; (e === void 0 || e-- > 0) && !(u = n.next()).done; ) a.push(u.value);\n } catch (o) {\n i = { error: o };\n } finally {\n try {\n u && !u.done && (t = n.return) && t.call(n);\n } finally {\n if (i) throw i.error;\n }\n }\n return a;\n};\nfunction k(r, e) {\n var t = d(e);\n return {\n resourceSpans: R(r, t)\n };\n}\nfunction L(r) {\n var e, t, n = /* @__PURE__ */ new Map();\n try {\n for (var u = g(r), a = u.next(); !a.done; a = u.next()) {\n var i = a.value, o = n.get(i.resource);\n o || (o = /* @__PURE__ */ new Map(), n.set(i.resource, o));\n var v = i.instrumentationLibrary.name + \"@\" + (i.instrumentationLibrary.version || \"\") + \":\" + (i.instrumentationLibrary.schemaUrl || \"\"), f = o.get(v);\n f || (f = [], o.set(v, f)), f.push(i);\n }\n } catch (c) {\n e = { error: c };\n } finally {\n try {\n a && !a.done && (t = u.return) && t.call(u);\n } finally {\n if (e) throw e.error;\n }\n }\n return n;\n}\nfunction R(r, e) {\n for (var t = L(r), n = [], u = t.entries(), a = u.next(); !a.done; ) {\n for (var i = b(a.value, 2), o = i[0], v = i[1], f = [], c = v.values(), s = c.next(); !s.done; ) {\n var l = s.value;\n if (l.length > 0) {\n var m = l.map(function(h) {\n return p(h, e);\n });\n f.push({\n scope: x(l[0].instrumentationLibrary),\n spans: m,\n schemaUrl: l[0].instrumentationLibrary.schemaUrl\n });\n }\n s = c.next();\n }\n var y = {\n resource: w(o),\n scopeSpans: f,\n schemaUrl: void 0\n };\n n.push(y), a = u.next();\n }\n return n;\n}\nexport {\n k as createExportTraceServiceRequest\n};\n","var L;\n(function(E) {\n E[E.DELTA = 0] = \"DELTA\", E[E.CUMULATIVE = 1] = \"CUMULATIVE\";\n})(L || (L = {}));\nexport {\n L as AggregationTemporality\n};\n","var G;\n(function(A) {\n A[A.HISTOGRAM = 0] = \"HISTOGRAM\", A[A.EXPONENTIAL_HISTOGRAM = 1] = \"EXPONENTIAL_HISTOGRAM\", A[A.GAUGE = 2] = \"GAUGE\", A[A.SUM = 3] = \"SUM\";\n})(G || (G = {}));\nexport {\n G as DataPointType\n};\n","var v = /* @__PURE__ */ function() {\n var n = function(r, e) {\n return n = Object.setPrototypeOf || { __proto__: [] } instanceof Array && function(i, u) {\n i.__proto__ = u;\n } || function(i, u) {\n for (var t in u) Object.prototype.hasOwnProperty.call(u, t) && (i[t] = u[t]);\n }, n(r, e);\n };\n return function(r, e) {\n if (typeof e != \"function\" && e !== null)\n throw new TypeError(\"Class extends value \" + String(e) + \" is not a constructor or null\");\n n(r, e);\n function i() {\n this.constructor = r;\n }\n r.prototype = e === null ? Object.create(e) : (i.prototype = e.prototype, new i());\n };\n}(), d = function(n, r, e, i) {\n function u(t) {\n return t instanceof e ? t : new e(function(a) {\n a(t);\n });\n }\n return new (e || (e = Promise))(function(t, a) {\n function f(l) {\n try {\n o(i.next(l));\n } catch (s) {\n a(s);\n }\n }\n function c(l) {\n try {\n o(i.throw(l));\n } catch (s) {\n a(s);\n }\n }\n function o(l) {\n l.done ? t(l.value) : u(l.value).then(f, c);\n }\n o((i = i.apply(n, r || [])).next());\n });\n}, y = function(n, r) {\n var e = { label: 0, sent: function() {\n if (t[0] & 1) throw t[1];\n return t[1];\n }, trys: [], ops: [] }, i, u, t, a;\n return a = { next: f(0), throw: f(1), return: f(2) }, typeof Symbol == \"function\" && (a[Symbol.iterator] = function() {\n return this;\n }), a;\n function f(o) {\n return function(l) {\n return c([o, l]);\n };\n }\n function c(o) {\n if (i) throw new TypeError(\"Generator is already executing.\");\n for (; e; ) try {\n if (i = 1, u && (t = o[0] & 2 ? u.return : o[0] ? u.throw || ((t = u.return) && t.call(u), 0) : u.next) && !(t = t.call(u, o[1])).done) return t;\n switch (u = 0, t && (o = [o[0] & 2, t.value]), o[0]) {\n case 0:\n case 1:\n t = o;\n break;\n case 4:\n return e.label++, { value: o[1], done: !1 };\n case 5:\n e.label++, u = o[1], o = [0];\n continue;\n case 7:\n o = e.ops.pop(), e.trys.pop();\n continue;\n default:\n if (t = e.trys, !(t = t.length > 0 && t[t.length - 1]) && (o[0] === 6 || o[0] === 2)) {\n e = 0;\n continue;\n }\n if (o[0] === 3 && (!t || o[1] > t[0] && o[1] < t[3])) {\n e.label = o[1];\n break;\n }\n if (o[0] === 6 && e.label < t[1]) {\n e.label = t[1], t = o;\n break;\n }\n if (t && e.label < t[2]) {\n e.label = t[2], e.ops.push(o);\n break;\n }\n t[2] && e.ops.pop(), e.trys.pop();\n continue;\n }\n o = r.call(n, e);\n } catch (l) {\n o = [6, l], u = 0;\n } finally {\n i = t = 0;\n }\n if (o[0] & 5) throw o[1];\n return { value: o[0] ? o[1] : void 0, done: !0 };\n }\n}, h = function(n, r) {\n var e = typeof Symbol == \"function\" && n[Symbol.iterator];\n if (!e) return n;\n var i = e.call(n), u, t = [], a;\n try {\n for (; (r === void 0 || r-- > 0) && !(u = i.next()).done; ) t.push(u.value);\n } catch (f) {\n a = { error: f };\n } finally {\n try {\n u && !u.done && (e = i.return) && e.call(i);\n } finally {\n if (a) throw a.error;\n }\n }\n return t;\n}, _ = function(n, r, e) {\n if (e || arguments.length === 2) for (var i = 0, u = r.length, t; i < u; i++)\n (t || !(i in r)) && (t || (t = Array.prototype.slice.call(r, 0, i)), t[i] = r[i]);\n return n.concat(t || Array.prototype.slice.call(r));\n}, w = function(n) {\n var r = typeof Symbol == \"function\" && Symbol.iterator, e = r && n[r], i = 0;\n if (e) return e.call(n);\n if (n && typeof n.length == \"number\") return {\n next: function() {\n return n && i >= n.length && (n = void 0), { value: n && n[i++], done: !n };\n }\n };\n throw new TypeError(r ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\n};\nfunction m(n) {\n return n != null;\n}\nfunction b(n) {\n var r = Object.keys(n);\n return r.length === 0 ? \"\" : (r = r.sort(), JSON.stringify(r.map(function(e) {\n return [e, n[e]];\n })));\n}\nfunction x(n) {\n var r, e;\n return n.name + \":\" + ((r = n.version) !== null && r !== void 0 ? r : \"\") + \":\" + ((e = n.schemaUrl) !== null && e !== void 0 ? e : \"\");\n}\nvar p = (\n /** @class */\n function(n) {\n v(r, n);\n function r(e) {\n var i = n.call(this, e) || this;\n return Object.setPrototypeOf(i, r.prototype), i;\n }\n return r;\n }(Error)\n);\nfunction g(n, r) {\n var e, i = new Promise(function(t, a) {\n e = setTimeout(function() {\n a(new p(\"Operation timed out.\"));\n }, r);\n });\n return Promise.race([n, i]).then(function(u) {\n return clearTimeout(e), u;\n }, function(u) {\n throw clearTimeout(e), u;\n });\n}\nfunction S(n) {\n return d(this, void 0, void 0, function() {\n var r = this;\n return y(this, function(e) {\n return [2, Promise.all(n.map(function(i) {\n return d(r, void 0, void 0, function() {\n var u, t;\n return y(this, function(a) {\n switch (a.label) {\n case 0:\n return a.trys.push([0, 2, , 3]), [4, i];\n case 1:\n return u = a.sent(), [2, {\n status: \"fulfilled\",\n value: u\n }];\n case 2:\n return t = a.sent(), [2, {\n status: \"rejected\",\n reason: t\n }];\n case 3:\n return [\n 2\n /*return*/\n ];\n }\n });\n });\n }))];\n });\n });\n}\nfunction O(n) {\n return n.status === \"rejected\";\n}\nfunction j(n, r) {\n var e = [];\n return n.forEach(function(i) {\n e.push.apply(e, _([], h(r(i)), !1));\n }), e;\n}\nfunction T(n, r) {\n var e, i;\n if (n.size !== r.size)\n return !1;\n try {\n for (var u = w(n), t = u.next(); !t.done; t = u.next()) {\n var a = t.value;\n if (!r.has(a))\n return !1;\n }\n } catch (f) {\n e = { error: f };\n } finally {\n try {\n t && !t.done && (i = u.return) && i.call(u);\n } finally {\n if (e) throw e.error;\n }\n }\n return !0;\n}\nfunction A(n, r) {\n for (var e = 0, i = n.length - 1; i - e > 1; ) {\n var u = Math.trunc((i + e) / 2);\n n[u] <= r ? e = u : i = u - 1;\n }\n return n[i] <= r ? i : n[e] <= r ? e : -1;\n}\nfunction E(n, r) {\n return n.toLowerCase() === r.toLowerCase();\n}\nexport {\n j as FlatMap,\n S as PromiseAllSettled,\n p as TimeoutError,\n A as binarySearchLB,\n g as callWithTimeout,\n E as equalsCaseInsensitive,\n b as hashAttributes,\n x as instrumentationScopeId,\n m as isNotNullish,\n O as isPromiseAllSettledRejectionResult,\n T as setEquals\n};\n","var S;\n(function(O) {\n O[O.DROP = 0] = \"DROP\", O[O.SUM = 1] = \"SUM\", O[O.LAST_VALUE = 2] = \"LAST_VALUE\", O[O.HISTOGRAM = 3] = \"HISTOGRAM\", O[O.EXPONENTIAL_HISTOGRAM = 4] = \"EXPONENTIAL_HISTOGRAM\";\n})(S || (S = {}));\nexport {\n S as AggregatorKind\n};\n","import { AggregatorKind as n } from \"./types.mjs\";\nvar p = (\n /** @class */\n function() {\n function t() {\n this.kind = n.DROP;\n }\n return t.prototype.createAccumulation = function() {\n }, t.prototype.merge = function(r, e) {\n }, t.prototype.diff = function(r, e) {\n }, t.prototype.toMetricData = function(r, e, o, i) {\n }, t;\n }()\n);\nexport {\n p as DropAggregator\n};\n","import \"../../../api/build/esm/index.mjs\";\nimport { equalsCaseInsensitive as n } from \"./utils.mjs\";\nimport { diag as _ } from \"../../../api/build/esm/diag-api.mjs\";\nimport { ValueType as O } from \"../../../api/build/esm/metrics/Metric.mjs\";\nvar d;\n(function(a) {\n a.COUNTER = \"COUNTER\", a.GAUGE = \"GAUGE\", a.HISTOGRAM = \"HISTOGRAM\", a.UP_DOWN_COUNTER = \"UP_DOWN_COUNTER\", a.OBSERVABLE_COUNTER = \"OBSERVABLE_COUNTER\", a.OBSERVABLE_GAUGE = \"OBSERVABLE_GAUGE\", a.OBSERVABLE_UP_DOWN_COUNTER = \"OBSERVABLE_UP_DOWN_COUNTER\";\n})(d || (d = {}));\nfunction B(a, e, i) {\n var l, v, E, u;\n return r(a) || _.warn('Invalid metric name: \"' + a + '\". The metric name should be a ASCII string with a length no greater than 255 characters.'), {\n name: a,\n type: e,\n description: (l = i == null ? void 0 : i.description) !== null && l !== void 0 ? l : \"\",\n unit: (v = i == null ? void 0 : i.unit) !== null && v !== void 0 ? v : \"\",\n valueType: (E = i == null ? void 0 : i.valueType) !== null && E !== void 0 ? E : O.DOUBLE,\n advice: (u = i == null ? void 0 : i.advice) !== null && u !== void 0 ? u : {}\n };\n}\nfunction T(a, e) {\n var i, l;\n return {\n name: (i = a.name) !== null && i !== void 0 ? i : e.name,\n description: (l = a.description) !== null && l !== void 0 ? l : e.description,\n type: e.type,\n unit: e.unit,\n valueType: e.valueType,\n advice: e.advice\n };\n}\nfunction t(a, e) {\n return n(a.name, e.name) && a.unit === e.unit && a.type === e.type && a.valueType === e.valueType;\n}\nvar c = /^[a-z][a-z0-9_.\\-/]{0,254}$/i;\nfunction r(a) {\n return a.match(c) != null;\n}\nexport {\n d as InstrumentType,\n B as createInstrumentDescriptor,\n T as createInstrumentDescriptorWithView,\n t as isDescriptorCompatibleWith,\n r as isValidName\n};\n","import { AggregatorKind as M } from \"./types.mjs\";\nimport { DataPointType as l } from \"../export/MetricData.mjs\";\nimport { InstrumentType as f } from \"../InstrumentDescriptor.mjs\";\nimport { binarySearchLB as p } from \"../utils.mjs\";\nvar d = function(e, t) {\n var i = typeof Symbol == \"function\" && e[Symbol.iterator];\n if (!i) return e;\n var n = i.call(e), r, u = [], s;\n try {\n for (; (t === void 0 || t-- > 0) && !(r = n.next()).done; ) u.push(r.value);\n } catch (c) {\n s = { error: c };\n } finally {\n try {\n r && !r.done && (i = n.return) && i.call(n);\n } finally {\n if (s) throw s.error;\n }\n }\n return u;\n};\nfunction y(e) {\n var t = e.map(function() {\n return 0;\n });\n return t.push(0), {\n buckets: {\n boundaries: e,\n counts: t\n },\n sum: 0,\n count: 0,\n hasMinMax: !1,\n min: 1 / 0,\n max: -1 / 0\n };\n}\nvar h = (\n /** @class */\n function() {\n function e(t, i, n, r) {\n n === void 0 && (n = !0), r === void 0 && (r = y(i)), this.startTime = t, this._boundaries = i, this._recordMinMax = n, this._current = r;\n }\n return e.prototype.record = function(t) {\n if (!Number.isNaN(t)) {\n this._current.count += 1, this._current.sum += t, this._recordMinMax && (this._current.min = Math.min(t, this._current.min), this._current.max = Math.max(t, this._current.max), this._current.hasMinMax = !0);\n var i = p(this._boundaries, t);\n this._current.buckets.counts[i + 1] += 1;\n }\n }, e.prototype.setStartTime = function(t) {\n this.startTime = t;\n }, e.prototype.toPointValue = function() {\n return this._current;\n }, e;\n }()\n), g = (\n /** @class */\n function() {\n function e(t, i) {\n this._boundaries = t, this._recordMinMax = i, this.kind = M.HISTOGRAM;\n }\n return e.prototype.createAccumulation = function(t) {\n return new h(t, this._boundaries, this._recordMinMax);\n }, e.prototype.merge = function(t, i) {\n for (var n = t.toPointValue(), r = i.toPointValue(), u = n.buckets.counts, s = r.buckets.counts, c = new Array(u.length), a = 0; a < u.length; a++)\n c[a] = u[a] + s[a];\n var o = 1 / 0, m = -1 / 0;\n return this._recordMinMax && (n.hasMinMax && r.hasMinMax ? (o = Math.min(n.min, r.min), m = Math.max(n.max, r.max)) : n.hasMinMax ? (o = n.min, m = n.max) : r.hasMinMax && (o = r.min, m = r.max)), new h(t.startTime, n.buckets.boundaries, this._recordMinMax, {\n buckets: {\n boundaries: n.buckets.boundaries,\n counts: c\n },\n count: n.count + r.count,\n sum: n.sum + r.sum,\n hasMinMax: this._recordMinMax && (n.hasMinMax || r.hasMinMax),\n min: o,\n max: m\n });\n }, e.prototype.diff = function(t, i) {\n for (var n = t.toPointValue(), r = i.toPointValue(), u = n.buckets.counts, s = r.buckets.counts, c = new Array(u.length), a = 0; a < u.length; a++)\n c[a] = s[a] - u[a];\n return new h(i.startTime, n.buckets.boundaries, this._recordMinMax, {\n buckets: {\n boundaries: n.buckets.boundaries,\n counts: c\n },\n count: r.count - n.count,\n sum: r.sum - n.sum,\n hasMinMax: !1,\n min: 1 / 0,\n max: -1 / 0\n });\n }, e.prototype.toMetricData = function(t, i, n, r) {\n return {\n descriptor: t,\n aggregationTemporality: i,\n dataPointType: l.HISTOGRAM,\n dataPoints: n.map(function(u) {\n var s = d(u, 2), c = s[0], a = s[1], o = a.toPointValue(), m = t.type === f.GAUGE || t.type === f.UP_DOWN_COUNTER || t.type === f.OBSERVABLE_GAUGE || t.type === f.OBSERVABLE_UP_DOWN_COUNTER;\n return {\n attributes: c,\n startTime: a.startTime,\n endTime: r,\n value: {\n min: o.hasMinMax ? o.min : void 0,\n max: o.hasMinMax ? o.max : void 0,\n sum: m ? void 0 : o.sum,\n buckets: o.buckets,\n count: o.count\n }\n };\n })\n };\n }, e;\n }()\n);\nexport {\n h as HistogramAccumulation,\n g as HistogramAggregator\n};\n","var c = function(n, t) {\n var e = typeof Symbol == \"function\" && n[Symbol.iterator];\n if (!e) return n;\n var r = e.call(n), i, s = [], o;\n try {\n for (; (t === void 0 || t-- > 0) && !(i = r.next()).done; ) s.push(i.value);\n } catch (a) {\n o = { error: a };\n } finally {\n try {\n i && !i.done && (e = r.return) && e.call(r);\n } finally {\n if (o) throw o.error;\n }\n }\n return s;\n}, h = function(n, t, e) {\n if (e || arguments.length === 2) for (var r = 0, i = t.length, s; r < i; r++)\n (s || !(r in t)) && (s || (s = Array.prototype.slice.call(t, 0, r)), s[r] = t[r]);\n return n.concat(s || Array.prototype.slice.call(t));\n}, l = (\n /** @class */\n function() {\n function n(t, e, r, i) {\n t === void 0 && (t = new f()), e === void 0 && (e = 0), r === void 0 && (r = 0), i === void 0 && (i = 0), this.backing = t, this.indexBase = e, this.indexStart = r, this.indexEnd = i;\n }\n return Object.defineProperty(n.prototype, \"offset\", {\n /**\n * Offset is the bucket index of the smallest entry in the counts array\n * @returns {number}\n */\n get: function() {\n return this.indexStart;\n },\n enumerable: !1,\n configurable: !0\n }), Object.defineProperty(n.prototype, \"length\", {\n /**\n * Buckets is a view into the backing array.\n * @returns {number}\n */\n get: function() {\n return this.backing.length === 0 || this.indexEnd === this.indexStart && this.at(0) === 0 ? 0 : this.indexEnd - this.indexStart + 1;\n },\n enumerable: !1,\n configurable: !0\n }), n.prototype.counts = function() {\n var t = this;\n return Array.from({ length: this.length }, function(e, r) {\n return t.at(r);\n });\n }, n.prototype.at = function(t) {\n var e = this.indexBase - this.indexStart;\n return t < e && (t += this.backing.length), t -= e, this.backing.countAt(t);\n }, n.prototype.incrementBucket = function(t, e) {\n this.backing.increment(t, e);\n }, n.prototype.decrementBucket = function(t, e) {\n this.backing.decrement(t, e);\n }, n.prototype.trim = function() {\n for (var t = 0; t < this.length; t++)\n if (this.at(t) !== 0) {\n this.indexStart += t;\n break;\n } else if (t === this.length - 1) {\n this.indexStart = this.indexEnd = this.indexBase = 0;\n return;\n }\n for (var t = this.length - 1; t >= 0; t--)\n if (this.at(t) !== 0) {\n this.indexEnd -= this.length - t - 1;\n break;\n }\n this._rotate();\n }, n.prototype.downscale = function(t) {\n this._rotate();\n for (var e = 1 + this.indexEnd - this.indexStart, r = 1 << t, i = 0, s = 0, o = this.indexStart; o <= this.indexEnd; ) {\n var a = o % r;\n a < 0 && (a += r);\n for (var u = a; u < r && i < e; u++)\n this._relocateBucket(s, i), i++, o++;\n s++;\n }\n this.indexStart >>= t, this.indexEnd >>= t, this.indexBase = this.indexStart;\n }, n.prototype.clone = function() {\n return new n(this.backing.clone(), this.indexBase, this.indexStart, this.indexEnd);\n }, n.prototype._rotate = function() {\n var t = this.indexBase - this.indexStart;\n t !== 0 && (t > 0 ? (this.backing.reverse(0, this.backing.length), this.backing.reverse(0, t), this.backing.reverse(t, this.backing.length)) : (this.backing.reverse(0, this.backing.length), this.backing.reverse(0, this.backing.length + t)), this.indexBase = this.indexStart);\n }, n.prototype._relocateBucket = function(t, e) {\n t !== e && this.incrementBucket(t, this.backing.emptyBucket(e));\n }, n;\n }()\n), f = (\n /** @class */\n function() {\n function n(t) {\n t === void 0 && (t = [0]), this._counts = t;\n }\n return Object.defineProperty(n.prototype, \"length\", {\n /**\n * length returns the physical size of the backing array, which\n * is >= buckets.length()\n */\n get: function() {\n return this._counts.length;\n },\n enumerable: !1,\n configurable: !0\n }), n.prototype.countAt = function(t) {\n return this._counts[t];\n }, n.prototype.growTo = function(t, e, r) {\n var i = new Array(t).fill(0);\n i.splice.apply(i, h([\n r,\n this._counts.length - e\n ], c(this._counts.slice(e)), !1)), i.splice.apply(i, h([0, e], c(this._counts.slice(0, e)), !1)), this._counts = i;\n }, n.prototype.reverse = function(t, e) {\n for (var r = Math.floor((t + e) / 2) - t, i = 0; i < r; i++) {\n var s = this._counts[t + i];\n this._counts[t + i] = this._counts[e - i - 1], this._counts[e - i - 1] = s;\n }\n }, n.prototype.emptyBucket = function(t) {\n var e = this._counts[t];\n return this._counts[t] = 0, e;\n }, n.prototype.increment = function(t, e) {\n this._counts[t] += e;\n }, n.prototype.decrement = function(t, e) {\n this._counts[t] >= e ? this._counts[t] -= e : this._counts[t] = 0;\n }, n.prototype.clone = function() {\n return new n(h([], c(this._counts), !1));\n }, n;\n }()\n);\nexport {\n l as Buckets\n};\n","var f = 52, N = 2146435072, v = 1048575, e = 1023, A = -e + 1, I = e, o = Math.pow(2, -1022);\nfunction s(r) {\n var a = new DataView(new ArrayBuffer(8));\n a.setFloat64(0, r);\n var t = a.getUint32(0), i = (t & N) >> 20;\n return i - e;\n}\nfunction B(r) {\n var a = new DataView(new ArrayBuffer(8));\n a.setFloat64(0, r);\n var t = a.getUint32(0), i = a.getUint32(4), n = (t & v) * Math.pow(2, 32);\n return n + i;\n}\nexport {\n I as MAX_NORMAL_EXPONENT,\n A as MIN_NORMAL_EXPONENT,\n o as MIN_VALUE,\n f as SIGNIFICAND_WIDTH,\n s as getNormalBase2,\n B as getSignificand\n};\n","function t(e, N) {\n return e === 0 || e === Number.POSITIVE_INFINITY || e === Number.NEGATIVE_INFINITY || Number.isNaN(e) ? e : e * Math.pow(2, N);\n}\nfunction u(e) {\n return e--, e |= e >> 1, e |= e >> 2, e |= e >> 4, e |= e >> 8, e |= e >> 16, e++, e;\n}\nexport {\n t as ldexp,\n u as nextGreaterSquare\n};\n","var u = /* @__PURE__ */ function() {\n var r = function(n, t) {\n return r = Object.setPrototypeOf || { __proto__: [] } instanceof Array && function(o, e) {\n o.__proto__ = e;\n } || function(o, e) {\n for (var i in e) Object.prototype.hasOwnProperty.call(e, i) && (o[i] = e[i]);\n }, r(n, t);\n };\n return function(n, t) {\n if (typeof t != \"function\" && t !== null)\n throw new TypeError(\"Class extends value \" + String(t) + \" is not a constructor or null\");\n r(n, t);\n function o() {\n this.constructor = n;\n }\n n.prototype = t === null ? Object.create(t) : (o.prototype = t.prototype, new o());\n };\n}(), c = (\n /** @class */\n function(r) {\n u(n, r);\n function n() {\n return r !== null && r.apply(this, arguments) || this;\n }\n return n;\n }(Error)\n);\nexport {\n c as MappingError\n};\n","import { MIN_VALUE as e, getNormalBase2 as a, getSignificand as f, SIGNIFICAND_WIDTH as p, MIN_NORMAL_EXPONENT as u, MAX_NORMAL_EXPONENT as h } from \"./ieee754.mjs\";\nimport { ldexp as m } from \"../util.mjs\";\nimport { MappingError as i } from \"./types.mjs\";\nvar N = (\n /** @class */\n function() {\n function t(r) {\n this._shift = -r;\n }\n return t.prototype.mapToIndex = function(r) {\n if (r < e)\n return this._minNormalLowerBoundaryIndex();\n var o = a(r), n = this._rightShift(f(r) - 1, p);\n return o + n >> this._shift;\n }, t.prototype.lowerBoundary = function(r) {\n var o = this._minNormalLowerBoundaryIndex();\n if (r < o)\n throw new i(\"underflow: \" + r + \" is < minimum lower boundary: \" + o);\n var n = this._maxNormalLowerBoundaryIndex();\n if (r > n)\n throw new i(\"overflow: \" + r + \" is > maximum lower boundary: \" + n);\n return m(1, r << this._shift);\n }, Object.defineProperty(t.prototype, \"scale\", {\n /**\n * The scale used by this mapping\n * @returns {number}\n */\n get: function() {\n return this._shift === 0 ? 0 : -this._shift;\n },\n enumerable: !1,\n configurable: !0\n }), t.prototype._minNormalLowerBoundaryIndex = function() {\n var r = u >> this._shift;\n return this._shift < 2 && r--, r;\n }, t.prototype._maxNormalLowerBoundaryIndex = function() {\n return h >> this._shift;\n }, t.prototype._rightShift = function(r, o) {\n return Math.floor(r * Math.pow(2, -o));\n }, t;\n }()\n);\nexport {\n N as ExponentMapping\n};\n","import { MIN_VALUE as n, getSignificand as m, getNormalBase2 as u, MIN_NORMAL_EXPONENT as h, MAX_NORMAL_EXPONENT as c } from \"./ieee754.mjs\";\nimport { ldexp as i } from \"../util.mjs\";\nimport { MappingError as s } from \"./types.mjs\";\nvar _ = (\n /** @class */\n function() {\n function o(r) {\n this._scale = r, this._scaleFactor = i(Math.LOG2E, r), this._inverseFactor = i(Math.LN2, -r);\n }\n return o.prototype.mapToIndex = function(r) {\n if (r <= n)\n return this._minNormalLowerBoundaryIndex() - 1;\n if (m(r) === 0) {\n var e = u(r);\n return (e << this._scale) - 1;\n }\n var t = Math.floor(Math.log(r) * this._scaleFactor), a = this._maxNormalLowerBoundaryIndex();\n return t >= a ? a : t;\n }, o.prototype.lowerBoundary = function(r) {\n var e = this._maxNormalLowerBoundaryIndex();\n if (r >= e) {\n if (r === e)\n return 2 * Math.exp((r - (1 << this._scale)) / this._scaleFactor);\n throw new s(\"overflow: \" + r + \" is > maximum lower boundary: \" + e);\n }\n var t = this._minNormalLowerBoundaryIndex();\n if (r <= t) {\n if (r === t)\n return n;\n if (r === t - 1)\n return Math.exp((r + (1 << this._scale)) / this._scaleFactor) / 2;\n throw new s(\"overflow: \" + r + \" is < minimum lower boundary: \" + t);\n }\n return Math.exp(r * this._inverseFactor);\n }, Object.defineProperty(o.prototype, \"scale\", {\n /**\n * The scale used by this mapping\n * @returns {number}\n */\n get: function() {\n return this._scale;\n },\n enumerable: !1,\n configurable: !0\n }), o.prototype._minNormalLowerBoundaryIndex = function() {\n return h << this._scale;\n }, o.prototype._maxNormalLowerBoundaryIndex = function() {\n return (c + 1 << this._scale) - 1;\n }, o;\n }()\n);\nexport {\n _ as LogarithmMapping\n};\n","import { ExponentMapping as p } from \"./ExponentMapping.mjs\";\nimport { LogarithmMapping as e } from \"./LogarithmMapping.mjs\";\nimport { MappingError as i } from \"./types.mjs\";\nvar t = -10, o = 20, f = Array.from({ length: 31 }, function(r, n) {\n return n > 10 ? new e(n - 10) : new p(n - 10);\n});\nfunction M(r) {\n if (r > o || r < t)\n throw new i(\"expected scale >= \" + t + \" && <= \" + o + \", got: \" + r);\n return f[r + 10];\n}\nexport {\n M as getMapping\n};\n","import { AggregatorKind as d } from \"./types.mjs\";\nimport { DataPointType as v } from \"../export/MetricData.mjs\";\nimport \"../../../../api/build/esm/index.mjs\";\nimport { InstrumentType as u } from \"../InstrumentDescriptor.mjs\";\nimport { Buckets as g } from \"./exponential-histogram/Buckets.mjs\";\nimport { getMapping as _ } from \"./exponential-histogram/mapping/getMapping.mjs\";\nimport { nextGreaterSquare as x } from \"./exponential-histogram/util.mjs\";\nimport { diag as y } from \"../../../../api/build/esm/diag-api.mjs\";\nvar S = function(e, t) {\n var i = typeof Symbol == \"function\" && e[Symbol.iterator];\n if (!i) return e;\n var o = i.call(e), n, s = [], a;\n try {\n for (; (t === void 0 || t-- > 0) && !(n = o.next()).done; ) s.push(n.value);\n } catch (r) {\n a = { error: r };\n } finally {\n try {\n n && !n.done && (i = o.return) && i.call(o);\n } finally {\n if (a) throw a.error;\n }\n }\n return s;\n}, c = (\n /** @class */\n function() {\n function e(t, i) {\n this.low = t, this.high = i;\n }\n return e.combine = function(t, i) {\n return new e(Math.min(t.low, i.low), Math.max(t.high, i.high));\n }, e;\n }()\n), w = 20, E = 160, p = 2, z = (\n /** @class */\n function() {\n function e(t, i, o, n, s, a, r, f, h, m, l) {\n t === void 0 && (t = t), i === void 0 && (i = E), o === void 0 && (o = !0), n === void 0 && (n = 0), s === void 0 && (s = 0), a === void 0 && (a = 0), r === void 0 && (r = Number.POSITIVE_INFINITY), f === void 0 && (f = Number.NEGATIVE_INFINITY), h === void 0 && (h = new g()), m === void 0 && (m = new g()), l === void 0 && (l = _(w)), this.startTime = t, this._maxSize = i, this._recordMinMax = o, this._sum = n, this._count = s, this._zeroCount = a, this._min = r, this._max = f, this._positive = h, this._negative = m, this._mapping = l, this._maxSize < p && (y.warn(\"Exponential Histogram Max Size set to \" + this._maxSize + \", changing to the minimum size of: \" + p), this._maxSize = p);\n }\n return e.prototype.record = function(t) {\n this.updateByIncrement(t, 1);\n }, e.prototype.setStartTime = function(t) {\n this.startTime = t;\n }, e.prototype.toPointValue = function() {\n return {\n hasMinMax: this._recordMinMax,\n min: this.min,\n max: this.max,\n sum: this.sum,\n positive: {\n offset: this.positive.offset,\n bucketCounts: this.positive.counts()\n },\n negative: {\n offset: this.negative.offset,\n bucketCounts: this.negative.counts()\n },\n count: this.count,\n scale: this.scale,\n zeroCount: this.zeroCount\n };\n }, Object.defineProperty(e.prototype, \"sum\", {\n /**\n * @returns {Number} The sum of values recorded by this accumulation\n */\n get: function() {\n return this._sum;\n },\n enumerable: !1,\n configurable: !0\n }), Object.defineProperty(e.prototype, \"min\", {\n /**\n * @returns {Number} The minimum value recorded by this accumulation\n */\n get: function() {\n return this._min;\n },\n enumerable: !1,\n configurable: !0\n }), Object.defineProperty(e.prototype, \"max\", {\n /**\n * @returns {Number} The maximum value recorded by this accumulation\n */\n get: function() {\n return this._max;\n },\n enumerable: !1,\n configurable: !0\n }), Object.defineProperty(e.prototype, \"count\", {\n /**\n * @returns {Number} The count of values recorded by this accumulation\n */\n get: function() {\n return this._count;\n },\n enumerable: !1,\n configurable: !0\n }), Object.defineProperty(e.prototype, \"zeroCount\", {\n /**\n * @returns {Number} The number of 0 values recorded by this accumulation\n */\n get: function() {\n return this._zeroCount;\n },\n enumerable: !1,\n configurable: !0\n }), Object.defineProperty(e.prototype, \"scale\", {\n /**\n * @returns {Number} The scale used by this accumulation\n */\n get: function() {\n return this._count === this._zeroCount ? 0 : this._mapping.scale;\n },\n enumerable: !1,\n configurable: !0\n }), Object.defineProperty(e.prototype, \"positive\", {\n /**\n * positive holds the positive values\n * @returns {Buckets}\n */\n get: function() {\n return this._positive;\n },\n enumerable: !1,\n configurable: !0\n }), Object.defineProperty(e.prototype, \"negative\", {\n /**\n * negative holds the negative values by their absolute value\n * @returns {Buckets}\n */\n get: function() {\n return this._negative;\n },\n enumerable: !1,\n configurable: !0\n }), e.prototype.updateByIncrement = function(t, i) {\n if (!Number.isNaN(t)) {\n if (t > this._max && (this._max = t), t < this._min && (this._min = t), this._count += i, t === 0) {\n this._zeroCount += i;\n return;\n }\n this._sum += t * i, t > 0 ? this._updateBuckets(this._positive, t, i) : this._updateBuckets(this._negative, -t, i);\n }\n }, e.prototype.merge = function(t) {\n this._count === 0 ? (this._min = t.min, this._max = t.max) : t.count !== 0 && (t.min < this.min && (this._min = t.min), t.max > this.max && (this._max = t.max)), this.startTime = t.startTime, this._sum += t.sum, this._count += t.count, this._zeroCount += t.zeroCount;\n var i = this._minScale(t);\n this._downscale(this.scale - i), this._mergeBuckets(this.positive, t, t.positive, i), this._mergeBuckets(this.negative, t, t.negative, i);\n }, e.prototype.diff = function(t) {\n this._min = 1 / 0, this._max = -1 / 0, this._sum -= t.sum, this._count -= t.count, this._zeroCount -= t.zeroCount;\n var i = this._minScale(t);\n this._downscale(this.scale - i), this._diffBuckets(this.positive, t, t.positive, i), this._diffBuckets(this.negative, t, t.negative, i);\n }, e.prototype.clone = function() {\n return new e(this.startTime, this._maxSize, this._recordMinMax, this._sum, this._count, this._zeroCount, this._min, this._max, this.positive.clone(), this.negative.clone(), this._mapping);\n }, e.prototype._updateBuckets = function(t, i, o) {\n var n = this._mapping.mapToIndex(i), s = !1, a = 0, r = 0;\n if (t.length === 0 ? (t.indexStart = n, t.indexEnd = t.indexStart, t.indexBase = t.indexStart) : n < t.indexStart && t.indexEnd - n >= this._maxSize ? (s = !0, r = n, a = t.indexEnd) : n > t.indexEnd && n - t.indexStart >= this._maxSize && (s = !0, r = t.indexStart, a = n), s) {\n var f = this._changeScale(a, r);\n this._downscale(f), n = this._mapping.mapToIndex(i);\n }\n this._incrementIndexBy(t, n, o);\n }, e.prototype._incrementIndexBy = function(t, i, o) {\n if (o !== 0) {\n if (t.length === 0 && (t.indexStart = t.indexEnd = t.indexBase = i), i < t.indexStart) {\n var n = t.indexEnd - i;\n n >= t.backing.length && this._grow(t, n + 1), t.indexStart = i;\n } else if (i > t.indexEnd) {\n var n = i - t.indexStart;\n n >= t.backing.length && this._grow(t, n + 1), t.indexEnd = i;\n }\n var s = i - t.indexBase;\n s < 0 && (s += t.backing.length), t.incrementBucket(s, o);\n }\n }, e.prototype._grow = function(t, i) {\n var o = t.backing.length, n = t.indexBase - t.indexStart, s = o - n, a = x(i);\n a > this._maxSize && (a = this._maxSize);\n var r = a - n;\n t.backing.growTo(a, s, r);\n }, e.prototype._changeScale = function(t, i) {\n for (var o = 0; t - i >= this._maxSize; )\n t >>= 1, i >>= 1, o++;\n return o;\n }, e.prototype._downscale = function(t) {\n if (t !== 0) {\n if (t < 0)\n throw new Error(\"impossible change of scale: \" + this.scale);\n var i = this._mapping.scale - t;\n this._positive.downscale(t), this._negative.downscale(t), this._mapping = _(i);\n }\n }, e.prototype._minScale = function(t) {\n var i = Math.min(this.scale, t.scale), o = c.combine(this._highLowAtScale(this.positive, this.scale, i), this._highLowAtScale(t.positive, t.scale, i)), n = c.combine(this._highLowAtScale(this.negative, this.scale, i), this._highLowAtScale(t.negative, t.scale, i));\n return Math.min(i - this._changeScale(o.high, o.low), i - this._changeScale(n.high, n.low));\n }, e.prototype._highLowAtScale = function(t, i, o) {\n if (t.length === 0)\n return new c(0, -1);\n var n = i - o;\n return new c(t.indexStart >> n, t.indexEnd >> n);\n }, e.prototype._mergeBuckets = function(t, i, o, n) {\n for (var s = o.offset, a = i.scale - n, r = 0; r < o.length; r++)\n this._incrementIndexBy(t, s + r >> a, o.at(r));\n }, e.prototype._diffBuckets = function(t, i, o, n) {\n for (var s = o.offset, a = i.scale - n, r = 0; r < o.length; r++) {\n var f = s + r >> a, h = f - t.indexBase;\n h < 0 && (h += t.backing.length), t.decrementBucket(h, o.at(r));\n }\n t.trim();\n }, e;\n }()\n), P = (\n /** @class */\n function() {\n function e(t, i) {\n this._maxSize = t, this._recordMinMax = i, this.kind = d.EXPONENTIAL_HISTOGRAM;\n }\n return e.prototype.createAccumulation = function(t) {\n return new z(t, this._maxSize, this._recordMinMax);\n }, e.prototype.merge = function(t, i) {\n var o = i.clone();\n return o.merge(t), o;\n }, e.prototype.diff = function(t, i) {\n var o = i.clone();\n return o.diff(t), o;\n }, e.prototype.toMetricData = function(t, i, o, n) {\n return {\n descriptor: t,\n aggregationTemporality: i,\n dataPointType: v.EXPONENTIAL_HISTOGRAM,\n dataPoints: o.map(function(s) {\n var a = S(s, 2), r = a[0], f = a[1], h = f.toPointValue(), m = t.type === u.GAUGE || t.type === u.UP_DOWN_COUNTER || t.type === u.OBSERVABLE_GAUGE || t.type === u.OBSERVABLE_UP_DOWN_COUNTER;\n return {\n attributes: r,\n startTime: f.startTime,\n endTime: n,\n value: {\n min: h.hasMinMax ? h.min : void 0,\n max: h.hasMinMax ? h.max : void 0,\n sum: m ? void 0 : h.sum,\n positive: {\n offset: h.positive.offset,\n bucketCounts: h.positive.bucketCounts\n },\n negative: {\n offset: h.negative.offset,\n bucketCounts: h.negative.bucketCounts\n },\n count: h.count,\n scale: h.scale,\n zeroCount: h.zeroCount\n }\n };\n })\n };\n }, e;\n }()\n);\nexport {\n z as ExponentialHistogramAccumulation,\n P as ExponentialHistogramAggregator\n};\n","import { AggregatorKind as s } from \"./types.mjs\";\nimport \"../../../../core/build/esm/index.mjs\";\nimport { DataPointType as f } from \"../export/MetricData.mjs\";\nimport { millisToHrTime as p, hrTimeToMicroseconds as u } from \"../../../../core/build/esm/common/time.mjs\";\nvar T = function(i, t) {\n var e = typeof Symbol == \"function\" && i[Symbol.iterator];\n if (!e) return i;\n var r = e.call(i), o, n = [], a;\n try {\n for (; (t === void 0 || t-- > 0) && !(o = r.next()).done; ) n.push(o.value);\n } catch (m) {\n a = { error: m };\n } finally {\n try {\n o && !o.done && (e = r.return) && e.call(r);\n } finally {\n if (a) throw a.error;\n }\n }\n return n;\n}, l = (\n /** @class */\n function() {\n function i(t, e, r) {\n e === void 0 && (e = 0), r === void 0 && (r = [0, 0]), this.startTime = t, this._current = e, this.sampleTime = r;\n }\n return i.prototype.record = function(t) {\n this._current = t, this.sampleTime = p(Date.now());\n }, i.prototype.setStartTime = function(t) {\n this.startTime = t;\n }, i.prototype.toPointValue = function() {\n return this._current;\n }, i;\n }()\n), A = (\n /** @class */\n function() {\n function i() {\n this.kind = s.LAST_VALUE;\n }\n return i.prototype.createAccumulation = function(t) {\n return new l(t);\n }, i.prototype.merge = function(t, e) {\n var r = u(e.sampleTime) >= u(t.sampleTime) ? e : t;\n return new l(t.startTime, r.toPointValue(), r.sampleTime);\n }, i.prototype.diff = function(t, e) {\n var r = u(e.sampleTime) >= u(t.sampleTime) ? e : t;\n return new l(e.startTime, r.toPointValue(), r.sampleTime);\n }, i.prototype.toMetricData = function(t, e, r, o) {\n return {\n descriptor: t,\n aggregationTemporality: e,\n dataPointType: f.GAUGE,\n dataPoints: r.map(function(n) {\n var a = T(n, 2), m = a[0], c = a[1];\n return {\n attributes: m,\n startTime: c.startTime,\n endTime: o,\n value: c.toPointValue()\n };\n })\n };\n }, i;\n }()\n);\nexport {\n l as LastValueAccumulation,\n A as LastValueAggregator\n};\n","import { AggregatorKind as s } from \"./types.mjs\";\nimport { DataPointType as f } from \"../export/MetricData.mjs\";\nvar p = function(i, t) {\n var o = typeof Symbol == \"function\" && i[Symbol.iterator];\n if (!o) return i;\n var n = o.call(i), r, u = [], e;\n try {\n for (; (t === void 0 || t-- > 0) && !(r = n.next()).done; ) u.push(r.value);\n } catch (c) {\n e = { error: c };\n } finally {\n try {\n r && !r.done && (o = n.return) && o.call(n);\n } finally {\n if (e) throw e.error;\n }\n }\n return u;\n}, a = (\n /** @class */\n function() {\n function i(t, o, n, r) {\n n === void 0 && (n = 0), r === void 0 && (r = !1), this.startTime = t, this.monotonic = o, this._current = n, this.reset = r;\n }\n return i.prototype.record = function(t) {\n this.monotonic && t < 0 || (this._current += t);\n }, i.prototype.setStartTime = function(t) {\n this.startTime = t;\n }, i.prototype.toPointValue = function() {\n return this._current;\n }, i;\n }()\n), v = (\n /** @class */\n function() {\n function i(t) {\n this.monotonic = t, this.kind = s.SUM;\n }\n return i.prototype.createAccumulation = function(t) {\n return new a(t, this.monotonic);\n }, i.prototype.merge = function(t, o) {\n var n = t.toPointValue(), r = o.toPointValue();\n return o.reset ? new a(o.startTime, this.monotonic, r, o.reset) : new a(t.startTime, this.monotonic, n + r);\n }, i.prototype.diff = function(t, o) {\n var n = t.toPointValue(), r = o.toPointValue();\n return this.monotonic && n > r ? new a(o.startTime, this.monotonic, r, !0) : new a(o.startTime, this.monotonic, r - n);\n }, i.prototype.toMetricData = function(t, o, n, r) {\n return {\n descriptor: t,\n aggregationTemporality: o,\n dataPointType: f.SUM,\n dataPoints: n.map(function(u) {\n var e = p(u, 2), c = e[0], m = e[1];\n return {\n attributes: c,\n startTime: m.startTime,\n endTime: r,\n value: m.toPointValue()\n };\n }),\n isMonotonic: this.monotonic\n };\n }, i;\n }()\n);\nexport {\n a as SumAccumulation,\n v as SumAggregator\n};\n","import \"../../../../api/build/esm/index.mjs\";\nimport \"../aggregator/index.mjs\";\nimport { InstrumentType as i } from \"../InstrumentDescriptor.mjs\";\nimport { DropAggregator as m } from \"../aggregator/Drop.mjs\";\nimport { SumAggregator as A } from \"../aggregator/Sum.mjs\";\nimport { LastValueAggregator as T } from \"../aggregator/LastValue.mjs\";\nimport { HistogramAggregator as f } from \"../aggregator/Histogram.mjs\";\nimport { ExponentialHistogramAggregator as _ } from \"../aggregator/ExponentialHistogram.mjs\";\nimport { diag as y } from \"../../../../api/build/esm/diag-api.mjs\";\nvar a = /* @__PURE__ */ function() {\n var r = function(t, n) {\n return r = Object.setPrototypeOf || { __proto__: [] } instanceof Array && function(e, o) {\n e.__proto__ = o;\n } || function(e, o) {\n for (var u in o) Object.prototype.hasOwnProperty.call(o, u) && (e[u] = o[u]);\n }, r(t, n);\n };\n return function(t, n) {\n if (typeof n != \"function\" && n !== null)\n throw new TypeError(\"Class extends value \" + String(n) + \" is not a constructor or null\");\n r(t, n);\n function e() {\n this.constructor = t;\n }\n t.prototype = n === null ? Object.create(n) : (e.prototype = n.prototype, new e());\n };\n}(), g = (\n /** @class */\n function() {\n function r() {\n }\n return r.Drop = function() {\n return s;\n }, r.Sum = function() {\n return l;\n }, r.LastValue = function() {\n return p;\n }, r.Histogram = function() {\n return E;\n }, r.ExponentialHistogram = function() {\n return R;\n }, r.Default = function() {\n return d;\n }, r;\n }()\n), I = (\n /** @class */\n function(r) {\n a(t, r);\n function t() {\n return r !== null && r.apply(this, arguments) || this;\n }\n return t.prototype.createAggregator = function(n) {\n return t.DEFAULT_INSTANCE;\n }, t.DEFAULT_INSTANCE = new m(), t;\n }(g)\n), h = (\n /** @class */\n function(r) {\n a(t, r);\n function t() {\n return r !== null && r.apply(this, arguments) || this;\n }\n return t.prototype.createAggregator = function(n) {\n switch (n.type) {\n case i.COUNTER:\n case i.OBSERVABLE_COUNTER:\n case i.HISTOGRAM:\n return t.MONOTONIC_INSTANCE;\n default:\n return t.NON_MONOTONIC_INSTANCE;\n }\n }, t.MONOTONIC_INSTANCE = new A(!0), t.NON_MONOTONIC_INSTANCE = new A(!1), t;\n }(g)\n), v = (\n /** @class */\n function(r) {\n a(t, r);\n function t() {\n return r !== null && r.apply(this, arguments) || this;\n }\n return t.prototype.createAggregator = function(n) {\n return t.DEFAULT_INSTANCE;\n }, t.DEFAULT_INSTANCE = new T(), t;\n }(g)\n), G = (\n /** @class */\n function(r) {\n a(t, r);\n function t() {\n return r !== null && r.apply(this, arguments) || this;\n }\n return t.prototype.createAggregator = function(n) {\n return t.DEFAULT_INSTANCE;\n }, t.DEFAULT_INSTANCE = new f([0, 5, 10, 25, 50, 75, 100, 250, 500, 750, 1e3, 2500, 5e3, 7500, 1e4], !0), t;\n }(g)\n), S = (\n /** @class */\n function(r) {\n a(t, r);\n function t(n, e) {\n e === void 0 && (e = !0);\n var o = r.call(this) || this;\n if (o._recordMinMax = e, n == null)\n throw new Error(\"ExplicitBucketHistogramAggregation should be created with explicit boundaries, if a single bucket histogram is required, please pass an empty array\");\n n = n.concat(), n = n.sort(function(N, O) {\n return N - O;\n });\n var u = n.lastIndexOf(-1 / 0), c = n.indexOf(1 / 0);\n return c === -1 && (c = void 0), o._boundaries = n.slice(u + 1, c), o;\n }\n return t.prototype.createAggregator = function(n) {\n return new f(this._boundaries, this._recordMinMax);\n }, t;\n }(g)\n), w = (\n /** @class */\n function(r) {\n a(t, r);\n function t(n, e) {\n n === void 0 && (n = 160), e === void 0 && (e = !0);\n var o = r.call(this) || this;\n return o._maxSize = n, o._recordMinMax = e, o;\n }\n return t.prototype.createAggregator = function(n) {\n return new _(this._maxSize, this._recordMinMax);\n }, t;\n }(g)\n), C = (\n /** @class */\n function(r) {\n a(t, r);\n function t() {\n return r !== null && r.apply(this, arguments) || this;\n }\n return t.prototype._resolve = function(n) {\n switch (n.type) {\n case i.COUNTER:\n case i.UP_DOWN_COUNTER:\n case i.OBSERVABLE_COUNTER:\n case i.OBSERVABLE_UP_DOWN_COUNTER:\n return l;\n case i.GAUGE:\n case i.OBSERVABLE_GAUGE:\n return p;\n case i.HISTOGRAM:\n return n.advice.explicitBucketBoundaries ? new S(n.advice.explicitBucketBoundaries) : E;\n }\n return y.warn(\"Unable to recognize instrument type: \" + n.type), s;\n }, t.prototype.createAggregator = function(n) {\n return this._resolve(n).createAggregator(n);\n }, t;\n }(g)\n), s = new I(), l = new h(), p = new v(), E = new G(), R = new w(), d = new C();\nexport {\n g as Aggregation,\n C as DefaultAggregation,\n I as DropAggregation,\n S as ExplicitBucketHistogramAggregation,\n w as ExponentialHistogramAggregation,\n G as HistogramAggregation,\n v as LastValueAggregation,\n h as SumAggregation\n};\n","import { Aggregation as t } from \"../view/Aggregation.mjs\";\nimport { AggregationTemporality as n } from \"./AggregationTemporality.mjs\";\nvar o = function(r) {\n return t.Default();\n}, A = function(r) {\n return n.CUMULATIVE;\n};\nexport {\n o as DEFAULT_AGGREGATION_SELECTOR,\n A as DEFAULT_AGGREGATION_TEMPORALITY_SELECTOR\n};\n","import \"../../../../api/build/esm/index.mjs\";\nimport { FlatMap as v, callWithTimeout as y } from \"../utils.mjs\";\nimport { DEFAULT_AGGREGATION_SELECTOR as g, DEFAULT_AGGREGATION_TEMPORALITY_SELECTOR as M } from \"./AggregationSelector.mjs\";\nimport { diag as w } from \"../../../../api/build/esm/diag-api.mjs\";\nvar f = function(u, r, t, i) {\n function o(e) {\n return e instanceof t ? e : new t(function(c) {\n c(e);\n });\n }\n return new (t || (t = Promise))(function(e, c) {\n function a(l) {\n try {\n n(i.next(l));\n } catch (d) {\n c(d);\n }\n }\n function s(l) {\n try {\n n(i.throw(l));\n } catch (d) {\n c(d);\n }\n }\n function n(l) {\n l.done ? e(l.value) : o(l.value).then(a, s);\n }\n n((i = i.apply(u, r || [])).next());\n });\n}, h = function(u, r) {\n var t = { label: 0, sent: function() {\n if (e[0] & 1) throw e[1];\n return e[1];\n }, trys: [], ops: [] }, i, o, e, c;\n return c = { next: a(0), throw: a(1), return: a(2) }, typeof Symbol == \"function\" && (c[Symbol.iterator] = function() {\n return this;\n }), c;\n function a(n) {\n return function(l) {\n return s([n, l]);\n };\n }\n function s(n) {\n if (i) throw new TypeError(\"Generator is already executing.\");\n for (; t; ) try {\n if (i = 1, o && (e = n[0] & 2 ? o.return : n[0] ? o.throw || ((e = o.return) && e.call(o), 0) : o.next) && !(e = e.call(o, n[1])).done) return e;\n switch (o = 0, e && (n = [n[0] & 2, e.value]), n[0]) {\n case 0:\n case 1:\n e = n;\n break;\n case 4:\n return t.label++, { value: n[1], done: !1 };\n case 5:\n t.label++, o = n[1], n = [0];\n continue;\n case 7:\n n = t.ops.pop(), t.trys.pop();\n continue;\n default:\n if (e = t.trys, !(e = e.length > 0 && e[e.length - 1]) && (n[0] === 6 || n[0] === 2)) {\n t = 0;\n continue;\n }\n if (n[0] === 3 && (!e || n[1] > e[0] && n[1] < e[3])) {\n t.label = n[1];\n break;\n }\n if (n[0] === 6 && t.label < e[1]) {\n t.label = e[1], e = n;\n break;\n }\n if (e && t.label < e[2]) {\n t.label = e[2], t.ops.push(n);\n break;\n }\n e[2] && t.ops.pop(), t.trys.pop();\n continue;\n }\n n = r.call(u, t);\n } catch (l) {\n n = [6, l], o = 0;\n } finally {\n i = e = 0;\n }\n if (n[0] & 5) throw n[1];\n return { value: n[0] ? n[1] : void 0, done: !0 };\n }\n}, _ = function(u, r) {\n var t = typeof Symbol == \"function\" && u[Symbol.iterator];\n if (!t) return u;\n var i = t.call(u), o, e = [], c;\n try {\n for (; (r === void 0 || r-- > 0) && !(o = i.next()).done; ) e.push(o.value);\n } catch (a) {\n c = { error: a };\n } finally {\n try {\n o && !o.done && (t = i.return) && t.call(i);\n } finally {\n if (c) throw c.error;\n }\n }\n return e;\n}, m = function(u, r, t) {\n if (t || arguments.length === 2) for (var i = 0, o = r.length, e; i < o; i++)\n (e || !(i in r)) && (e || (e = Array.prototype.slice.call(r, 0, i)), e[i] = r[i]);\n return u.concat(e || Array.prototype.slice.call(r));\n}, A = (\n /** @class */\n function() {\n function u(r) {\n var t, i, o;\n this._shutdown = !1, this._aggregationSelector = (t = r == null ? void 0 : r.aggregationSelector) !== null && t !== void 0 ? t : g, this._aggregationTemporalitySelector = (i = r == null ? void 0 : r.aggregationTemporalitySelector) !== null && i !== void 0 ? i : M, this._metricProducers = (o = r == null ? void 0 : r.metricProducers) !== null && o !== void 0 ? o : [];\n }\n return u.prototype.setMetricProducer = function(r) {\n if (this._sdkMetricProducer)\n throw new Error(\"MetricReader can not be bound to a MeterProvider again.\");\n this._sdkMetricProducer = r, this.onInitialized();\n }, u.prototype.selectAggregation = function(r) {\n return this._aggregationSelector(r);\n }, u.prototype.selectAggregationTemporality = function(r) {\n return this._aggregationTemporalitySelector(r);\n }, u.prototype.onInitialized = function() {\n }, u.prototype.collect = function(r) {\n return f(this, void 0, void 0, function() {\n var t, i, o, e, c, a;\n return h(this, function(s) {\n switch (s.label) {\n case 0:\n if (this._sdkMetricProducer === void 0)\n throw new Error(\"MetricReader is not bound to a MetricProducer\");\n if (this._shutdown)\n throw new Error(\"MetricReader is shutdown\");\n return [4, Promise.all(m([\n this._sdkMetricProducer.collect({\n timeoutMillis: r == null ? void 0 : r.timeoutMillis\n })\n ], _(this._metricProducers.map(function(n) {\n return n.collect({\n timeoutMillis: r == null ? void 0 : r.timeoutMillis\n });\n })), !1))];\n case 1:\n return t = _.apply(void 0, [s.sent()]), i = t[0], o = t.slice(1), e = i.errors.concat(v(o, function(n) {\n return n.errors;\n })), c = i.resourceMetrics.resource, a = i.resourceMetrics.scopeMetrics.concat(v(o, function(n) {\n return n.resourceMetrics.scopeMetrics;\n })), [2, {\n resourceMetrics: {\n resource: c,\n scopeMetrics: a\n },\n errors: e\n }];\n }\n });\n });\n }, u.prototype.shutdown = function(r) {\n return f(this, void 0, void 0, function() {\n return h(this, function(t) {\n switch (t.label) {\n case 0:\n return this._shutdown ? (w.error(\"Cannot call shutdown twice.\"), [\n 2\n /*return*/\n ]) : (r == null ? void 0 : r.timeoutMillis) != null ? [3, 2] : [4, this.onShutdown()];\n case 1:\n return t.sent(), [3, 4];\n case 2:\n return [4, y(this.onShutdown(), r.timeoutMillis)];\n case 3:\n t.sent(), t.label = 4;\n case 4:\n return this._shutdown = !0, [\n 2\n /*return*/\n ];\n }\n });\n });\n }, u.prototype.forceFlush = function(r) {\n return f(this, void 0, void 0, function() {\n return h(this, function(t) {\n switch (t.label) {\n case 0:\n return this._shutdown ? (w.warn(\"Cannot forceFlush on already shutdown MetricReader.\"), [\n 2\n /*return*/\n ]) : (r == null ? void 0 : r.timeoutMillis) != null ? [3, 2] : [4, this.onForceFlush()];\n case 1:\n return t.sent(), [\n 2\n /*return*/\n ];\n case 2:\n return [4, y(this.onForceFlush(), r.timeoutMillis)];\n case 3:\n return t.sent(), [\n 2\n /*return*/\n ];\n }\n });\n });\n }, u;\n }()\n);\nexport {\n A as MetricReader\n};\n","import \"../../../../api/build/esm/index.mjs\";\nimport { internal as _ } from \"../../../../core/build/esm/index.mjs\";\nimport { MetricReader as x } from \"./MetricReader.mjs\";\nimport { TimeoutError as y, callWithTimeout as m } from \"../utils.mjs\";\nimport { diag as v } from \"../../../../api/build/esm/diag-api.mjs\";\nimport { globalErrorHandler as g } from \"../../../../core/build/esm/common/global-error-handler.mjs\";\nimport { ExportResultCode as w } from \"../../../../core/build/esm/ExportResult.mjs\";\nimport { unrefTimer as b } from \"../../../../core/build/esm/platform/browser/timer-util.mjs\";\nvar M = /* @__PURE__ */ function() {\n var l = function(o, r) {\n return l = Object.setPrototypeOf || { __proto__: [] } instanceof Array && function(t, i) {\n t.__proto__ = i;\n } || function(t, i) {\n for (var e in i) Object.prototype.hasOwnProperty.call(i, e) && (t[e] = i[e]);\n }, l(o, r);\n };\n return function(o, r) {\n if (typeof r != \"function\" && r !== null)\n throw new TypeError(\"Class extends value \" + String(r) + \" is not a constructor or null\");\n l(o, r);\n function t() {\n this.constructor = o;\n }\n o.prototype = r === null ? Object.create(r) : (t.prototype = r.prototype, new t());\n };\n}(), d = function(l, o, r, t) {\n function i(e) {\n return e instanceof r ? e : new r(function(u) {\n u(e);\n });\n }\n return new (r || (r = Promise))(function(e, u) {\n function a(c) {\n try {\n n(t.next(c));\n } catch (s) {\n u(s);\n }\n }\n function f(c) {\n try {\n n(t.throw(c));\n } catch (s) {\n u(s);\n }\n }\n function n(c) {\n c.done ? e(c.value) : i(c.value).then(a, f);\n }\n n((t = t.apply(l, o || [])).next());\n });\n}, h = function(l, o) {\n var r = { label: 0, sent: function() {\n if (e[0] & 1) throw e[1];\n return e[1];\n }, trys: [], ops: [] }, t, i, e, u;\n return u = { next: a(0), throw: a(1), return: a(2) }, typeof Symbol == \"function\" && (u[Symbol.iterator] = function() {\n return this;\n }), u;\n function a(n) {\n return function(c) {\n return f([n, c]);\n };\n }\n function f(n) {\n if (t) throw new TypeError(\"Generator is already executing.\");\n for (; r; ) try {\n if (t = 1, i && (e = n[0] & 2 ? i.return : n[0] ? i.throw || ((e = i.return) && e.call(i), 0) : i.next) && !(e = e.call(i, n[1])).done) return e;\n switch (i = 0, e && (n = [n[0] & 2, e.value]), n[0]) {\n case 0:\n case 1:\n e = n;\n break;\n case 4:\n return r.label++, { value: n[1], done: !1 };\n case 5:\n r.label++, i = n[1], n = [0];\n continue;\n case 7:\n n = r.ops.pop(), r.trys.pop();\n continue;\n default:\n if (e = r.trys, !(e = e.length > 0 && e[e.length - 1]) && (n[0] === 6 || n[0] === 2)) {\n r = 0;\n continue;\n }\n if (n[0] === 3 && (!e || n[1] > e[0] && n[1] < e[3])) {\n r.label = n[1];\n break;\n }\n if (n[0] === 6 && r.label < e[1]) {\n r.label = e[1], e = n;\n break;\n }\n if (e && r.label < e[2]) {\n r.label = e[2], r.ops.push(n);\n break;\n }\n e[2] && r.ops.pop(), r.trys.pop();\n continue;\n }\n n = o.call(l, r);\n } catch (c) {\n n = [6, c], i = 0;\n } finally {\n t = e = 0;\n }\n if (n[0] & 5) throw n[1];\n return { value: n[0] ? n[1] : void 0, done: !0 };\n }\n}, T = function(l, o) {\n var r = typeof Symbol == \"function\" && l[Symbol.iterator];\n if (!r) return l;\n var t = r.call(l), i, e = [], u;\n try {\n for (; (o === void 0 || o-- > 0) && !(i = t.next()).done; ) e.push(i.value);\n } catch (a) {\n u = { error: a };\n } finally {\n try {\n i && !i.done && (r = t.return) && r.call(t);\n } finally {\n if (u) throw u.error;\n }\n }\n return e;\n}, E = function(l, o, r) {\n if (r || arguments.length === 2) for (var t = 0, i = o.length, e; t < i; t++)\n (e || !(t in o)) && (e || (e = Array.prototype.slice.call(o, 0, t)), e[t] = o[t]);\n return l.concat(e || Array.prototype.slice.call(o));\n}, F = (\n /** @class */\n function(l) {\n M(o, l);\n function o(r) {\n var t, i, e, u, a = l.call(this, {\n aggregationSelector: (t = r.exporter.selectAggregation) === null || t === void 0 ? void 0 : t.bind(r.exporter),\n aggregationTemporalitySelector: (i = r.exporter.selectAggregationTemporality) === null || i === void 0 ? void 0 : i.bind(r.exporter),\n metricProducers: r.metricProducers\n }) || this;\n if (r.exportIntervalMillis !== void 0 && r.exportIntervalMillis <= 0)\n throw Error(\"exportIntervalMillis must be greater than 0\");\n if (r.exportTimeoutMillis !== void 0 && r.exportTimeoutMillis <= 0)\n throw Error(\"exportTimeoutMillis must be greater than 0\");\n if (r.exportTimeoutMillis !== void 0 && r.exportIntervalMillis !== void 0 && r.exportIntervalMillis < r.exportTimeoutMillis)\n throw Error(\"exportIntervalMillis must be greater than or equal to exportTimeoutMillis\");\n return a._exportInterval = (e = r.exportIntervalMillis) !== null && e !== void 0 ? e : 6e4, a._exportTimeout = (u = r.exportTimeoutMillis) !== null && u !== void 0 ? u : 3e4, a._exporter = r.exporter, a;\n }\n return o.prototype._runOnce = function() {\n return d(this, void 0, void 0, function() {\n var r;\n return h(this, function(t) {\n switch (t.label) {\n case 0:\n return t.trys.push([0, 2, , 3]), [4, m(this._doRun(), this._exportTimeout)];\n case 1:\n return t.sent(), [3, 3];\n case 2:\n return r = t.sent(), r instanceof y ? (v.error(\"Export took longer than %s milliseconds and timed out.\", this._exportTimeout), [\n 2\n /*return*/\n ]) : (g(r), [3, 3]);\n case 3:\n return [\n 2\n /*return*/\n ];\n }\n });\n });\n }, o.prototype._doRun = function() {\n var r, t;\n return d(this, void 0, void 0, function() {\n var i, e, u, a, f, n = this;\n return h(this, function(c) {\n switch (c.label) {\n case 0:\n return [4, this.collect({\n timeoutMillis: this._exportTimeout\n })];\n case 1:\n return i = c.sent(), e = i.resourceMetrics, u = i.errors, u.length > 0 && (f = v).error.apply(f, E([\"PeriodicExportingMetricReader: metrics collection errors\"], T(u), !1)), a = function() {\n return d(n, void 0, void 0, function() {\n var s;\n return h(this, function(p) {\n switch (p.label) {\n case 0:\n return [4, _._export(this._exporter, e)];\n case 1:\n if (s = p.sent(), s.code !== w.SUCCESS)\n throw new Error(\"PeriodicExportingMetricReader: metrics export failed (error \" + s.error + \")\");\n return [\n 2\n /*return*/\n ];\n }\n });\n });\n }, e.resource.asyncAttributesPending ? ((t = (r = e.resource).waitForAsyncAttributes) === null || t === void 0 || t.call(r).then(a, function(s) {\n return v.debug(\"Error while resolving async portion of resource: \", s);\n }), [3, 4]) : [3, 2];\n case 2:\n return [4, a()];\n case 3:\n c.sent(), c.label = 4;\n case 4:\n return [\n 2\n /*return*/\n ];\n }\n });\n });\n }, o.prototype.onInitialized = function() {\n var r = this;\n this._interval = setInterval(function() {\n r._runOnce();\n }, this._exportInterval), b(this._interval);\n }, o.prototype.onForceFlush = function() {\n return d(this, void 0, void 0, function() {\n return h(this, function(r) {\n switch (r.label) {\n case 0:\n return [4, this._runOnce()];\n case 1:\n return r.sent(), [4, this._exporter.forceFlush()];\n case 2:\n return r.sent(), [\n 2\n /*return*/\n ];\n }\n });\n });\n }, o.prototype.onShutdown = function() {\n return d(this, void 0, void 0, function() {\n return h(this, function(r) {\n switch (r.label) {\n case 0:\n return this._interval && clearInterval(this._interval), [4, this._exporter.shutdown()];\n case 1:\n return r.sent(), [\n 2\n /*return*/\n ];\n }\n });\n });\n }, o;\n }(x)\n);\nexport {\n F as PeriodicExportingMetricReader\n};\n","import \"../../../../core/build/esm/index.mjs\";\nimport { DEFAULT_AGGREGATION_TEMPORALITY_SELECTOR as h } from \"./AggregationSelector.mjs\";\nimport { ExportResultCode as p } from \"../../../../core/build/esm/ExportResult.mjs\";\nvar y = function(e) {\n var t = typeof Symbol == \"function\" && Symbol.iterator, r = t && e[t], o = 0;\n if (r) return r.call(e);\n if (e && typeof e.length == \"number\") return {\n next: function() {\n return e && o >= e.length && (e = void 0), { value: e && e[o++], done: !e };\n }\n };\n throw new TypeError(t ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\n}, S = (\n /** @class */\n function() {\n function e(t) {\n var r;\n this._shutdown = !1, this._temporalitySelector = (r = t == null ? void 0 : t.temporalitySelector) !== null && r !== void 0 ? r : h;\n }\n return e.prototype.export = function(t, r) {\n if (this._shutdown) {\n setImmediate(r, { code: p.FAILED });\n return;\n }\n return e._sendMetrics(t, r);\n }, e.prototype.forceFlush = function() {\n return Promise.resolve();\n }, e.prototype.selectAggregationTemporality = function(t) {\n return this._temporalitySelector(t);\n }, e.prototype.shutdown = function() {\n return this._shutdown = !0, Promise.resolve();\n }, e._sendMetrics = function(t, r) {\n var o, c, l, f;\n try {\n for (var a = y(t.scopeMetrics), n = a.next(); !n.done; n = a.next()) {\n var v = n.value;\n try {\n for (var u = (l = void 0, y(v.metrics)), i = u.next(); !i.done; i = u.next()) {\n var s = i.value;\n console.dir({\n descriptor: s.descriptor,\n dataPointType: s.dataPointType,\n dataPoints: s.dataPoints\n }, { depth: null });\n }\n } catch (d) {\n l = { error: d };\n } finally {\n try {\n i && !i.done && (f = u.return) && f.call(u);\n } finally {\n if (l) throw l.error;\n }\n }\n }\n } catch (d) {\n o = { error: d };\n } finally {\n try {\n n && !n.done && (c = a.return) && c.call(a);\n } finally {\n if (o) throw o.error;\n }\n }\n r({ code: p.SUCCESS });\n }, e;\n }()\n);\nexport {\n S as ConsoleMetricExporter\n};\n","import \"../../../../core/build/esm/index.mjs\";\nimport { ExportResultCode as o } from \"../../../../core/build/esm/ExportResult.mjs\";\nvar s = (\n /** @class */\n function() {\n function t(e) {\n this._shutdown = !1, this._metrics = [], this._aggregationTemporality = e;\n }\n return t.prototype.export = function(e, r) {\n if (this._shutdown) {\n setTimeout(function() {\n return r({ code: o.FAILED });\n }, 0);\n return;\n }\n this._metrics.push(e), setTimeout(function() {\n return r({ code: o.SUCCESS });\n }, 0);\n }, t.prototype.getMetrics = function() {\n return this._metrics;\n }, t.prototype.forceFlush = function() {\n return Promise.resolve();\n }, t.prototype.reset = function() {\n this._metrics = [];\n }, t.prototype.selectAggregationTemporality = function(e) {\n return this._aggregationTemporality;\n }, t.prototype.shutdown = function() {\n return this._shutdown = !0, Promise.resolve();\n }, t;\n }()\n);\nexport {\n s as InMemoryMetricExporter\n};\n","var h = (\n /** @class */\n function() {\n function i() {\n this._registeredViews = [];\n }\n return i.prototype.addView = function(t) {\n this._registeredViews.push(t);\n }, i.prototype.findViews = function(t, e) {\n var n = this, a = this._registeredViews.filter(function(r) {\n return n._matchInstrument(r.instrumentSelector, t) && n._matchMeter(r.meterSelector, e);\n });\n return a;\n }, i.prototype._matchInstrument = function(t, e) {\n return (t.getType() === void 0 || e.type === t.getType()) && t.getNameFilter().match(e.name) && t.getUnitFilter().match(e.unit);\n }, i.prototype._matchMeter = function(t, e) {\n return t.getNameFilter().match(e.name) && (e.version === void 0 || t.getVersionFilter().match(e.version)) && (e.schemaUrl === void 0 || t.getSchemaUrlFilter().match(e.schemaUrl));\n }, i;\n }()\n);\nexport {\n h as ViewRegistry\n};\n","import \"../../../api/build/esm/index.mjs\";\nimport \"../../../core/build/esm/index.mjs\";\nimport { context as f } from \"../../../api/build/esm/context-api.mjs\";\nimport { diag as u } from \"../../../api/build/esm/diag-api.mjs\";\nimport { ValueType as l } from \"../../../api/build/esm/metrics/Metric.mjs\";\nimport { millisToHrTime as m } from \"../../../core/build/esm/common/time.mjs\";\nvar i = /* @__PURE__ */ function() {\n var n = function(t, r) {\n return n = Object.setPrototypeOf || { __proto__: [] } instanceof Array && function(e, o) {\n e.__proto__ = o;\n } || function(e, o) {\n for (var c in o) Object.prototype.hasOwnProperty.call(o, c) && (e[c] = o[c]);\n }, n(t, r);\n };\n return function(t, r) {\n if (typeof r != \"function\" && r !== null)\n throw new TypeError(\"Class extends value \" + String(r) + \" is not a constructor or null\");\n n(t, r);\n function e() {\n this.constructor = t;\n }\n t.prototype = r === null ? Object.create(r) : (e.prototype = r.prototype, new e());\n };\n}(), s = (\n /** @class */\n function() {\n function n(t, r) {\n this._writableMetricStorage = t, this._descriptor = r;\n }\n return n.prototype._record = function(t, r, e) {\n if (r === void 0 && (r = {}), e === void 0 && (e = f.active()), typeof t != \"number\") {\n u.warn(\"non-number value provided to metric \" + this._descriptor.name + \": \" + t);\n return;\n }\n this._descriptor.valueType === l.INT && !Number.isInteger(t) && (u.warn(\"INT value type cannot accept a floating-point value for \" + this._descriptor.name + \", ignoring the fractional digits.\"), t = Math.trunc(t), !Number.isInteger(t)) || this._writableMetricStorage.record(t, r, e, m(Date.now()));\n }, n;\n }()\n), b = (\n /** @class */\n function(n) {\n i(t, n);\n function t() {\n return n !== null && n.apply(this, arguments) || this;\n }\n return t.prototype.add = function(r, e, o) {\n this._record(r, e, o);\n }, t;\n }(s)\n), I = (\n /** @class */\n function(n) {\n i(t, n);\n function t() {\n return n !== null && n.apply(this, arguments) || this;\n }\n return t.prototype.add = function(r, e, o) {\n if (r < 0) {\n u.warn(\"negative value provided to counter \" + this._descriptor.name + \": \" + r);\n return;\n }\n this._record(r, e, o);\n }, t;\n }(s)\n), _ = (\n /** @class */\n function(n) {\n i(t, n);\n function t() {\n return n !== null && n.apply(this, arguments) || this;\n }\n return t.prototype.record = function(r, e, o) {\n this._record(r, e, o);\n }, t;\n }(s)\n), w = (\n /** @class */\n function(n) {\n i(t, n);\n function t() {\n return n !== null && n.apply(this, arguments) || this;\n }\n return t.prototype.record = function(r, e, o) {\n if (r < 0) {\n u.warn(\"negative value provided to histogram \" + this._descriptor.name + \": \" + r);\n return;\n }\n this._record(r, e, o);\n }, t;\n }(s)\n), a = (\n /** @class */\n function() {\n function n(t, r, e) {\n this._observableRegistry = e, this._descriptor = t, this._metricStorages = r;\n }\n return n.prototype.addCallback = function(t) {\n this._observableRegistry.addCallback(t, this);\n }, n.prototype.removeCallback = function(t) {\n this._observableRegistry.removeCallback(t, this);\n }, n;\n }()\n), O = (\n /** @class */\n function(n) {\n i(t, n);\n function t() {\n return n !== null && n.apply(this, arguments) || this;\n }\n return t;\n }(a)\n), C = (\n /** @class */\n function(n) {\n i(t, n);\n function t() {\n return n !== null && n.apply(this, arguments) || this;\n }\n return t;\n }(a)\n), S = (\n /** @class */\n function(n) {\n i(t, n);\n function t() {\n return n !== null && n.apply(this, arguments) || this;\n }\n return t;\n }(a)\n);\nfunction T(n) {\n return n instanceof a;\n}\nexport {\n I as CounterInstrument,\n _ as GaugeInstrument,\n w as HistogramInstrument,\n O as ObservableCounterInstrument,\n C as ObservableGaugeInstrument,\n a as ObservableInstrument,\n S as ObservableUpDownCounterInstrument,\n s as SyncInstrument,\n b as UpDownCounterInstrument,\n T as isObservableInstrument\n};\n","import { createInstrumentDescriptor as n, InstrumentType as s } from \"./InstrumentDescriptor.mjs\";\nimport { GaugeInstrument as i, HistogramInstrument as c, CounterInstrument as u, UpDownCounterInstrument as S, ObservableGaugeInstrument as p, ObservableCounterInstrument as g, ObservableUpDownCounterInstrument as b } from \"./Instruments.mjs\";\nvar v = (\n /** @class */\n function() {\n function o(t) {\n this._meterSharedState = t;\n }\n return o.prototype.createGauge = function(t, r) {\n var e = n(t, s.GAUGE, r), a = this._meterSharedState.registerMetricStorage(e);\n return new i(a, e);\n }, o.prototype.createHistogram = function(t, r) {\n var e = n(t, s.HISTOGRAM, r), a = this._meterSharedState.registerMetricStorage(e);\n return new c(a, e);\n }, o.prototype.createCounter = function(t, r) {\n var e = n(t, s.COUNTER, r), a = this._meterSharedState.registerMetricStorage(e);\n return new u(a, e);\n }, o.prototype.createUpDownCounter = function(t, r) {\n var e = n(t, s.UP_DOWN_COUNTER, r), a = this._meterSharedState.registerMetricStorage(e);\n return new S(a, e);\n }, o.prototype.createObservableGauge = function(t, r) {\n var e = n(t, s.OBSERVABLE_GAUGE, r), a = this._meterSharedState.registerAsyncMetricStorage(e);\n return new p(e, a, this._meterSharedState.observableRegistry);\n }, o.prototype.createObservableCounter = function(t, r) {\n var e = n(t, s.OBSERVABLE_COUNTER, r), a = this._meterSharedState.registerAsyncMetricStorage(e);\n return new g(e, a, this._meterSharedState.observableRegistry);\n }, o.prototype.createObservableUpDownCounter = function(t, r) {\n var e = n(t, s.OBSERVABLE_UP_DOWN_COUNTER, r), a = this._meterSharedState.registerAsyncMetricStorage(e);\n return new b(e, a, this._meterSharedState.observableRegistry);\n }, o.prototype.addBatchObservableCallback = function(t, r) {\n this._meterSharedState.observableRegistry.addBatchCallback(t, r);\n }, o.prototype.removeBatchObservableCallback = function(t, r) {\n this._meterSharedState.observableRegistry.removeBatchCallback(t, r);\n }, o;\n }()\n);\nexport {\n v as Meter\n};\n","import { createInstrumentDescriptor as e } from \"../InstrumentDescriptor.mjs\";\nvar n = (\n /** @class */\n function() {\n function t(r) {\n this._instrumentDescriptor = r;\n }\n return t.prototype.getInstrumentDescriptor = function() {\n return this._instrumentDescriptor;\n }, t.prototype.updateDescription = function(r) {\n this._instrumentDescriptor = e(this._instrumentDescriptor.name, this._instrumentDescriptor.type, {\n description: r,\n valueType: this._instrumentDescriptor.valueType,\n unit: this._instrumentDescriptor.unit,\n advice: this._instrumentDescriptor.advice\n });\n }, t;\n }()\n);\nexport {\n n as MetricStorage\n};\n","import { hashAttributes as p } from \"../utils.mjs\";\nvar h = /* @__PURE__ */ function() {\n var u = function(r, t) {\n return u = Object.setPrototypeOf || { __proto__: [] } instanceof Array && function(e, i) {\n e.__proto__ = i;\n } || function(e, i) {\n for (var n in i) Object.prototype.hasOwnProperty.call(i, n) && (e[n] = i[n]);\n }, u(r, t);\n };\n return function(r, t) {\n if (typeof t != \"function\" && t !== null)\n throw new TypeError(\"Class extends value \" + String(t) + \" is not a constructor or null\");\n u(r, t);\n function e() {\n this.constructor = r;\n }\n r.prototype = t === null ? Object.create(t) : (e.prototype = t.prototype, new e());\n };\n}(), c = function(u, r) {\n var t = { label: 0, sent: function() {\n if (n[0] & 1) throw n[1];\n return n[1];\n }, trys: [], ops: [] }, e, i, n, s;\n return s = { next: l(0), throw: l(1), return: l(2) }, typeof Symbol == \"function\" && (s[Symbol.iterator] = function() {\n return this;\n }), s;\n function l(a) {\n return function(o) {\n return f([a, o]);\n };\n }\n function f(a) {\n if (e) throw new TypeError(\"Generator is already executing.\");\n for (; t; ) try {\n if (e = 1, i && (n = a[0] & 2 ? i.return : a[0] ? i.throw || ((n = i.return) && n.call(i), 0) : i.next) && !(n = n.call(i, a[1])).done) return n;\n switch (i = 0, n && (a = [a[0] & 2, n.value]), a[0]) {\n case 0:\n case 1:\n n = a;\n break;\n case 4:\n return t.label++, { value: a[1], done: !1 };\n case 5:\n t.label++, i = a[1], a = [0];\n continue;\n case 7:\n a = t.ops.pop(), t.trys.pop();\n continue;\n default:\n if (n = t.trys, !(n = n.length > 0 && n[n.length - 1]) && (a[0] === 6 || a[0] === 2)) {\n t = 0;\n continue;\n }\n if (a[0] === 3 && (!n || a[1] > n[0] && a[1] < n[3])) {\n t.label = a[1];\n break;\n }\n if (a[0] === 6 && t.label < n[1]) {\n t.label = n[1], n = a;\n break;\n }\n if (n && t.label < n[2]) {\n t.label = n[2], t.ops.push(a);\n break;\n }\n n[2] && t.ops.pop(), t.trys.pop();\n continue;\n }\n a = r.call(u, t);\n } catch (o) {\n a = [6, o], i = 0;\n } finally {\n e = n = 0;\n }\n if (a[0] & 5) throw a[1];\n return { value: a[0] ? a[1] : void 0, done: !0 };\n }\n}, v = (\n /** @class */\n function() {\n function u(r) {\n this._hash = r, this._valueMap = /* @__PURE__ */ new Map(), this._keyMap = /* @__PURE__ */ new Map();\n }\n return u.prototype.get = function(r, t) {\n return t ?? (t = this._hash(r)), this._valueMap.get(t);\n }, u.prototype.getOrDefault = function(r, t) {\n var e = this._hash(r);\n if (this._valueMap.has(e))\n return this._valueMap.get(e);\n var i = t();\n return this._keyMap.has(e) || this._keyMap.set(e, r), this._valueMap.set(e, i), i;\n }, u.prototype.set = function(r, t, e) {\n e ?? (e = this._hash(r)), this._keyMap.has(e) || this._keyMap.set(e, r), this._valueMap.set(e, t);\n }, u.prototype.has = function(r, t) {\n return t ?? (t = this._hash(r)), this._valueMap.has(t);\n }, u.prototype.keys = function() {\n var r, t;\n return c(this, function(e) {\n switch (e.label) {\n case 0:\n r = this._keyMap.entries(), t = r.next(), e.label = 1;\n case 1:\n return t.done === !0 ? [3, 3] : [4, [t.value[1], t.value[0]]];\n case 2:\n return e.sent(), t = r.next(), [3, 1];\n case 3:\n return [\n 2\n /*return*/\n ];\n }\n });\n }, u.prototype.entries = function() {\n var r, t;\n return c(this, function(e) {\n switch (e.label) {\n case 0:\n r = this._valueMap.entries(), t = r.next(), e.label = 1;\n case 1:\n return t.done === !0 ? [3, 3] : [4, [this._keyMap.get(t.value[0]), t.value[1], t.value[0]]];\n case 2:\n return e.sent(), t = r.next(), [3, 1];\n case 3:\n return [\n 2\n /*return*/\n ];\n }\n });\n }, Object.defineProperty(u.prototype, \"size\", {\n get: function() {\n return this._valueMap.size;\n },\n enumerable: !1,\n configurable: !0\n }), u;\n }()\n), _ = (\n /** @class */\n function(u) {\n h(r, u);\n function r() {\n return u.call(this, p) || this;\n }\n return r;\n }(v)\n);\nexport {\n _ as AttributeHashMap,\n v as HashMap\n};\n","import { AttributeHashMap as g } from \"./HashMap.mjs\";\nvar s = function(o, r) {\n var a = typeof Symbol == \"function\" && o[Symbol.iterator];\n if (!a) return o;\n var t = a.call(o), i, c = [], e;\n try {\n for (; (r === void 0 || r-- > 0) && !(i = t.next()).done; ) c.push(i.value);\n } catch (v) {\n e = { error: v };\n } finally {\n try {\n i && !i.done && (a = t.return) && a.call(t);\n } finally {\n if (e) throw e.error;\n }\n }\n return c;\n}, d = (\n /** @class */\n function() {\n function o(r) {\n this._aggregator = r, this._activeCollectionStorage = new g(), this._cumulativeMemoStorage = new g();\n }\n return o.prototype.record = function(r, a, t, i) {\n var c = this, e = this._activeCollectionStorage.getOrDefault(a, function() {\n return c._aggregator.createAccumulation(i);\n });\n e == null || e.record(r);\n }, o.prototype.batchCumulate = function(r, a) {\n var t = this;\n Array.from(r.entries()).forEach(function(i) {\n var c = s(i, 3), e = c[0], v = c[1], n = c[2], l = t._aggregator.createAccumulation(a);\n l == null || l.record(v);\n var u = l;\n if (t._cumulativeMemoStorage.has(e, n)) {\n var f = t._cumulativeMemoStorage.get(e, n);\n u = t._aggregator.diff(f, l);\n }\n if (t._activeCollectionStorage.has(e, n)) {\n var _ = t._activeCollectionStorage.get(e, n);\n u = t._aggregator.merge(_, u);\n }\n t._cumulativeMemoStorage.set(e, l, n), t._activeCollectionStorage.set(e, u, n);\n });\n }, o.prototype.collect = function() {\n var r = this._activeCollectionStorage;\n return this._activeCollectionStorage = new g(), r;\n }, o;\n }()\n);\nexport {\n d as DeltaMetricProcessor\n};\n","import { AggregationTemporality as g } from \"../export/AggregationTemporality.mjs\";\nimport { AttributeHashMap as p } from \"./HashMap.mjs\";\nvar m = function(e) {\n var n = typeof Symbol == \"function\" && Symbol.iterator, a = n && e[n], o = 0;\n if (a) return a.call(e);\n if (e && typeof e.length == \"number\") return {\n next: function() {\n return e && o >= e.length && (e = void 0), { value: e && e[o++], done: !e };\n }\n };\n throw new TypeError(n ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\n}, y = function(e, n) {\n var a = typeof Symbol == \"function\" && e[Symbol.iterator];\n if (!a) return e;\n var o = a.call(e), i, u = [], r;\n try {\n for (; (n === void 0 || n-- > 0) && !(i = o.next()).done; ) u.push(i.value);\n } catch (t) {\n r = { error: t };\n } finally {\n try {\n i && !i.done && (a = o.return) && a.call(o);\n } finally {\n if (r) throw r.error;\n }\n }\n return u;\n}, T = (\n /** @class */\n function() {\n function e(n, a) {\n var o = this;\n this._aggregator = n, this._unreportedAccumulations = /* @__PURE__ */ new Map(), this._reportHistory = /* @__PURE__ */ new Map(), a.forEach(function(i) {\n o._unreportedAccumulations.set(i, []);\n });\n }\n return e.prototype.buildMetrics = function(n, a, o, i) {\n this._stashAccumulations(o);\n var u = this._getMergedUnreportedAccumulations(n), r = u, t;\n if (this._reportHistory.has(n)) {\n var f = this._reportHistory.get(n), l = f.collectionTime;\n t = f.aggregationTemporality, t === g.CUMULATIVE ? r = e.merge(f.accumulations, u, this._aggregator) : r = e.calibrateStartTime(f.accumulations, u, l);\n } else\n t = n.selectAggregationTemporality(a.type);\n this._reportHistory.set(n, {\n accumulations: r,\n collectionTime: i,\n aggregationTemporality: t\n });\n var c = d(r);\n if (c.length !== 0)\n return this._aggregator.toMetricData(\n a,\n t,\n c,\n /* endTime */\n i\n );\n }, e.prototype._stashAccumulations = function(n) {\n var a, o, i = this._unreportedAccumulations.keys();\n try {\n for (var u = m(i), r = u.next(); !r.done; r = u.next()) {\n var t = r.value, f = this._unreportedAccumulations.get(t);\n f === void 0 && (f = [], this._unreportedAccumulations.set(t, f)), f.push(n);\n }\n } catch (l) {\n a = { error: l };\n } finally {\n try {\n r && !r.done && (o = u.return) && o.call(u);\n } finally {\n if (a) throw a.error;\n }\n }\n }, e.prototype._getMergedUnreportedAccumulations = function(n) {\n var a, o, i = new p(), u = this._unreportedAccumulations.get(n);\n if (this._unreportedAccumulations.set(n, []), u === void 0)\n return i;\n try {\n for (var r = m(u), t = r.next(); !t.done; t = r.next()) {\n var f = t.value;\n i = e.merge(i, f, this._aggregator);\n }\n } catch (l) {\n a = { error: l };\n } finally {\n try {\n t && !t.done && (o = r.return) && o.call(r);\n } finally {\n if (a) throw a.error;\n }\n }\n return i;\n }, e.merge = function(n, a, o) {\n for (var i = n, u = a.entries(), r = u.next(); r.done !== !0; ) {\n var t = y(r.value, 3), f = t[0], l = t[1], c = t[2];\n if (n.has(f, c)) {\n var v = n.get(f, c), s = o.merge(v, l);\n i.set(f, s, c);\n } else\n i.set(f, l, c);\n r = u.next();\n }\n return i;\n }, e.calibrateStartTime = function(n, a, o) {\n var i, u;\n try {\n for (var r = m(n.keys()), t = r.next(); !t.done; t = r.next()) {\n var f = y(t.value, 2), l = f[0], c = f[1], v = a.get(l, c);\n v == null || v.setStartTime(o);\n }\n } catch (s) {\n i = { error: s };\n } finally {\n try {\n t && !t.done && (u = r.return) && u.call(r);\n } finally {\n if (i) throw i.error;\n }\n }\n return a;\n }, e;\n }()\n);\nfunction d(e) {\n return Array.from(e.entries());\n}\nexport {\n T as TemporalMetricProcessor\n};\n","import { MetricStorage as l } from \"./MetricStorage.mjs\";\nimport { DeltaMetricProcessor as f } from \"./DeltaMetricProcessor.mjs\";\nimport { TemporalMetricProcessor as p } from \"./TemporalMetricProcessor.mjs\";\nimport { AttributeHashMap as _ } from \"./HashMap.mjs\";\nvar d = /* @__PURE__ */ function() {\n var i = function(o, t) {\n return i = Object.setPrototypeOf || { __proto__: [] } instanceof Array && function(r, e) {\n r.__proto__ = e;\n } || function(r, e) {\n for (var n in e) Object.prototype.hasOwnProperty.call(e, n) && (r[n] = e[n]);\n }, i(o, t);\n };\n return function(o, t) {\n if (typeof t != \"function\" && t !== null)\n throw new TypeError(\"Class extends value \" + String(t) + \" is not a constructor or null\");\n i(o, t);\n function r() {\n this.constructor = o;\n }\n o.prototype = t === null ? Object.create(t) : (r.prototype = t.prototype, new r());\n };\n}(), y = function(i, o) {\n var t = typeof Symbol == \"function\" && i[Symbol.iterator];\n if (!t) return i;\n var r = t.call(i), e, n = [], c;\n try {\n for (; (o === void 0 || o-- > 0) && !(e = r.next()).done; ) n.push(e.value);\n } catch (a) {\n c = { error: a };\n } finally {\n try {\n e && !e.done && (t = r.return) && t.call(r);\n } finally {\n if (c) throw c.error;\n }\n }\n return n;\n}, S = (\n /** @class */\n function(i) {\n d(o, i);\n function o(t, r, e, n) {\n var c = i.call(this, t) || this;\n return c._attributesProcessor = e, c._deltaMetricStorage = new f(r), c._temporalMetricStorage = new p(r, n), c;\n }\n return o.prototype.record = function(t, r) {\n var e = this, n = new _();\n Array.from(t.entries()).forEach(function(c) {\n var a = y(c, 2), s = a[0], u = a[1];\n n.set(e._attributesProcessor.process(s), u);\n }), this._deltaMetricStorage.batchCumulate(n, r);\n }, o.prototype.collect = function(t, r) {\n var e = this._deltaMetricStorage.collect();\n return this._temporalMetricStorage.buildMetrics(t, this._instrumentDescriptor, e, r);\n }, o;\n }(l)\n);\nexport {\n S as AsyncMetricStorage\n};\n","function c(e, n) {\n var t = \"\";\n return e.unit !== n.unit && (t += \"\t- Unit '\" + e.unit + \"' does not match '\" + n.unit + `'\n`), e.type !== n.type && (t += \"\t- Type '\" + e.type + \"' does not match '\" + n.type + `'\n`), e.valueType !== n.valueType && (t += \"\t- Value Type '\" + e.valueType + \"' does not match '\" + n.valueType + `'\n`), e.description !== n.description && (t += \"\t- Description '\" + e.description + \"' does not match '\" + n.description + `'\n`), t;\n}\nfunction u(e, n) {\n return \"\t- use valueType '\" + e.valueType + \"' on instrument creation or use an instrument name other than '\" + n.name + \"'\";\n}\nfunction i(e, n) {\n return \"\t- use unit '\" + e.unit + \"' on instrument creation or use an instrument name other than '\" + n.name + \"'\";\n}\nfunction l(e, n) {\n var t = {\n name: n.name,\n type: n.type,\n unit: n.unit\n }, a = JSON.stringify(t);\n return \"\t- create a new view with a name other than '\" + e.name + \"' and InstrumentSelector '\" + a + \"'\";\n}\nfunction m(e, n) {\n var t = {\n name: n.name,\n type: n.type,\n unit: n.unit\n }, a = JSON.stringify(t);\n return \"\t- create a new view with a name other than '\" + e.name + \"' and InstrumentSelector '\" + a + `'\n \t- OR - create a new view with the name ` + e.name + \" and description '\" + e.description + \"' and InstrumentSelector \" + a + `\n \t- OR - create a new view with the name ` + n.name + \" and description '\" + e.description + \"' and InstrumentSelector \" + a;\n}\nfunction y(e, n) {\n return e.valueType !== n.valueType ? u(e, n) : e.unit !== n.unit ? i(e, n) : e.type !== n.type ? l(e, n) : e.description !== n.description ? m(e, n) : \"\";\n}\nexport {\n y as getConflictResolutionRecipe,\n m as getDescriptionResolutionRecipe,\n c as getIncompatibilityDetails,\n l as getTypeConflictResolutionRecipe,\n i as getUnitConflictResolutionRecipe,\n u as getValueTypeConflictResolutionRecipe\n};\n","import { isDescriptorCompatibleWith as c } from \"../InstrumentDescriptor.mjs\";\nimport \"../../../../api/build/esm/index.mjs\";\nimport { getIncompatibilityDetails as m, getConflictResolutionRecipe as p } from \"../view/RegistrationConflicts.mjs\";\nimport { diag as g } from \"../../../../api/build/esm/diag-api.mjs\";\nvar v = function(r) {\n var e = typeof Symbol == \"function\" && Symbol.iterator, n = e && r[e], t = 0;\n if (n) return n.call(r);\n if (r && typeof r.length == \"number\") return {\n next: function() {\n return r && t >= r.length && (r = void 0), { value: r && r[t++], done: !r };\n }\n };\n throw new TypeError(e ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\n}, S = (\n /** @class */\n function() {\n function r() {\n this._sharedRegistry = /* @__PURE__ */ new Map(), this._perCollectorRegistry = /* @__PURE__ */ new Map();\n }\n return r.create = function() {\n return new r();\n }, r.prototype.getStorages = function(e) {\n var n, t, a, f, o = [];\n try {\n for (var l = v(this._sharedRegistry.values()), u = l.next(); !u.done; u = l.next()) {\n var i = u.value;\n o = o.concat(i);\n }\n } catch (y) {\n n = { error: y };\n } finally {\n try {\n u && !u.done && (t = l.return) && t.call(l);\n } finally {\n if (n) throw n.error;\n }\n }\n var h = this._perCollectorRegistry.get(e);\n if (h != null)\n try {\n for (var d = v(h.values()), s = d.next(); !s.done; s = d.next()) {\n var i = s.value;\n o = o.concat(i);\n }\n } catch (y) {\n a = { error: y };\n } finally {\n try {\n s && !s.done && (f = d.return) && f.call(d);\n } finally {\n if (a) throw a.error;\n }\n }\n return o;\n }, r.prototype.register = function(e) {\n this._registerStorage(e, this._sharedRegistry);\n }, r.prototype.registerForCollector = function(e, n) {\n var t = this._perCollectorRegistry.get(e);\n t == null && (t = /* @__PURE__ */ new Map(), this._perCollectorRegistry.set(e, t)), this._registerStorage(n, t);\n }, r.prototype.findOrUpdateCompatibleStorage = function(e) {\n var n = this._sharedRegistry.get(e.name);\n return n === void 0 ? null : this._findOrUpdateCompatibleStorage(e, n);\n }, r.prototype.findOrUpdateCompatibleCollectorStorage = function(e, n) {\n var t = this._perCollectorRegistry.get(e);\n if (t === void 0)\n return null;\n var a = t.get(n.name);\n return a === void 0 ? null : this._findOrUpdateCompatibleStorage(n, a);\n }, r.prototype._registerStorage = function(e, n) {\n var t = e.getInstrumentDescriptor(), a = n.get(t.name);\n if (a === void 0) {\n n.set(t.name, [e]);\n return;\n }\n a.push(e);\n }, r.prototype._findOrUpdateCompatibleStorage = function(e, n) {\n var t, a, f = null;\n try {\n for (var o = v(n), l = o.next(); !l.done; l = o.next()) {\n var u = l.value, i = u.getInstrumentDescriptor();\n c(i, e) ? (i.description !== e.description && (e.description.length > i.description.length && u.updateDescription(e.description), g.warn(\"A view or instrument with the name \", e.name, ` has already been registered, but has a different description and is incompatible with another registered view.\n`, `Details:\n`, m(i, e), `The longer description will be used.\nTo resolve the conflict:`, p(i, e))), f = u) : g.warn(\"A view or instrument with the name \", e.name, ` has already been registered and is incompatible with another registered view.\n`, `Details:\n`, m(i, e), `To resolve the conflict:\n`, p(i, e));\n }\n } catch (h) {\n t = { error: h };\n } finally {\n try {\n l && !l.done && (a = o.return) && a.call(o);\n } finally {\n if (t) throw t.error;\n }\n }\n return f;\n }, r;\n }()\n);\nexport {\n S as MetricStorageRegistry\n};\n","var n = (\n /** @class */\n function() {\n function r(t) {\n this._backingStorages = t;\n }\n return r.prototype.record = function(t, o, i, c) {\n this._backingStorages.forEach(function(e) {\n e.record(t, o, i, c);\n });\n }, r;\n }()\n);\nexport {\n n as MultiMetricStorage\n};\n","import \"../../../api/build/esm/index.mjs\";\nimport { AttributeHashMap as f } from \"./state/HashMap.mjs\";\nimport { isObservableInstrument as p } from \"./Instruments.mjs\";\nimport { diag as i } from \"../../../api/build/esm/diag-api.mjs\";\nimport { ValueType as s } from \"../../../api/build/esm/metrics/Metric.mjs\";\nvar h = (\n /** @class */\n function() {\n function t(e, r) {\n this._instrumentName = e, this._valueType = r, this._buffer = new f();\n }\n return t.prototype.observe = function(e, r) {\n if (r === void 0 && (r = {}), typeof e != \"number\") {\n i.warn(\"non-number value provided to metric \" + this._instrumentName + \": \" + e);\n return;\n }\n this._valueType === s.INT && !Number.isInteger(e) && (i.warn(\"INT value type cannot accept a floating-point value for \" + this._instrumentName + \", ignoring the fractional digits.\"), e = Math.trunc(e), !Number.isInteger(e)) || this._buffer.set(r, e);\n }, t;\n }()\n), l = (\n /** @class */\n function() {\n function t() {\n this._buffer = /* @__PURE__ */ new Map();\n }\n return t.prototype.observe = function(e, r, o) {\n if (o === void 0 && (o = {}), !!p(e)) {\n var n = this._buffer.get(e);\n if (n == null && (n = new f(), this._buffer.set(e, n)), typeof r != \"number\") {\n i.warn(\"non-number value provided to metric \" + e._descriptor.name + \": \" + r);\n return;\n }\n e._descriptor.valueType === s.INT && !Number.isInteger(r) && (i.warn(\"INT value type cannot accept a floating-point value for \" + e._descriptor.name + \", ignoring the fractional digits.\"), r = Math.trunc(r), !Number.isInteger(r)) || n.set(o, r);\n }\n }, t;\n }()\n);\nexport {\n l as BatchObservableResultImpl,\n h as ObservableResultImpl\n};\n","import \"../../../../api/build/esm/index.mjs\";\nimport { isObservableInstrument as d } from \"../Instruments.mjs\";\nimport { ObservableResultImpl as k, BatchObservableResultImpl as m } from \"../ObservableResult.mjs\";\nimport { isPromiseAllSettledRejectionResult as w, PromiseAllSettled as C, callWithTimeout as v, setEquals as x } from \"../utils.mjs\";\nimport { diag as g } from \"../../../../api/build/esm/diag-api.mjs\";\nvar b = function(c, a, e, r) {\n function i(t) {\n return t instanceof e ? t : new e(function(l) {\n l(t);\n });\n }\n return new (e || (e = Promise))(function(t, l) {\n function s(u) {\n try {\n n(r.next(u));\n } catch (f) {\n l(f);\n }\n }\n function o(u) {\n try {\n n(r.throw(u));\n } catch (f) {\n l(f);\n }\n }\n function n(u) {\n u.done ? t(u.value) : i(u.value).then(s, o);\n }\n n((r = r.apply(c, a || [])).next());\n });\n}, h = function(c, a) {\n var e = { label: 0, sent: function() {\n if (t[0] & 1) throw t[1];\n return t[1];\n }, trys: [], ops: [] }, r, i, t, l;\n return l = { next: s(0), throw: s(1), return: s(2) }, typeof Symbol == \"function\" && (l[Symbol.iterator] = function() {\n return this;\n }), l;\n function s(n) {\n return function(u) {\n return o([n, u]);\n };\n }\n function o(n) {\n if (r) throw new TypeError(\"Generator is already executing.\");\n for (; e; ) try {\n if (r = 1, i && (t = n[0] & 2 ? i.return : n[0] ? i.throw || ((t = i.return) && t.call(i), 0) : i.next) && !(t = t.call(i, n[1])).done) return t;\n switch (i = 0, t && (n = [n[0] & 2, t.value]), n[0]) {\n case 0:\n case 1:\n t = n;\n break;\n case 4:\n return e.label++, { value: n[1], done: !1 };\n case 5:\n e.label++, i = n[1], n = [0];\n continue;\n case 7:\n n = e.ops.pop(), e.trys.pop();\n continue;\n default:\n if (t = e.trys, !(t = t.length > 0 && t[t.length - 1]) && (n[0] === 6 || n[0] === 2)) {\n e = 0;\n continue;\n }\n if (n[0] === 3 && (!t || n[1] > t[0] && n[1] < t[3])) {\n e.label = n[1];\n break;\n }\n if (n[0] === 6 && e.label < t[1]) {\n e.label = t[1], t = n;\n break;\n }\n if (t && e.label < t[2]) {\n e.label = t[2], e.ops.push(n);\n break;\n }\n t[2] && e.ops.pop(), e.trys.pop();\n continue;\n }\n n = a.call(c, e);\n } catch (u) {\n n = [6, u], i = 0;\n } finally {\n r = t = 0;\n }\n if (n[0] & 5) throw n[1];\n return { value: n[0] ? n[1] : void 0, done: !0 };\n }\n}, y = function(c, a) {\n var e = typeof Symbol == \"function\" && c[Symbol.iterator];\n if (!e) return c;\n var r = e.call(c), i, t = [], l;\n try {\n for (; (a === void 0 || a-- > 0) && !(i = r.next()).done; ) t.push(i.value);\n } catch (s) {\n l = { error: s };\n } finally {\n try {\n i && !i.done && (e = r.return) && e.call(r);\n } finally {\n if (l) throw l.error;\n }\n }\n return t;\n}, _ = function(c, a, e) {\n if (e || arguments.length === 2) for (var r = 0, i = a.length, t; r < i; r++)\n (t || !(r in a)) && (t || (t = Array.prototype.slice.call(a, 0, r)), t[r] = a[r]);\n return c.concat(t || Array.prototype.slice.call(a));\n}, O = (\n /** @class */\n function() {\n function c() {\n this._callbacks = [], this._batchCallbacks = [];\n }\n return c.prototype.addCallback = function(a, e) {\n var r = this._findCallback(a, e);\n r >= 0 || this._callbacks.push({ callback: a, instrument: e });\n }, c.prototype.removeCallback = function(a, e) {\n var r = this._findCallback(a, e);\n r < 0 || this._callbacks.splice(r, 1);\n }, c.prototype.addBatchCallback = function(a, e) {\n var r = new Set(e.filter(d));\n if (r.size === 0) {\n g.error(\"BatchObservableCallback is not associated with valid instruments\", e);\n return;\n }\n var i = this._findBatchCallback(a, r);\n i >= 0 || this._batchCallbacks.push({ callback: a, instruments: r });\n }, c.prototype.removeBatchCallback = function(a, e) {\n var r = new Set(e.filter(d)), i = this._findBatchCallback(a, r);\n i < 0 || this._batchCallbacks.splice(i, 1);\n }, c.prototype.observe = function(a, e) {\n return b(this, void 0, void 0, function() {\n var r, i, t, l;\n return h(this, function(s) {\n switch (s.label) {\n case 0:\n return r = this._observeCallbacks(a, e), i = this._observeBatchCallbacks(a, e), [4, C(_(_([], y(r), !1), y(i), !1))];\n case 1:\n return t = s.sent(), l = t.filter(w).map(function(o) {\n return o.reason;\n }), [2, l];\n }\n });\n });\n }, c.prototype._observeCallbacks = function(a, e) {\n var r = this;\n return this._callbacks.map(function(i) {\n var t = i.callback, l = i.instrument;\n return b(r, void 0, void 0, function() {\n var s, o;\n return h(this, function(n) {\n switch (n.label) {\n case 0:\n return s = new k(l._descriptor.name, l._descriptor.valueType), o = Promise.resolve(t(s)), e != null && (o = v(o, e)), [4, o];\n case 1:\n return n.sent(), l._metricStorages.forEach(function(u) {\n u.record(s._buffer, a);\n }), [\n 2\n /*return*/\n ];\n }\n });\n });\n });\n }, c.prototype._observeBatchCallbacks = function(a, e) {\n var r = this;\n return this._batchCallbacks.map(function(i) {\n var t = i.callback, l = i.instruments;\n return b(r, void 0, void 0, function() {\n var s, o;\n return h(this, function(n) {\n switch (n.label) {\n case 0:\n return s = new m(), o = Promise.resolve(t(s)), e != null && (o = v(o, e)), [4, o];\n case 1:\n return n.sent(), l.forEach(function(u) {\n var f = s._buffer.get(u);\n f != null && u._metricStorages.forEach(function(p) {\n p.record(f, a);\n });\n }), [\n 2\n /*return*/\n ];\n }\n });\n });\n });\n }, c.prototype._findCallback = function(a, e) {\n return this._callbacks.findIndex(function(r) {\n return r.callback === a && r.instrument === e;\n });\n }, c.prototype._findBatchCallback = function(a, e) {\n return this._batchCallbacks.findIndex(function(r) {\n return r.callback === a && x(r.instruments, e);\n });\n }, c;\n }()\n);\nexport {\n O as ObservableRegistry\n};\n","import { MetricStorage as s } from \"./MetricStorage.mjs\";\nimport { DeltaMetricProcessor as a } from \"./DeltaMetricProcessor.mjs\";\nimport { TemporalMetricProcessor as u } from \"./TemporalMetricProcessor.mjs\";\nvar l = /* @__PURE__ */ function() {\n var c = function(o, t) {\n return c = Object.setPrototypeOf || { __proto__: [] } instanceof Array && function(r, e) {\n r.__proto__ = e;\n } || function(r, e) {\n for (var n in e) Object.prototype.hasOwnProperty.call(e, n) && (r[n] = e[n]);\n }, c(o, t);\n };\n return function(o, t) {\n if (typeof t != \"function\" && t !== null)\n throw new TypeError(\"Class extends value \" + String(t) + \" is not a constructor or null\");\n c(o, t);\n function r() {\n this.constructor = o;\n }\n o.prototype = t === null ? Object.create(t) : (r.prototype = t.prototype, new r());\n };\n}(), y = (\n /** @class */\n function(c) {\n l(o, c);\n function o(t, r, e, n) {\n var i = c.call(this, t) || this;\n return i._attributesProcessor = e, i._deltaMetricStorage = new a(r), i._temporalMetricStorage = new u(r, n), i;\n }\n return o.prototype.record = function(t, r, e, n) {\n r = this._attributesProcessor.process(r, e), this._deltaMetricStorage.record(t, r, e, n);\n }, o.prototype.collect = function(t, r) {\n var e = this._deltaMetricStorage.collect();\n return this._temporalMetricStorage.buildMetrics(t, this._instrumentDescriptor, e, r);\n }, o;\n }(s)\n);\nexport {\n y as SyncMetricStorage\n};\n","var s = /* @__PURE__ */ function() {\n var r = function(n, t) {\n return r = Object.setPrototypeOf || { __proto__: [] } instanceof Array && function(e, o) {\n e.__proto__ = o;\n } || function(e, o) {\n for (var i in o) Object.prototype.hasOwnProperty.call(o, i) && (e[i] = o[i]);\n }, r(n, t);\n };\n return function(n, t) {\n if (typeof t != \"function\" && t !== null)\n throw new TypeError(\"Class extends value \" + String(t) + \" is not a constructor or null\");\n r(n, t);\n function e() {\n this.constructor = n;\n }\n n.prototype = t === null ? Object.create(t) : (e.prototype = t.prototype, new e());\n };\n}(), c = (\n /** @class */\n function() {\n function r() {\n }\n return r.Noop = function() {\n return a;\n }, r;\n }()\n), f = (\n /** @class */\n function(r) {\n s(n, r);\n function n() {\n return r !== null && r.apply(this, arguments) || this;\n }\n return n.prototype.process = function(t, e) {\n return t;\n }, n;\n }(c)\n), l = (\n /** @class */\n function(r) {\n s(n, r);\n function n(t) {\n var e = r.call(this) || this;\n return e._allowedAttributeNames = t, e;\n }\n return n.prototype.process = function(t, e) {\n var o = this, i = {};\n return Object.keys(t).filter(function(u) {\n return o._allowedAttributeNames.includes(u);\n }).forEach(function(u) {\n return i[u] = t[u];\n }), i;\n }, n;\n }(c)\n), a = new f();\nexport {\n c as AttributesProcessor,\n l as FilteringAttributesProcessor,\n f as NoopAttributesProcessor\n};\n","import { createInstrumentDescriptorWithView as v } from \"../InstrumentDescriptor.mjs\";\nimport { Meter as d } from \"../Meter.mjs\";\nimport { isNotNullish as y } from \"../utils.mjs\";\nimport { AsyncMetricStorage as S } from \"./AsyncMetricStorage.mjs\";\nimport { MetricStorageRegistry as b } from \"./MetricStorageRegistry.mjs\";\nimport { MultiMetricStorage as w } from \"./MultiWritableMetricStorage.mjs\";\nimport { ObservableRegistry as p } from \"./ObservableRegistry.mjs\";\nimport { SyncMetricStorage as _ } from \"./SyncMetricStorage.mjs\";\nimport { AttributesProcessor as M } from \"../view/AttributesProcessor.mjs\";\nvar R = function(c, n, r, a) {\n function i(e) {\n return e instanceof r ? e : new r(function(o) {\n o(e);\n });\n }\n return new (r || (r = Promise))(function(e, o) {\n function u(s) {\n try {\n t(a.next(s));\n } catch (f) {\n o(f);\n }\n }\n function l(s) {\n try {\n t(a.throw(s));\n } catch (f) {\n o(f);\n }\n }\n function t(s) {\n s.done ? e(s.value) : i(s.value).then(u, l);\n }\n t((a = a.apply(c, n || [])).next());\n });\n}, x = function(c, n) {\n var r = { label: 0, sent: function() {\n if (e[0] & 1) throw e[1];\n return e[1];\n }, trys: [], ops: [] }, a, i, e, o;\n return o = { next: u(0), throw: u(1), return: u(2) }, typeof Symbol == \"function\" && (o[Symbol.iterator] = function() {\n return this;\n }), o;\n function u(t) {\n return function(s) {\n return l([t, s]);\n };\n }\n function l(t) {\n if (a) throw new TypeError(\"Generator is already executing.\");\n for (; r; ) try {\n if (a = 1, i && (e = t[0] & 2 ? i.return : t[0] ? i.throw || ((e = i.return) && e.call(i), 0) : i.next) && !(e = e.call(i, t[1])).done) return e;\n switch (i = 0, e && (t = [t[0] & 2, e.value]), t[0]) {\n case 0:\n case 1:\n e = t;\n break;\n case 4:\n return r.label++, { value: t[1], done: !1 };\n case 5:\n r.label++, i = t[1], t = [0];\n continue;\n case 7:\n t = r.ops.pop(), r.trys.pop();\n continue;\n default:\n if (e = r.trys, !(e = e.length > 0 && e[e.length - 1]) && (t[0] === 6 || t[0] === 2)) {\n r = 0;\n continue;\n }\n if (t[0] === 3 && (!e || t[1] > e[0] && t[1] < e[3])) {\n r.label = t[1];\n break;\n }\n if (t[0] === 6 && r.label < e[1]) {\n r.label = e[1], e = t;\n break;\n }\n if (e && r.label < e[2]) {\n r.label = e[2], r.ops.push(t);\n break;\n }\n e[2] && r.ops.pop(), r.trys.pop();\n continue;\n }\n t = n.call(c, r);\n } catch (s) {\n t = [6, s], i = 0;\n } finally {\n a = e = 0;\n }\n if (t[0] & 5) throw t[1];\n return { value: t[0] ? t[1] : void 0, done: !0 };\n }\n}, A = function(c, n) {\n var r = typeof Symbol == \"function\" && c[Symbol.iterator];\n if (!r) return c;\n var a = r.call(c), i, e = [], o;\n try {\n for (; (n === void 0 || n-- > 0) && !(i = a.next()).done; ) e.push(i.value);\n } catch (u) {\n o = { error: u };\n } finally {\n try {\n i && !i.done && (r = a.return) && r.call(a);\n } finally {\n if (o) throw o.error;\n }\n }\n return e;\n}, F = (\n /** @class */\n function() {\n function c(n, r) {\n this._meterProviderSharedState = n, this._instrumentationScope = r, this.metricStorageRegistry = new b(), this.observableRegistry = new p(), this.meter = new d(this);\n }\n return c.prototype.registerMetricStorage = function(n) {\n var r = this._registerMetricStorage(n, _);\n return r.length === 1 ? r[0] : new w(r);\n }, c.prototype.registerAsyncMetricStorage = function(n) {\n var r = this._registerMetricStorage(n, S);\n return r;\n }, c.prototype.collect = function(n, r, a) {\n return R(this, void 0, void 0, function() {\n var i, e, o;\n return x(this, function(u) {\n switch (u.label) {\n case 0:\n return [4, this.observableRegistry.observe(r, a == null ? void 0 : a.timeoutMillis)];\n case 1:\n return i = u.sent(), e = this.metricStorageRegistry.getStorages(n), e.length === 0 ? [2, null] : (o = e.map(function(l) {\n return l.collect(n, r);\n }).filter(y), o.length === 0 ? [2, { errors: i }] : [2, {\n scopeMetrics: {\n scope: this._instrumentationScope,\n metrics: o\n },\n errors: i\n }]);\n }\n });\n });\n }, c.prototype._registerMetricStorage = function(n, r) {\n var a = this, i = this._meterProviderSharedState.viewRegistry.findViews(n, this._instrumentationScope), e = i.map(function(l) {\n var t = v(l, n), s = a.metricStorageRegistry.findOrUpdateCompatibleStorage(t);\n if (s != null)\n return s;\n var f = l.aggregation.createAggregator(t), g = new r(t, f, l.attributesProcessor, a._meterProviderSharedState.metricCollectors);\n return a.metricStorageRegistry.register(g), g;\n });\n if (e.length === 0) {\n var o = this._meterProviderSharedState.selectAggregations(n.type), u = o.map(function(l) {\n var t = A(l, 2), s = t[0], f = t[1], g = a.metricStorageRegistry.findOrUpdateCompatibleCollectorStorage(s, n);\n if (g != null)\n return g;\n var m = f.createAggregator(n), h = new r(n, m, M.Noop(), [s]);\n return a.metricStorageRegistry.registerForCollector(s, h), h;\n });\n e = e.concat(u);\n }\n return e;\n }, c;\n }()\n);\nexport {\n F as MeterSharedState\n};\n","import { instrumentationScopeId as u } from \"../utils.mjs\";\nimport { ViewRegistry as f } from \"../view/ViewRegistry.mjs\";\nimport { MeterSharedState as d } from \"./MeterSharedState.mjs\";\nvar h = function(e) {\n var t = typeof Symbol == \"function\" && Symbol.iterator, i = t && e[t], r = 0;\n if (i) return i.call(e);\n if (e && typeof e.length == \"number\") return {\n next: function() {\n return e && r >= e.length && (e = void 0), { value: e && e[r++], done: !e };\n }\n };\n throw new TypeError(t ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\n}, y = (\n /** @class */\n function() {\n function e(t) {\n this.resource = t, this.viewRegistry = new f(), this.metricCollectors = [], this.meterSharedStates = /* @__PURE__ */ new Map();\n }\n return e.prototype.getMeterSharedState = function(t) {\n var i = u(t), r = this.meterSharedStates.get(i);\n return r == null && (r = new d(this, t), this.meterSharedStates.set(i, r)), r;\n }, e.prototype.selectAggregations = function(t) {\n var i, r, o = [];\n try {\n for (var a = h(this.metricCollectors), n = a.next(); !n.done; n = a.next()) {\n var s = n.value;\n o.push([s, s.selectAggregation(t)]);\n }\n } catch (l) {\n i = { error: l };\n } finally {\n try {\n n && !n.done && (r = a.return) && r.call(a);\n } finally {\n if (i) throw i.error;\n }\n }\n return o;\n }, e;\n }()\n);\nexport {\n y as MeterProviderSharedState\n};\n","import \"../../../../core/build/esm/index.mjs\";\nimport { millisToHrTime as y } from \"../../../../core/build/esm/common/time.mjs\";\nvar f = function(c, n, r, o) {\n function i(e) {\n return e instanceof r ? e : new r(function(u) {\n u(e);\n });\n }\n return new (r || (r = Promise))(function(e, u) {\n function l(a) {\n try {\n t(o.next(a));\n } catch (h) {\n u(h);\n }\n }\n function s(a) {\n try {\n t(o.throw(a));\n } catch (h) {\n u(h);\n }\n }\n function t(a) {\n a.done ? e(a.value) : i(a.value).then(l, s);\n }\n t((o = o.apply(c, n || [])).next());\n });\n}, d = function(c, n) {\n var r = { label: 0, sent: function() {\n if (e[0] & 1) throw e[1];\n return e[1];\n }, trys: [], ops: [] }, o, i, e, u;\n return u = { next: l(0), throw: l(1), return: l(2) }, typeof Symbol == \"function\" && (u[Symbol.iterator] = function() {\n return this;\n }), u;\n function l(t) {\n return function(a) {\n return s([t, a]);\n };\n }\n function s(t) {\n if (o) throw new TypeError(\"Generator is already executing.\");\n for (; r; ) try {\n if (o = 1, i && (e = t[0] & 2 ? i.return : t[0] ? i.throw || ((e = i.return) && e.call(i), 0) : i.next) && !(e = e.call(i, t[1])).done) return e;\n switch (i = 0, e && (t = [t[0] & 2, e.value]), t[0]) {\n case 0:\n case 1:\n e = t;\n break;\n case 4:\n return r.label++, { value: t[1], done: !1 };\n case 5:\n r.label++, i = t[1], t = [0];\n continue;\n case 7:\n t = r.ops.pop(), r.trys.pop();\n continue;\n default:\n if (e = r.trys, !(e = e.length > 0 && e[e.length - 1]) && (t[0] === 6 || t[0] === 2)) {\n r = 0;\n continue;\n }\n if (t[0] === 3 && (!e || t[1] > e[0] && t[1] < e[3])) {\n r.label = t[1];\n break;\n }\n if (t[0] === 6 && r.label < e[1]) {\n r.label = e[1], e = t;\n break;\n }\n if (e && r.label < e[2]) {\n r.label = e[2], r.ops.push(t);\n break;\n }\n e[2] && r.ops.pop(), r.trys.pop();\n continue;\n }\n t = n.call(c, r);\n } catch (a) {\n t = [6, a], i = 0;\n } finally {\n o = e = 0;\n }\n if (t[0] & 5) throw t[1];\n return { value: t[0] ? t[1] : void 0, done: !0 };\n }\n}, v = function(c, n) {\n var r = typeof Symbol == \"function\" && c[Symbol.iterator];\n if (!r) return c;\n var o = r.call(c), i, e = [], u;\n try {\n for (; (n === void 0 || n-- > 0) && !(i = o.next()).done; ) e.push(i.value);\n } catch (l) {\n u = { error: l };\n } finally {\n try {\n i && !i.done && (r = o.return) && r.call(o);\n } finally {\n if (u) throw u.error;\n }\n }\n return e;\n}, p = function(c, n, r) {\n if (r || arguments.length === 2) for (var o = 0, i = n.length, e; o < i; o++)\n (e || !(o in n)) && (e || (e = Array.prototype.slice.call(n, 0, o)), e[o] = n[o]);\n return c.concat(e || Array.prototype.slice.call(n));\n}, _ = (\n /** @class */\n function() {\n function c(n, r) {\n this._sharedState = n, this._metricReader = r;\n }\n return c.prototype.collect = function(n) {\n return f(this, void 0, void 0, function() {\n var r, o, i, e, u = this;\n return d(this, function(l) {\n switch (l.label) {\n case 0:\n return r = y(Date.now()), o = [], i = [], e = Array.from(this._sharedState.meterSharedStates.values()).map(function(s) {\n return f(u, void 0, void 0, function() {\n var t;\n return d(this, function(a) {\n switch (a.label) {\n case 0:\n return [4, s.collect(this, r, n)];\n case 1:\n return t = a.sent(), (t == null ? void 0 : t.scopeMetrics) != null && o.push(t.scopeMetrics), (t == null ? void 0 : t.errors) != null && i.push.apply(i, p([], v(t.errors), !1)), [\n 2\n /*return*/\n ];\n }\n });\n });\n }), [4, Promise.all(e)];\n case 1:\n return l.sent(), [2, {\n resourceMetrics: {\n resource: this._sharedState.resource,\n scopeMetrics: o\n },\n errors: i\n }];\n }\n });\n });\n }, c.prototype.forceFlush = function(n) {\n return f(this, void 0, void 0, function() {\n return d(this, function(r) {\n switch (r.label) {\n case 0:\n return [4, this._metricReader.forceFlush(n)];\n case 1:\n return r.sent(), [\n 2\n /*return*/\n ];\n }\n });\n });\n }, c.prototype.shutdown = function(n) {\n return f(this, void 0, void 0, function() {\n return d(this, function(r) {\n switch (r.label) {\n case 0:\n return [4, this._metricReader.shutdown(n)];\n case 1:\n return r.sent(), [\n 2\n /*return*/\n ];\n }\n });\n });\n }, c.prototype.selectAggregationTemporality = function(n) {\n return this._metricReader.selectAggregationTemporality(n);\n }, c.prototype.selectAggregation = function(n) {\n return this._metricReader.selectAggregation(n);\n }, c;\n }()\n);\nexport {\n _ as MetricCollector\n};\n","import \"../../../api/build/esm/index.mjs\";\nimport \"../../../resources/build/esm/index.mjs\";\nimport { MeterProviderSharedState as S } from \"./state/MeterProviderSharedState.mjs\";\nimport { MetricCollector as M } from \"./state/MetricCollector.mjs\";\nimport { Resource as w } from \"../../../resources/build/esm/Resource.mjs\";\nimport { diag as v } from \"../../../api/build/esm/diag-api.mjs\";\nimport { createNoopMeter as x } from \"../../../api/build/esm/metrics/NoopMeter.mjs\";\nvar y = function(a, n, e, i) {\n function u(t) {\n return t instanceof e ? t : new e(function(o) {\n o(t);\n });\n }\n return new (e || (e = Promise))(function(t, o) {\n function d(l) {\n try {\n r(i.next(l));\n } catch (f) {\n o(f);\n }\n }\n function c(l) {\n try {\n r(i.throw(l));\n } catch (f) {\n o(f);\n }\n }\n function r(l) {\n l.done ? t(l.value) : u(l.value).then(d, c);\n }\n r((i = i.apply(a, n || [])).next());\n });\n}, m = function(a, n) {\n var e = { label: 0, sent: function() {\n if (t[0] & 1) throw t[1];\n return t[1];\n }, trys: [], ops: [] }, i, u, t, o;\n return o = { next: d(0), throw: d(1), return: d(2) }, typeof Symbol == \"function\" && (o[Symbol.iterator] = function() {\n return this;\n }), o;\n function d(r) {\n return function(l) {\n return c([r, l]);\n };\n }\n function c(r) {\n if (i) throw new TypeError(\"Generator is already executing.\");\n for (; e; ) try {\n if (i = 1, u && (t = r[0] & 2 ? u.return : r[0] ? u.throw || ((t = u.return) && t.call(u), 0) : u.next) && !(t = t.call(u, r[1])).done) return t;\n switch (u = 0, t && (r = [r[0] & 2, t.value]), r[0]) {\n case 0:\n case 1:\n t = r;\n break;\n case 4:\n return e.label++, { value: r[1], done: !1 };\n case 5:\n e.label++, u = r[1], r = [0];\n continue;\n case 7:\n r = e.ops.pop(), e.trys.pop();\n continue;\n default:\n if (t = e.trys, !(t = t.length > 0 && t[t.length - 1]) && (r[0] === 6 || r[0] === 2)) {\n e = 0;\n continue;\n }\n if (r[0] === 3 && (!t || r[1] > t[0] && r[1] < t[3])) {\n e.label = r[1];\n break;\n }\n if (r[0] === 6 && e.label < t[1]) {\n e.label = t[1], t = r;\n break;\n }\n if (t && e.label < t[2]) {\n e.label = t[2], e.ops.push(r);\n break;\n }\n t[2] && e.ops.pop(), e.trys.pop();\n continue;\n }\n r = n.call(a, e);\n } catch (l) {\n r = [6, l], u = 0;\n } finally {\n i = t = 0;\n }\n if (r[0] & 5) throw r[1];\n return { value: r[0] ? r[1] : void 0, done: !0 };\n }\n}, b = function(a) {\n var n = typeof Symbol == \"function\" && Symbol.iterator, e = n && a[n], i = 0;\n if (e) return e.call(a);\n if (a && typeof a.length == \"number\") return {\n next: function() {\n return a && i >= a.length && (a = void 0), { value: a && a[i++], done: !a };\n }\n };\n throw new TypeError(n ? \"Object is not iterable.\" : \"Symbol.iterator is not defined.\");\n}, F = (\n /** @class */\n function() {\n function a(n) {\n var e, i, u, t, o;\n this._shutdown = !1;\n var d = w.default().merge((o = n == null ? void 0 : n.resource) !== null && o !== void 0 ? o : w.empty());\n if (this._sharedState = new S(d), (n == null ? void 0 : n.views) != null && n.views.length > 0)\n try {\n for (var c = b(n.views), r = c.next(); !r.done; r = c.next()) {\n var l = r.value;\n this._sharedState.viewRegistry.addView(l);\n }\n } catch (h) {\n e = { error: h };\n } finally {\n try {\n r && !r.done && (i = c.return) && i.call(c);\n } finally {\n if (e) throw e.error;\n }\n }\n if ((n == null ? void 0 : n.readers) != null && n.readers.length > 0)\n try {\n for (var f = b(n.readers), s = f.next(); !s.done; s = f.next()) {\n var _ = s.value;\n this.addMetricReader(_);\n }\n } catch (h) {\n u = { error: h };\n } finally {\n try {\n s && !s.done && (t = f.return) && t.call(f);\n } finally {\n if (u) throw u.error;\n }\n }\n }\n return a.prototype.getMeter = function(n, e, i) {\n return e === void 0 && (e = \"\"), i === void 0 && (i = {}), this._shutdown ? (v.warn(\"A shutdown MeterProvider cannot provide a Meter\"), x()) : this._sharedState.getMeterSharedState({\n name: n,\n version: e,\n schemaUrl: i.schemaUrl\n }).meter;\n }, a.prototype.addMetricReader = function(n) {\n var e = new M(this._sharedState, n);\n n.setMetricProducer(e), this._sharedState.metricCollectors.push(e);\n }, a.prototype.shutdown = function(n) {\n return y(this, void 0, void 0, function() {\n return m(this, function(e) {\n switch (e.label) {\n case 0:\n return this._shutdown ? (v.warn(\"shutdown may only be called once per MeterProvider\"), [\n 2\n /*return*/\n ]) : (this._shutdown = !0, [4, Promise.all(this._sharedState.metricCollectors.map(function(i) {\n return i.shutdown(n);\n }))]);\n case 1:\n return e.sent(), [\n 2\n /*return*/\n ];\n }\n });\n });\n }, a.prototype.forceFlush = function(n) {\n return y(this, void 0, void 0, function() {\n return m(this, function(e) {\n switch (e.label) {\n case 0:\n return this._shutdown ? (v.warn(\"invalid attempt to force flush after MeterProvider shutdown\"), [\n 2\n /*return*/\n ]) : [4, Promise.all(this._sharedState.metricCollectors.map(function(i) {\n return i.forceFlush(n);\n }))];\n case 1:\n return e.sent(), [\n 2\n /*return*/\n ];\n }\n });\n });\n }, a;\n }()\n);\nexport {\n F as MeterProvider\n};\n","var r = /[\\^$\\\\.+?()[\\]{}|]/g, n = (\n /** @class */\n function() {\n function e(t) {\n t === \"*\" ? (this._matchAll = !0, this._regexp = /.*/) : (this._matchAll = !1, this._regexp = new RegExp(e.escapePattern(t)));\n }\n return e.prototype.match = function(t) {\n return this._matchAll ? !0 : this._regexp.test(t);\n }, e.escapePattern = function(t) {\n return \"^\" + t.replace(r, \"\\\\$&\").replace(\"*\", \".*\") + \"$\";\n }, e.hasWildcard = function(t) {\n return t.includes(\"*\");\n }, e;\n }()\n), i = (\n /** @class */\n function() {\n function e(t) {\n this._matchAll = t === void 0, this._pattern = t;\n }\n return e.prototype.match = function(t) {\n return !!(this._matchAll || t === this._pattern);\n }, e;\n }()\n);\nexport {\n i as ExactPredicate,\n n as PatternPredicate\n};\n","import { PatternPredicate as o, ExactPredicate as u } from \"./Predicate.mjs\";\nvar i = (\n /** @class */\n function() {\n function n(t) {\n var e;\n this._nameFilter = new o((e = t == null ? void 0 : t.name) !== null && e !== void 0 ? e : \"*\"), this._type = t == null ? void 0 : t.type, this._unitFilter = new u(t == null ? void 0 : t.unit);\n }\n return n.prototype.getType = function() {\n return this._type;\n }, n.prototype.getNameFilter = function() {\n return this._nameFilter;\n }, n.prototype.getUnitFilter = function() {\n return this._unitFilter;\n }, n;\n }()\n);\nexport {\n i as InstrumentSelector\n};\n","import { ExactPredicate as n } from \"./Predicate.mjs\";\nvar l = (\n /** @class */\n function() {\n function t(e) {\n this._nameFilter = new n(e == null ? void 0 : e.name), this._versionFilter = new n(e == null ? void 0 : e.version), this._schemaUrlFilter = new n(e == null ? void 0 : e.schemaUrl);\n }\n return t.prototype.getNameFilter = function() {\n return this._nameFilter;\n }, t.prototype.getVersionFilter = function() {\n return this._versionFilter;\n }, t.prototype.getSchemaUrlFilter = function() {\n return this._schemaUrlFilter;\n }, t;\n }()\n);\nexport {\n l as MeterSelector\n};\n","var a = {};\nexport {\n a as __exports\n};\n","var a = {};\nexport {\n a as __exports\n};\n","import { getDefaultExportFromCjs as c } from \"../../../_virtual/_commonjsHelpers.mjs\";\nvar f = p;\nfunction p(o, g) {\n for (var n = new Array(arguments.length - 1), a = 0, l = 2, e = !0; l < arguments.length; )\n n[a++] = arguments[l++];\n return new Promise(function(m, s) {\n n[a] = function(u) {\n if (e)\n if (e = !1, u)\n s(u);\n else {\n for (var r = new Array(arguments.length - 1), t = 0; t < r.length; )\n r[t++] = arguments[t];\n m.apply(null, r);\n }\n };\n try {\n o.apply(g || null, n);\n } catch (i) {\n e && (e = !1, s(i));\n }\n });\n}\nconst x = /* @__PURE__ */ c(f);\nexport {\n f as a,\n x as default\n};\n","var a = {};\nexport {\n a as __exports\n};\n","import { getDefaultExportFromCjs as k } from \"../../../_virtual/_commonjsHelpers.mjs\";\nimport { __exports as f } from \"../../../_virtual/index9.mjs\";\n(function(g) {\n \"use strict\";\n var d = g;\n d.length = function(t) {\n var o = t.length;\n if (!o)\n return 0;\n for (var i = 0; --o % 4 > 1 && t.charAt(o) === \"=\"; )\n ++i;\n return Math.ceil(t.length * 3) / 4 - i;\n };\n for (var s = new Array(64), v = new Array(123), n = 0; n < 64; )\n v[s[n] = n < 26 ? n + 65 : n < 52 ? n + 71 : n < 62 ? n - 4 : n - 59 | 43] = n++;\n d.encode = function(t, o, i) {\n for (var h = null, e = [], r = 0, c = 0, a; o < i; ) {\n var l = t[o++];\n switch (c) {\n case 0:\n e[r++] = s[l >> 2], a = (l & 3) << 4, c = 1;\n break;\n case 1:\n e[r++] = s[a | l >> 4], a = (l & 15) << 2, c = 2;\n break;\n case 2:\n e[r++] = s[a | l >> 6], e[r++] = s[l & 63], c = 0;\n break;\n }\n r > 8191 && ((h || (h = [])).push(String.fromCharCode.apply(String, e)), r = 0);\n }\n return c && (e[r++] = s[a], e[r++] = 61, c === 1 && (e[r++] = 61)), h ? (r && h.push(String.fromCharCode.apply(String, e.slice(0, r))), h.join(\"\")) : String.fromCharCode.apply(String, e.slice(0, r));\n };\n var p = \"invalid encoding\";\n d.decode = function(t, o, i) {\n for (var h = i, e = 0, r, c = 0; c < t.length; ) {\n var a = t.charCodeAt(c++);\n if (a === 61 && e > 1)\n break;\n if ((a = v[a]) === void 0)\n throw Error(p);\n switch (e) {\n case 0:\n r = a, e = 1;\n break;\n case 1:\n o[i++] = r << 2 | (a & 48) >> 4, r = a, e = 2;\n break;\n case 2:\n o[i++] = (r & 15) << 4 | (a & 60) >> 2, r = a, e = 3;\n break;\n case 3:\n o[i++] = (r & 3) << 6 | a, e = 0;\n break;\n }\n }\n if (e === 1)\n throw Error(p);\n return i - h;\n }, d.test = function(t) {\n return /^(?:[A-Za-z0-9+/]{4})*(?:[A-Za-z0-9+/]{2}==|[A-Za-z0-9+/]{3}=)?$/.test(t);\n };\n})(f);\nconst C = /* @__PURE__ */ k(f);\nexport {\n C as default\n};\n","import { getDefaultExportFromCjs as o } from \"../../../_virtual/_commonjsHelpers.mjs\";\nvar f = r;\nfunction r() {\n this._listeners = {};\n}\nr.prototype.on = function(s, e, n) {\n return (this._listeners[s] || (this._listeners[s] = [])).push({\n fn: e,\n ctx: n || this\n }), this;\n};\nr.prototype.off = function(s, e) {\n if (s === void 0)\n this._listeners = {};\n else if (e === void 0)\n this._listeners[s] = [];\n else\n for (var n = this._listeners[s], t = 0; t < n.length; )\n n[t].fn === e ? n.splice(t, 1) : ++t;\n return this;\n};\nr.prototype.emit = function(s) {\n var e = this._listeners[s];\n if (e) {\n for (var n = [], t = 1; t < arguments.length; )\n n.push(arguments[t++]);\n for (t = 0; t < e.length; )\n e[t].fn.apply(e[t++].ctx, n);\n }\n return this;\n};\nconst l = /* @__PURE__ */ o(f);\nexport {\n l as default,\n f as e\n};\n","import { getDefaultExportFromCjs as B } from \"../../../_virtual/_commonjsHelpers.mjs\";\nvar N = D(D);\nfunction D(t) {\n return typeof Float32Array < \"u\" ? function() {\n var l = new Float32Array([-0]), n = new Uint8Array(l.buffer), a = n[3] === 128;\n function E(r, e, i) {\n l[0] = r, e[i] = n[0], e[i + 1] = n[1], e[i + 2] = n[2], e[i + 3] = n[3];\n }\n function _(r, e, i) {\n l[0] = r, e[i] = n[3], e[i + 1] = n[2], e[i + 2] = n[1], e[i + 3] = n[0];\n }\n t.writeFloatLE = a ? E : _, t.writeFloatBE = a ? _ : E;\n function d(r, e) {\n return n[0] = r[e], n[1] = r[e + 1], n[2] = r[e + 2], n[3] = r[e + 3], l[0];\n }\n function c(r, e) {\n return n[3] = r[e], n[2] = r[e + 1], n[1] = r[e + 2], n[0] = r[e + 3], l[0];\n }\n t.readFloatLE = a ? d : c, t.readFloatBE = a ? c : d;\n }() : function() {\n function l(a, E, _, d) {\n var c = E < 0 ? 1 : 0;\n if (c && (E = -E), E === 0)\n a(1 / E > 0 ? (\n /* positive */\n 0\n ) : (\n /* negative 0 */\n 2147483648\n ), _, d);\n else if (isNaN(E))\n a(2143289344, _, d);\n else if (E > 34028234663852886e22)\n a((c << 31 | 2139095040) >>> 0, _, d);\n else if (E < 11754943508222875e-54)\n a((c << 31 | Math.round(E / 1401298464324817e-60)) >>> 0, _, d);\n else {\n var r = Math.floor(Math.log(E) / Math.LN2), e = Math.round(E * Math.pow(2, -r) * 8388608) & 8388607;\n a((c << 31 | r + 127 << 23 | e) >>> 0, _, d);\n }\n }\n t.writeFloatLE = l.bind(null, h), t.writeFloatBE = l.bind(null, L);\n function n(a, E, _) {\n var d = a(E, _), c = (d >> 31) * 2 + 1, r = d >>> 23 & 255, e = d & 8388607;\n return r === 255 ? e ? NaN : c * (1 / 0) : r === 0 ? c * 1401298464324817e-60 * e : c * Math.pow(2, r - 150) * (e + 8388608);\n }\n t.readFloatLE = n.bind(null, M), t.readFloatBE = n.bind(null, w);\n }(), typeof Float64Array < \"u\" ? function() {\n var l = new Float64Array([-0]), n = new Uint8Array(l.buffer), a = n[7] === 128;\n function E(r, e, i) {\n l[0] = r, e[i] = n[0], e[i + 1] = n[1], e[i + 2] = n[2], e[i + 3] = n[3], e[i + 4] = n[4], e[i + 5] = n[5], e[i + 6] = n[6], e[i + 7] = n[7];\n }\n function _(r, e, i) {\n l[0] = r, e[i] = n[7], e[i + 1] = n[6], e[i + 2] = n[5], e[i + 3] = n[4], e[i + 4] = n[3], e[i + 5] = n[2], e[i + 6] = n[1], e[i + 7] = n[0];\n }\n t.writeDoubleLE = a ? E : _, t.writeDoubleBE = a ? _ : E;\n function d(r, e) {\n return n[0] = r[e], n[1] = r[e + 1], n[2] = r[e + 2], n[3] = r[e + 3], n[4] = r[e + 4], n[5] = r[e + 5], n[6] = r[e + 6], n[7] = r[e + 7], l[0];\n }\n function c(r, e) {\n return n[7] = r[e], n[6] = r[e + 1], n[5] = r[e + 2], n[4] = r[e + 3], n[3] = r[e + 4], n[2] = r[e + 5], n[1] = r[e + 6], n[0] = r[e + 7], l[0];\n }\n t.readDoubleLE = a ? d : c, t.readDoubleBE = a ? c : d;\n }() : function() {\n function l(a, E, _, d, c, r) {\n var e = d < 0 ? 1 : 0;\n if (e && (d = -d), d === 0)\n a(0, c, r + E), a(1 / d > 0 ? (\n /* positive */\n 0\n ) : (\n /* negative 0 */\n 2147483648\n ), c, r + _);\n else if (isNaN(d))\n a(0, c, r + E), a(2146959360, c, r + _);\n else if (d > 17976931348623157e292)\n a(0, c, r + E), a((e << 31 | 2146435072) >>> 0, c, r + _);\n else {\n var i;\n if (d < 22250738585072014e-324)\n i = d / 5e-324, a(i >>> 0, c, r + E), a((e << 31 | i / 4294967296) >>> 0, c, r + _);\n else {\n var F = Math.floor(Math.log(d) / Math.LN2);\n F === 1024 && (F = 1023), i = d * Math.pow(2, -F), a(i * 4503599627370496 >>> 0, c, r + E), a((e << 31 | F + 1023 << 20 | i * 1048576 & 1048575) >>> 0, c, r + _);\n }\n }\n }\n t.writeDoubleLE = l.bind(null, h, 0, 4), t.writeDoubleBE = l.bind(null, L, 4, 0);\n function n(a, E, _, d, c) {\n var r = a(d, c + E), e = a(d, c + _), i = (e >> 31) * 2 + 1, F = e >>> 20 & 2047, y = 4294967296 * (e & 1048575) + r;\n return F === 2047 ? y ? NaN : i * (1 / 0) : F === 0 ? i * 5e-324 * y : i * Math.pow(2, F - 1075) * (y + 4503599627370496);\n }\n t.readDoubleLE = n.bind(null, M, 0, 4), t.readDoubleBE = n.bind(null, w, 4, 0);\n }(), t;\n}\nfunction h(t, l, n) {\n l[n] = t & 255, l[n + 1] = t >>> 8 & 255, l[n + 2] = t >>> 16 & 255, l[n + 3] = t >>> 24;\n}\nfunction L(t, l, n) {\n l[n] = t >>> 24, l[n + 1] = t >>> 16 & 255, l[n + 2] = t >>> 8 & 255, l[n + 3] = t & 255;\n}\nfunction M(t, l) {\n return (t[l] | t[l + 1] << 8 | t[l + 2] << 16 | t[l + 3] << 24) >>> 0;\n}\nfunction w(t, l) {\n return (t[l] << 24 | t[l + 1] << 16 | t[l + 2] << 8 | t[l + 3]) >>> 0;\n}\nconst A = /* @__PURE__ */ B(N);\nexport {\n A as default,\n N as f\n};\n","var r = {};\nexport {\n r as __exports\n};\n","import { getDefaultExportFromCjs as t } from \"../../../_virtual/_commonjsHelpers.mjs\";\nimport { __exports as o } from \"../../../_virtual/index10.mjs\";\n(function(p) {\n \"use strict\";\n var c = p;\n c.length = function(i) {\n for (var l = 0, e = 0, a = 0; a < i.length; ++a)\n e = i.charCodeAt(a), e < 128 ? l += 1 : e < 2048 ? l += 2 : (e & 64512) === 55296 && (i.charCodeAt(a + 1) & 64512) === 56320 ? (++a, l += 4) : l += 3;\n return l;\n }, c.read = function(i, l, e) {\n var a = e - l;\n if (a < 1)\n return \"\";\n for (var n = null, C = [], r = 0, x; l < e; )\n x = i[l++], x < 128 ? C[r++] = x : x > 191 && x < 224 ? C[r++] = (x & 31) << 6 | i[l++] & 63 : x > 239 && x < 365 ? (x = ((x & 7) << 18 | (i[l++] & 63) << 12 | (i[l++] & 63) << 6 | i[l++] & 63) - 65536, C[r++] = 55296 + (x >> 10), C[r++] = 56320 + (x & 1023)) : C[r++] = (x & 15) << 12 | (i[l++] & 63) << 6 | i[l++] & 63, r > 8191 && ((n || (n = [])).push(String.fromCharCode.apply(String, C)), r = 0);\n return n ? (r && n.push(String.fromCharCode.apply(String, C.slice(0, r))), n.join(\"\")) : String.fromCharCode.apply(String, C.slice(0, r));\n }, c.write = function(i, l, e) {\n for (var a = e, n, C, r = 0; r < i.length; ++r)\n n = i.charCodeAt(r), n < 128 ? l[e++] = n : n < 2048 ? (l[e++] = n >> 6 | 192, l[e++] = n & 63 | 128) : (n & 64512) === 55296 && ((C = i.charCodeAt(r + 1)) & 64512) === 56320 ? (n = 65536 + ((n & 1023) << 10) + (C & 1023), ++r, l[e++] = n >> 18 | 240, l[e++] = n >> 12 & 63 | 128, l[e++] = n >> 6 & 63 | 128, l[e++] = n & 63 | 128) : (l[e++] = n >> 12 | 224, l[e++] = n >> 6 & 63 | 128, l[e++] = n & 63 | 128);\n return e - a;\n };\n})(o);\nconst m = /* @__PURE__ */ t(o);\nexport {\n m as default\n};\n","import { getDefaultExportFromCjs as e } from \"../../../_virtual/_commonjsHelpers.mjs\";\nvar v = c;\nfunction c(a, l, n) {\n var t = n || 8192, u = t >>> 1, f = null, r = t;\n return function(o) {\n if (o < 1 || o > u)\n return a(o);\n r + o > t && (f = a(t), r = 0);\n var p = l.call(f, r, r += o);\n return r & 7 && (r = (r | 7) + 1), p;\n };\n}\nconst m = /* @__PURE__ */ e(v);\nexport {\n m as default,\n v as p\n};\n","import \"../../../_virtual/_commonjsHelpers.mjs\";\nimport { __require as m } from \"./minimal.mjs\";\nvar u, c;\nfunction a() {\n if (c) return u;\n c = 1, u = i;\n var s = m();\n function i(o, t) {\n this.lo = o >>> 0, this.hi = t >>> 0;\n }\n var h = i.zero = new i(0, 0);\n h.toNumber = function() {\n return 0;\n }, h.zzEncode = h.zzDecode = function() {\n return this;\n }, h.length = function() {\n return 1;\n };\n var l = i.zeroHash = \"\\0\\0\\0\\0\\0\\0\\0\\0\";\n i.fromNumber = function(t) {\n if (t === 0)\n return h;\n var n = t < 0;\n n && (t = -t);\n var r = t >>> 0, f = (t - r) / 4294967296 >>> 0;\n return n && (f = ~f >>> 0, r = ~r >>> 0, ++r > 4294967295 && (r = 0, ++f > 4294967295 && (f = 0))), new i(r, f);\n }, i.from = function(t) {\n if (typeof t == \"number\")\n return i.fromNumber(t);\n if (s.isString(t))\n if (s.Long)\n t = s.Long.fromString(t);\n else\n return i.fromNumber(parseInt(t, 10));\n return t.low || t.high ? new i(t.low >>> 0, t.high >>> 0) : h;\n }, i.prototype.toNumber = function(t) {\n if (!t && this.hi >>> 31) {\n var n = ~this.lo + 1 >>> 0, r = ~this.hi >>> 0;\n return n || (r = r + 1 >>> 0), -(n + r * 4294967296);\n }\n return this.lo + this.hi * 4294967296;\n }, i.prototype.toLong = function(t) {\n return s.Long ? new s.Long(this.lo | 0, this.hi | 0, !!t) : { low: this.lo | 0, high: this.hi | 0, unsigned: !!t };\n };\n var e = String.prototype.charCodeAt;\n return i.fromHash = function(t) {\n return t === l ? h : new i(\n (e.call(t, 0) | e.call(t, 1) << 8 | e.call(t, 2) << 16 | e.call(t, 3) << 24) >>> 0,\n (e.call(t, 4) | e.call(t, 5) << 8 | e.call(t, 6) << 16 | e.call(t, 7) << 24) >>> 0\n );\n }, i.prototype.toHash = function() {\n return String.fromCharCode(\n this.lo & 255,\n this.lo >>> 8 & 255,\n this.lo >>> 16 & 255,\n this.lo >>> 24,\n this.hi & 255,\n this.hi >>> 8 & 255,\n this.hi >>> 16 & 255,\n this.hi >>> 24\n );\n }, i.prototype.zzEncode = function() {\n var t = this.hi >> 31;\n return this.hi = ((this.hi << 1 | this.lo >>> 31) ^ t) >>> 0, this.lo = (this.lo << 1 ^ t) >>> 0, this;\n }, i.prototype.zzDecode = function() {\n var t = -(this.lo & 1);\n return this.lo = ((this.lo >>> 1 | this.hi << 31) ^ t) >>> 0, this.hi = (this.hi >>> 1 ^ t) >>> 0, this;\n }, i.prototype.length = function() {\n var t = this.lo, n = (this.lo >>> 28 | this.hi << 4) >>> 0, r = this.hi >>> 24;\n return r === 0 ? n === 0 ? t < 16384 ? t < 128 ? 1 : 2 : t < 2097152 ? 3 : 4 : n < 16384 ? n < 128 ? 5 : 6 : n < 2097152 ? 7 : 8 : r < 128 ? 9 : 10;\n }, u;\n}\nexport {\n a as __require\n};\n","import { commonjsGlobal as i } from \"../../../_virtual/_commonjsHelpers.mjs\";\nimport { __exports as a } from \"../../../_virtual/minimal2.mjs\";\nimport \"../../../_virtual/index2.mjs\";\nimport \"../../../_virtual/index3.mjs\";\nimport \"../../../_virtual/index4.mjs\";\nimport \"../../../_virtual/index5.mjs\";\nimport \"../../../_virtual/index6.mjs\";\nimport \"../../../_virtual/index7.mjs\";\nimport \"../../../_virtual/index8.mjs\";\nimport { __require as g } from \"./longbits.mjs\";\nimport { a as p } from \"../../@protobufjs/aspromise/index.mjs\";\nimport { __exports as b } from \"../../../_virtual/index9.mjs\";\nimport { e as _ } from \"../../@protobufjs/eventemitter/index.mjs\";\nimport { f as h } from \"../../@protobufjs/float/index.mjs\";\nimport { i as y } from \"../../@protobufjs/inquire/index.mjs\";\nimport { __exports as d } from \"../../../_virtual/index10.mjs\";\nimport { p as B } from \"../../@protobufjs/pool/index.mjs\";\nvar c;\nfunction T() {\n return c ? a : (c = 1, function(m) {\n \"use strict\";\n var r = m;\n r.asPromise = p, r.base64 = b, r.EventEmitter = _, r.float = h, r.inquire = y, r.utf8 = d, r.pool = B, r.LongBits = g(), r.isNode = !!(typeof i < \"u\" && i && i.process && i.process.versions && i.process.versions.node), r.global = r.isNode && i || typeof window < \"u\" && window || typeof self < \"u\" && self || i, r.emptyArray = Object.freeze ? Object.freeze([]) : (\n /* istanbul ignore next */\n []\n ), r.emptyObject = Object.freeze ? Object.freeze({}) : (\n /* istanbul ignore next */\n {}\n ), r.isInteger = Number.isInteger || /* istanbul ignore next */\n function(e) {\n return typeof e == \"number\" && isFinite(e) && Math.floor(e) === e;\n }, r.isString = function(e) {\n return typeof e == \"string\" || e instanceof String;\n }, r.isObject = function(e) {\n return e && typeof e == \"object\";\n }, r.isset = /**\n * Checks if a property on a message is considered to be present.\n * @param {Object} obj Plain object or message instance\n * @param {string} prop Property name\n * @returns {boolean} `true` if considered to be present, otherwise `false`\n */\n r.isSet = function(e, o) {\n var t = e[o];\n return t != null && e.hasOwnProperty(o) ? typeof t != \"object\" || (Array.isArray(t) ? t.length : Object.keys(t).length) > 0 : !1;\n }, r.Buffer = function() {\n try {\n var n = r.inquire(\"buffer\").Buffer;\n return n.prototype.utf8Write ? n : (\n /* istanbul ignore next */\n null\n );\n } catch {\n return null;\n }\n }(), r._Buffer_from = null, r._Buffer_allocUnsafe = null, r.newBuffer = function(e) {\n return typeof e == \"number\" ? r.Buffer ? r._Buffer_allocUnsafe(e) : new r.Array(e) : r.Buffer ? r._Buffer_from(e) : typeof Uint8Array > \"u\" ? e : new Uint8Array(e);\n }, r.Array = typeof Uint8Array < \"u\" ? Uint8Array : Array, r.Long = /* istanbul ignore next */\n r.global.dcodeIO && /* istanbul ignore next */\n r.global.dcodeIO.Long || /* istanbul ignore next */\n r.global.Long || r.inquire(\"long\"), r.key2Re = /^true|false|0|1$/, r.key32Re = /^-?(?:0|[1-9][0-9]*)$/, r.key64Re = /^(?:[\\\\x00-\\\\xff]{8}|-?(?:0|[1-9][0-9]*))$/, r.longToHash = function(e) {\n return e ? r.LongBits.from(e).toHash() : r.LongBits.zeroHash;\n }, r.longFromHash = function(e, o) {\n var t = r.LongBits.fromHash(e);\n return r.Long ? r.Long.fromBits(t.lo, t.hi, o) : t.toNumber(!!o);\n };\n function s(n, e, o) {\n for (var t = Object.keys(e), f = 0; f < t.length; ++f)\n (n[t[f]] === void 0 || !o) && (n[t[f]] = e[t[f]]);\n return n;\n }\n r.merge = s, r.lcFirst = function(e) {\n return e.charAt(0).toLowerCase() + e.substring(1);\n };\n function l(n) {\n function e(o, t) {\n if (!(this instanceof e))\n return new e(o, t);\n Object.defineProperty(this, \"message\", { get: function() {\n return o;\n } }), Error.captureStackTrace ? Error.captureStackTrace(this, e) : Object.defineProperty(this, \"stack\", { value: new Error().stack || \"\" }), t && s(this, t);\n }\n return e.prototype = Object.create(Error.prototype, {\n constructor: {\n value: e,\n writable: !0,\n enumerable: !1,\n configurable: !0\n },\n name: {\n get: function() {\n return n;\n },\n set: void 0,\n enumerable: !1,\n // configurable: false would accurately preserve the behavior of\n // the original, but I'm guessing that was not intentional.\n // For an actual error subclass, this property would\n // be configurable.\n configurable: !0\n },\n toString: {\n value: function() {\n return this.name + \": \" + this.message;\n },\n writable: !0,\n enumerable: !1,\n configurable: !0\n }\n }), e;\n }\n r.newError = l, r.ProtocolError = l(\"ProtocolError\"), r.oneOfGetter = function(e) {\n for (var o = {}, t = 0; t < e.length; ++t)\n o[e[t]] = 1;\n return function() {\n for (var f = Object.keys(this), u = f.length - 1; u > -1; --u)\n if (o[f[u]] === 1 && this[f[u]] !== void 0 && this[f[u]] !== null)\n return f[u];\n };\n }, r.oneOfSetter = function(e) {\n return function(o) {\n for (var t = 0; t < e.length; ++t)\n e[t] !== o && delete this[e[t]];\n };\n }, r.toJSONOptions = {\n longs: String,\n enums: String,\n bytes: String,\n json: !0\n }, r._configure = function() {\n var n = r.Buffer;\n if (!n) {\n r._Buffer_from = r._Buffer_allocUnsafe = null;\n return;\n }\n r._Buffer_from = n.from !== Uint8Array.from && n.from || /* istanbul ignore next */\n function(o, t) {\n return new n(o, t);\n }, r._Buffer_allocUnsafe = n.allocUnsafe || /* istanbul ignore next */\n function(o) {\n return new n(o);\n };\n };\n }(a), a);\n}\nexport {\n T as __require\n};\n","import { getDefaultExportFromCjs as x } from \"../../_virtual/_commonjsHelpers.mjs\";\nimport { __require as g } from \"./util/minimal.mjs\";\nvar m = n, o = g(), f, u = o.LongBits, _ = o.base64, w = o.utf8;\nfunction s(i, t, e) {\n this.fn = i, this.len = t, this.next = void 0, this.val = e;\n}\nfunction a() {\n}\nfunction b(i) {\n this.head = i.head, this.tail = i.tail, this.len = i.len, this.next = i.states;\n}\nfunction n() {\n this.len = 0, this.head = new s(a, 0, 0), this.tail = this.head, this.states = null;\n}\nvar d = function() {\n return o.Buffer ? function() {\n return (n.create = function() {\n return new f();\n })();\n } : function() {\n return new n();\n };\n};\nn.create = d();\nn.alloc = function(t) {\n return new o.Array(t);\n};\no.Array !== Array && (n.alloc = o.pool(n.alloc, o.Array.prototype.subarray));\nn.prototype._push = function(t, e, r) {\n return this.tail = this.tail.next = new s(t, e, r), this.len += e, this;\n};\nfunction c(i, t, e) {\n t[e] = i & 255;\n}\nfunction B(i, t, e) {\n for (; i > 127; )\n t[e++] = i & 127 | 128, i >>>= 7;\n t[e] = i;\n}\nfunction l(i, t) {\n this.len = i, this.next = void 0, this.val = t;\n}\nl.prototype = Object.create(s.prototype);\nl.prototype.fn = B;\nn.prototype.uint32 = function(t) {\n return this.len += (this.tail = this.tail.next = new l(\n (t = t >>> 0) < 128 ? 1 : t < 16384 ? 2 : t < 2097152 ? 3 : t < 268435456 ? 4 : 5,\n t\n )).len, this;\n};\nn.prototype.int32 = function(t) {\n return t < 0 ? this._push(y, 10, u.fromNumber(t)) : this.uint32(t);\n};\nn.prototype.sint32 = function(t) {\n return this.uint32((t << 1 ^ t >> 31) >>> 0);\n};\nfunction y(i, t, e) {\n for (; i.hi; )\n t[e++] = i.lo & 127 | 128, i.lo = (i.lo >>> 7 | i.hi << 25) >>> 0, i.hi >>>= 7;\n for (; i.lo > 127; )\n t[e++] = i.lo & 127 | 128, i.lo = i.lo >>> 7;\n t[e++] = i.lo;\n}\nn.prototype.uint64 = function(t) {\n var e = u.from(t);\n return this._push(y, e.length(), e);\n};\nn.prototype.int64 = n.prototype.uint64;\nn.prototype.sint64 = function(t) {\n var e = u.from(t).zzEncode();\n return this._push(y, e.length(), e);\n};\nn.prototype.bool = function(t) {\n return this._push(c, 1, t ? 1 : 0);\n};\nfunction p(i, t, e) {\n t[e] = i & 255, t[e + 1] = i >>> 8 & 255, t[e + 2] = i >>> 16 & 255, t[e + 3] = i >>> 24;\n}\nn.prototype.fixed32 = function(t) {\n return this._push(p, 4, t >>> 0);\n};\nn.prototype.sfixed32 = n.prototype.fixed32;\nn.prototype.fixed64 = function(t) {\n var e = u.from(t);\n return this._push(p, 4, e.lo)._push(p, 4, e.hi);\n};\nn.prototype.sfixed64 = n.prototype.fixed64;\nn.prototype.float = function(t) {\n return this._push(o.float.writeFloatLE, 4, t);\n};\nn.prototype.double = function(t) {\n return this._push(o.float.writeDoubleLE, 8, t);\n};\nvar A = o.Array.prototype.set ? function(t, e, r) {\n e.set(t, r);\n} : function(t, e, r) {\n for (var h = 0; h < t.length; ++h)\n e[r + h] = t[h];\n};\nn.prototype.bytes = function(t) {\n var e = t.length >>> 0;\n if (!e)\n return this._push(c, 1, 0);\n if (o.isString(t)) {\n var r = n.alloc(e = _.length(t));\n _.decode(t, r, 0), t = r;\n }\n return this.uint32(e)._push(A, e, t);\n};\nn.prototype.string = function(t) {\n var e = w.length(t);\n return e ? this.uint32(e)._push(w.write, e, t) : this._push(c, 1, 0);\n};\nn.prototype.fork = function() {\n return this.states = new b(this), this.head = this.tail = new s(a, 0, 0), this.len = 0, this;\n};\nn.prototype.reset = function() {\n return this.states ? (this.head = this.states.head, this.tail = this.states.tail, this.len = this.states.len, this.states = this.states.next) : (this.head = this.tail = new s(a, 0, 0), this.len = 0), this;\n};\nn.prototype.ldelim = function() {\n var t = this.head, e = this.tail, r = this.len;\n return this.reset().uint32(r), r && (this.tail.next = t.next, this.tail = e, this.len += r), this;\n};\nn.prototype.finish = function() {\n for (var t = this.head.next, e = this.constructor.alloc(this.len), r = 0; t; )\n t.fn(t.val, e, r), r += t.len, t = t.next;\n return e;\n};\nn._configure = function(i) {\n f = i, n.create = d(), f._configure();\n};\nconst F = /* @__PURE__ */ x(m);\nexport {\n F as default,\n m as w\n};\n","import { getDefaultExportFromCjs as u } from \"../../_virtual/_commonjsHelpers.mjs\";\nimport \"../../_virtual/writer.mjs\";\nimport { __require as c } from \"./util/minimal.mjs\";\nimport { w as p } from \"./writer.mjs\";\nvar _ = e, s = p;\n(e.prototype = Object.create(s.prototype)).constructor = e;\nvar f = c();\nfunction e() {\n s.call(this);\n}\ne._configure = function() {\n e.alloc = f._Buffer_allocUnsafe, e.writeBytesBuffer = f.Buffer && f.Buffer.prototype instanceof Uint8Array && f.Buffer.prototype.set.name === \"set\" ? function(t, r, n) {\n r.set(t, n);\n } : function(t, r, n) {\n if (t.copy)\n t.copy(r, n, 0, t.length);\n else for (var o = 0; o < t.length; )\n r[n++] = t[o++];\n };\n};\ne.prototype.bytes = function(t) {\n f.isString(t) && (t = f._Buffer_from(t, \"base64\"));\n var r = t.length >>> 0;\n return this.uint32(r), r && this._push(e.writeBytesBuffer, r, t), this;\n};\nfunction y(i, t, r) {\n i.length < 40 ? f.utf8.write(i, t, r) : t.utf8Write ? t.utf8Write(i, r) : t.write(i, r);\n}\ne.prototype.string = function(t) {\n var r = f.Buffer.byteLength(t);\n return this.uint32(r), r && this._push(y, r, t), this;\n};\ne._configure();\nconst m = /* @__PURE__ */ u(_);\nexport {\n m as default,\n _ as w\n};\n","import { getDefaultExportFromCjs as b } from \"../../_virtual/_commonjsHelpers.mjs\";\nimport { __require as y } from \"./util/minimal.mjs\";\nvar _ = r, e = y(), a, c = e.LongBits, v = e.utf8;\nfunction o(i, t) {\n return RangeError(\"index out of range: \" + i.pos + \" + \" + (t || 1) + \" > \" + i.len);\n}\nfunction r(i) {\n this.buf = i, this.pos = 0, this.len = i.length;\n}\nvar p = typeof Uint8Array < \"u\" ? function(t) {\n if (t instanceof Uint8Array || Array.isArray(t))\n return new r(t);\n throw Error(\"illegal buffer\");\n} : function(t) {\n if (Array.isArray(t))\n return new r(t);\n throw Error(\"illegal buffer\");\n}, d = function() {\n return e.Buffer ? function(s) {\n return (r.create = function(n) {\n return e.Buffer.isBuffer(n) ? new a(n) : p(n);\n })(s);\n } : p;\n};\nr.create = d();\nr.prototype._slice = e.Array.prototype.subarray || /* istanbul ignore next */\ne.Array.prototype.slice;\nr.prototype.uint32 = /* @__PURE__ */ function() {\n var t = 4294967295;\n return function() {\n if (t = (this.buf[this.pos] & 127) >>> 0, this.buf[this.pos++] < 128 || (t = (t | (this.buf[this.pos] & 127) << 7) >>> 0, this.buf[this.pos++] < 128) || (t = (t | (this.buf[this.pos] & 127) << 14) >>> 0, this.buf[this.pos++] < 128) || (t = (t | (this.buf[this.pos] & 127) << 21) >>> 0, this.buf[this.pos++] < 128) || (t = (t | (this.buf[this.pos] & 15) << 28) >>> 0, this.buf[this.pos++] < 128)) return t;\n if ((this.pos += 5) > this.len)\n throw this.pos = this.len, o(this, 10);\n return t;\n };\n}();\nr.prototype.int32 = function() {\n return this.uint32() | 0;\n};\nr.prototype.sint32 = function() {\n var t = this.uint32();\n return t >>> 1 ^ -(t & 1) | 0;\n};\nfunction f() {\n var i = new c(0, 0), t = 0;\n if (this.len - this.pos > 4) {\n for (; t < 4; ++t)\n if (i.lo = (i.lo | (this.buf[this.pos] & 127) << t * 7) >>> 0, this.buf[this.pos++] < 128)\n return i;\n if (i.lo = (i.lo | (this.buf[this.pos] & 127) << 28) >>> 0, i.hi = (i.hi | (this.buf[this.pos] & 127) >> 4) >>> 0, this.buf[this.pos++] < 128)\n return i;\n t = 0;\n } else {\n for (; t < 3; ++t) {\n if (this.pos >= this.len)\n throw o(this);\n if (i.lo = (i.lo | (this.buf[this.pos] & 127) << t * 7) >>> 0, this.buf[this.pos++] < 128)\n return i;\n }\n return i.lo = (i.lo | (this.buf[this.pos++] & 127) << t * 7) >>> 0, i;\n }\n if (this.len - this.pos > 4) {\n for (; t < 5; ++t)\n if (i.hi = (i.hi | (this.buf[this.pos] & 127) << t * 7 + 3) >>> 0, this.buf[this.pos++] < 128)\n return i;\n } else\n for (; t < 5; ++t) {\n if (this.pos >= this.len)\n throw o(this);\n if (i.hi = (i.hi | (this.buf[this.pos] & 127) << t * 7 + 3) >>> 0, this.buf[this.pos++] < 128)\n return i;\n }\n throw Error(\"invalid varint encoding\");\n}\nr.prototype.bool = function() {\n return this.uint32() !== 0;\n};\nfunction u(i, t) {\n return (i[t - 4] | i[t - 3] << 8 | i[t - 2] << 16 | i[t - 1] << 24) >>> 0;\n}\nr.prototype.fixed32 = function() {\n if (this.pos + 4 > this.len)\n throw o(this, 4);\n return u(this.buf, this.pos += 4);\n};\nr.prototype.sfixed32 = function() {\n if (this.pos + 4 > this.len)\n throw o(this, 4);\n return u(this.buf, this.pos += 4) | 0;\n};\nfunction l() {\n if (this.pos + 8 > this.len)\n throw o(this, 8);\n return new c(u(this.buf, this.pos += 4), u(this.buf, this.pos += 4));\n}\nr.prototype.float = function() {\n if (this.pos + 4 > this.len)\n throw o(this, 4);\n var t = e.float.readFloatLE(this.buf, this.pos);\n return this.pos += 4, t;\n};\nr.prototype.double = function() {\n if (this.pos + 8 > this.len)\n throw o(this, 4);\n var t = e.float.readDoubleLE(this.buf, this.pos);\n return this.pos += 8, t;\n};\nr.prototype.bytes = function() {\n var t = this.uint32(), s = this.pos, h = this.pos + t;\n if (h > this.len)\n throw o(this, t);\n if (this.pos += t, Array.isArray(this.buf))\n return this.buf.slice(s, h);\n if (s === h) {\n var n = e.Buffer;\n return n ? n.alloc(0) : new this.buf.constructor(0);\n }\n return this._slice.call(this.buf, s, h);\n};\nr.prototype.string = function() {\n var t = this.bytes();\n return v.read(t, 0, t.length);\n};\nr.prototype.skip = function(t) {\n if (typeof t == \"number\") {\n if (this.pos + t > this.len)\n throw o(this, t);\n this.pos += t;\n } else\n do\n if (this.pos >= this.len)\n throw o(this);\n while (this.buf[this.pos++] & 128);\n return this;\n};\nr.prototype.skipType = function(i) {\n switch (i) {\n case 0:\n this.skip();\n break;\n case 1:\n this.skip(8);\n break;\n case 2:\n this.skip(this.uint32());\n break;\n case 3:\n for (; (i = this.uint32() & 7) !== 4; )\n this.skipType(i);\n break;\n case 5:\n this.skip(4);\n break;\n default:\n throw Error(\"invalid wire type \" + i + \" at offset \" + this.pos);\n }\n return this;\n};\nr._configure = function(i) {\n a = i, r.create = d(), a._configure();\n var t = e.Long ? \"toLong\" : (\n /* istanbul ignore next */\n \"toNumber\"\n );\n e.merge(r.prototype, {\n int64: function() {\n return f.call(this)[t](!1);\n },\n uint64: function() {\n return f.call(this)[t](!0);\n },\n sint64: function() {\n return f.call(this).zzDecode()[t](!1);\n },\n fixed64: function() {\n return l.call(this)[t](!0);\n },\n sfixed64: function() {\n return l.call(this)[t](!1);\n }\n });\n};\nconst x = /* @__PURE__ */ b(_);\nexport {\n x as default,\n _ as r\n};\n","import { getDefaultExportFromCjs as s } from \"../../_virtual/_commonjsHelpers.mjs\";\nimport \"../../_virtual/reader.mjs\";\nimport { __require as f } from \"./util/minimal.mjs\";\nimport { r as u } from \"./reader.mjs\";\nvar p = t, o = u;\n(t.prototype = Object.create(o.prototype)).constructor = t;\nvar i = f();\nfunction t(r) {\n o.call(this, r);\n}\nt._configure = function() {\n i.Buffer && (t.prototype._slice = i.Buffer.prototype.slice);\n};\nt.prototype.string = function() {\n var e = this.uint32();\n return this.buf.utf8Slice ? this.buf.utf8Slice(this.pos, this.pos = Math.min(this.pos + e, this.len)) : this.buf.toString(\"utf-8\", this.pos, this.pos = Math.min(this.pos + e, this.len));\n};\nt._configure();\nconst l = /* @__PURE__ */ s(p);\nexport {\n l as default,\n p as r\n};\n","var r = {};\nexport {\n r as __exports\n};\n","import { getDefaultExportFromCjs as s } from \"../../../_virtual/_commonjsHelpers.mjs\";\nimport { __require as a } from \"../util/minimal.mjs\";\nvar h = u, m = a();\n(u.prototype = Object.create(m.EventEmitter.prototype)).constructor = u;\nfunction u(n, e, o) {\n if (typeof n != \"function\")\n throw TypeError(\"rpcImpl must be a function\");\n m.EventEmitter.call(this), this.rpcImpl = n, this.requestDelimited = !!e, this.responseDelimited = !!o;\n}\nu.prototype.rpcCall = function n(e, o, f, l, r) {\n if (!l)\n throw TypeError(\"request must be specified\");\n var t = this;\n if (!r)\n return m.asPromise(n, t, e, o, f, l);\n if (!t.rpcImpl) {\n setTimeout(function() {\n r(Error(\"already ended\"));\n }, 0);\n return;\n }\n try {\n return t.rpcImpl(\n e,\n o[t.requestDelimited ? \"encodeDelimited\" : \"encode\"](l).finish(),\n function(p, i) {\n if (p)\n return t.emit(\"error\", p, e), r(p);\n if (i === null) {\n t.end(\n /* endedByRPC */\n !0\n );\n return;\n }\n if (!(i instanceof f))\n try {\n i = f[t.responseDelimited ? \"decodeDelimited\" : \"decode\"](i);\n } catch (d) {\n return t.emit(\"error\", d, e), r(d);\n }\n return t.emit(\"data\", i, e), r(null, i);\n }\n );\n } catch (c) {\n t.emit(\"error\", c, e), setTimeout(function() {\n r(c);\n }, 0);\n return;\n }\n};\nu.prototype.end = function(e) {\n return this.rpcImpl && (e || this.rpcImpl(null, null, null), this.rpcImpl = null, this.emit(\"end\").off()), this;\n};\nconst E = /* @__PURE__ */ s(h);\nexport {\n E as default,\n h as s\n};\n","import { getDefaultExportFromCjs as e } from \"../../_virtual/_commonjsHelpers.mjs\";\nimport { __exports as r } from \"../../_virtual/rpc2.mjs\";\nimport \"../../_virtual/service.mjs\";\nimport { s as p } from \"./rpc/service.mjs\";\n(function(t) {\n \"use strict\";\n var o = t;\n o.Service = p;\n})(r);\nconst a = /* @__PURE__ */ e(r);\nexport {\n a as default\n};\n","import { getDefaultExportFromCjs as t } from \"../../_virtual/_commonjsHelpers.mjs\";\nvar o = {};\nconst s = /* @__PURE__ */ t(o);\nexport {\n s as default,\n o as r\n};\n","import { getDefaultExportFromCjs as t } from \"../../_virtual/_commonjsHelpers.mjs\";\nimport { __exports as o } from \"../../_virtual/index-minimal2.mjs\";\nimport \"../../_virtual/writer.mjs\";\nimport \"../../_virtual/writer_buffer.mjs\";\nimport \"../../_virtual/reader.mjs\";\nimport \"../../_virtual/reader_buffer.mjs\";\nimport { __require as f } from \"./util/minimal.mjs\";\nimport \"../../_virtual/rpc.mjs\";\nimport \"../../_virtual/roots.mjs\";\nimport { w as m } from \"./writer.mjs\";\nimport { w as a } from \"./writer_buffer.mjs\";\nimport { r as p } from \"./reader.mjs\";\nimport { r as u } from \"./reader_buffer.mjs\";\nimport { __exports as s } from \"../../_virtual/rpc2.mjs\";\nimport { r as n } from \"./roots.mjs\";\n(function(e) {\n \"use strict\";\n var r = e;\n r.build = \"minimal\", r.Writer = m, r.BufferWriter = a, r.Reader = p, r.BufferReader = u, r.util = f(), r.rpc = s, r.roots = n, r.configure = i;\n function i() {\n r.util._configure(), r.Writer._configure(r.BufferWriter), r.Reader._configure(r.BufferReader);\n }\n i();\n})(o);\nconst C = /* @__PURE__ */ t(o);\nexport {\n C as default\n};\n","import { getDefaultExportFromCjs as m } from \"../../_virtual/_commonjsHelpers.mjs\";\nimport \"../../_virtual/index-minimal.mjs\";\nimport { __exports as t } from \"../../_virtual/index-minimal2.mjs\";\nvar i = t;\nconst s = /* @__PURE__ */ m(i);\nexport {\n s as default,\n i as m\n};\n","import { getDefaultExportFromCjs as O } from \"../../../../../../_virtual/_commonjsHelpers.mjs\";\nimport \"../../../../../../_virtual/minimal.mjs\";\nimport { m as x } from \"../../../../../protobufjs/minimal.mjs\";\nvar f = x, a = f.Reader, y = f.Writer, l = f.util, u = f.roots.default || (f.roots.default = {});\nu.opentelemetry = function() {\n var h = {};\n return h.proto = function() {\n var v = {};\n return v.common = function() {\n var d = {};\n return d.v1 = function() {\n var s = {};\n return s.AnyValue = function() {\n function i(e) {\n if (e)\n for (var t = Object.keys(e), n = 0; n < t.length; ++n)\n e[t[n]] != null && (this[t[n]] = e[t[n]]);\n }\n i.prototype.stringValue = null, i.prototype.boolValue = null, i.prototype.intValue = null, i.prototype.doubleValue = null, i.prototype.arrayValue = null, i.prototype.kvlistValue = null, i.prototype.bytesValue = null;\n var o;\n return Object.defineProperty(i.prototype, \"value\", {\n get: l.oneOfGetter(o = [\"stringValue\", \"boolValue\", \"intValue\", \"doubleValue\", \"arrayValue\", \"kvlistValue\", \"bytesValue\"]),\n set: l.oneOfSetter(o)\n }), i.create = function(t) {\n return new i(t);\n }, i.encode = function(t, n) {\n return n || (n = y.create()), t.stringValue != null && Object.hasOwnProperty.call(t, \"stringValue\") && n.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).string(t.stringValue), t.boolValue != null && Object.hasOwnProperty.call(t, \"boolValue\") && n.uint32(\n /* id 2, wireType 0 =*/\n 16\n ).bool(t.boolValue), t.intValue != null && Object.hasOwnProperty.call(t, \"intValue\") && n.uint32(\n /* id 3, wireType 0 =*/\n 24\n ).int64(t.intValue), t.doubleValue != null && Object.hasOwnProperty.call(t, \"doubleValue\") && n.uint32(\n /* id 4, wireType 1 =*/\n 33\n ).double(t.doubleValue), t.arrayValue != null && Object.hasOwnProperty.call(t, \"arrayValue\") && u.opentelemetry.proto.common.v1.ArrayValue.encode(t.arrayValue, n.uint32(\n /* id 5, wireType 2 =*/\n 42\n ).fork()).ldelim(), t.kvlistValue != null && Object.hasOwnProperty.call(t, \"kvlistValue\") && u.opentelemetry.proto.common.v1.KeyValueList.encode(t.kvlistValue, n.uint32(\n /* id 6, wireType 2 =*/\n 50\n ).fork()).ldelim(), t.bytesValue != null && Object.hasOwnProperty.call(t, \"bytesValue\") && n.uint32(\n /* id 7, wireType 2 =*/\n 58\n ).bytes(t.bytesValue), n;\n }, i.encodeDelimited = function(t, n) {\n return this.encode(t, n).ldelim();\n }, i.decode = function(t, n) {\n t instanceof a || (t = a.create(t));\n for (var r = n === void 0 ? t.len : t.pos + n, c = new u.opentelemetry.proto.common.v1.AnyValue(); t.pos < r; ) {\n var p = t.uint32();\n switch (p >>> 3) {\n case 1: {\n c.stringValue = t.string();\n break;\n }\n case 2: {\n c.boolValue = t.bool();\n break;\n }\n case 3: {\n c.intValue = t.int64();\n break;\n }\n case 4: {\n c.doubleValue = t.double();\n break;\n }\n case 5: {\n c.arrayValue = u.opentelemetry.proto.common.v1.ArrayValue.decode(t, t.uint32());\n break;\n }\n case 6: {\n c.kvlistValue = u.opentelemetry.proto.common.v1.KeyValueList.decode(t, t.uint32());\n break;\n }\n case 7: {\n c.bytesValue = t.bytes();\n break;\n }\n default:\n t.skipType(p & 7);\n break;\n }\n }\n return c;\n }, i.decodeDelimited = function(t) {\n return t instanceof a || (t = new a(t)), this.decode(t, t.uint32());\n }, i.verify = function(t) {\n if (typeof t != \"object\" || t === null)\n return \"object expected\";\n var n = {};\n if (t.stringValue != null && t.hasOwnProperty(\"stringValue\") && (n.value = 1, !l.isString(t.stringValue)))\n return \"stringValue: string expected\";\n if (t.boolValue != null && t.hasOwnProperty(\"boolValue\")) {\n if (n.value === 1)\n return \"value: multiple values\";\n if (n.value = 1, typeof t.boolValue != \"boolean\")\n return \"boolValue: boolean expected\";\n }\n if (t.intValue != null && t.hasOwnProperty(\"intValue\")) {\n if (n.value === 1)\n return \"value: multiple values\";\n if (n.value = 1, !l.isInteger(t.intValue) && !(t.intValue && l.isInteger(t.intValue.low) && l.isInteger(t.intValue.high)))\n return \"intValue: integer|Long expected\";\n }\n if (t.doubleValue != null && t.hasOwnProperty(\"doubleValue\")) {\n if (n.value === 1)\n return \"value: multiple values\";\n if (n.value = 1, typeof t.doubleValue != \"number\")\n return \"doubleValue: number expected\";\n }\n if (t.arrayValue != null && t.hasOwnProperty(\"arrayValue\")) {\n if (n.value === 1)\n return \"value: multiple values\";\n n.value = 1;\n {\n var r = u.opentelemetry.proto.common.v1.ArrayValue.verify(t.arrayValue);\n if (r)\n return \"arrayValue.\" + r;\n }\n }\n if (t.kvlistValue != null && t.hasOwnProperty(\"kvlistValue\")) {\n if (n.value === 1)\n return \"value: multiple values\";\n n.value = 1;\n {\n var r = u.opentelemetry.proto.common.v1.KeyValueList.verify(t.kvlistValue);\n if (r)\n return \"kvlistValue.\" + r;\n }\n }\n if (t.bytesValue != null && t.hasOwnProperty(\"bytesValue\")) {\n if (n.value === 1)\n return \"value: multiple values\";\n if (n.value = 1, !(t.bytesValue && typeof t.bytesValue.length == \"number\" || l.isString(t.bytesValue)))\n return \"bytesValue: buffer expected\";\n }\n return null;\n }, i.fromObject = function(t) {\n if (t instanceof u.opentelemetry.proto.common.v1.AnyValue)\n return t;\n var n = new u.opentelemetry.proto.common.v1.AnyValue();\n if (t.stringValue != null && (n.stringValue = String(t.stringValue)), t.boolValue != null && (n.boolValue = !!t.boolValue), t.intValue != null && (l.Long ? (n.intValue = l.Long.fromValue(t.intValue)).unsigned = !1 : typeof t.intValue == \"string\" ? n.intValue = parseInt(t.intValue, 10) : typeof t.intValue == \"number\" ? n.intValue = t.intValue : typeof t.intValue == \"object\" && (n.intValue = new l.LongBits(t.intValue.low >>> 0, t.intValue.high >>> 0).toNumber())), t.doubleValue != null && (n.doubleValue = Number(t.doubleValue)), t.arrayValue != null) {\n if (typeof t.arrayValue != \"object\")\n throw TypeError(\".opentelemetry.proto.common.v1.AnyValue.arrayValue: object expected\");\n n.arrayValue = u.opentelemetry.proto.common.v1.ArrayValue.fromObject(t.arrayValue);\n }\n if (t.kvlistValue != null) {\n if (typeof t.kvlistValue != \"object\")\n throw TypeError(\".opentelemetry.proto.common.v1.AnyValue.kvlistValue: object expected\");\n n.kvlistValue = u.opentelemetry.proto.common.v1.KeyValueList.fromObject(t.kvlistValue);\n }\n return t.bytesValue != null && (typeof t.bytesValue == \"string\" ? l.base64.decode(t.bytesValue, n.bytesValue = l.newBuffer(l.base64.length(t.bytesValue)), 0) : t.bytesValue.length >= 0 && (n.bytesValue = t.bytesValue)), n;\n }, i.toObject = function(t, n) {\n n || (n = {});\n var r = {};\n return t.stringValue != null && t.hasOwnProperty(\"stringValue\") && (r.stringValue = t.stringValue, n.oneofs && (r.value = \"stringValue\")), t.boolValue != null && t.hasOwnProperty(\"boolValue\") && (r.boolValue = t.boolValue, n.oneofs && (r.value = \"boolValue\")), t.intValue != null && t.hasOwnProperty(\"intValue\") && (typeof t.intValue == \"number\" ? r.intValue = n.longs === String ? String(t.intValue) : t.intValue : r.intValue = n.longs === String ? l.Long.prototype.toString.call(t.intValue) : n.longs === Number ? new l.LongBits(t.intValue.low >>> 0, t.intValue.high >>> 0).toNumber() : t.intValue, n.oneofs && (r.value = \"intValue\")), t.doubleValue != null && t.hasOwnProperty(\"doubleValue\") && (r.doubleValue = n.json && !isFinite(t.doubleValue) ? String(t.doubleValue) : t.doubleValue, n.oneofs && (r.value = \"doubleValue\")), t.arrayValue != null && t.hasOwnProperty(\"arrayValue\") && (r.arrayValue = u.opentelemetry.proto.common.v1.ArrayValue.toObject(t.arrayValue, n), n.oneofs && (r.value = \"arrayValue\")), t.kvlistValue != null && t.hasOwnProperty(\"kvlistValue\") && (r.kvlistValue = u.opentelemetry.proto.common.v1.KeyValueList.toObject(t.kvlistValue, n), n.oneofs && (r.value = \"kvlistValue\")), t.bytesValue != null && t.hasOwnProperty(\"bytesValue\") && (r.bytesValue = n.bytes === String ? l.base64.encode(t.bytesValue, 0, t.bytesValue.length) : n.bytes === Array ? Array.prototype.slice.call(t.bytesValue) : t.bytesValue, n.oneofs && (r.value = \"bytesValue\")), r;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(t) {\n return t === void 0 && (t = \"type.googleapis.com\"), t + \"/opentelemetry.proto.common.v1.AnyValue\";\n }, i;\n }(), s.ArrayValue = function() {\n function i(o) {\n if (this.values = [], o)\n for (var e = Object.keys(o), t = 0; t < e.length; ++t)\n o[e[t]] != null && (this[e[t]] = o[e[t]]);\n }\n return i.prototype.values = l.emptyArray, i.create = function(e) {\n return new i(e);\n }, i.encode = function(e, t) {\n if (t || (t = y.create()), e.values != null && e.values.length)\n for (var n = 0; n < e.values.length; ++n)\n u.opentelemetry.proto.common.v1.AnyValue.encode(e.values[n], t.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).fork()).ldelim();\n return t;\n }, i.encodeDelimited = function(e, t) {\n return this.encode(e, t).ldelim();\n }, i.decode = function(e, t) {\n e instanceof a || (e = a.create(e));\n for (var n = t === void 0 ? e.len : e.pos + t, r = new u.opentelemetry.proto.common.v1.ArrayValue(); e.pos < n; ) {\n var c = e.uint32();\n switch (c >>> 3) {\n case 1: {\n r.values && r.values.length || (r.values = []), r.values.push(u.opentelemetry.proto.common.v1.AnyValue.decode(e, e.uint32()));\n break;\n }\n default:\n e.skipType(c & 7);\n break;\n }\n }\n return r;\n }, i.decodeDelimited = function(e) {\n return e instanceof a || (e = new a(e)), this.decode(e, e.uint32());\n }, i.verify = function(e) {\n if (typeof e != \"object\" || e === null)\n return \"object expected\";\n if (e.values != null && e.hasOwnProperty(\"values\")) {\n if (!Array.isArray(e.values))\n return \"values: array expected\";\n for (var t = 0; t < e.values.length; ++t) {\n var n = u.opentelemetry.proto.common.v1.AnyValue.verify(e.values[t]);\n if (n)\n return \"values.\" + n;\n }\n }\n return null;\n }, i.fromObject = function(e) {\n if (e instanceof u.opentelemetry.proto.common.v1.ArrayValue)\n return e;\n var t = new u.opentelemetry.proto.common.v1.ArrayValue();\n if (e.values) {\n if (!Array.isArray(e.values))\n throw TypeError(\".opentelemetry.proto.common.v1.ArrayValue.values: array expected\");\n t.values = [];\n for (var n = 0; n < e.values.length; ++n) {\n if (typeof e.values[n] != \"object\")\n throw TypeError(\".opentelemetry.proto.common.v1.ArrayValue.values: object expected\");\n t.values[n] = u.opentelemetry.proto.common.v1.AnyValue.fromObject(e.values[n]);\n }\n }\n return t;\n }, i.toObject = function(e, t) {\n t || (t = {});\n var n = {};\n if ((t.arrays || t.defaults) && (n.values = []), e.values && e.values.length) {\n n.values = [];\n for (var r = 0; r < e.values.length; ++r)\n n.values[r] = u.opentelemetry.proto.common.v1.AnyValue.toObject(e.values[r], t);\n }\n return n;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(e) {\n return e === void 0 && (e = \"type.googleapis.com\"), e + \"/opentelemetry.proto.common.v1.ArrayValue\";\n }, i;\n }(), s.KeyValueList = function() {\n function i(o) {\n if (this.values = [], o)\n for (var e = Object.keys(o), t = 0; t < e.length; ++t)\n o[e[t]] != null && (this[e[t]] = o[e[t]]);\n }\n return i.prototype.values = l.emptyArray, i.create = function(e) {\n return new i(e);\n }, i.encode = function(e, t) {\n if (t || (t = y.create()), e.values != null && e.values.length)\n for (var n = 0; n < e.values.length; ++n)\n u.opentelemetry.proto.common.v1.KeyValue.encode(e.values[n], t.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).fork()).ldelim();\n return t;\n }, i.encodeDelimited = function(e, t) {\n return this.encode(e, t).ldelim();\n }, i.decode = function(e, t) {\n e instanceof a || (e = a.create(e));\n for (var n = t === void 0 ? e.len : e.pos + t, r = new u.opentelemetry.proto.common.v1.KeyValueList(); e.pos < n; ) {\n var c = e.uint32();\n switch (c >>> 3) {\n case 1: {\n r.values && r.values.length || (r.values = []), r.values.push(u.opentelemetry.proto.common.v1.KeyValue.decode(e, e.uint32()));\n break;\n }\n default:\n e.skipType(c & 7);\n break;\n }\n }\n return r;\n }, i.decodeDelimited = function(e) {\n return e instanceof a || (e = new a(e)), this.decode(e, e.uint32());\n }, i.verify = function(e) {\n if (typeof e != \"object\" || e === null)\n return \"object expected\";\n if (e.values != null && e.hasOwnProperty(\"values\")) {\n if (!Array.isArray(e.values))\n return \"values: array expected\";\n for (var t = 0; t < e.values.length; ++t) {\n var n = u.opentelemetry.proto.common.v1.KeyValue.verify(e.values[t]);\n if (n)\n return \"values.\" + n;\n }\n }\n return null;\n }, i.fromObject = function(e) {\n if (e instanceof u.opentelemetry.proto.common.v1.KeyValueList)\n return e;\n var t = new u.opentelemetry.proto.common.v1.KeyValueList();\n if (e.values) {\n if (!Array.isArray(e.values))\n throw TypeError(\".opentelemetry.proto.common.v1.KeyValueList.values: array expected\");\n t.values = [];\n for (var n = 0; n < e.values.length; ++n) {\n if (typeof e.values[n] != \"object\")\n throw TypeError(\".opentelemetry.proto.common.v1.KeyValueList.values: object expected\");\n t.values[n] = u.opentelemetry.proto.common.v1.KeyValue.fromObject(e.values[n]);\n }\n }\n return t;\n }, i.toObject = function(e, t) {\n t || (t = {});\n var n = {};\n if ((t.arrays || t.defaults) && (n.values = []), e.values && e.values.length) {\n n.values = [];\n for (var r = 0; r < e.values.length; ++r)\n n.values[r] = u.opentelemetry.proto.common.v1.KeyValue.toObject(e.values[r], t);\n }\n return n;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(e) {\n return e === void 0 && (e = \"type.googleapis.com\"), e + \"/opentelemetry.proto.common.v1.KeyValueList\";\n }, i;\n }(), s.KeyValue = function() {\n function i(o) {\n if (o)\n for (var e = Object.keys(o), t = 0; t < e.length; ++t)\n o[e[t]] != null && (this[e[t]] = o[e[t]]);\n }\n return i.prototype.key = null, i.prototype.value = null, i.create = function(e) {\n return new i(e);\n }, i.encode = function(e, t) {\n return t || (t = y.create()), e.key != null && Object.hasOwnProperty.call(e, \"key\") && t.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).string(e.key), e.value != null && Object.hasOwnProperty.call(e, \"value\") && u.opentelemetry.proto.common.v1.AnyValue.encode(e.value, t.uint32(\n /* id 2, wireType 2 =*/\n 18\n ).fork()).ldelim(), t;\n }, i.encodeDelimited = function(e, t) {\n return this.encode(e, t).ldelim();\n }, i.decode = function(e, t) {\n e instanceof a || (e = a.create(e));\n for (var n = t === void 0 ? e.len : e.pos + t, r = new u.opentelemetry.proto.common.v1.KeyValue(); e.pos < n; ) {\n var c = e.uint32();\n switch (c >>> 3) {\n case 1: {\n r.key = e.string();\n break;\n }\n case 2: {\n r.value = u.opentelemetry.proto.common.v1.AnyValue.decode(e, e.uint32());\n break;\n }\n default:\n e.skipType(c & 7);\n break;\n }\n }\n return r;\n }, i.decodeDelimited = function(e) {\n return e instanceof a || (e = new a(e)), this.decode(e, e.uint32());\n }, i.verify = function(e) {\n if (typeof e != \"object\" || e === null)\n return \"object expected\";\n if (e.key != null && e.hasOwnProperty(\"key\") && !l.isString(e.key))\n return \"key: string expected\";\n if (e.value != null && e.hasOwnProperty(\"value\")) {\n var t = u.opentelemetry.proto.common.v1.AnyValue.verify(e.value);\n if (t)\n return \"value.\" + t;\n }\n return null;\n }, i.fromObject = function(e) {\n if (e instanceof u.opentelemetry.proto.common.v1.KeyValue)\n return e;\n var t = new u.opentelemetry.proto.common.v1.KeyValue();\n if (e.key != null && (t.key = String(e.key)), e.value != null) {\n if (typeof e.value != \"object\")\n throw TypeError(\".opentelemetry.proto.common.v1.KeyValue.value: object expected\");\n t.value = u.opentelemetry.proto.common.v1.AnyValue.fromObject(e.value);\n }\n return t;\n }, i.toObject = function(e, t) {\n t || (t = {});\n var n = {};\n return t.defaults && (n.key = \"\", n.value = null), e.key != null && e.hasOwnProperty(\"key\") && (n.key = e.key), e.value != null && e.hasOwnProperty(\"value\") && (n.value = u.opentelemetry.proto.common.v1.AnyValue.toObject(e.value, t)), n;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(e) {\n return e === void 0 && (e = \"type.googleapis.com\"), e + \"/opentelemetry.proto.common.v1.KeyValue\";\n }, i;\n }(), s.InstrumentationScope = function() {\n function i(o) {\n if (this.attributes = [], o)\n for (var e = Object.keys(o), t = 0; t < e.length; ++t)\n o[e[t]] != null && (this[e[t]] = o[e[t]]);\n }\n return i.prototype.name = null, i.prototype.version = null, i.prototype.attributes = l.emptyArray, i.prototype.droppedAttributesCount = null, i.create = function(e) {\n return new i(e);\n }, i.encode = function(e, t) {\n if (t || (t = y.create()), e.name != null && Object.hasOwnProperty.call(e, \"name\") && t.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).string(e.name), e.version != null && Object.hasOwnProperty.call(e, \"version\") && t.uint32(\n /* id 2, wireType 2 =*/\n 18\n ).string(e.version), e.attributes != null && e.attributes.length)\n for (var n = 0; n < e.attributes.length; ++n)\n u.opentelemetry.proto.common.v1.KeyValue.encode(e.attributes[n], t.uint32(\n /* id 3, wireType 2 =*/\n 26\n ).fork()).ldelim();\n return e.droppedAttributesCount != null && Object.hasOwnProperty.call(e, \"droppedAttributesCount\") && t.uint32(\n /* id 4, wireType 0 =*/\n 32\n ).uint32(e.droppedAttributesCount), t;\n }, i.encodeDelimited = function(e, t) {\n return this.encode(e, t).ldelim();\n }, i.decode = function(e, t) {\n e instanceof a || (e = a.create(e));\n for (var n = t === void 0 ? e.len : e.pos + t, r = new u.opentelemetry.proto.common.v1.InstrumentationScope(); e.pos < n; ) {\n var c = e.uint32();\n switch (c >>> 3) {\n case 1: {\n r.name = e.string();\n break;\n }\n case 2: {\n r.version = e.string();\n break;\n }\n case 3: {\n r.attributes && r.attributes.length || (r.attributes = []), r.attributes.push(u.opentelemetry.proto.common.v1.KeyValue.decode(e, e.uint32()));\n break;\n }\n case 4: {\n r.droppedAttributesCount = e.uint32();\n break;\n }\n default:\n e.skipType(c & 7);\n break;\n }\n }\n return r;\n }, i.decodeDelimited = function(e) {\n return e instanceof a || (e = new a(e)), this.decode(e, e.uint32());\n }, i.verify = function(e) {\n if (typeof e != \"object\" || e === null)\n return \"object expected\";\n if (e.name != null && e.hasOwnProperty(\"name\") && !l.isString(e.name))\n return \"name: string expected\";\n if (e.version != null && e.hasOwnProperty(\"version\") && !l.isString(e.version))\n return \"version: string expected\";\n if (e.attributes != null && e.hasOwnProperty(\"attributes\")) {\n if (!Array.isArray(e.attributes))\n return \"attributes: array expected\";\n for (var t = 0; t < e.attributes.length; ++t) {\n var n = u.opentelemetry.proto.common.v1.KeyValue.verify(e.attributes[t]);\n if (n)\n return \"attributes.\" + n;\n }\n }\n return e.droppedAttributesCount != null && e.hasOwnProperty(\"droppedAttributesCount\") && !l.isInteger(e.droppedAttributesCount) ? \"droppedAttributesCount: integer expected\" : null;\n }, i.fromObject = function(e) {\n if (e instanceof u.opentelemetry.proto.common.v1.InstrumentationScope)\n return e;\n var t = new u.opentelemetry.proto.common.v1.InstrumentationScope();\n if (e.name != null && (t.name = String(e.name)), e.version != null && (t.version = String(e.version)), e.attributes) {\n if (!Array.isArray(e.attributes))\n throw TypeError(\".opentelemetry.proto.common.v1.InstrumentationScope.attributes: array expected\");\n t.attributes = [];\n for (var n = 0; n < e.attributes.length; ++n) {\n if (typeof e.attributes[n] != \"object\")\n throw TypeError(\".opentelemetry.proto.common.v1.InstrumentationScope.attributes: object expected\");\n t.attributes[n] = u.opentelemetry.proto.common.v1.KeyValue.fromObject(e.attributes[n]);\n }\n }\n return e.droppedAttributesCount != null && (t.droppedAttributesCount = e.droppedAttributesCount >>> 0), t;\n }, i.toObject = function(e, t) {\n t || (t = {});\n var n = {};\n if ((t.arrays || t.defaults) && (n.attributes = []), t.defaults && (n.name = \"\", n.version = \"\", n.droppedAttributesCount = 0), e.name != null && e.hasOwnProperty(\"name\") && (n.name = e.name), e.version != null && e.hasOwnProperty(\"version\") && (n.version = e.version), e.attributes && e.attributes.length) {\n n.attributes = [];\n for (var r = 0; r < e.attributes.length; ++r)\n n.attributes[r] = u.opentelemetry.proto.common.v1.KeyValue.toObject(e.attributes[r], t);\n }\n return e.droppedAttributesCount != null && e.hasOwnProperty(\"droppedAttributesCount\") && (n.droppedAttributesCount = e.droppedAttributesCount), n;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(e) {\n return e === void 0 && (e = \"type.googleapis.com\"), e + \"/opentelemetry.proto.common.v1.InstrumentationScope\";\n }, i;\n }(), s;\n }(), d;\n }(), v.resource = function() {\n var d = {};\n return d.v1 = function() {\n var s = {};\n return s.Resource = function() {\n function i(o) {\n if (this.attributes = [], o)\n for (var e = Object.keys(o), t = 0; t < e.length; ++t)\n o[e[t]] != null && (this[e[t]] = o[e[t]]);\n }\n return i.prototype.attributes = l.emptyArray, i.prototype.droppedAttributesCount = null, i.create = function(e) {\n return new i(e);\n }, i.encode = function(e, t) {\n if (t || (t = y.create()), e.attributes != null && e.attributes.length)\n for (var n = 0; n < e.attributes.length; ++n)\n u.opentelemetry.proto.common.v1.KeyValue.encode(e.attributes[n], t.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).fork()).ldelim();\n return e.droppedAttributesCount != null && Object.hasOwnProperty.call(e, \"droppedAttributesCount\") && t.uint32(\n /* id 2, wireType 0 =*/\n 16\n ).uint32(e.droppedAttributesCount), t;\n }, i.encodeDelimited = function(e, t) {\n return this.encode(e, t).ldelim();\n }, i.decode = function(e, t) {\n e instanceof a || (e = a.create(e));\n for (var n = t === void 0 ? e.len : e.pos + t, r = new u.opentelemetry.proto.resource.v1.Resource(); e.pos < n; ) {\n var c = e.uint32();\n switch (c >>> 3) {\n case 1: {\n r.attributes && r.attributes.length || (r.attributes = []), r.attributes.push(u.opentelemetry.proto.common.v1.KeyValue.decode(e, e.uint32()));\n break;\n }\n case 2: {\n r.droppedAttributesCount = e.uint32();\n break;\n }\n default:\n e.skipType(c & 7);\n break;\n }\n }\n return r;\n }, i.decodeDelimited = function(e) {\n return e instanceof a || (e = new a(e)), this.decode(e, e.uint32());\n }, i.verify = function(e) {\n if (typeof e != \"object\" || e === null)\n return \"object expected\";\n if (e.attributes != null && e.hasOwnProperty(\"attributes\")) {\n if (!Array.isArray(e.attributes))\n return \"attributes: array expected\";\n for (var t = 0; t < e.attributes.length; ++t) {\n var n = u.opentelemetry.proto.common.v1.KeyValue.verify(e.attributes[t]);\n if (n)\n return \"attributes.\" + n;\n }\n }\n return e.droppedAttributesCount != null && e.hasOwnProperty(\"droppedAttributesCount\") && !l.isInteger(e.droppedAttributesCount) ? \"droppedAttributesCount: integer expected\" : null;\n }, i.fromObject = function(e) {\n if (e instanceof u.opentelemetry.proto.resource.v1.Resource)\n return e;\n var t = new u.opentelemetry.proto.resource.v1.Resource();\n if (e.attributes) {\n if (!Array.isArray(e.attributes))\n throw TypeError(\".opentelemetry.proto.resource.v1.Resource.attributes: array expected\");\n t.attributes = [];\n for (var n = 0; n < e.attributes.length; ++n) {\n if (typeof e.attributes[n] != \"object\")\n throw TypeError(\".opentelemetry.proto.resource.v1.Resource.attributes: object expected\");\n t.attributes[n] = u.opentelemetry.proto.common.v1.KeyValue.fromObject(e.attributes[n]);\n }\n }\n return e.droppedAttributesCount != null && (t.droppedAttributesCount = e.droppedAttributesCount >>> 0), t;\n }, i.toObject = function(e, t) {\n t || (t = {});\n var n = {};\n if ((t.arrays || t.defaults) && (n.attributes = []), t.defaults && (n.droppedAttributesCount = 0), e.attributes && e.attributes.length) {\n n.attributes = [];\n for (var r = 0; r < e.attributes.length; ++r)\n n.attributes[r] = u.opentelemetry.proto.common.v1.KeyValue.toObject(e.attributes[r], t);\n }\n return e.droppedAttributesCount != null && e.hasOwnProperty(\"droppedAttributesCount\") && (n.droppedAttributesCount = e.droppedAttributesCount), n;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(e) {\n return e === void 0 && (e = \"type.googleapis.com\"), e + \"/opentelemetry.proto.resource.v1.Resource\";\n }, i;\n }(), s;\n }(), d;\n }(), v.trace = function() {\n var d = {};\n return d.v1 = function() {\n var s = {};\n return s.TracesData = function() {\n function i(o) {\n if (this.resourceSpans = [], o)\n for (var e = Object.keys(o), t = 0; t < e.length; ++t)\n o[e[t]] != null && (this[e[t]] = o[e[t]]);\n }\n return i.prototype.resourceSpans = l.emptyArray, i.create = function(e) {\n return new i(e);\n }, i.encode = function(e, t) {\n if (t || (t = y.create()), e.resourceSpans != null && e.resourceSpans.length)\n for (var n = 0; n < e.resourceSpans.length; ++n)\n u.opentelemetry.proto.trace.v1.ResourceSpans.encode(e.resourceSpans[n], t.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).fork()).ldelim();\n return t;\n }, i.encodeDelimited = function(e, t) {\n return this.encode(e, t).ldelim();\n }, i.decode = function(e, t) {\n e instanceof a || (e = a.create(e));\n for (var n = t === void 0 ? e.len : e.pos + t, r = new u.opentelemetry.proto.trace.v1.TracesData(); e.pos < n; ) {\n var c = e.uint32();\n switch (c >>> 3) {\n case 1: {\n r.resourceSpans && r.resourceSpans.length || (r.resourceSpans = []), r.resourceSpans.push(u.opentelemetry.proto.trace.v1.ResourceSpans.decode(e, e.uint32()));\n break;\n }\n default:\n e.skipType(c & 7);\n break;\n }\n }\n return r;\n }, i.decodeDelimited = function(e) {\n return e instanceof a || (e = new a(e)), this.decode(e, e.uint32());\n }, i.verify = function(e) {\n if (typeof e != \"object\" || e === null)\n return \"object expected\";\n if (e.resourceSpans != null && e.hasOwnProperty(\"resourceSpans\")) {\n if (!Array.isArray(e.resourceSpans))\n return \"resourceSpans: array expected\";\n for (var t = 0; t < e.resourceSpans.length; ++t) {\n var n = u.opentelemetry.proto.trace.v1.ResourceSpans.verify(e.resourceSpans[t]);\n if (n)\n return \"resourceSpans.\" + n;\n }\n }\n return null;\n }, i.fromObject = function(e) {\n if (e instanceof u.opentelemetry.proto.trace.v1.TracesData)\n return e;\n var t = new u.opentelemetry.proto.trace.v1.TracesData();\n if (e.resourceSpans) {\n if (!Array.isArray(e.resourceSpans))\n throw TypeError(\".opentelemetry.proto.trace.v1.TracesData.resourceSpans: array expected\");\n t.resourceSpans = [];\n for (var n = 0; n < e.resourceSpans.length; ++n) {\n if (typeof e.resourceSpans[n] != \"object\")\n throw TypeError(\".opentelemetry.proto.trace.v1.TracesData.resourceSpans: object expected\");\n t.resourceSpans[n] = u.opentelemetry.proto.trace.v1.ResourceSpans.fromObject(e.resourceSpans[n]);\n }\n }\n return t;\n }, i.toObject = function(e, t) {\n t || (t = {});\n var n = {};\n if ((t.arrays || t.defaults) && (n.resourceSpans = []), e.resourceSpans && e.resourceSpans.length) {\n n.resourceSpans = [];\n for (var r = 0; r < e.resourceSpans.length; ++r)\n n.resourceSpans[r] = u.opentelemetry.proto.trace.v1.ResourceSpans.toObject(e.resourceSpans[r], t);\n }\n return n;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(e) {\n return e === void 0 && (e = \"type.googleapis.com\"), e + \"/opentelemetry.proto.trace.v1.TracesData\";\n }, i;\n }(), s.ResourceSpans = function() {\n function i(o) {\n if (this.scopeSpans = [], o)\n for (var e = Object.keys(o), t = 0; t < e.length; ++t)\n o[e[t]] != null && (this[e[t]] = o[e[t]]);\n }\n return i.prototype.resource = null, i.prototype.scopeSpans = l.emptyArray, i.prototype.schemaUrl = null, i.create = function(e) {\n return new i(e);\n }, i.encode = function(e, t) {\n if (t || (t = y.create()), e.resource != null && Object.hasOwnProperty.call(e, \"resource\") && u.opentelemetry.proto.resource.v1.Resource.encode(e.resource, t.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).fork()).ldelim(), e.scopeSpans != null && e.scopeSpans.length)\n for (var n = 0; n < e.scopeSpans.length; ++n)\n u.opentelemetry.proto.trace.v1.ScopeSpans.encode(e.scopeSpans[n], t.uint32(\n /* id 2, wireType 2 =*/\n 18\n ).fork()).ldelim();\n return e.schemaUrl != null && Object.hasOwnProperty.call(e, \"schemaUrl\") && t.uint32(\n /* id 3, wireType 2 =*/\n 26\n ).string(e.schemaUrl), t;\n }, i.encodeDelimited = function(e, t) {\n return this.encode(e, t).ldelim();\n }, i.decode = function(e, t) {\n e instanceof a || (e = a.create(e));\n for (var n = t === void 0 ? e.len : e.pos + t, r = new u.opentelemetry.proto.trace.v1.ResourceSpans(); e.pos < n; ) {\n var c = e.uint32();\n switch (c >>> 3) {\n case 1: {\n r.resource = u.opentelemetry.proto.resource.v1.Resource.decode(e, e.uint32());\n break;\n }\n case 2: {\n r.scopeSpans && r.scopeSpans.length || (r.scopeSpans = []), r.scopeSpans.push(u.opentelemetry.proto.trace.v1.ScopeSpans.decode(e, e.uint32()));\n break;\n }\n case 3: {\n r.schemaUrl = e.string();\n break;\n }\n default:\n e.skipType(c & 7);\n break;\n }\n }\n return r;\n }, i.decodeDelimited = function(e) {\n return e instanceof a || (e = new a(e)), this.decode(e, e.uint32());\n }, i.verify = function(e) {\n if (typeof e != \"object\" || e === null)\n return \"object expected\";\n if (e.resource != null && e.hasOwnProperty(\"resource\")) {\n var t = u.opentelemetry.proto.resource.v1.Resource.verify(e.resource);\n if (t)\n return \"resource.\" + t;\n }\n if (e.scopeSpans != null && e.hasOwnProperty(\"scopeSpans\")) {\n if (!Array.isArray(e.scopeSpans))\n return \"scopeSpans: array expected\";\n for (var n = 0; n < e.scopeSpans.length; ++n) {\n var t = u.opentelemetry.proto.trace.v1.ScopeSpans.verify(e.scopeSpans[n]);\n if (t)\n return \"scopeSpans.\" + t;\n }\n }\n return e.schemaUrl != null && e.hasOwnProperty(\"schemaUrl\") && !l.isString(e.schemaUrl) ? \"schemaUrl: string expected\" : null;\n }, i.fromObject = function(e) {\n if (e instanceof u.opentelemetry.proto.trace.v1.ResourceSpans)\n return e;\n var t = new u.opentelemetry.proto.trace.v1.ResourceSpans();\n if (e.resource != null) {\n if (typeof e.resource != \"object\")\n throw TypeError(\".opentelemetry.proto.trace.v1.ResourceSpans.resource: object expected\");\n t.resource = u.opentelemetry.proto.resource.v1.Resource.fromObject(e.resource);\n }\n if (e.scopeSpans) {\n if (!Array.isArray(e.scopeSpans))\n throw TypeError(\".opentelemetry.proto.trace.v1.ResourceSpans.scopeSpans: array expected\");\n t.scopeSpans = [];\n for (var n = 0; n < e.scopeSpans.length; ++n) {\n if (typeof e.scopeSpans[n] != \"object\")\n throw TypeError(\".opentelemetry.proto.trace.v1.ResourceSpans.scopeSpans: object expected\");\n t.scopeSpans[n] = u.opentelemetry.proto.trace.v1.ScopeSpans.fromObject(e.scopeSpans[n]);\n }\n }\n return e.schemaUrl != null && (t.schemaUrl = String(e.schemaUrl)), t;\n }, i.toObject = function(e, t) {\n t || (t = {});\n var n = {};\n if ((t.arrays || t.defaults) && (n.scopeSpans = []), t.defaults && (n.resource = null, n.schemaUrl = \"\"), e.resource != null && e.hasOwnProperty(\"resource\") && (n.resource = u.opentelemetry.proto.resource.v1.Resource.toObject(e.resource, t)), e.scopeSpans && e.scopeSpans.length) {\n n.scopeSpans = [];\n for (var r = 0; r < e.scopeSpans.length; ++r)\n n.scopeSpans[r] = u.opentelemetry.proto.trace.v1.ScopeSpans.toObject(e.scopeSpans[r], t);\n }\n return e.schemaUrl != null && e.hasOwnProperty(\"schemaUrl\") && (n.schemaUrl = e.schemaUrl), n;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(e) {\n return e === void 0 && (e = \"type.googleapis.com\"), e + \"/opentelemetry.proto.trace.v1.ResourceSpans\";\n }, i;\n }(), s.ScopeSpans = function() {\n function i(o) {\n if (this.spans = [], o)\n for (var e = Object.keys(o), t = 0; t < e.length; ++t)\n o[e[t]] != null && (this[e[t]] = o[e[t]]);\n }\n return i.prototype.scope = null, i.prototype.spans = l.emptyArray, i.prototype.schemaUrl = null, i.create = function(e) {\n return new i(e);\n }, i.encode = function(e, t) {\n if (t || (t = y.create()), e.scope != null && Object.hasOwnProperty.call(e, \"scope\") && u.opentelemetry.proto.common.v1.InstrumentationScope.encode(e.scope, t.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).fork()).ldelim(), e.spans != null && e.spans.length)\n for (var n = 0; n < e.spans.length; ++n)\n u.opentelemetry.proto.trace.v1.Span.encode(e.spans[n], t.uint32(\n /* id 2, wireType 2 =*/\n 18\n ).fork()).ldelim();\n return e.schemaUrl != null && Object.hasOwnProperty.call(e, \"schemaUrl\") && t.uint32(\n /* id 3, wireType 2 =*/\n 26\n ).string(e.schemaUrl), t;\n }, i.encodeDelimited = function(e, t) {\n return this.encode(e, t).ldelim();\n }, i.decode = function(e, t) {\n e instanceof a || (e = a.create(e));\n for (var n = t === void 0 ? e.len : e.pos + t, r = new u.opentelemetry.proto.trace.v1.ScopeSpans(); e.pos < n; ) {\n var c = e.uint32();\n switch (c >>> 3) {\n case 1: {\n r.scope = u.opentelemetry.proto.common.v1.InstrumentationScope.decode(e, e.uint32());\n break;\n }\n case 2: {\n r.spans && r.spans.length || (r.spans = []), r.spans.push(u.opentelemetry.proto.trace.v1.Span.decode(e, e.uint32()));\n break;\n }\n case 3: {\n r.schemaUrl = e.string();\n break;\n }\n default:\n e.skipType(c & 7);\n break;\n }\n }\n return r;\n }, i.decodeDelimited = function(e) {\n return e instanceof a || (e = new a(e)), this.decode(e, e.uint32());\n }, i.verify = function(e) {\n if (typeof e != \"object\" || e === null)\n return \"object expected\";\n if (e.scope != null && e.hasOwnProperty(\"scope\")) {\n var t = u.opentelemetry.proto.common.v1.InstrumentationScope.verify(e.scope);\n if (t)\n return \"scope.\" + t;\n }\n if (e.spans != null && e.hasOwnProperty(\"spans\")) {\n if (!Array.isArray(e.spans))\n return \"spans: array expected\";\n for (var n = 0; n < e.spans.length; ++n) {\n var t = u.opentelemetry.proto.trace.v1.Span.verify(e.spans[n]);\n if (t)\n return \"spans.\" + t;\n }\n }\n return e.schemaUrl != null && e.hasOwnProperty(\"schemaUrl\") && !l.isString(e.schemaUrl) ? \"schemaUrl: string expected\" : null;\n }, i.fromObject = function(e) {\n if (e instanceof u.opentelemetry.proto.trace.v1.ScopeSpans)\n return e;\n var t = new u.opentelemetry.proto.trace.v1.ScopeSpans();\n if (e.scope != null) {\n if (typeof e.scope != \"object\")\n throw TypeError(\".opentelemetry.proto.trace.v1.ScopeSpans.scope: object expected\");\n t.scope = u.opentelemetry.proto.common.v1.InstrumentationScope.fromObject(e.scope);\n }\n if (e.spans) {\n if (!Array.isArray(e.spans))\n throw TypeError(\".opentelemetry.proto.trace.v1.ScopeSpans.spans: array expected\");\n t.spans = [];\n for (var n = 0; n < e.spans.length; ++n) {\n if (typeof e.spans[n] != \"object\")\n throw TypeError(\".opentelemetry.proto.trace.v1.ScopeSpans.spans: object expected\");\n t.spans[n] = u.opentelemetry.proto.trace.v1.Span.fromObject(e.spans[n]);\n }\n }\n return e.schemaUrl != null && (t.schemaUrl = String(e.schemaUrl)), t;\n }, i.toObject = function(e, t) {\n t || (t = {});\n var n = {};\n if ((t.arrays || t.defaults) && (n.spans = []), t.defaults && (n.scope = null, n.schemaUrl = \"\"), e.scope != null && e.hasOwnProperty(\"scope\") && (n.scope = u.opentelemetry.proto.common.v1.InstrumentationScope.toObject(e.scope, t)), e.spans && e.spans.length) {\n n.spans = [];\n for (var r = 0; r < e.spans.length; ++r)\n n.spans[r] = u.opentelemetry.proto.trace.v1.Span.toObject(e.spans[r], t);\n }\n return e.schemaUrl != null && e.hasOwnProperty(\"schemaUrl\") && (n.schemaUrl = e.schemaUrl), n;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(e) {\n return e === void 0 && (e = \"type.googleapis.com\"), e + \"/opentelemetry.proto.trace.v1.ScopeSpans\";\n }, i;\n }(), s.Span = function() {\n function i(o) {\n if (this.attributes = [], this.events = [], this.links = [], o)\n for (var e = Object.keys(o), t = 0; t < e.length; ++t)\n o[e[t]] != null && (this[e[t]] = o[e[t]]);\n }\n return i.prototype.traceId = null, i.prototype.spanId = null, i.prototype.traceState = null, i.prototype.parentSpanId = null, i.prototype.name = null, i.prototype.kind = null, i.prototype.startTimeUnixNano = null, i.prototype.endTimeUnixNano = null, i.prototype.attributes = l.emptyArray, i.prototype.droppedAttributesCount = null, i.prototype.events = l.emptyArray, i.prototype.droppedEventsCount = null, i.prototype.links = l.emptyArray, i.prototype.droppedLinksCount = null, i.prototype.status = null, i.create = function(e) {\n return new i(e);\n }, i.encode = function(e, t) {\n if (t || (t = y.create()), e.traceId != null && Object.hasOwnProperty.call(e, \"traceId\") && t.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).bytes(e.traceId), e.spanId != null && Object.hasOwnProperty.call(e, \"spanId\") && t.uint32(\n /* id 2, wireType 2 =*/\n 18\n ).bytes(e.spanId), e.traceState != null && Object.hasOwnProperty.call(e, \"traceState\") && t.uint32(\n /* id 3, wireType 2 =*/\n 26\n ).string(e.traceState), e.parentSpanId != null && Object.hasOwnProperty.call(e, \"parentSpanId\") && t.uint32(\n /* id 4, wireType 2 =*/\n 34\n ).bytes(e.parentSpanId), e.name != null && Object.hasOwnProperty.call(e, \"name\") && t.uint32(\n /* id 5, wireType 2 =*/\n 42\n ).string(e.name), e.kind != null && Object.hasOwnProperty.call(e, \"kind\") && t.uint32(\n /* id 6, wireType 0 =*/\n 48\n ).int32(e.kind), e.startTimeUnixNano != null && Object.hasOwnProperty.call(e, \"startTimeUnixNano\") && t.uint32(\n /* id 7, wireType 1 =*/\n 57\n ).fixed64(e.startTimeUnixNano), e.endTimeUnixNano != null && Object.hasOwnProperty.call(e, \"endTimeUnixNano\") && t.uint32(\n /* id 8, wireType 1 =*/\n 65\n ).fixed64(e.endTimeUnixNano), e.attributes != null && e.attributes.length)\n for (var n = 0; n < e.attributes.length; ++n)\n u.opentelemetry.proto.common.v1.KeyValue.encode(e.attributes[n], t.uint32(\n /* id 9, wireType 2 =*/\n 74\n ).fork()).ldelim();\n if (e.droppedAttributesCount != null && Object.hasOwnProperty.call(e, \"droppedAttributesCount\") && t.uint32(\n /* id 10, wireType 0 =*/\n 80\n ).uint32(e.droppedAttributesCount), e.events != null && e.events.length)\n for (var n = 0; n < e.events.length; ++n)\n u.opentelemetry.proto.trace.v1.Span.Event.encode(e.events[n], t.uint32(\n /* id 11, wireType 2 =*/\n 90\n ).fork()).ldelim();\n if (e.droppedEventsCount != null && Object.hasOwnProperty.call(e, \"droppedEventsCount\") && t.uint32(\n /* id 12, wireType 0 =*/\n 96\n ).uint32(e.droppedEventsCount), e.links != null && e.links.length)\n for (var n = 0; n < e.links.length; ++n)\n u.opentelemetry.proto.trace.v1.Span.Link.encode(e.links[n], t.uint32(\n /* id 13, wireType 2 =*/\n 106\n ).fork()).ldelim();\n return e.droppedLinksCount != null && Object.hasOwnProperty.call(e, \"droppedLinksCount\") && t.uint32(\n /* id 14, wireType 0 =*/\n 112\n ).uint32(e.droppedLinksCount), e.status != null && Object.hasOwnProperty.call(e, \"status\") && u.opentelemetry.proto.trace.v1.Status.encode(e.status, t.uint32(\n /* id 15, wireType 2 =*/\n 122\n ).fork()).ldelim(), t;\n }, i.encodeDelimited = function(e, t) {\n return this.encode(e, t).ldelim();\n }, i.decode = function(e, t) {\n e instanceof a || (e = a.create(e));\n for (var n = t === void 0 ? e.len : e.pos + t, r = new u.opentelemetry.proto.trace.v1.Span(); e.pos < n; ) {\n var c = e.uint32();\n switch (c >>> 3) {\n case 1: {\n r.traceId = e.bytes();\n break;\n }\n case 2: {\n r.spanId = e.bytes();\n break;\n }\n case 3: {\n r.traceState = e.string();\n break;\n }\n case 4: {\n r.parentSpanId = e.bytes();\n break;\n }\n case 5: {\n r.name = e.string();\n break;\n }\n case 6: {\n r.kind = e.int32();\n break;\n }\n case 7: {\n r.startTimeUnixNano = e.fixed64();\n break;\n }\n case 8: {\n r.endTimeUnixNano = e.fixed64();\n break;\n }\n case 9: {\n r.attributes && r.attributes.length || (r.attributes = []), r.attributes.push(u.opentelemetry.proto.common.v1.KeyValue.decode(e, e.uint32()));\n break;\n }\n case 10: {\n r.droppedAttributesCount = e.uint32();\n break;\n }\n case 11: {\n r.events && r.events.length || (r.events = []), r.events.push(u.opentelemetry.proto.trace.v1.Span.Event.decode(e, e.uint32()));\n break;\n }\n case 12: {\n r.droppedEventsCount = e.uint32();\n break;\n }\n case 13: {\n r.links && r.links.length || (r.links = []), r.links.push(u.opentelemetry.proto.trace.v1.Span.Link.decode(e, e.uint32()));\n break;\n }\n case 14: {\n r.droppedLinksCount = e.uint32();\n break;\n }\n case 15: {\n r.status = u.opentelemetry.proto.trace.v1.Status.decode(e, e.uint32());\n break;\n }\n default:\n e.skipType(c & 7);\n break;\n }\n }\n return r;\n }, i.decodeDelimited = function(e) {\n return e instanceof a || (e = new a(e)), this.decode(e, e.uint32());\n }, i.verify = function(e) {\n if (typeof e != \"object\" || e === null)\n return \"object expected\";\n if (e.traceId != null && e.hasOwnProperty(\"traceId\") && !(e.traceId && typeof e.traceId.length == \"number\" || l.isString(e.traceId)))\n return \"traceId: buffer expected\";\n if (e.spanId != null && e.hasOwnProperty(\"spanId\") && !(e.spanId && typeof e.spanId.length == \"number\" || l.isString(e.spanId)))\n return \"spanId: buffer expected\";\n if (e.traceState != null && e.hasOwnProperty(\"traceState\") && !l.isString(e.traceState))\n return \"traceState: string expected\";\n if (e.parentSpanId != null && e.hasOwnProperty(\"parentSpanId\") && !(e.parentSpanId && typeof e.parentSpanId.length == \"number\" || l.isString(e.parentSpanId)))\n return \"parentSpanId: buffer expected\";\n if (e.name != null && e.hasOwnProperty(\"name\") && !l.isString(e.name))\n return \"name: string expected\";\n if (e.kind != null && e.hasOwnProperty(\"kind\"))\n switch (e.kind) {\n default:\n return \"kind: enum value expected\";\n case 0:\n case 1:\n case 2:\n case 3:\n case 4:\n case 5:\n break;\n }\n if (e.startTimeUnixNano != null && e.hasOwnProperty(\"startTimeUnixNano\") && !l.isInteger(e.startTimeUnixNano) && !(e.startTimeUnixNano && l.isInteger(e.startTimeUnixNano.low) && l.isInteger(e.startTimeUnixNano.high)))\n return \"startTimeUnixNano: integer|Long expected\";\n if (e.endTimeUnixNano != null && e.hasOwnProperty(\"endTimeUnixNano\") && !l.isInteger(e.endTimeUnixNano) && !(e.endTimeUnixNano && l.isInteger(e.endTimeUnixNano.low) && l.isInteger(e.endTimeUnixNano.high)))\n return \"endTimeUnixNano: integer|Long expected\";\n if (e.attributes != null && e.hasOwnProperty(\"attributes\")) {\n if (!Array.isArray(e.attributes))\n return \"attributes: array expected\";\n for (var t = 0; t < e.attributes.length; ++t) {\n var n = u.opentelemetry.proto.common.v1.KeyValue.verify(e.attributes[t]);\n if (n)\n return \"attributes.\" + n;\n }\n }\n if (e.droppedAttributesCount != null && e.hasOwnProperty(\"droppedAttributesCount\") && !l.isInteger(e.droppedAttributesCount))\n return \"droppedAttributesCount: integer expected\";\n if (e.events != null && e.hasOwnProperty(\"events\")) {\n if (!Array.isArray(e.events))\n return \"events: array expected\";\n for (var t = 0; t < e.events.length; ++t) {\n var n = u.opentelemetry.proto.trace.v1.Span.Event.verify(e.events[t]);\n if (n)\n return \"events.\" + n;\n }\n }\n if (e.droppedEventsCount != null && e.hasOwnProperty(\"droppedEventsCount\") && !l.isInteger(e.droppedEventsCount))\n return \"droppedEventsCount: integer expected\";\n if (e.links != null && e.hasOwnProperty(\"links\")) {\n if (!Array.isArray(e.links))\n return \"links: array expected\";\n for (var t = 0; t < e.links.length; ++t) {\n var n = u.opentelemetry.proto.trace.v1.Span.Link.verify(e.links[t]);\n if (n)\n return \"links.\" + n;\n }\n }\n if (e.droppedLinksCount != null && e.hasOwnProperty(\"droppedLinksCount\") && !l.isInteger(e.droppedLinksCount))\n return \"droppedLinksCount: integer expected\";\n if (e.status != null && e.hasOwnProperty(\"status\")) {\n var n = u.opentelemetry.proto.trace.v1.Status.verify(e.status);\n if (n)\n return \"status.\" + n;\n }\n return null;\n }, i.fromObject = function(e) {\n if (e instanceof u.opentelemetry.proto.trace.v1.Span)\n return e;\n var t = new u.opentelemetry.proto.trace.v1.Span();\n switch (e.traceId != null && (typeof e.traceId == \"string\" ? l.base64.decode(e.traceId, t.traceId = l.newBuffer(l.base64.length(e.traceId)), 0) : e.traceId.length >= 0 && (t.traceId = e.traceId)), e.spanId != null && (typeof e.spanId == \"string\" ? l.base64.decode(e.spanId, t.spanId = l.newBuffer(l.base64.length(e.spanId)), 0) : e.spanId.length >= 0 && (t.spanId = e.spanId)), e.traceState != null && (t.traceState = String(e.traceState)), e.parentSpanId != null && (typeof e.parentSpanId == \"string\" ? l.base64.decode(e.parentSpanId, t.parentSpanId = l.newBuffer(l.base64.length(e.parentSpanId)), 0) : e.parentSpanId.length >= 0 && (t.parentSpanId = e.parentSpanId)), e.name != null && (t.name = String(e.name)), e.kind) {\n default:\n if (typeof e.kind == \"number\") {\n t.kind = e.kind;\n break;\n }\n break;\n case \"SPAN_KIND_UNSPECIFIED\":\n case 0:\n t.kind = 0;\n break;\n case \"SPAN_KIND_INTERNAL\":\n case 1:\n t.kind = 1;\n break;\n case \"SPAN_KIND_SERVER\":\n case 2:\n t.kind = 2;\n break;\n case \"SPAN_KIND_CLIENT\":\n case 3:\n t.kind = 3;\n break;\n case \"SPAN_KIND_PRODUCER\":\n case 4:\n t.kind = 4;\n break;\n case \"SPAN_KIND_CONSUMER\":\n case 5:\n t.kind = 5;\n break;\n }\n if (e.startTimeUnixNano != null && (l.Long ? (t.startTimeUnixNano = l.Long.fromValue(e.startTimeUnixNano)).unsigned = !1 : typeof e.startTimeUnixNano == \"string\" ? t.startTimeUnixNano = parseInt(e.startTimeUnixNano, 10) : typeof e.startTimeUnixNano == \"number\" ? t.startTimeUnixNano = e.startTimeUnixNano : typeof e.startTimeUnixNano == \"object\" && (t.startTimeUnixNano = new l.LongBits(e.startTimeUnixNano.low >>> 0, e.startTimeUnixNano.high >>> 0).toNumber())), e.endTimeUnixNano != null && (l.Long ? (t.endTimeUnixNano = l.Long.fromValue(e.endTimeUnixNano)).unsigned = !1 : typeof e.endTimeUnixNano == \"string\" ? t.endTimeUnixNano = parseInt(e.endTimeUnixNano, 10) : typeof e.endTimeUnixNano == \"number\" ? t.endTimeUnixNano = e.endTimeUnixNano : typeof e.endTimeUnixNano == \"object\" && (t.endTimeUnixNano = new l.LongBits(e.endTimeUnixNano.low >>> 0, e.endTimeUnixNano.high >>> 0).toNumber())), e.attributes) {\n if (!Array.isArray(e.attributes))\n throw TypeError(\".opentelemetry.proto.trace.v1.Span.attributes: array expected\");\n t.attributes = [];\n for (var n = 0; n < e.attributes.length; ++n) {\n if (typeof e.attributes[n] != \"object\")\n throw TypeError(\".opentelemetry.proto.trace.v1.Span.attributes: object expected\");\n t.attributes[n] = u.opentelemetry.proto.common.v1.KeyValue.fromObject(e.attributes[n]);\n }\n }\n if (e.droppedAttributesCount != null && (t.droppedAttributesCount = e.droppedAttributesCount >>> 0), e.events) {\n if (!Array.isArray(e.events))\n throw TypeError(\".opentelemetry.proto.trace.v1.Span.events: array expected\");\n t.events = [];\n for (var n = 0; n < e.events.length; ++n) {\n if (typeof e.events[n] != \"object\")\n throw TypeError(\".opentelemetry.proto.trace.v1.Span.events: object expected\");\n t.events[n] = u.opentelemetry.proto.trace.v1.Span.Event.fromObject(e.events[n]);\n }\n }\n if (e.droppedEventsCount != null && (t.droppedEventsCount = e.droppedEventsCount >>> 0), e.links) {\n if (!Array.isArray(e.links))\n throw TypeError(\".opentelemetry.proto.trace.v1.Span.links: array expected\");\n t.links = [];\n for (var n = 0; n < e.links.length; ++n) {\n if (typeof e.links[n] != \"object\")\n throw TypeError(\".opentelemetry.proto.trace.v1.Span.links: object expected\");\n t.links[n] = u.opentelemetry.proto.trace.v1.Span.Link.fromObject(e.links[n]);\n }\n }\n if (e.droppedLinksCount != null && (t.droppedLinksCount = e.droppedLinksCount >>> 0), e.status != null) {\n if (typeof e.status != \"object\")\n throw TypeError(\".opentelemetry.proto.trace.v1.Span.status: object expected\");\n t.status = u.opentelemetry.proto.trace.v1.Status.fromObject(e.status);\n }\n return t;\n }, i.toObject = function(e, t) {\n t || (t = {});\n var n = {};\n if ((t.arrays || t.defaults) && (n.attributes = [], n.events = [], n.links = []), t.defaults) {\n if (t.bytes === String ? n.traceId = \"\" : (n.traceId = [], t.bytes !== Array && (n.traceId = l.newBuffer(n.traceId))), t.bytes === String ? n.spanId = \"\" : (n.spanId = [], t.bytes !== Array && (n.spanId = l.newBuffer(n.spanId))), n.traceState = \"\", t.bytes === String ? n.parentSpanId = \"\" : (n.parentSpanId = [], t.bytes !== Array && (n.parentSpanId = l.newBuffer(n.parentSpanId))), n.name = \"\", n.kind = t.enums === String ? \"SPAN_KIND_UNSPECIFIED\" : 0, l.Long) {\n var r = new l.Long(0, 0, !1);\n n.startTimeUnixNano = t.longs === String ? r.toString() : t.longs === Number ? r.toNumber() : r;\n } else\n n.startTimeUnixNano = t.longs === String ? \"0\" : 0;\n if (l.Long) {\n var r = new l.Long(0, 0, !1);\n n.endTimeUnixNano = t.longs === String ? r.toString() : t.longs === Number ? r.toNumber() : r;\n } else\n n.endTimeUnixNano = t.longs === String ? \"0\" : 0;\n n.droppedAttributesCount = 0, n.droppedEventsCount = 0, n.droppedLinksCount = 0, n.status = null;\n }\n if (e.traceId != null && e.hasOwnProperty(\"traceId\") && (n.traceId = t.bytes === String ? l.base64.encode(e.traceId, 0, e.traceId.length) : t.bytes === Array ? Array.prototype.slice.call(e.traceId) : e.traceId), e.spanId != null && e.hasOwnProperty(\"spanId\") && (n.spanId = t.bytes === String ? l.base64.encode(e.spanId, 0, e.spanId.length) : t.bytes === Array ? Array.prototype.slice.call(e.spanId) : e.spanId), e.traceState != null && e.hasOwnProperty(\"traceState\") && (n.traceState = e.traceState), e.parentSpanId != null && e.hasOwnProperty(\"parentSpanId\") && (n.parentSpanId = t.bytes === String ? l.base64.encode(e.parentSpanId, 0, e.parentSpanId.length) : t.bytes === Array ? Array.prototype.slice.call(e.parentSpanId) : e.parentSpanId), e.name != null && e.hasOwnProperty(\"name\") && (n.name = e.name), e.kind != null && e.hasOwnProperty(\"kind\") && (n.kind = t.enums === String ? u.opentelemetry.proto.trace.v1.Span.SpanKind[e.kind] === void 0 ? e.kind : u.opentelemetry.proto.trace.v1.Span.SpanKind[e.kind] : e.kind), e.startTimeUnixNano != null && e.hasOwnProperty(\"startTimeUnixNano\") && (typeof e.startTimeUnixNano == \"number\" ? n.startTimeUnixNano = t.longs === String ? String(e.startTimeUnixNano) : e.startTimeUnixNano : n.startTimeUnixNano = t.longs === String ? l.Long.prototype.toString.call(e.startTimeUnixNano) : t.longs === Number ? new l.LongBits(e.startTimeUnixNano.low >>> 0, e.startTimeUnixNano.high >>> 0).toNumber() : e.startTimeUnixNano), e.endTimeUnixNano != null && e.hasOwnProperty(\"endTimeUnixNano\") && (typeof e.endTimeUnixNano == \"number\" ? n.endTimeUnixNano = t.longs === String ? String(e.endTimeUnixNano) : e.endTimeUnixNano : n.endTimeUnixNano = t.longs === String ? l.Long.prototype.toString.call(e.endTimeUnixNano) : t.longs === Number ? new l.LongBits(e.endTimeUnixNano.low >>> 0, e.endTimeUnixNano.high >>> 0).toNumber() : e.endTimeUnixNano), e.attributes && e.attributes.length) {\n n.attributes = [];\n for (var c = 0; c < e.attributes.length; ++c)\n n.attributes[c] = u.opentelemetry.proto.common.v1.KeyValue.toObject(e.attributes[c], t);\n }\n if (e.droppedAttributesCount != null && e.hasOwnProperty(\"droppedAttributesCount\") && (n.droppedAttributesCount = e.droppedAttributesCount), e.events && e.events.length) {\n n.events = [];\n for (var c = 0; c < e.events.length; ++c)\n n.events[c] = u.opentelemetry.proto.trace.v1.Span.Event.toObject(e.events[c], t);\n }\n if (e.droppedEventsCount != null && e.hasOwnProperty(\"droppedEventsCount\") && (n.droppedEventsCount = e.droppedEventsCount), e.links && e.links.length) {\n n.links = [];\n for (var c = 0; c < e.links.length; ++c)\n n.links[c] = u.opentelemetry.proto.trace.v1.Span.Link.toObject(e.links[c], t);\n }\n return e.droppedLinksCount != null && e.hasOwnProperty(\"droppedLinksCount\") && (n.droppedLinksCount = e.droppedLinksCount), e.status != null && e.hasOwnProperty(\"status\") && (n.status = u.opentelemetry.proto.trace.v1.Status.toObject(e.status, t)), n;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(e) {\n return e === void 0 && (e = \"type.googleapis.com\"), e + \"/opentelemetry.proto.trace.v1.Span\";\n }, i.SpanKind = function() {\n var o = {}, e = Object.create(o);\n return e[o[0] = \"SPAN_KIND_UNSPECIFIED\"] = 0, e[o[1] = \"SPAN_KIND_INTERNAL\"] = 1, e[o[2] = \"SPAN_KIND_SERVER\"] = 2, e[o[3] = \"SPAN_KIND_CLIENT\"] = 3, e[o[4] = \"SPAN_KIND_PRODUCER\"] = 4, e[o[5] = \"SPAN_KIND_CONSUMER\"] = 5, e;\n }(), i.Event = function() {\n function o(e) {\n if (this.attributes = [], e)\n for (var t = Object.keys(e), n = 0; n < t.length; ++n)\n e[t[n]] != null && (this[t[n]] = e[t[n]]);\n }\n return o.prototype.timeUnixNano = null, o.prototype.name = null, o.prototype.attributes = l.emptyArray, o.prototype.droppedAttributesCount = null, o.create = function(t) {\n return new o(t);\n }, o.encode = function(t, n) {\n if (n || (n = y.create()), t.timeUnixNano != null && Object.hasOwnProperty.call(t, \"timeUnixNano\") && n.uint32(\n /* id 1, wireType 1 =*/\n 9\n ).fixed64(t.timeUnixNano), t.name != null && Object.hasOwnProperty.call(t, \"name\") && n.uint32(\n /* id 2, wireType 2 =*/\n 18\n ).string(t.name), t.attributes != null && t.attributes.length)\n for (var r = 0; r < t.attributes.length; ++r)\n u.opentelemetry.proto.common.v1.KeyValue.encode(t.attributes[r], n.uint32(\n /* id 3, wireType 2 =*/\n 26\n ).fork()).ldelim();\n return t.droppedAttributesCount != null && Object.hasOwnProperty.call(t, \"droppedAttributesCount\") && n.uint32(\n /* id 4, wireType 0 =*/\n 32\n ).uint32(t.droppedAttributesCount), n;\n }, o.encodeDelimited = function(t, n) {\n return this.encode(t, n).ldelim();\n }, o.decode = function(t, n) {\n t instanceof a || (t = a.create(t));\n for (var r = n === void 0 ? t.len : t.pos + n, c = new u.opentelemetry.proto.trace.v1.Span.Event(); t.pos < r; ) {\n var p = t.uint32();\n switch (p >>> 3) {\n case 1: {\n c.timeUnixNano = t.fixed64();\n break;\n }\n case 2: {\n c.name = t.string();\n break;\n }\n case 3: {\n c.attributes && c.attributes.length || (c.attributes = []), c.attributes.push(u.opentelemetry.proto.common.v1.KeyValue.decode(t, t.uint32()));\n break;\n }\n case 4: {\n c.droppedAttributesCount = t.uint32();\n break;\n }\n default:\n t.skipType(p & 7);\n break;\n }\n }\n return c;\n }, o.decodeDelimited = function(t) {\n return t instanceof a || (t = new a(t)), this.decode(t, t.uint32());\n }, o.verify = function(t) {\n if (typeof t != \"object\" || t === null)\n return \"object expected\";\n if (t.timeUnixNano != null && t.hasOwnProperty(\"timeUnixNano\") && !l.isInteger(t.timeUnixNano) && !(t.timeUnixNano && l.isInteger(t.timeUnixNano.low) && l.isInteger(t.timeUnixNano.high)))\n return \"timeUnixNano: integer|Long expected\";\n if (t.name != null && t.hasOwnProperty(\"name\") && !l.isString(t.name))\n return \"name: string expected\";\n if (t.attributes != null && t.hasOwnProperty(\"attributes\")) {\n if (!Array.isArray(t.attributes))\n return \"attributes: array expected\";\n for (var n = 0; n < t.attributes.length; ++n) {\n var r = u.opentelemetry.proto.common.v1.KeyValue.verify(t.attributes[n]);\n if (r)\n return \"attributes.\" + r;\n }\n }\n return t.droppedAttributesCount != null && t.hasOwnProperty(\"droppedAttributesCount\") && !l.isInteger(t.droppedAttributesCount) ? \"droppedAttributesCount: integer expected\" : null;\n }, o.fromObject = function(t) {\n if (t instanceof u.opentelemetry.proto.trace.v1.Span.Event)\n return t;\n var n = new u.opentelemetry.proto.trace.v1.Span.Event();\n if (t.timeUnixNano != null && (l.Long ? (n.timeUnixNano = l.Long.fromValue(t.timeUnixNano)).unsigned = !1 : typeof t.timeUnixNano == \"string\" ? n.timeUnixNano = parseInt(t.timeUnixNano, 10) : typeof t.timeUnixNano == \"number\" ? n.timeUnixNano = t.timeUnixNano : typeof t.timeUnixNano == \"object\" && (n.timeUnixNano = new l.LongBits(t.timeUnixNano.low >>> 0, t.timeUnixNano.high >>> 0).toNumber())), t.name != null && (n.name = String(t.name)), t.attributes) {\n if (!Array.isArray(t.attributes))\n throw TypeError(\".opentelemetry.proto.trace.v1.Span.Event.attributes: array expected\");\n n.attributes = [];\n for (var r = 0; r < t.attributes.length; ++r) {\n if (typeof t.attributes[r] != \"object\")\n throw TypeError(\".opentelemetry.proto.trace.v1.Span.Event.attributes: object expected\");\n n.attributes[r] = u.opentelemetry.proto.common.v1.KeyValue.fromObject(t.attributes[r]);\n }\n }\n return t.droppedAttributesCount != null && (n.droppedAttributesCount = t.droppedAttributesCount >>> 0), n;\n }, o.toObject = function(t, n) {\n n || (n = {});\n var r = {};\n if ((n.arrays || n.defaults) && (r.attributes = []), n.defaults) {\n if (l.Long) {\n var c = new l.Long(0, 0, !1);\n r.timeUnixNano = n.longs === String ? c.toString() : n.longs === Number ? c.toNumber() : c;\n } else\n r.timeUnixNano = n.longs === String ? \"0\" : 0;\n r.name = \"\", r.droppedAttributesCount = 0;\n }\n if (t.timeUnixNano != null && t.hasOwnProperty(\"timeUnixNano\") && (typeof t.timeUnixNano == \"number\" ? r.timeUnixNano = n.longs === String ? String(t.timeUnixNano) : t.timeUnixNano : r.timeUnixNano = n.longs === String ? l.Long.prototype.toString.call(t.timeUnixNano) : n.longs === Number ? new l.LongBits(t.timeUnixNano.low >>> 0, t.timeUnixNano.high >>> 0).toNumber() : t.timeUnixNano), t.name != null && t.hasOwnProperty(\"name\") && (r.name = t.name), t.attributes && t.attributes.length) {\n r.attributes = [];\n for (var p = 0; p < t.attributes.length; ++p)\n r.attributes[p] = u.opentelemetry.proto.common.v1.KeyValue.toObject(t.attributes[p], n);\n }\n return t.droppedAttributesCount != null && t.hasOwnProperty(\"droppedAttributesCount\") && (r.droppedAttributesCount = t.droppedAttributesCount), r;\n }, o.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, o.getTypeUrl = function(t) {\n return t === void 0 && (t = \"type.googleapis.com\"), t + \"/opentelemetry.proto.trace.v1.Span.Event\";\n }, o;\n }(), i.Link = function() {\n function o(e) {\n if (this.attributes = [], e)\n for (var t = Object.keys(e), n = 0; n < t.length; ++n)\n e[t[n]] != null && (this[t[n]] = e[t[n]]);\n }\n return o.prototype.traceId = null, o.prototype.spanId = null, o.prototype.traceState = null, o.prototype.attributes = l.emptyArray, o.prototype.droppedAttributesCount = null, o.create = function(t) {\n return new o(t);\n }, o.encode = function(t, n) {\n if (n || (n = y.create()), t.traceId != null && Object.hasOwnProperty.call(t, \"traceId\") && n.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).bytes(t.traceId), t.spanId != null && Object.hasOwnProperty.call(t, \"spanId\") && n.uint32(\n /* id 2, wireType 2 =*/\n 18\n ).bytes(t.spanId), t.traceState != null && Object.hasOwnProperty.call(t, \"traceState\") && n.uint32(\n /* id 3, wireType 2 =*/\n 26\n ).string(t.traceState), t.attributes != null && t.attributes.length)\n for (var r = 0; r < t.attributes.length; ++r)\n u.opentelemetry.proto.common.v1.KeyValue.encode(t.attributes[r], n.uint32(\n /* id 4, wireType 2 =*/\n 34\n ).fork()).ldelim();\n return t.droppedAttributesCount != null && Object.hasOwnProperty.call(t, \"droppedAttributesCount\") && n.uint32(\n /* id 5, wireType 0 =*/\n 40\n ).uint32(t.droppedAttributesCount), n;\n }, o.encodeDelimited = function(t, n) {\n return this.encode(t, n).ldelim();\n }, o.decode = function(t, n) {\n t instanceof a || (t = a.create(t));\n for (var r = n === void 0 ? t.len : t.pos + n, c = new u.opentelemetry.proto.trace.v1.Span.Link(); t.pos < r; ) {\n var p = t.uint32();\n switch (p >>> 3) {\n case 1: {\n c.traceId = t.bytes();\n break;\n }\n case 2: {\n c.spanId = t.bytes();\n break;\n }\n case 3: {\n c.traceState = t.string();\n break;\n }\n case 4: {\n c.attributes && c.attributes.length || (c.attributes = []), c.attributes.push(u.opentelemetry.proto.common.v1.KeyValue.decode(t, t.uint32()));\n break;\n }\n case 5: {\n c.droppedAttributesCount = t.uint32();\n break;\n }\n default:\n t.skipType(p & 7);\n break;\n }\n }\n return c;\n }, o.decodeDelimited = function(t) {\n return t instanceof a || (t = new a(t)), this.decode(t, t.uint32());\n }, o.verify = function(t) {\n if (typeof t != \"object\" || t === null)\n return \"object expected\";\n if (t.traceId != null && t.hasOwnProperty(\"traceId\") && !(t.traceId && typeof t.traceId.length == \"number\" || l.isString(t.traceId)))\n return \"traceId: buffer expected\";\n if (t.spanId != null && t.hasOwnProperty(\"spanId\") && !(t.spanId && typeof t.spanId.length == \"number\" || l.isString(t.spanId)))\n return \"spanId: buffer expected\";\n if (t.traceState != null && t.hasOwnProperty(\"traceState\") && !l.isString(t.traceState))\n return \"traceState: string expected\";\n if (t.attributes != null && t.hasOwnProperty(\"attributes\")) {\n if (!Array.isArray(t.attributes))\n return \"attributes: array expected\";\n for (var n = 0; n < t.attributes.length; ++n) {\n var r = u.opentelemetry.proto.common.v1.KeyValue.verify(t.attributes[n]);\n if (r)\n return \"attributes.\" + r;\n }\n }\n return t.droppedAttributesCount != null && t.hasOwnProperty(\"droppedAttributesCount\") && !l.isInteger(t.droppedAttributesCount) ? \"droppedAttributesCount: integer expected\" : null;\n }, o.fromObject = function(t) {\n if (t instanceof u.opentelemetry.proto.trace.v1.Span.Link)\n return t;\n var n = new u.opentelemetry.proto.trace.v1.Span.Link();\n if (t.traceId != null && (typeof t.traceId == \"string\" ? l.base64.decode(t.traceId, n.traceId = l.newBuffer(l.base64.length(t.traceId)), 0) : t.traceId.length >= 0 && (n.traceId = t.traceId)), t.spanId != null && (typeof t.spanId == \"string\" ? l.base64.decode(t.spanId, n.spanId = l.newBuffer(l.base64.length(t.spanId)), 0) : t.spanId.length >= 0 && (n.spanId = t.spanId)), t.traceState != null && (n.traceState = String(t.traceState)), t.attributes) {\n if (!Array.isArray(t.attributes))\n throw TypeError(\".opentelemetry.proto.trace.v1.Span.Link.attributes: array expected\");\n n.attributes = [];\n for (var r = 0; r < t.attributes.length; ++r) {\n if (typeof t.attributes[r] != \"object\")\n throw TypeError(\".opentelemetry.proto.trace.v1.Span.Link.attributes: object expected\");\n n.attributes[r] = u.opentelemetry.proto.common.v1.KeyValue.fromObject(t.attributes[r]);\n }\n }\n return t.droppedAttributesCount != null && (n.droppedAttributesCount = t.droppedAttributesCount >>> 0), n;\n }, o.toObject = function(t, n) {\n n || (n = {});\n var r = {};\n if ((n.arrays || n.defaults) && (r.attributes = []), n.defaults && (n.bytes === String ? r.traceId = \"\" : (r.traceId = [], n.bytes !== Array && (r.traceId = l.newBuffer(r.traceId))), n.bytes === String ? r.spanId = \"\" : (r.spanId = [], n.bytes !== Array && (r.spanId = l.newBuffer(r.spanId))), r.traceState = \"\", r.droppedAttributesCount = 0), t.traceId != null && t.hasOwnProperty(\"traceId\") && (r.traceId = n.bytes === String ? l.base64.encode(t.traceId, 0, t.traceId.length) : n.bytes === Array ? Array.prototype.slice.call(t.traceId) : t.traceId), t.spanId != null && t.hasOwnProperty(\"spanId\") && (r.spanId = n.bytes === String ? l.base64.encode(t.spanId, 0, t.spanId.length) : n.bytes === Array ? Array.prototype.slice.call(t.spanId) : t.spanId), t.traceState != null && t.hasOwnProperty(\"traceState\") && (r.traceState = t.traceState), t.attributes && t.attributes.length) {\n r.attributes = [];\n for (var c = 0; c < t.attributes.length; ++c)\n r.attributes[c] = u.opentelemetry.proto.common.v1.KeyValue.toObject(t.attributes[c], n);\n }\n return t.droppedAttributesCount != null && t.hasOwnProperty(\"droppedAttributesCount\") && (r.droppedAttributesCount = t.droppedAttributesCount), r;\n }, o.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, o.getTypeUrl = function(t) {\n return t === void 0 && (t = \"type.googleapis.com\"), t + \"/opentelemetry.proto.trace.v1.Span.Link\";\n }, o;\n }(), i;\n }(), s.Status = function() {\n function i(o) {\n if (o)\n for (var e = Object.keys(o), t = 0; t < e.length; ++t)\n o[e[t]] != null && (this[e[t]] = o[e[t]]);\n }\n return i.prototype.message = null, i.prototype.code = null, i.create = function(e) {\n return new i(e);\n }, i.encode = function(e, t) {\n return t || (t = y.create()), e.message != null && Object.hasOwnProperty.call(e, \"message\") && t.uint32(\n /* id 2, wireType 2 =*/\n 18\n ).string(e.message), e.code != null && Object.hasOwnProperty.call(e, \"code\") && t.uint32(\n /* id 3, wireType 0 =*/\n 24\n ).int32(e.code), t;\n }, i.encodeDelimited = function(e, t) {\n return this.encode(e, t).ldelim();\n }, i.decode = function(e, t) {\n e instanceof a || (e = a.create(e));\n for (var n = t === void 0 ? e.len : e.pos + t, r = new u.opentelemetry.proto.trace.v1.Status(); e.pos < n; ) {\n var c = e.uint32();\n switch (c >>> 3) {\n case 2: {\n r.message = e.string();\n break;\n }\n case 3: {\n r.code = e.int32();\n break;\n }\n default:\n e.skipType(c & 7);\n break;\n }\n }\n return r;\n }, i.decodeDelimited = function(e) {\n return e instanceof a || (e = new a(e)), this.decode(e, e.uint32());\n }, i.verify = function(e) {\n if (typeof e != \"object\" || e === null)\n return \"object expected\";\n if (e.message != null && e.hasOwnProperty(\"message\") && !l.isString(e.message))\n return \"message: string expected\";\n if (e.code != null && e.hasOwnProperty(\"code\"))\n switch (e.code) {\n default:\n return \"code: enum value expected\";\n case 0:\n case 1:\n case 2:\n break;\n }\n return null;\n }, i.fromObject = function(e) {\n if (e instanceof u.opentelemetry.proto.trace.v1.Status)\n return e;\n var t = new u.opentelemetry.proto.trace.v1.Status();\n switch (e.message != null && (t.message = String(e.message)), e.code) {\n default:\n if (typeof e.code == \"number\") {\n t.code = e.code;\n break;\n }\n break;\n case \"STATUS_CODE_UNSET\":\n case 0:\n t.code = 0;\n break;\n case \"STATUS_CODE_OK\":\n case 1:\n t.code = 1;\n break;\n case \"STATUS_CODE_ERROR\":\n case 2:\n t.code = 2;\n break;\n }\n return t;\n }, i.toObject = function(e, t) {\n t || (t = {});\n var n = {};\n return t.defaults && (n.message = \"\", n.code = t.enums === String ? \"STATUS_CODE_UNSET\" : 0), e.message != null && e.hasOwnProperty(\"message\") && (n.message = e.message), e.code != null && e.hasOwnProperty(\"code\") && (n.code = t.enums === String ? u.opentelemetry.proto.trace.v1.Status.StatusCode[e.code] === void 0 ? e.code : u.opentelemetry.proto.trace.v1.Status.StatusCode[e.code] : e.code), n;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(e) {\n return e === void 0 && (e = \"type.googleapis.com\"), e + \"/opentelemetry.proto.trace.v1.Status\";\n }, i.StatusCode = function() {\n var o = {}, e = Object.create(o);\n return e[o[0] = \"STATUS_CODE_UNSET\"] = 0, e[o[1] = \"STATUS_CODE_OK\"] = 1, e[o[2] = \"STATUS_CODE_ERROR\"] = 2, e;\n }(), i;\n }(), s;\n }(), d;\n }(), v.collector = function() {\n var d = {};\n return d.trace = function() {\n var s = {};\n return s.v1 = function() {\n var i = {};\n return i.TraceService = function() {\n function o(e, t, n) {\n f.rpc.Service.call(this, e, t, n);\n }\n return (o.prototype = Object.create(f.rpc.Service.prototype)).constructor = o, o.create = function(t, n, r) {\n return new this(t, n, r);\n }, Object.defineProperty(o.prototype.export = function e(t, n) {\n return this.rpcCall(e, u.opentelemetry.proto.collector.trace.v1.ExportTraceServiceRequest, u.opentelemetry.proto.collector.trace.v1.ExportTraceServiceResponse, t, n);\n }, \"name\", { value: \"Export\" }), o;\n }(), i.ExportTraceServiceRequest = function() {\n function o(e) {\n if (this.resourceSpans = [], e)\n for (var t = Object.keys(e), n = 0; n < t.length; ++n)\n e[t[n]] != null && (this[t[n]] = e[t[n]]);\n }\n return o.prototype.resourceSpans = l.emptyArray, o.create = function(t) {\n return new o(t);\n }, o.encode = function(t, n) {\n if (n || (n = y.create()), t.resourceSpans != null && t.resourceSpans.length)\n for (var r = 0; r < t.resourceSpans.length; ++r)\n u.opentelemetry.proto.trace.v1.ResourceSpans.encode(t.resourceSpans[r], n.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).fork()).ldelim();\n return n;\n }, o.encodeDelimited = function(t, n) {\n return this.encode(t, n).ldelim();\n }, o.decode = function(t, n) {\n t instanceof a || (t = a.create(t));\n for (var r = n === void 0 ? t.len : t.pos + n, c = new u.opentelemetry.proto.collector.trace.v1.ExportTraceServiceRequest(); t.pos < r; ) {\n var p = t.uint32();\n switch (p >>> 3) {\n case 1: {\n c.resourceSpans && c.resourceSpans.length || (c.resourceSpans = []), c.resourceSpans.push(u.opentelemetry.proto.trace.v1.ResourceSpans.decode(t, t.uint32()));\n break;\n }\n default:\n t.skipType(p & 7);\n break;\n }\n }\n return c;\n }, o.decodeDelimited = function(t) {\n return t instanceof a || (t = new a(t)), this.decode(t, t.uint32());\n }, o.verify = function(t) {\n if (typeof t != \"object\" || t === null)\n return \"object expected\";\n if (t.resourceSpans != null && t.hasOwnProperty(\"resourceSpans\")) {\n if (!Array.isArray(t.resourceSpans))\n return \"resourceSpans: array expected\";\n for (var n = 0; n < t.resourceSpans.length; ++n) {\n var r = u.opentelemetry.proto.trace.v1.ResourceSpans.verify(t.resourceSpans[n]);\n if (r)\n return \"resourceSpans.\" + r;\n }\n }\n return null;\n }, o.fromObject = function(t) {\n if (t instanceof u.opentelemetry.proto.collector.trace.v1.ExportTraceServiceRequest)\n return t;\n var n = new u.opentelemetry.proto.collector.trace.v1.ExportTraceServiceRequest();\n if (t.resourceSpans) {\n if (!Array.isArray(t.resourceSpans))\n throw TypeError(\".opentelemetry.proto.collector.trace.v1.ExportTraceServiceRequest.resourceSpans: array expected\");\n n.resourceSpans = [];\n for (var r = 0; r < t.resourceSpans.length; ++r) {\n if (typeof t.resourceSpans[r] != \"object\")\n throw TypeError(\".opentelemetry.proto.collector.trace.v1.ExportTraceServiceRequest.resourceSpans: object expected\");\n n.resourceSpans[r] = u.opentelemetry.proto.trace.v1.ResourceSpans.fromObject(t.resourceSpans[r]);\n }\n }\n return n;\n }, o.toObject = function(t, n) {\n n || (n = {});\n var r = {};\n if ((n.arrays || n.defaults) && (r.resourceSpans = []), t.resourceSpans && t.resourceSpans.length) {\n r.resourceSpans = [];\n for (var c = 0; c < t.resourceSpans.length; ++c)\n r.resourceSpans[c] = u.opentelemetry.proto.trace.v1.ResourceSpans.toObject(t.resourceSpans[c], n);\n }\n return r;\n }, o.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, o.getTypeUrl = function(t) {\n return t === void 0 && (t = \"type.googleapis.com\"), t + \"/opentelemetry.proto.collector.trace.v1.ExportTraceServiceRequest\";\n }, o;\n }(), i.ExportTraceServiceResponse = function() {\n function o(e) {\n if (e)\n for (var t = Object.keys(e), n = 0; n < t.length; ++n)\n e[t[n]] != null && (this[t[n]] = e[t[n]]);\n }\n return o.prototype.partialSuccess = null, o.create = function(t) {\n return new o(t);\n }, o.encode = function(t, n) {\n return n || (n = y.create()), t.partialSuccess != null && Object.hasOwnProperty.call(t, \"partialSuccess\") && u.opentelemetry.proto.collector.trace.v1.ExportTracePartialSuccess.encode(t.partialSuccess, n.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).fork()).ldelim(), n;\n }, o.encodeDelimited = function(t, n) {\n return this.encode(t, n).ldelim();\n }, o.decode = function(t, n) {\n t instanceof a || (t = a.create(t));\n for (var r = n === void 0 ? t.len : t.pos + n, c = new u.opentelemetry.proto.collector.trace.v1.ExportTraceServiceResponse(); t.pos < r; ) {\n var p = t.uint32();\n switch (p >>> 3) {\n case 1: {\n c.partialSuccess = u.opentelemetry.proto.collector.trace.v1.ExportTracePartialSuccess.decode(t, t.uint32());\n break;\n }\n default:\n t.skipType(p & 7);\n break;\n }\n }\n return c;\n }, o.decodeDelimited = function(t) {\n return t instanceof a || (t = new a(t)), this.decode(t, t.uint32());\n }, o.verify = function(t) {\n if (typeof t != \"object\" || t === null)\n return \"object expected\";\n if (t.partialSuccess != null && t.hasOwnProperty(\"partialSuccess\")) {\n var n = u.opentelemetry.proto.collector.trace.v1.ExportTracePartialSuccess.verify(t.partialSuccess);\n if (n)\n return \"partialSuccess.\" + n;\n }\n return null;\n }, o.fromObject = function(t) {\n if (t instanceof u.opentelemetry.proto.collector.trace.v1.ExportTraceServiceResponse)\n return t;\n var n = new u.opentelemetry.proto.collector.trace.v1.ExportTraceServiceResponse();\n if (t.partialSuccess != null) {\n if (typeof t.partialSuccess != \"object\")\n throw TypeError(\".opentelemetry.proto.collector.trace.v1.ExportTraceServiceResponse.partialSuccess: object expected\");\n n.partialSuccess = u.opentelemetry.proto.collector.trace.v1.ExportTracePartialSuccess.fromObject(t.partialSuccess);\n }\n return n;\n }, o.toObject = function(t, n) {\n n || (n = {});\n var r = {};\n return n.defaults && (r.partialSuccess = null), t.partialSuccess != null && t.hasOwnProperty(\"partialSuccess\") && (r.partialSuccess = u.opentelemetry.proto.collector.trace.v1.ExportTracePartialSuccess.toObject(t.partialSuccess, n)), r;\n }, o.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, o.getTypeUrl = function(t) {\n return t === void 0 && (t = \"type.googleapis.com\"), t + \"/opentelemetry.proto.collector.trace.v1.ExportTraceServiceResponse\";\n }, o;\n }(), i.ExportTracePartialSuccess = function() {\n function o(e) {\n if (e)\n for (var t = Object.keys(e), n = 0; n < t.length; ++n)\n e[t[n]] != null && (this[t[n]] = e[t[n]]);\n }\n return o.prototype.rejectedSpans = null, o.prototype.errorMessage = null, o.create = function(t) {\n return new o(t);\n }, o.encode = function(t, n) {\n return n || (n = y.create()), t.rejectedSpans != null && Object.hasOwnProperty.call(t, \"rejectedSpans\") && n.uint32(\n /* id 1, wireType 0 =*/\n 8\n ).int64(t.rejectedSpans), t.errorMessage != null && Object.hasOwnProperty.call(t, \"errorMessage\") && n.uint32(\n /* id 2, wireType 2 =*/\n 18\n ).string(t.errorMessage), n;\n }, o.encodeDelimited = function(t, n) {\n return this.encode(t, n).ldelim();\n }, o.decode = function(t, n) {\n t instanceof a || (t = a.create(t));\n for (var r = n === void 0 ? t.len : t.pos + n, c = new u.opentelemetry.proto.collector.trace.v1.ExportTracePartialSuccess(); t.pos < r; ) {\n var p = t.uint32();\n switch (p >>> 3) {\n case 1: {\n c.rejectedSpans = t.int64();\n break;\n }\n case 2: {\n c.errorMessage = t.string();\n break;\n }\n default:\n t.skipType(p & 7);\n break;\n }\n }\n return c;\n }, o.decodeDelimited = function(t) {\n return t instanceof a || (t = new a(t)), this.decode(t, t.uint32());\n }, o.verify = function(t) {\n return typeof t != \"object\" || t === null ? \"object expected\" : t.rejectedSpans != null && t.hasOwnProperty(\"rejectedSpans\") && !l.isInteger(t.rejectedSpans) && !(t.rejectedSpans && l.isInteger(t.rejectedSpans.low) && l.isInteger(t.rejectedSpans.high)) ? \"rejectedSpans: integer|Long expected\" : t.errorMessage != null && t.hasOwnProperty(\"errorMessage\") && !l.isString(t.errorMessage) ? \"errorMessage: string expected\" : null;\n }, o.fromObject = function(t) {\n if (t instanceof u.opentelemetry.proto.collector.trace.v1.ExportTracePartialSuccess)\n return t;\n var n = new u.opentelemetry.proto.collector.trace.v1.ExportTracePartialSuccess();\n return t.rejectedSpans != null && (l.Long ? (n.rejectedSpans = l.Long.fromValue(t.rejectedSpans)).unsigned = !1 : typeof t.rejectedSpans == \"string\" ? n.rejectedSpans = parseInt(t.rejectedSpans, 10) : typeof t.rejectedSpans == \"number\" ? n.rejectedSpans = t.rejectedSpans : typeof t.rejectedSpans == \"object\" && (n.rejectedSpans = new l.LongBits(t.rejectedSpans.low >>> 0, t.rejectedSpans.high >>> 0).toNumber())), t.errorMessage != null && (n.errorMessage = String(t.errorMessage)), n;\n }, o.toObject = function(t, n) {\n n || (n = {});\n var r = {};\n if (n.defaults) {\n if (l.Long) {\n var c = new l.Long(0, 0, !1);\n r.rejectedSpans = n.longs === String ? c.toString() : n.longs === Number ? c.toNumber() : c;\n } else\n r.rejectedSpans = n.longs === String ? \"0\" : 0;\n r.errorMessage = \"\";\n }\n return t.rejectedSpans != null && t.hasOwnProperty(\"rejectedSpans\") && (typeof t.rejectedSpans == \"number\" ? r.rejectedSpans = n.longs === String ? String(t.rejectedSpans) : t.rejectedSpans : r.rejectedSpans = n.longs === String ? l.Long.prototype.toString.call(t.rejectedSpans) : n.longs === Number ? new l.LongBits(t.rejectedSpans.low >>> 0, t.rejectedSpans.high >>> 0).toNumber() : t.rejectedSpans), t.errorMessage != null && t.hasOwnProperty(\"errorMessage\") && (r.errorMessage = t.errorMessage), r;\n }, o.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, o.getTypeUrl = function(t) {\n return t === void 0 && (t = \"type.googleapis.com\"), t + \"/opentelemetry.proto.collector.trace.v1.ExportTracePartialSuccess\";\n }, o;\n }(), i;\n }(), s;\n }(), d.metrics = function() {\n var s = {};\n return s.v1 = function() {\n var i = {};\n return i.MetricsService = function() {\n function o(e, t, n) {\n f.rpc.Service.call(this, e, t, n);\n }\n return (o.prototype = Object.create(f.rpc.Service.prototype)).constructor = o, o.create = function(t, n, r) {\n return new this(t, n, r);\n }, Object.defineProperty(o.prototype.export = function e(t, n) {\n return this.rpcCall(e, u.opentelemetry.proto.collector.metrics.v1.ExportMetricsServiceRequest, u.opentelemetry.proto.collector.metrics.v1.ExportMetricsServiceResponse, t, n);\n }, \"name\", { value: \"Export\" }), o;\n }(), i.ExportMetricsServiceRequest = function() {\n function o(e) {\n if (this.resourceMetrics = [], e)\n for (var t = Object.keys(e), n = 0; n < t.length; ++n)\n e[t[n]] != null && (this[t[n]] = e[t[n]]);\n }\n return o.prototype.resourceMetrics = l.emptyArray, o.create = function(t) {\n return new o(t);\n }, o.encode = function(t, n) {\n if (n || (n = y.create()), t.resourceMetrics != null && t.resourceMetrics.length)\n for (var r = 0; r < t.resourceMetrics.length; ++r)\n u.opentelemetry.proto.metrics.v1.ResourceMetrics.encode(t.resourceMetrics[r], n.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).fork()).ldelim();\n return n;\n }, o.encodeDelimited = function(t, n) {\n return this.encode(t, n).ldelim();\n }, o.decode = function(t, n) {\n t instanceof a || (t = a.create(t));\n for (var r = n === void 0 ? t.len : t.pos + n, c = new u.opentelemetry.proto.collector.metrics.v1.ExportMetricsServiceRequest(); t.pos < r; ) {\n var p = t.uint32();\n switch (p >>> 3) {\n case 1: {\n c.resourceMetrics && c.resourceMetrics.length || (c.resourceMetrics = []), c.resourceMetrics.push(u.opentelemetry.proto.metrics.v1.ResourceMetrics.decode(t, t.uint32()));\n break;\n }\n default:\n t.skipType(p & 7);\n break;\n }\n }\n return c;\n }, o.decodeDelimited = function(t) {\n return t instanceof a || (t = new a(t)), this.decode(t, t.uint32());\n }, o.verify = function(t) {\n if (typeof t != \"object\" || t === null)\n return \"object expected\";\n if (t.resourceMetrics != null && t.hasOwnProperty(\"resourceMetrics\")) {\n if (!Array.isArray(t.resourceMetrics))\n return \"resourceMetrics: array expected\";\n for (var n = 0; n < t.resourceMetrics.length; ++n) {\n var r = u.opentelemetry.proto.metrics.v1.ResourceMetrics.verify(t.resourceMetrics[n]);\n if (r)\n return \"resourceMetrics.\" + r;\n }\n }\n return null;\n }, o.fromObject = function(t) {\n if (t instanceof u.opentelemetry.proto.collector.metrics.v1.ExportMetricsServiceRequest)\n return t;\n var n = new u.opentelemetry.proto.collector.metrics.v1.ExportMetricsServiceRequest();\n if (t.resourceMetrics) {\n if (!Array.isArray(t.resourceMetrics))\n throw TypeError(\".opentelemetry.proto.collector.metrics.v1.ExportMetricsServiceRequest.resourceMetrics: array expected\");\n n.resourceMetrics = [];\n for (var r = 0; r < t.resourceMetrics.length; ++r) {\n if (typeof t.resourceMetrics[r] != \"object\")\n throw TypeError(\".opentelemetry.proto.collector.metrics.v1.ExportMetricsServiceRequest.resourceMetrics: object expected\");\n n.resourceMetrics[r] = u.opentelemetry.proto.metrics.v1.ResourceMetrics.fromObject(t.resourceMetrics[r]);\n }\n }\n return n;\n }, o.toObject = function(t, n) {\n n || (n = {});\n var r = {};\n if ((n.arrays || n.defaults) && (r.resourceMetrics = []), t.resourceMetrics && t.resourceMetrics.length) {\n r.resourceMetrics = [];\n for (var c = 0; c < t.resourceMetrics.length; ++c)\n r.resourceMetrics[c] = u.opentelemetry.proto.metrics.v1.ResourceMetrics.toObject(t.resourceMetrics[c], n);\n }\n return r;\n }, o.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, o.getTypeUrl = function(t) {\n return t === void 0 && (t = \"type.googleapis.com\"), t + \"/opentelemetry.proto.collector.metrics.v1.ExportMetricsServiceRequest\";\n }, o;\n }(), i.ExportMetricsServiceResponse = function() {\n function o(e) {\n if (e)\n for (var t = Object.keys(e), n = 0; n < t.length; ++n)\n e[t[n]] != null && (this[t[n]] = e[t[n]]);\n }\n return o.prototype.partialSuccess = null, o.create = function(t) {\n return new o(t);\n }, o.encode = function(t, n) {\n return n || (n = y.create()), t.partialSuccess != null && Object.hasOwnProperty.call(t, \"partialSuccess\") && u.opentelemetry.proto.collector.metrics.v1.ExportMetricsPartialSuccess.encode(t.partialSuccess, n.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).fork()).ldelim(), n;\n }, o.encodeDelimited = function(t, n) {\n return this.encode(t, n).ldelim();\n }, o.decode = function(t, n) {\n t instanceof a || (t = a.create(t));\n for (var r = n === void 0 ? t.len : t.pos + n, c = new u.opentelemetry.proto.collector.metrics.v1.ExportMetricsServiceResponse(); t.pos < r; ) {\n var p = t.uint32();\n switch (p >>> 3) {\n case 1: {\n c.partialSuccess = u.opentelemetry.proto.collector.metrics.v1.ExportMetricsPartialSuccess.decode(t, t.uint32());\n break;\n }\n default:\n t.skipType(p & 7);\n break;\n }\n }\n return c;\n }, o.decodeDelimited = function(t) {\n return t instanceof a || (t = new a(t)), this.decode(t, t.uint32());\n }, o.verify = function(t) {\n if (typeof t != \"object\" || t === null)\n return \"object expected\";\n if (t.partialSuccess != null && t.hasOwnProperty(\"partialSuccess\")) {\n var n = u.opentelemetry.proto.collector.metrics.v1.ExportMetricsPartialSuccess.verify(t.partialSuccess);\n if (n)\n return \"partialSuccess.\" + n;\n }\n return null;\n }, o.fromObject = function(t) {\n if (t instanceof u.opentelemetry.proto.collector.metrics.v1.ExportMetricsServiceResponse)\n return t;\n var n = new u.opentelemetry.proto.collector.metrics.v1.ExportMetricsServiceResponse();\n if (t.partialSuccess != null) {\n if (typeof t.partialSuccess != \"object\")\n throw TypeError(\".opentelemetry.proto.collector.metrics.v1.ExportMetricsServiceResponse.partialSuccess: object expected\");\n n.partialSuccess = u.opentelemetry.proto.collector.metrics.v1.ExportMetricsPartialSuccess.fromObject(t.partialSuccess);\n }\n return n;\n }, o.toObject = function(t, n) {\n n || (n = {});\n var r = {};\n return n.defaults && (r.partialSuccess = null), t.partialSuccess != null && t.hasOwnProperty(\"partialSuccess\") && (r.partialSuccess = u.opentelemetry.proto.collector.metrics.v1.ExportMetricsPartialSuccess.toObject(t.partialSuccess, n)), r;\n }, o.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, o.getTypeUrl = function(t) {\n return t === void 0 && (t = \"type.googleapis.com\"), t + \"/opentelemetry.proto.collector.metrics.v1.ExportMetricsServiceResponse\";\n }, o;\n }(), i.ExportMetricsPartialSuccess = function() {\n function o(e) {\n if (e)\n for (var t = Object.keys(e), n = 0; n < t.length; ++n)\n e[t[n]] != null && (this[t[n]] = e[t[n]]);\n }\n return o.prototype.rejectedDataPoints = null, o.prototype.errorMessage = null, o.create = function(t) {\n return new o(t);\n }, o.encode = function(t, n) {\n return n || (n = y.create()), t.rejectedDataPoints != null && Object.hasOwnProperty.call(t, \"rejectedDataPoints\") && n.uint32(\n /* id 1, wireType 0 =*/\n 8\n ).int64(t.rejectedDataPoints), t.errorMessage != null && Object.hasOwnProperty.call(t, \"errorMessage\") && n.uint32(\n /* id 2, wireType 2 =*/\n 18\n ).string(t.errorMessage), n;\n }, o.encodeDelimited = function(t, n) {\n return this.encode(t, n).ldelim();\n }, o.decode = function(t, n) {\n t instanceof a || (t = a.create(t));\n for (var r = n === void 0 ? t.len : t.pos + n, c = new u.opentelemetry.proto.collector.metrics.v1.ExportMetricsPartialSuccess(); t.pos < r; ) {\n var p = t.uint32();\n switch (p >>> 3) {\n case 1: {\n c.rejectedDataPoints = t.int64();\n break;\n }\n case 2: {\n c.errorMessage = t.string();\n break;\n }\n default:\n t.skipType(p & 7);\n break;\n }\n }\n return c;\n }, o.decodeDelimited = function(t) {\n return t instanceof a || (t = new a(t)), this.decode(t, t.uint32());\n }, o.verify = function(t) {\n return typeof t != \"object\" || t === null ? \"object expected\" : t.rejectedDataPoints != null && t.hasOwnProperty(\"rejectedDataPoints\") && !l.isInteger(t.rejectedDataPoints) && !(t.rejectedDataPoints && l.isInteger(t.rejectedDataPoints.low) && l.isInteger(t.rejectedDataPoints.high)) ? \"rejectedDataPoints: integer|Long expected\" : t.errorMessage != null && t.hasOwnProperty(\"errorMessage\") && !l.isString(t.errorMessage) ? \"errorMessage: string expected\" : null;\n }, o.fromObject = function(t) {\n if (t instanceof u.opentelemetry.proto.collector.metrics.v1.ExportMetricsPartialSuccess)\n return t;\n var n = new u.opentelemetry.proto.collector.metrics.v1.ExportMetricsPartialSuccess();\n return t.rejectedDataPoints != null && (l.Long ? (n.rejectedDataPoints = l.Long.fromValue(t.rejectedDataPoints)).unsigned = !1 : typeof t.rejectedDataPoints == \"string\" ? n.rejectedDataPoints = parseInt(t.rejectedDataPoints, 10) : typeof t.rejectedDataPoints == \"number\" ? n.rejectedDataPoints = t.rejectedDataPoints : typeof t.rejectedDataPoints == \"object\" && (n.rejectedDataPoints = new l.LongBits(t.rejectedDataPoints.low >>> 0, t.rejectedDataPoints.high >>> 0).toNumber())), t.errorMessage != null && (n.errorMessage = String(t.errorMessage)), n;\n }, o.toObject = function(t, n) {\n n || (n = {});\n var r = {};\n if (n.defaults) {\n if (l.Long) {\n var c = new l.Long(0, 0, !1);\n r.rejectedDataPoints = n.longs === String ? c.toString() : n.longs === Number ? c.toNumber() : c;\n } else\n r.rejectedDataPoints = n.longs === String ? \"0\" : 0;\n r.errorMessage = \"\";\n }\n return t.rejectedDataPoints != null && t.hasOwnProperty(\"rejectedDataPoints\") && (typeof t.rejectedDataPoints == \"number\" ? r.rejectedDataPoints = n.longs === String ? String(t.rejectedDataPoints) : t.rejectedDataPoints : r.rejectedDataPoints = n.longs === String ? l.Long.prototype.toString.call(t.rejectedDataPoints) : n.longs === Number ? new l.LongBits(t.rejectedDataPoints.low >>> 0, t.rejectedDataPoints.high >>> 0).toNumber() : t.rejectedDataPoints), t.errorMessage != null && t.hasOwnProperty(\"errorMessage\") && (r.errorMessage = t.errorMessage), r;\n }, o.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, o.getTypeUrl = function(t) {\n return t === void 0 && (t = \"type.googleapis.com\"), t + \"/opentelemetry.proto.collector.metrics.v1.ExportMetricsPartialSuccess\";\n }, o;\n }(), i;\n }(), s;\n }(), d.logs = function() {\n var s = {};\n return s.v1 = function() {\n var i = {};\n return i.LogsService = function() {\n function o(e, t, n) {\n f.rpc.Service.call(this, e, t, n);\n }\n return (o.prototype = Object.create(f.rpc.Service.prototype)).constructor = o, o.create = function(t, n, r) {\n return new this(t, n, r);\n }, Object.defineProperty(o.prototype.export = function e(t, n) {\n return this.rpcCall(e, u.opentelemetry.proto.collector.logs.v1.ExportLogsServiceRequest, u.opentelemetry.proto.collector.logs.v1.ExportLogsServiceResponse, t, n);\n }, \"name\", { value: \"Export\" }), o;\n }(), i.ExportLogsServiceRequest = function() {\n function o(e) {\n if (this.resourceLogs = [], e)\n for (var t = Object.keys(e), n = 0; n < t.length; ++n)\n e[t[n]] != null && (this[t[n]] = e[t[n]]);\n }\n return o.prototype.resourceLogs = l.emptyArray, o.create = function(t) {\n return new o(t);\n }, o.encode = function(t, n) {\n if (n || (n = y.create()), t.resourceLogs != null && t.resourceLogs.length)\n for (var r = 0; r < t.resourceLogs.length; ++r)\n u.opentelemetry.proto.logs.v1.ResourceLogs.encode(t.resourceLogs[r], n.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).fork()).ldelim();\n return n;\n }, o.encodeDelimited = function(t, n) {\n return this.encode(t, n).ldelim();\n }, o.decode = function(t, n) {\n t instanceof a || (t = a.create(t));\n for (var r = n === void 0 ? t.len : t.pos + n, c = new u.opentelemetry.proto.collector.logs.v1.ExportLogsServiceRequest(); t.pos < r; ) {\n var p = t.uint32();\n switch (p >>> 3) {\n case 1: {\n c.resourceLogs && c.resourceLogs.length || (c.resourceLogs = []), c.resourceLogs.push(u.opentelemetry.proto.logs.v1.ResourceLogs.decode(t, t.uint32()));\n break;\n }\n default:\n t.skipType(p & 7);\n break;\n }\n }\n return c;\n }, o.decodeDelimited = function(t) {\n return t instanceof a || (t = new a(t)), this.decode(t, t.uint32());\n }, o.verify = function(t) {\n if (typeof t != \"object\" || t === null)\n return \"object expected\";\n if (t.resourceLogs != null && t.hasOwnProperty(\"resourceLogs\")) {\n if (!Array.isArray(t.resourceLogs))\n return \"resourceLogs: array expected\";\n for (var n = 0; n < t.resourceLogs.length; ++n) {\n var r = u.opentelemetry.proto.logs.v1.ResourceLogs.verify(t.resourceLogs[n]);\n if (r)\n return \"resourceLogs.\" + r;\n }\n }\n return null;\n }, o.fromObject = function(t) {\n if (t instanceof u.opentelemetry.proto.collector.logs.v1.ExportLogsServiceRequest)\n return t;\n var n = new u.opentelemetry.proto.collector.logs.v1.ExportLogsServiceRequest();\n if (t.resourceLogs) {\n if (!Array.isArray(t.resourceLogs))\n throw TypeError(\".opentelemetry.proto.collector.logs.v1.ExportLogsServiceRequest.resourceLogs: array expected\");\n n.resourceLogs = [];\n for (var r = 0; r < t.resourceLogs.length; ++r) {\n if (typeof t.resourceLogs[r] != \"object\")\n throw TypeError(\".opentelemetry.proto.collector.logs.v1.ExportLogsServiceRequest.resourceLogs: object expected\");\n n.resourceLogs[r] = u.opentelemetry.proto.logs.v1.ResourceLogs.fromObject(t.resourceLogs[r]);\n }\n }\n return n;\n }, o.toObject = function(t, n) {\n n || (n = {});\n var r = {};\n if ((n.arrays || n.defaults) && (r.resourceLogs = []), t.resourceLogs && t.resourceLogs.length) {\n r.resourceLogs = [];\n for (var c = 0; c < t.resourceLogs.length; ++c)\n r.resourceLogs[c] = u.opentelemetry.proto.logs.v1.ResourceLogs.toObject(t.resourceLogs[c], n);\n }\n return r;\n }, o.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, o.getTypeUrl = function(t) {\n return t === void 0 && (t = \"type.googleapis.com\"), t + \"/opentelemetry.proto.collector.logs.v1.ExportLogsServiceRequest\";\n }, o;\n }(), i.ExportLogsServiceResponse = function() {\n function o(e) {\n if (e)\n for (var t = Object.keys(e), n = 0; n < t.length; ++n)\n e[t[n]] != null && (this[t[n]] = e[t[n]]);\n }\n return o.prototype.partialSuccess = null, o.create = function(t) {\n return new o(t);\n }, o.encode = function(t, n) {\n return n || (n = y.create()), t.partialSuccess != null && Object.hasOwnProperty.call(t, \"partialSuccess\") && u.opentelemetry.proto.collector.logs.v1.ExportLogsPartialSuccess.encode(t.partialSuccess, n.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).fork()).ldelim(), n;\n }, o.encodeDelimited = function(t, n) {\n return this.encode(t, n).ldelim();\n }, o.decode = function(t, n) {\n t instanceof a || (t = a.create(t));\n for (var r = n === void 0 ? t.len : t.pos + n, c = new u.opentelemetry.proto.collector.logs.v1.ExportLogsServiceResponse(); t.pos < r; ) {\n var p = t.uint32();\n switch (p >>> 3) {\n case 1: {\n c.partialSuccess = u.opentelemetry.proto.collector.logs.v1.ExportLogsPartialSuccess.decode(t, t.uint32());\n break;\n }\n default:\n t.skipType(p & 7);\n break;\n }\n }\n return c;\n }, o.decodeDelimited = function(t) {\n return t instanceof a || (t = new a(t)), this.decode(t, t.uint32());\n }, o.verify = function(t) {\n if (typeof t != \"object\" || t === null)\n return \"object expected\";\n if (t.partialSuccess != null && t.hasOwnProperty(\"partialSuccess\")) {\n var n = u.opentelemetry.proto.collector.logs.v1.ExportLogsPartialSuccess.verify(t.partialSuccess);\n if (n)\n return \"partialSuccess.\" + n;\n }\n return null;\n }, o.fromObject = function(t) {\n if (t instanceof u.opentelemetry.proto.collector.logs.v1.ExportLogsServiceResponse)\n return t;\n var n = new u.opentelemetry.proto.collector.logs.v1.ExportLogsServiceResponse();\n if (t.partialSuccess != null) {\n if (typeof t.partialSuccess != \"object\")\n throw TypeError(\".opentelemetry.proto.collector.logs.v1.ExportLogsServiceResponse.partialSuccess: object expected\");\n n.partialSuccess = u.opentelemetry.proto.collector.logs.v1.ExportLogsPartialSuccess.fromObject(t.partialSuccess);\n }\n return n;\n }, o.toObject = function(t, n) {\n n || (n = {});\n var r = {};\n return n.defaults && (r.partialSuccess = null), t.partialSuccess != null && t.hasOwnProperty(\"partialSuccess\") && (r.partialSuccess = u.opentelemetry.proto.collector.logs.v1.ExportLogsPartialSuccess.toObject(t.partialSuccess, n)), r;\n }, o.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, o.getTypeUrl = function(t) {\n return t === void 0 && (t = \"type.googleapis.com\"), t + \"/opentelemetry.proto.collector.logs.v1.ExportLogsServiceResponse\";\n }, o;\n }(), i.ExportLogsPartialSuccess = function() {\n function o(e) {\n if (e)\n for (var t = Object.keys(e), n = 0; n < t.length; ++n)\n e[t[n]] != null && (this[t[n]] = e[t[n]]);\n }\n return o.prototype.rejectedLogRecords = null, o.prototype.errorMessage = null, o.create = function(t) {\n return new o(t);\n }, o.encode = function(t, n) {\n return n || (n = y.create()), t.rejectedLogRecords != null && Object.hasOwnProperty.call(t, \"rejectedLogRecords\") && n.uint32(\n /* id 1, wireType 0 =*/\n 8\n ).int64(t.rejectedLogRecords), t.errorMessage != null && Object.hasOwnProperty.call(t, \"errorMessage\") && n.uint32(\n /* id 2, wireType 2 =*/\n 18\n ).string(t.errorMessage), n;\n }, o.encodeDelimited = function(t, n) {\n return this.encode(t, n).ldelim();\n }, o.decode = function(t, n) {\n t instanceof a || (t = a.create(t));\n for (var r = n === void 0 ? t.len : t.pos + n, c = new u.opentelemetry.proto.collector.logs.v1.ExportLogsPartialSuccess(); t.pos < r; ) {\n var p = t.uint32();\n switch (p >>> 3) {\n case 1: {\n c.rejectedLogRecords = t.int64();\n break;\n }\n case 2: {\n c.errorMessage = t.string();\n break;\n }\n default:\n t.skipType(p & 7);\n break;\n }\n }\n return c;\n }, o.decodeDelimited = function(t) {\n return t instanceof a || (t = new a(t)), this.decode(t, t.uint32());\n }, o.verify = function(t) {\n return typeof t != \"object\" || t === null ? \"object expected\" : t.rejectedLogRecords != null && t.hasOwnProperty(\"rejectedLogRecords\") && !l.isInteger(t.rejectedLogRecords) && !(t.rejectedLogRecords && l.isInteger(t.rejectedLogRecords.low) && l.isInteger(t.rejectedLogRecords.high)) ? \"rejectedLogRecords: integer|Long expected\" : t.errorMessage != null && t.hasOwnProperty(\"errorMessage\") && !l.isString(t.errorMessage) ? \"errorMessage: string expected\" : null;\n }, o.fromObject = function(t) {\n if (t instanceof u.opentelemetry.proto.collector.logs.v1.ExportLogsPartialSuccess)\n return t;\n var n = new u.opentelemetry.proto.collector.logs.v1.ExportLogsPartialSuccess();\n return t.rejectedLogRecords != null && (l.Long ? (n.rejectedLogRecords = l.Long.fromValue(t.rejectedLogRecords)).unsigned = !1 : typeof t.rejectedLogRecords == \"string\" ? n.rejectedLogRecords = parseInt(t.rejectedLogRecords, 10) : typeof t.rejectedLogRecords == \"number\" ? n.rejectedLogRecords = t.rejectedLogRecords : typeof t.rejectedLogRecords == \"object\" && (n.rejectedLogRecords = new l.LongBits(t.rejectedLogRecords.low >>> 0, t.rejectedLogRecords.high >>> 0).toNumber())), t.errorMessage != null && (n.errorMessage = String(t.errorMessage)), n;\n }, o.toObject = function(t, n) {\n n || (n = {});\n var r = {};\n if (n.defaults) {\n if (l.Long) {\n var c = new l.Long(0, 0, !1);\n r.rejectedLogRecords = n.longs === String ? c.toString() : n.longs === Number ? c.toNumber() : c;\n } else\n r.rejectedLogRecords = n.longs === String ? \"0\" : 0;\n r.errorMessage = \"\";\n }\n return t.rejectedLogRecords != null && t.hasOwnProperty(\"rejectedLogRecords\") && (typeof t.rejectedLogRecords == \"number\" ? r.rejectedLogRecords = n.longs === String ? String(t.rejectedLogRecords) : t.rejectedLogRecords : r.rejectedLogRecords = n.longs === String ? l.Long.prototype.toString.call(t.rejectedLogRecords) : n.longs === Number ? new l.LongBits(t.rejectedLogRecords.low >>> 0, t.rejectedLogRecords.high >>> 0).toNumber() : t.rejectedLogRecords), t.errorMessage != null && t.hasOwnProperty(\"errorMessage\") && (r.errorMessage = t.errorMessage), r;\n }, o.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, o.getTypeUrl = function(t) {\n return t === void 0 && (t = \"type.googleapis.com\"), t + \"/opentelemetry.proto.collector.logs.v1.ExportLogsPartialSuccess\";\n }, o;\n }(), i;\n }(), s;\n }(), d;\n }(), v.metrics = function() {\n var d = {};\n return d.v1 = function() {\n var s = {};\n return s.MetricsData = function() {\n function i(o) {\n if (this.resourceMetrics = [], o)\n for (var e = Object.keys(o), t = 0; t < e.length; ++t)\n o[e[t]] != null && (this[e[t]] = o[e[t]]);\n }\n return i.prototype.resourceMetrics = l.emptyArray, i.create = function(e) {\n return new i(e);\n }, i.encode = function(e, t) {\n if (t || (t = y.create()), e.resourceMetrics != null && e.resourceMetrics.length)\n for (var n = 0; n < e.resourceMetrics.length; ++n)\n u.opentelemetry.proto.metrics.v1.ResourceMetrics.encode(e.resourceMetrics[n], t.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).fork()).ldelim();\n return t;\n }, i.encodeDelimited = function(e, t) {\n return this.encode(e, t).ldelim();\n }, i.decode = function(e, t) {\n e instanceof a || (e = a.create(e));\n for (var n = t === void 0 ? e.len : e.pos + t, r = new u.opentelemetry.proto.metrics.v1.MetricsData(); e.pos < n; ) {\n var c = e.uint32();\n switch (c >>> 3) {\n case 1: {\n r.resourceMetrics && r.resourceMetrics.length || (r.resourceMetrics = []), r.resourceMetrics.push(u.opentelemetry.proto.metrics.v1.ResourceMetrics.decode(e, e.uint32()));\n break;\n }\n default:\n e.skipType(c & 7);\n break;\n }\n }\n return r;\n }, i.decodeDelimited = function(e) {\n return e instanceof a || (e = new a(e)), this.decode(e, e.uint32());\n }, i.verify = function(e) {\n if (typeof e != \"object\" || e === null)\n return \"object expected\";\n if (e.resourceMetrics != null && e.hasOwnProperty(\"resourceMetrics\")) {\n if (!Array.isArray(e.resourceMetrics))\n return \"resourceMetrics: array expected\";\n for (var t = 0; t < e.resourceMetrics.length; ++t) {\n var n = u.opentelemetry.proto.metrics.v1.ResourceMetrics.verify(e.resourceMetrics[t]);\n if (n)\n return \"resourceMetrics.\" + n;\n }\n }\n return null;\n }, i.fromObject = function(e) {\n if (e instanceof u.opentelemetry.proto.metrics.v1.MetricsData)\n return e;\n var t = new u.opentelemetry.proto.metrics.v1.MetricsData();\n if (e.resourceMetrics) {\n if (!Array.isArray(e.resourceMetrics))\n throw TypeError(\".opentelemetry.proto.metrics.v1.MetricsData.resourceMetrics: array expected\");\n t.resourceMetrics = [];\n for (var n = 0; n < e.resourceMetrics.length; ++n) {\n if (typeof e.resourceMetrics[n] != \"object\")\n throw TypeError(\".opentelemetry.proto.metrics.v1.MetricsData.resourceMetrics: object expected\");\n t.resourceMetrics[n] = u.opentelemetry.proto.metrics.v1.ResourceMetrics.fromObject(e.resourceMetrics[n]);\n }\n }\n return t;\n }, i.toObject = function(e, t) {\n t || (t = {});\n var n = {};\n if ((t.arrays || t.defaults) && (n.resourceMetrics = []), e.resourceMetrics && e.resourceMetrics.length) {\n n.resourceMetrics = [];\n for (var r = 0; r < e.resourceMetrics.length; ++r)\n n.resourceMetrics[r] = u.opentelemetry.proto.metrics.v1.ResourceMetrics.toObject(e.resourceMetrics[r], t);\n }\n return n;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(e) {\n return e === void 0 && (e = \"type.googleapis.com\"), e + \"/opentelemetry.proto.metrics.v1.MetricsData\";\n }, i;\n }(), s.ResourceMetrics = function() {\n function i(o) {\n if (this.scopeMetrics = [], o)\n for (var e = Object.keys(o), t = 0; t < e.length; ++t)\n o[e[t]] != null && (this[e[t]] = o[e[t]]);\n }\n return i.prototype.resource = null, i.prototype.scopeMetrics = l.emptyArray, i.prototype.schemaUrl = null, i.create = function(e) {\n return new i(e);\n }, i.encode = function(e, t) {\n if (t || (t = y.create()), e.resource != null && Object.hasOwnProperty.call(e, \"resource\") && u.opentelemetry.proto.resource.v1.Resource.encode(e.resource, t.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).fork()).ldelim(), e.scopeMetrics != null && e.scopeMetrics.length)\n for (var n = 0; n < e.scopeMetrics.length; ++n)\n u.opentelemetry.proto.metrics.v1.ScopeMetrics.encode(e.scopeMetrics[n], t.uint32(\n /* id 2, wireType 2 =*/\n 18\n ).fork()).ldelim();\n return e.schemaUrl != null && Object.hasOwnProperty.call(e, \"schemaUrl\") && t.uint32(\n /* id 3, wireType 2 =*/\n 26\n ).string(e.schemaUrl), t;\n }, i.encodeDelimited = function(e, t) {\n return this.encode(e, t).ldelim();\n }, i.decode = function(e, t) {\n e instanceof a || (e = a.create(e));\n for (var n = t === void 0 ? e.len : e.pos + t, r = new u.opentelemetry.proto.metrics.v1.ResourceMetrics(); e.pos < n; ) {\n var c = e.uint32();\n switch (c >>> 3) {\n case 1: {\n r.resource = u.opentelemetry.proto.resource.v1.Resource.decode(e, e.uint32());\n break;\n }\n case 2: {\n r.scopeMetrics && r.scopeMetrics.length || (r.scopeMetrics = []), r.scopeMetrics.push(u.opentelemetry.proto.metrics.v1.ScopeMetrics.decode(e, e.uint32()));\n break;\n }\n case 3: {\n r.schemaUrl = e.string();\n break;\n }\n default:\n e.skipType(c & 7);\n break;\n }\n }\n return r;\n }, i.decodeDelimited = function(e) {\n return e instanceof a || (e = new a(e)), this.decode(e, e.uint32());\n }, i.verify = function(e) {\n if (typeof e != \"object\" || e === null)\n return \"object expected\";\n if (e.resource != null && e.hasOwnProperty(\"resource\")) {\n var t = u.opentelemetry.proto.resource.v1.Resource.verify(e.resource);\n if (t)\n return \"resource.\" + t;\n }\n if (e.scopeMetrics != null && e.hasOwnProperty(\"scopeMetrics\")) {\n if (!Array.isArray(e.scopeMetrics))\n return \"scopeMetrics: array expected\";\n for (var n = 0; n < e.scopeMetrics.length; ++n) {\n var t = u.opentelemetry.proto.metrics.v1.ScopeMetrics.verify(e.scopeMetrics[n]);\n if (t)\n return \"scopeMetrics.\" + t;\n }\n }\n return e.schemaUrl != null && e.hasOwnProperty(\"schemaUrl\") && !l.isString(e.schemaUrl) ? \"schemaUrl: string expected\" : null;\n }, i.fromObject = function(e) {\n if (e instanceof u.opentelemetry.proto.metrics.v1.ResourceMetrics)\n return e;\n var t = new u.opentelemetry.proto.metrics.v1.ResourceMetrics();\n if (e.resource != null) {\n if (typeof e.resource != \"object\")\n throw TypeError(\".opentelemetry.proto.metrics.v1.ResourceMetrics.resource: object expected\");\n t.resource = u.opentelemetry.proto.resource.v1.Resource.fromObject(e.resource);\n }\n if (e.scopeMetrics) {\n if (!Array.isArray(e.scopeMetrics))\n throw TypeError(\".opentelemetry.proto.metrics.v1.ResourceMetrics.scopeMetrics: array expected\");\n t.scopeMetrics = [];\n for (var n = 0; n < e.scopeMetrics.length; ++n) {\n if (typeof e.scopeMetrics[n] != \"object\")\n throw TypeError(\".opentelemetry.proto.metrics.v1.ResourceMetrics.scopeMetrics: object expected\");\n t.scopeMetrics[n] = u.opentelemetry.proto.metrics.v1.ScopeMetrics.fromObject(e.scopeMetrics[n]);\n }\n }\n return e.schemaUrl != null && (t.schemaUrl = String(e.schemaUrl)), t;\n }, i.toObject = function(e, t) {\n t || (t = {});\n var n = {};\n if ((t.arrays || t.defaults) && (n.scopeMetrics = []), t.defaults && (n.resource = null, n.schemaUrl = \"\"), e.resource != null && e.hasOwnProperty(\"resource\") && (n.resource = u.opentelemetry.proto.resource.v1.Resource.toObject(e.resource, t)), e.scopeMetrics && e.scopeMetrics.length) {\n n.scopeMetrics = [];\n for (var r = 0; r < e.scopeMetrics.length; ++r)\n n.scopeMetrics[r] = u.opentelemetry.proto.metrics.v1.ScopeMetrics.toObject(e.scopeMetrics[r], t);\n }\n return e.schemaUrl != null && e.hasOwnProperty(\"schemaUrl\") && (n.schemaUrl = e.schemaUrl), n;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(e) {\n return e === void 0 && (e = \"type.googleapis.com\"), e + \"/opentelemetry.proto.metrics.v1.ResourceMetrics\";\n }, i;\n }(), s.ScopeMetrics = function() {\n function i(o) {\n if (this.metrics = [], o)\n for (var e = Object.keys(o), t = 0; t < e.length; ++t)\n o[e[t]] != null && (this[e[t]] = o[e[t]]);\n }\n return i.prototype.scope = null, i.prototype.metrics = l.emptyArray, i.prototype.schemaUrl = null, i.create = function(e) {\n return new i(e);\n }, i.encode = function(e, t) {\n if (t || (t = y.create()), e.scope != null && Object.hasOwnProperty.call(e, \"scope\") && u.opentelemetry.proto.common.v1.InstrumentationScope.encode(e.scope, t.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).fork()).ldelim(), e.metrics != null && e.metrics.length)\n for (var n = 0; n < e.metrics.length; ++n)\n u.opentelemetry.proto.metrics.v1.Metric.encode(e.metrics[n], t.uint32(\n /* id 2, wireType 2 =*/\n 18\n ).fork()).ldelim();\n return e.schemaUrl != null && Object.hasOwnProperty.call(e, \"schemaUrl\") && t.uint32(\n /* id 3, wireType 2 =*/\n 26\n ).string(e.schemaUrl), t;\n }, i.encodeDelimited = function(e, t) {\n return this.encode(e, t).ldelim();\n }, i.decode = function(e, t) {\n e instanceof a || (e = a.create(e));\n for (var n = t === void 0 ? e.len : e.pos + t, r = new u.opentelemetry.proto.metrics.v1.ScopeMetrics(); e.pos < n; ) {\n var c = e.uint32();\n switch (c >>> 3) {\n case 1: {\n r.scope = u.opentelemetry.proto.common.v1.InstrumentationScope.decode(e, e.uint32());\n break;\n }\n case 2: {\n r.metrics && r.metrics.length || (r.metrics = []), r.metrics.push(u.opentelemetry.proto.metrics.v1.Metric.decode(e, e.uint32()));\n break;\n }\n case 3: {\n r.schemaUrl = e.string();\n break;\n }\n default:\n e.skipType(c & 7);\n break;\n }\n }\n return r;\n }, i.decodeDelimited = function(e) {\n return e instanceof a || (e = new a(e)), this.decode(e, e.uint32());\n }, i.verify = function(e) {\n if (typeof e != \"object\" || e === null)\n return \"object expected\";\n if (e.scope != null && e.hasOwnProperty(\"scope\")) {\n var t = u.opentelemetry.proto.common.v1.InstrumentationScope.verify(e.scope);\n if (t)\n return \"scope.\" + t;\n }\n if (e.metrics != null && e.hasOwnProperty(\"metrics\")) {\n if (!Array.isArray(e.metrics))\n return \"metrics: array expected\";\n for (var n = 0; n < e.metrics.length; ++n) {\n var t = u.opentelemetry.proto.metrics.v1.Metric.verify(e.metrics[n]);\n if (t)\n return \"metrics.\" + t;\n }\n }\n return e.schemaUrl != null && e.hasOwnProperty(\"schemaUrl\") && !l.isString(e.schemaUrl) ? \"schemaUrl: string expected\" : null;\n }, i.fromObject = function(e) {\n if (e instanceof u.opentelemetry.proto.metrics.v1.ScopeMetrics)\n return e;\n var t = new u.opentelemetry.proto.metrics.v1.ScopeMetrics();\n if (e.scope != null) {\n if (typeof e.scope != \"object\")\n throw TypeError(\".opentelemetry.proto.metrics.v1.ScopeMetrics.scope: object expected\");\n t.scope = u.opentelemetry.proto.common.v1.InstrumentationScope.fromObject(e.scope);\n }\n if (e.metrics) {\n if (!Array.isArray(e.metrics))\n throw TypeError(\".opentelemetry.proto.metrics.v1.ScopeMetrics.metrics: array expected\");\n t.metrics = [];\n for (var n = 0; n < e.metrics.length; ++n) {\n if (typeof e.metrics[n] != \"object\")\n throw TypeError(\".opentelemetry.proto.metrics.v1.ScopeMetrics.metrics: object expected\");\n t.metrics[n] = u.opentelemetry.proto.metrics.v1.Metric.fromObject(e.metrics[n]);\n }\n }\n return e.schemaUrl != null && (t.schemaUrl = String(e.schemaUrl)), t;\n }, i.toObject = function(e, t) {\n t || (t = {});\n var n = {};\n if ((t.arrays || t.defaults) && (n.metrics = []), t.defaults && (n.scope = null, n.schemaUrl = \"\"), e.scope != null && e.hasOwnProperty(\"scope\") && (n.scope = u.opentelemetry.proto.common.v1.InstrumentationScope.toObject(e.scope, t)), e.metrics && e.metrics.length) {\n n.metrics = [];\n for (var r = 0; r < e.metrics.length; ++r)\n n.metrics[r] = u.opentelemetry.proto.metrics.v1.Metric.toObject(e.metrics[r], t);\n }\n return e.schemaUrl != null && e.hasOwnProperty(\"schemaUrl\") && (n.schemaUrl = e.schemaUrl), n;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(e) {\n return e === void 0 && (e = \"type.googleapis.com\"), e + \"/opentelemetry.proto.metrics.v1.ScopeMetrics\";\n }, i;\n }(), s.Metric = function() {\n function i(e) {\n if (e)\n for (var t = Object.keys(e), n = 0; n < t.length; ++n)\n e[t[n]] != null && (this[t[n]] = e[t[n]]);\n }\n i.prototype.name = null, i.prototype.description = null, i.prototype.unit = null, i.prototype.gauge = null, i.prototype.sum = null, i.prototype.histogram = null, i.prototype.exponentialHistogram = null, i.prototype.summary = null;\n var o;\n return Object.defineProperty(i.prototype, \"data\", {\n get: l.oneOfGetter(o = [\"gauge\", \"sum\", \"histogram\", \"exponentialHistogram\", \"summary\"]),\n set: l.oneOfSetter(o)\n }), i.create = function(t) {\n return new i(t);\n }, i.encode = function(t, n) {\n return n || (n = y.create()), t.name != null && Object.hasOwnProperty.call(t, \"name\") && n.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).string(t.name), t.description != null && Object.hasOwnProperty.call(t, \"description\") && n.uint32(\n /* id 2, wireType 2 =*/\n 18\n ).string(t.description), t.unit != null && Object.hasOwnProperty.call(t, \"unit\") && n.uint32(\n /* id 3, wireType 2 =*/\n 26\n ).string(t.unit), t.gauge != null && Object.hasOwnProperty.call(t, \"gauge\") && u.opentelemetry.proto.metrics.v1.Gauge.encode(t.gauge, n.uint32(\n /* id 5, wireType 2 =*/\n 42\n ).fork()).ldelim(), t.sum != null && Object.hasOwnProperty.call(t, \"sum\") && u.opentelemetry.proto.metrics.v1.Sum.encode(t.sum, n.uint32(\n /* id 7, wireType 2 =*/\n 58\n ).fork()).ldelim(), t.histogram != null && Object.hasOwnProperty.call(t, \"histogram\") && u.opentelemetry.proto.metrics.v1.Histogram.encode(t.histogram, n.uint32(\n /* id 9, wireType 2 =*/\n 74\n ).fork()).ldelim(), t.exponentialHistogram != null && Object.hasOwnProperty.call(t, \"exponentialHistogram\") && u.opentelemetry.proto.metrics.v1.ExponentialHistogram.encode(t.exponentialHistogram, n.uint32(\n /* id 10, wireType 2 =*/\n 82\n ).fork()).ldelim(), t.summary != null && Object.hasOwnProperty.call(t, \"summary\") && u.opentelemetry.proto.metrics.v1.Summary.encode(t.summary, n.uint32(\n /* id 11, wireType 2 =*/\n 90\n ).fork()).ldelim(), n;\n }, i.encodeDelimited = function(t, n) {\n return this.encode(t, n).ldelim();\n }, i.decode = function(t, n) {\n t instanceof a || (t = a.create(t));\n for (var r = n === void 0 ? t.len : t.pos + n, c = new u.opentelemetry.proto.metrics.v1.Metric(); t.pos < r; ) {\n var p = t.uint32();\n switch (p >>> 3) {\n case 1: {\n c.name = t.string();\n break;\n }\n case 2: {\n c.description = t.string();\n break;\n }\n case 3: {\n c.unit = t.string();\n break;\n }\n case 5: {\n c.gauge = u.opentelemetry.proto.metrics.v1.Gauge.decode(t, t.uint32());\n break;\n }\n case 7: {\n c.sum = u.opentelemetry.proto.metrics.v1.Sum.decode(t, t.uint32());\n break;\n }\n case 9: {\n c.histogram = u.opentelemetry.proto.metrics.v1.Histogram.decode(t, t.uint32());\n break;\n }\n case 10: {\n c.exponentialHistogram = u.opentelemetry.proto.metrics.v1.ExponentialHistogram.decode(t, t.uint32());\n break;\n }\n case 11: {\n c.summary = u.opentelemetry.proto.metrics.v1.Summary.decode(t, t.uint32());\n break;\n }\n default:\n t.skipType(p & 7);\n break;\n }\n }\n return c;\n }, i.decodeDelimited = function(t) {\n return t instanceof a || (t = new a(t)), this.decode(t, t.uint32());\n }, i.verify = function(t) {\n if (typeof t != \"object\" || t === null)\n return \"object expected\";\n var n = {};\n if (t.name != null && t.hasOwnProperty(\"name\") && !l.isString(t.name))\n return \"name: string expected\";\n if (t.description != null && t.hasOwnProperty(\"description\") && !l.isString(t.description))\n return \"description: string expected\";\n if (t.unit != null && t.hasOwnProperty(\"unit\") && !l.isString(t.unit))\n return \"unit: string expected\";\n if (t.gauge != null && t.hasOwnProperty(\"gauge\")) {\n n.data = 1;\n {\n var r = u.opentelemetry.proto.metrics.v1.Gauge.verify(t.gauge);\n if (r)\n return \"gauge.\" + r;\n }\n }\n if (t.sum != null && t.hasOwnProperty(\"sum\")) {\n if (n.data === 1)\n return \"data: multiple values\";\n n.data = 1;\n {\n var r = u.opentelemetry.proto.metrics.v1.Sum.verify(t.sum);\n if (r)\n return \"sum.\" + r;\n }\n }\n if (t.histogram != null && t.hasOwnProperty(\"histogram\")) {\n if (n.data === 1)\n return \"data: multiple values\";\n n.data = 1;\n {\n var r = u.opentelemetry.proto.metrics.v1.Histogram.verify(t.histogram);\n if (r)\n return \"histogram.\" + r;\n }\n }\n if (t.exponentialHistogram != null && t.hasOwnProperty(\"exponentialHistogram\")) {\n if (n.data === 1)\n return \"data: multiple values\";\n n.data = 1;\n {\n var r = u.opentelemetry.proto.metrics.v1.ExponentialHistogram.verify(t.exponentialHistogram);\n if (r)\n return \"exponentialHistogram.\" + r;\n }\n }\n if (t.summary != null && t.hasOwnProperty(\"summary\")) {\n if (n.data === 1)\n return \"data: multiple values\";\n n.data = 1;\n {\n var r = u.opentelemetry.proto.metrics.v1.Summary.verify(t.summary);\n if (r)\n return \"summary.\" + r;\n }\n }\n return null;\n }, i.fromObject = function(t) {\n if (t instanceof u.opentelemetry.proto.metrics.v1.Metric)\n return t;\n var n = new u.opentelemetry.proto.metrics.v1.Metric();\n if (t.name != null && (n.name = String(t.name)), t.description != null && (n.description = String(t.description)), t.unit != null && (n.unit = String(t.unit)), t.gauge != null) {\n if (typeof t.gauge != \"object\")\n throw TypeError(\".opentelemetry.proto.metrics.v1.Metric.gauge: object expected\");\n n.gauge = u.opentelemetry.proto.metrics.v1.Gauge.fromObject(t.gauge);\n }\n if (t.sum != null) {\n if (typeof t.sum != \"object\")\n throw TypeError(\".opentelemetry.proto.metrics.v1.Metric.sum: object expected\");\n n.sum = u.opentelemetry.proto.metrics.v1.Sum.fromObject(t.sum);\n }\n if (t.histogram != null) {\n if (typeof t.histogram != \"object\")\n throw TypeError(\".opentelemetry.proto.metrics.v1.Metric.histogram: object expected\");\n n.histogram = u.opentelemetry.proto.metrics.v1.Histogram.fromObject(t.histogram);\n }\n if (t.exponentialHistogram != null) {\n if (typeof t.exponentialHistogram != \"object\")\n throw TypeError(\".opentelemetry.proto.metrics.v1.Metric.exponentialHistogram: object expected\");\n n.exponentialHistogram = u.opentelemetry.proto.metrics.v1.ExponentialHistogram.fromObject(t.exponentialHistogram);\n }\n if (t.summary != null) {\n if (typeof t.summary != \"object\")\n throw TypeError(\".opentelemetry.proto.metrics.v1.Metric.summary: object expected\");\n n.summary = u.opentelemetry.proto.metrics.v1.Summary.fromObject(t.summary);\n }\n return n;\n }, i.toObject = function(t, n) {\n n || (n = {});\n var r = {};\n return n.defaults && (r.name = \"\", r.description = \"\", r.unit = \"\"), t.name != null && t.hasOwnProperty(\"name\") && (r.name = t.name), t.description != null && t.hasOwnProperty(\"description\") && (r.description = t.description), t.unit != null && t.hasOwnProperty(\"unit\") && (r.unit = t.unit), t.gauge != null && t.hasOwnProperty(\"gauge\") && (r.gauge = u.opentelemetry.proto.metrics.v1.Gauge.toObject(t.gauge, n), n.oneofs && (r.data = \"gauge\")), t.sum != null && t.hasOwnProperty(\"sum\") && (r.sum = u.opentelemetry.proto.metrics.v1.Sum.toObject(t.sum, n), n.oneofs && (r.data = \"sum\")), t.histogram != null && t.hasOwnProperty(\"histogram\") && (r.histogram = u.opentelemetry.proto.metrics.v1.Histogram.toObject(t.histogram, n), n.oneofs && (r.data = \"histogram\")), t.exponentialHistogram != null && t.hasOwnProperty(\"exponentialHistogram\") && (r.exponentialHistogram = u.opentelemetry.proto.metrics.v1.ExponentialHistogram.toObject(t.exponentialHistogram, n), n.oneofs && (r.data = \"exponentialHistogram\")), t.summary != null && t.hasOwnProperty(\"summary\") && (r.summary = u.opentelemetry.proto.metrics.v1.Summary.toObject(t.summary, n), n.oneofs && (r.data = \"summary\")), r;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(t) {\n return t === void 0 && (t = \"type.googleapis.com\"), t + \"/opentelemetry.proto.metrics.v1.Metric\";\n }, i;\n }(), s.Gauge = function() {\n function i(o) {\n if (this.dataPoints = [], o)\n for (var e = Object.keys(o), t = 0; t < e.length; ++t)\n o[e[t]] != null && (this[e[t]] = o[e[t]]);\n }\n return i.prototype.dataPoints = l.emptyArray, i.create = function(e) {\n return new i(e);\n }, i.encode = function(e, t) {\n if (t || (t = y.create()), e.dataPoints != null && e.dataPoints.length)\n for (var n = 0; n < e.dataPoints.length; ++n)\n u.opentelemetry.proto.metrics.v1.NumberDataPoint.encode(e.dataPoints[n], t.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).fork()).ldelim();\n return t;\n }, i.encodeDelimited = function(e, t) {\n return this.encode(e, t).ldelim();\n }, i.decode = function(e, t) {\n e instanceof a || (e = a.create(e));\n for (var n = t === void 0 ? e.len : e.pos + t, r = new u.opentelemetry.proto.metrics.v1.Gauge(); e.pos < n; ) {\n var c = e.uint32();\n switch (c >>> 3) {\n case 1: {\n r.dataPoints && r.dataPoints.length || (r.dataPoints = []), r.dataPoints.push(u.opentelemetry.proto.metrics.v1.NumberDataPoint.decode(e, e.uint32()));\n break;\n }\n default:\n e.skipType(c & 7);\n break;\n }\n }\n return r;\n }, i.decodeDelimited = function(e) {\n return e instanceof a || (e = new a(e)), this.decode(e, e.uint32());\n }, i.verify = function(e) {\n if (typeof e != \"object\" || e === null)\n return \"object expected\";\n if (e.dataPoints != null && e.hasOwnProperty(\"dataPoints\")) {\n if (!Array.isArray(e.dataPoints))\n return \"dataPoints: array expected\";\n for (var t = 0; t < e.dataPoints.length; ++t) {\n var n = u.opentelemetry.proto.metrics.v1.NumberDataPoint.verify(e.dataPoints[t]);\n if (n)\n return \"dataPoints.\" + n;\n }\n }\n return null;\n }, i.fromObject = function(e) {\n if (e instanceof u.opentelemetry.proto.metrics.v1.Gauge)\n return e;\n var t = new u.opentelemetry.proto.metrics.v1.Gauge();\n if (e.dataPoints) {\n if (!Array.isArray(e.dataPoints))\n throw TypeError(\".opentelemetry.proto.metrics.v1.Gauge.dataPoints: array expected\");\n t.dataPoints = [];\n for (var n = 0; n < e.dataPoints.length; ++n) {\n if (typeof e.dataPoints[n] != \"object\")\n throw TypeError(\".opentelemetry.proto.metrics.v1.Gauge.dataPoints: object expected\");\n t.dataPoints[n] = u.opentelemetry.proto.metrics.v1.NumberDataPoint.fromObject(e.dataPoints[n]);\n }\n }\n return t;\n }, i.toObject = function(e, t) {\n t || (t = {});\n var n = {};\n if ((t.arrays || t.defaults) && (n.dataPoints = []), e.dataPoints && e.dataPoints.length) {\n n.dataPoints = [];\n for (var r = 0; r < e.dataPoints.length; ++r)\n n.dataPoints[r] = u.opentelemetry.proto.metrics.v1.NumberDataPoint.toObject(e.dataPoints[r], t);\n }\n return n;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(e) {\n return e === void 0 && (e = \"type.googleapis.com\"), e + \"/opentelemetry.proto.metrics.v1.Gauge\";\n }, i;\n }(), s.Sum = function() {\n function i(o) {\n if (this.dataPoints = [], o)\n for (var e = Object.keys(o), t = 0; t < e.length; ++t)\n o[e[t]] != null && (this[e[t]] = o[e[t]]);\n }\n return i.prototype.dataPoints = l.emptyArray, i.prototype.aggregationTemporality = null, i.prototype.isMonotonic = null, i.create = function(e) {\n return new i(e);\n }, i.encode = function(e, t) {\n if (t || (t = y.create()), e.dataPoints != null && e.dataPoints.length)\n for (var n = 0; n < e.dataPoints.length; ++n)\n u.opentelemetry.proto.metrics.v1.NumberDataPoint.encode(e.dataPoints[n], t.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).fork()).ldelim();\n return e.aggregationTemporality != null && Object.hasOwnProperty.call(e, \"aggregationTemporality\") && t.uint32(\n /* id 2, wireType 0 =*/\n 16\n ).int32(e.aggregationTemporality), e.isMonotonic != null && Object.hasOwnProperty.call(e, \"isMonotonic\") && t.uint32(\n /* id 3, wireType 0 =*/\n 24\n ).bool(e.isMonotonic), t;\n }, i.encodeDelimited = function(e, t) {\n return this.encode(e, t).ldelim();\n }, i.decode = function(e, t) {\n e instanceof a || (e = a.create(e));\n for (var n = t === void 0 ? e.len : e.pos + t, r = new u.opentelemetry.proto.metrics.v1.Sum(); e.pos < n; ) {\n var c = e.uint32();\n switch (c >>> 3) {\n case 1: {\n r.dataPoints && r.dataPoints.length || (r.dataPoints = []), r.dataPoints.push(u.opentelemetry.proto.metrics.v1.NumberDataPoint.decode(e, e.uint32()));\n break;\n }\n case 2: {\n r.aggregationTemporality = e.int32();\n break;\n }\n case 3: {\n r.isMonotonic = e.bool();\n break;\n }\n default:\n e.skipType(c & 7);\n break;\n }\n }\n return r;\n }, i.decodeDelimited = function(e) {\n return e instanceof a || (e = new a(e)), this.decode(e, e.uint32());\n }, i.verify = function(e) {\n if (typeof e != \"object\" || e === null)\n return \"object expected\";\n if (e.dataPoints != null && e.hasOwnProperty(\"dataPoints\")) {\n if (!Array.isArray(e.dataPoints))\n return \"dataPoints: array expected\";\n for (var t = 0; t < e.dataPoints.length; ++t) {\n var n = u.opentelemetry.proto.metrics.v1.NumberDataPoint.verify(e.dataPoints[t]);\n if (n)\n return \"dataPoints.\" + n;\n }\n }\n if (e.aggregationTemporality != null && e.hasOwnProperty(\"aggregationTemporality\"))\n switch (e.aggregationTemporality) {\n default:\n return \"aggregationTemporality: enum value expected\";\n case 0:\n case 1:\n case 2:\n break;\n }\n return e.isMonotonic != null && e.hasOwnProperty(\"isMonotonic\") && typeof e.isMonotonic != \"boolean\" ? \"isMonotonic: boolean expected\" : null;\n }, i.fromObject = function(e) {\n if (e instanceof u.opentelemetry.proto.metrics.v1.Sum)\n return e;\n var t = new u.opentelemetry.proto.metrics.v1.Sum();\n if (e.dataPoints) {\n if (!Array.isArray(e.dataPoints))\n throw TypeError(\".opentelemetry.proto.metrics.v1.Sum.dataPoints: array expected\");\n t.dataPoints = [];\n for (var n = 0; n < e.dataPoints.length; ++n) {\n if (typeof e.dataPoints[n] != \"object\")\n throw TypeError(\".opentelemetry.proto.metrics.v1.Sum.dataPoints: object expected\");\n t.dataPoints[n] = u.opentelemetry.proto.metrics.v1.NumberDataPoint.fromObject(e.dataPoints[n]);\n }\n }\n switch (e.aggregationTemporality) {\n default:\n if (typeof e.aggregationTemporality == \"number\") {\n t.aggregationTemporality = e.aggregationTemporality;\n break;\n }\n break;\n case \"AGGREGATION_TEMPORALITY_UNSPECIFIED\":\n case 0:\n t.aggregationTemporality = 0;\n break;\n case \"AGGREGATION_TEMPORALITY_DELTA\":\n case 1:\n t.aggregationTemporality = 1;\n break;\n case \"AGGREGATION_TEMPORALITY_CUMULATIVE\":\n case 2:\n t.aggregationTemporality = 2;\n break;\n }\n return e.isMonotonic != null && (t.isMonotonic = !!e.isMonotonic), t;\n }, i.toObject = function(e, t) {\n t || (t = {});\n var n = {};\n if ((t.arrays || t.defaults) && (n.dataPoints = []), t.defaults && (n.aggregationTemporality = t.enums === String ? \"AGGREGATION_TEMPORALITY_UNSPECIFIED\" : 0, n.isMonotonic = !1), e.dataPoints && e.dataPoints.length) {\n n.dataPoints = [];\n for (var r = 0; r < e.dataPoints.length; ++r)\n n.dataPoints[r] = u.opentelemetry.proto.metrics.v1.NumberDataPoint.toObject(e.dataPoints[r], t);\n }\n return e.aggregationTemporality != null && e.hasOwnProperty(\"aggregationTemporality\") && (n.aggregationTemporality = t.enums === String ? u.opentelemetry.proto.metrics.v1.AggregationTemporality[e.aggregationTemporality] === void 0 ? e.aggregationTemporality : u.opentelemetry.proto.metrics.v1.AggregationTemporality[e.aggregationTemporality] : e.aggregationTemporality), e.isMonotonic != null && e.hasOwnProperty(\"isMonotonic\") && (n.isMonotonic = e.isMonotonic), n;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(e) {\n return e === void 0 && (e = \"type.googleapis.com\"), e + \"/opentelemetry.proto.metrics.v1.Sum\";\n }, i;\n }(), s.Histogram = function() {\n function i(o) {\n if (this.dataPoints = [], o)\n for (var e = Object.keys(o), t = 0; t < e.length; ++t)\n o[e[t]] != null && (this[e[t]] = o[e[t]]);\n }\n return i.prototype.dataPoints = l.emptyArray, i.prototype.aggregationTemporality = null, i.create = function(e) {\n return new i(e);\n }, i.encode = function(e, t) {\n if (t || (t = y.create()), e.dataPoints != null && e.dataPoints.length)\n for (var n = 0; n < e.dataPoints.length; ++n)\n u.opentelemetry.proto.metrics.v1.HistogramDataPoint.encode(e.dataPoints[n], t.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).fork()).ldelim();\n return e.aggregationTemporality != null && Object.hasOwnProperty.call(e, \"aggregationTemporality\") && t.uint32(\n /* id 2, wireType 0 =*/\n 16\n ).int32(e.aggregationTemporality), t;\n }, i.encodeDelimited = function(e, t) {\n return this.encode(e, t).ldelim();\n }, i.decode = function(e, t) {\n e instanceof a || (e = a.create(e));\n for (var n = t === void 0 ? e.len : e.pos + t, r = new u.opentelemetry.proto.metrics.v1.Histogram(); e.pos < n; ) {\n var c = e.uint32();\n switch (c >>> 3) {\n case 1: {\n r.dataPoints && r.dataPoints.length || (r.dataPoints = []), r.dataPoints.push(u.opentelemetry.proto.metrics.v1.HistogramDataPoint.decode(e, e.uint32()));\n break;\n }\n case 2: {\n r.aggregationTemporality = e.int32();\n break;\n }\n default:\n e.skipType(c & 7);\n break;\n }\n }\n return r;\n }, i.decodeDelimited = function(e) {\n return e instanceof a || (e = new a(e)), this.decode(e, e.uint32());\n }, i.verify = function(e) {\n if (typeof e != \"object\" || e === null)\n return \"object expected\";\n if (e.dataPoints != null && e.hasOwnProperty(\"dataPoints\")) {\n if (!Array.isArray(e.dataPoints))\n return \"dataPoints: array expected\";\n for (var t = 0; t < e.dataPoints.length; ++t) {\n var n = u.opentelemetry.proto.metrics.v1.HistogramDataPoint.verify(e.dataPoints[t]);\n if (n)\n return \"dataPoints.\" + n;\n }\n }\n if (e.aggregationTemporality != null && e.hasOwnProperty(\"aggregationTemporality\"))\n switch (e.aggregationTemporality) {\n default:\n return \"aggregationTemporality: enum value expected\";\n case 0:\n case 1:\n case 2:\n break;\n }\n return null;\n }, i.fromObject = function(e) {\n if (e instanceof u.opentelemetry.proto.metrics.v1.Histogram)\n return e;\n var t = new u.opentelemetry.proto.metrics.v1.Histogram();\n if (e.dataPoints) {\n if (!Array.isArray(e.dataPoints))\n throw TypeError(\".opentelemetry.proto.metrics.v1.Histogram.dataPoints: array expected\");\n t.dataPoints = [];\n for (var n = 0; n < e.dataPoints.length; ++n) {\n if (typeof e.dataPoints[n] != \"object\")\n throw TypeError(\".opentelemetry.proto.metrics.v1.Histogram.dataPoints: object expected\");\n t.dataPoints[n] = u.opentelemetry.proto.metrics.v1.HistogramDataPoint.fromObject(e.dataPoints[n]);\n }\n }\n switch (e.aggregationTemporality) {\n default:\n if (typeof e.aggregationTemporality == \"number\") {\n t.aggregationTemporality = e.aggregationTemporality;\n break;\n }\n break;\n case \"AGGREGATION_TEMPORALITY_UNSPECIFIED\":\n case 0:\n t.aggregationTemporality = 0;\n break;\n case \"AGGREGATION_TEMPORALITY_DELTA\":\n case 1:\n t.aggregationTemporality = 1;\n break;\n case \"AGGREGATION_TEMPORALITY_CUMULATIVE\":\n case 2:\n t.aggregationTemporality = 2;\n break;\n }\n return t;\n }, i.toObject = function(e, t) {\n t || (t = {});\n var n = {};\n if ((t.arrays || t.defaults) && (n.dataPoints = []), t.defaults && (n.aggregationTemporality = t.enums === String ? \"AGGREGATION_TEMPORALITY_UNSPECIFIED\" : 0), e.dataPoints && e.dataPoints.length) {\n n.dataPoints = [];\n for (var r = 0; r < e.dataPoints.length; ++r)\n n.dataPoints[r] = u.opentelemetry.proto.metrics.v1.HistogramDataPoint.toObject(e.dataPoints[r], t);\n }\n return e.aggregationTemporality != null && e.hasOwnProperty(\"aggregationTemporality\") && (n.aggregationTemporality = t.enums === String ? u.opentelemetry.proto.metrics.v1.AggregationTemporality[e.aggregationTemporality] === void 0 ? e.aggregationTemporality : u.opentelemetry.proto.metrics.v1.AggregationTemporality[e.aggregationTemporality] : e.aggregationTemporality), n;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(e) {\n return e === void 0 && (e = \"type.googleapis.com\"), e + \"/opentelemetry.proto.metrics.v1.Histogram\";\n }, i;\n }(), s.ExponentialHistogram = function() {\n function i(o) {\n if (this.dataPoints = [], o)\n for (var e = Object.keys(o), t = 0; t < e.length; ++t)\n o[e[t]] != null && (this[e[t]] = o[e[t]]);\n }\n return i.prototype.dataPoints = l.emptyArray, i.prototype.aggregationTemporality = null, i.create = function(e) {\n return new i(e);\n }, i.encode = function(e, t) {\n if (t || (t = y.create()), e.dataPoints != null && e.dataPoints.length)\n for (var n = 0; n < e.dataPoints.length; ++n)\n u.opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint.encode(e.dataPoints[n], t.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).fork()).ldelim();\n return e.aggregationTemporality != null && Object.hasOwnProperty.call(e, \"aggregationTemporality\") && t.uint32(\n /* id 2, wireType 0 =*/\n 16\n ).int32(e.aggregationTemporality), t;\n }, i.encodeDelimited = function(e, t) {\n return this.encode(e, t).ldelim();\n }, i.decode = function(e, t) {\n e instanceof a || (e = a.create(e));\n for (var n = t === void 0 ? e.len : e.pos + t, r = new u.opentelemetry.proto.metrics.v1.ExponentialHistogram(); e.pos < n; ) {\n var c = e.uint32();\n switch (c >>> 3) {\n case 1: {\n r.dataPoints && r.dataPoints.length || (r.dataPoints = []), r.dataPoints.push(u.opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint.decode(e, e.uint32()));\n break;\n }\n case 2: {\n r.aggregationTemporality = e.int32();\n break;\n }\n default:\n e.skipType(c & 7);\n break;\n }\n }\n return r;\n }, i.decodeDelimited = function(e) {\n return e instanceof a || (e = new a(e)), this.decode(e, e.uint32());\n }, i.verify = function(e) {\n if (typeof e != \"object\" || e === null)\n return \"object expected\";\n if (e.dataPoints != null && e.hasOwnProperty(\"dataPoints\")) {\n if (!Array.isArray(e.dataPoints))\n return \"dataPoints: array expected\";\n for (var t = 0; t < e.dataPoints.length; ++t) {\n var n = u.opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint.verify(e.dataPoints[t]);\n if (n)\n return \"dataPoints.\" + n;\n }\n }\n if (e.aggregationTemporality != null && e.hasOwnProperty(\"aggregationTemporality\"))\n switch (e.aggregationTemporality) {\n default:\n return \"aggregationTemporality: enum value expected\";\n case 0:\n case 1:\n case 2:\n break;\n }\n return null;\n }, i.fromObject = function(e) {\n if (e instanceof u.opentelemetry.proto.metrics.v1.ExponentialHistogram)\n return e;\n var t = new u.opentelemetry.proto.metrics.v1.ExponentialHistogram();\n if (e.dataPoints) {\n if (!Array.isArray(e.dataPoints))\n throw TypeError(\".opentelemetry.proto.metrics.v1.ExponentialHistogram.dataPoints: array expected\");\n t.dataPoints = [];\n for (var n = 0; n < e.dataPoints.length; ++n) {\n if (typeof e.dataPoints[n] != \"object\")\n throw TypeError(\".opentelemetry.proto.metrics.v1.ExponentialHistogram.dataPoints: object expected\");\n t.dataPoints[n] = u.opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint.fromObject(e.dataPoints[n]);\n }\n }\n switch (e.aggregationTemporality) {\n default:\n if (typeof e.aggregationTemporality == \"number\") {\n t.aggregationTemporality = e.aggregationTemporality;\n break;\n }\n break;\n case \"AGGREGATION_TEMPORALITY_UNSPECIFIED\":\n case 0:\n t.aggregationTemporality = 0;\n break;\n case \"AGGREGATION_TEMPORALITY_DELTA\":\n case 1:\n t.aggregationTemporality = 1;\n break;\n case \"AGGREGATION_TEMPORALITY_CUMULATIVE\":\n case 2:\n t.aggregationTemporality = 2;\n break;\n }\n return t;\n }, i.toObject = function(e, t) {\n t || (t = {});\n var n = {};\n if ((t.arrays || t.defaults) && (n.dataPoints = []), t.defaults && (n.aggregationTemporality = t.enums === String ? \"AGGREGATION_TEMPORALITY_UNSPECIFIED\" : 0), e.dataPoints && e.dataPoints.length) {\n n.dataPoints = [];\n for (var r = 0; r < e.dataPoints.length; ++r)\n n.dataPoints[r] = u.opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint.toObject(e.dataPoints[r], t);\n }\n return e.aggregationTemporality != null && e.hasOwnProperty(\"aggregationTemporality\") && (n.aggregationTemporality = t.enums === String ? u.opentelemetry.proto.metrics.v1.AggregationTemporality[e.aggregationTemporality] === void 0 ? e.aggregationTemporality : u.opentelemetry.proto.metrics.v1.AggregationTemporality[e.aggregationTemporality] : e.aggregationTemporality), n;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(e) {\n return e === void 0 && (e = \"type.googleapis.com\"), e + \"/opentelemetry.proto.metrics.v1.ExponentialHistogram\";\n }, i;\n }(), s.Summary = function() {\n function i(o) {\n if (this.dataPoints = [], o)\n for (var e = Object.keys(o), t = 0; t < e.length; ++t)\n o[e[t]] != null && (this[e[t]] = o[e[t]]);\n }\n return i.prototype.dataPoints = l.emptyArray, i.create = function(e) {\n return new i(e);\n }, i.encode = function(e, t) {\n if (t || (t = y.create()), e.dataPoints != null && e.dataPoints.length)\n for (var n = 0; n < e.dataPoints.length; ++n)\n u.opentelemetry.proto.metrics.v1.SummaryDataPoint.encode(e.dataPoints[n], t.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).fork()).ldelim();\n return t;\n }, i.encodeDelimited = function(e, t) {\n return this.encode(e, t).ldelim();\n }, i.decode = function(e, t) {\n e instanceof a || (e = a.create(e));\n for (var n = t === void 0 ? e.len : e.pos + t, r = new u.opentelemetry.proto.metrics.v1.Summary(); e.pos < n; ) {\n var c = e.uint32();\n switch (c >>> 3) {\n case 1: {\n r.dataPoints && r.dataPoints.length || (r.dataPoints = []), r.dataPoints.push(u.opentelemetry.proto.metrics.v1.SummaryDataPoint.decode(e, e.uint32()));\n break;\n }\n default:\n e.skipType(c & 7);\n break;\n }\n }\n return r;\n }, i.decodeDelimited = function(e) {\n return e instanceof a || (e = new a(e)), this.decode(e, e.uint32());\n }, i.verify = function(e) {\n if (typeof e != \"object\" || e === null)\n return \"object expected\";\n if (e.dataPoints != null && e.hasOwnProperty(\"dataPoints\")) {\n if (!Array.isArray(e.dataPoints))\n return \"dataPoints: array expected\";\n for (var t = 0; t < e.dataPoints.length; ++t) {\n var n = u.opentelemetry.proto.metrics.v1.SummaryDataPoint.verify(e.dataPoints[t]);\n if (n)\n return \"dataPoints.\" + n;\n }\n }\n return null;\n }, i.fromObject = function(e) {\n if (e instanceof u.opentelemetry.proto.metrics.v1.Summary)\n return e;\n var t = new u.opentelemetry.proto.metrics.v1.Summary();\n if (e.dataPoints) {\n if (!Array.isArray(e.dataPoints))\n throw TypeError(\".opentelemetry.proto.metrics.v1.Summary.dataPoints: array expected\");\n t.dataPoints = [];\n for (var n = 0; n < e.dataPoints.length; ++n) {\n if (typeof e.dataPoints[n] != \"object\")\n throw TypeError(\".opentelemetry.proto.metrics.v1.Summary.dataPoints: object expected\");\n t.dataPoints[n] = u.opentelemetry.proto.metrics.v1.SummaryDataPoint.fromObject(e.dataPoints[n]);\n }\n }\n return t;\n }, i.toObject = function(e, t) {\n t || (t = {});\n var n = {};\n if ((t.arrays || t.defaults) && (n.dataPoints = []), e.dataPoints && e.dataPoints.length) {\n n.dataPoints = [];\n for (var r = 0; r < e.dataPoints.length; ++r)\n n.dataPoints[r] = u.opentelemetry.proto.metrics.v1.SummaryDataPoint.toObject(e.dataPoints[r], t);\n }\n return n;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(e) {\n return e === void 0 && (e = \"type.googleapis.com\"), e + \"/opentelemetry.proto.metrics.v1.Summary\";\n }, i;\n }(), s.AggregationTemporality = function() {\n var i = {}, o = Object.create(i);\n return o[i[0] = \"AGGREGATION_TEMPORALITY_UNSPECIFIED\"] = 0, o[i[1] = \"AGGREGATION_TEMPORALITY_DELTA\"] = 1, o[i[2] = \"AGGREGATION_TEMPORALITY_CUMULATIVE\"] = 2, o;\n }(), s.DataPointFlags = function() {\n var i = {}, o = Object.create(i);\n return o[i[0] = \"DATA_POINT_FLAGS_DO_NOT_USE\"] = 0, o[i[1] = \"DATA_POINT_FLAGS_NO_RECORDED_VALUE_MASK\"] = 1, o;\n }(), s.NumberDataPoint = function() {\n function i(e) {\n if (this.attributes = [], this.exemplars = [], e)\n for (var t = Object.keys(e), n = 0; n < t.length; ++n)\n e[t[n]] != null && (this[t[n]] = e[t[n]]);\n }\n i.prototype.attributes = l.emptyArray, i.prototype.startTimeUnixNano = null, i.prototype.timeUnixNano = null, i.prototype.asDouble = null, i.prototype.asInt = null, i.prototype.exemplars = l.emptyArray, i.prototype.flags = null;\n var o;\n return Object.defineProperty(i.prototype, \"value\", {\n get: l.oneOfGetter(o = [\"asDouble\", \"asInt\"]),\n set: l.oneOfSetter(o)\n }), i.create = function(t) {\n return new i(t);\n }, i.encode = function(t, n) {\n if (n || (n = y.create()), t.startTimeUnixNano != null && Object.hasOwnProperty.call(t, \"startTimeUnixNano\") && n.uint32(\n /* id 2, wireType 1 =*/\n 17\n ).fixed64(t.startTimeUnixNano), t.timeUnixNano != null && Object.hasOwnProperty.call(t, \"timeUnixNano\") && n.uint32(\n /* id 3, wireType 1 =*/\n 25\n ).fixed64(t.timeUnixNano), t.asDouble != null && Object.hasOwnProperty.call(t, \"asDouble\") && n.uint32(\n /* id 4, wireType 1 =*/\n 33\n ).double(t.asDouble), t.exemplars != null && t.exemplars.length)\n for (var r = 0; r < t.exemplars.length; ++r)\n u.opentelemetry.proto.metrics.v1.Exemplar.encode(t.exemplars[r], n.uint32(\n /* id 5, wireType 2 =*/\n 42\n ).fork()).ldelim();\n if (t.asInt != null && Object.hasOwnProperty.call(t, \"asInt\") && n.uint32(\n /* id 6, wireType 1 =*/\n 49\n ).sfixed64(t.asInt), t.attributes != null && t.attributes.length)\n for (var r = 0; r < t.attributes.length; ++r)\n u.opentelemetry.proto.common.v1.KeyValue.encode(t.attributes[r], n.uint32(\n /* id 7, wireType 2 =*/\n 58\n ).fork()).ldelim();\n return t.flags != null && Object.hasOwnProperty.call(t, \"flags\") && n.uint32(\n /* id 8, wireType 0 =*/\n 64\n ).uint32(t.flags), n;\n }, i.encodeDelimited = function(t, n) {\n return this.encode(t, n).ldelim();\n }, i.decode = function(t, n) {\n t instanceof a || (t = a.create(t));\n for (var r = n === void 0 ? t.len : t.pos + n, c = new u.opentelemetry.proto.metrics.v1.NumberDataPoint(); t.pos < r; ) {\n var p = t.uint32();\n switch (p >>> 3) {\n case 7: {\n c.attributes && c.attributes.length || (c.attributes = []), c.attributes.push(u.opentelemetry.proto.common.v1.KeyValue.decode(t, t.uint32()));\n break;\n }\n case 2: {\n c.startTimeUnixNano = t.fixed64();\n break;\n }\n case 3: {\n c.timeUnixNano = t.fixed64();\n break;\n }\n case 4: {\n c.asDouble = t.double();\n break;\n }\n case 6: {\n c.asInt = t.sfixed64();\n break;\n }\n case 5: {\n c.exemplars && c.exemplars.length || (c.exemplars = []), c.exemplars.push(u.opentelemetry.proto.metrics.v1.Exemplar.decode(t, t.uint32()));\n break;\n }\n case 8: {\n c.flags = t.uint32();\n break;\n }\n default:\n t.skipType(p & 7);\n break;\n }\n }\n return c;\n }, i.decodeDelimited = function(t) {\n return t instanceof a || (t = new a(t)), this.decode(t, t.uint32());\n }, i.verify = function(t) {\n if (typeof t != \"object\" || t === null)\n return \"object expected\";\n var n = {};\n if (t.attributes != null && t.hasOwnProperty(\"attributes\")) {\n if (!Array.isArray(t.attributes))\n return \"attributes: array expected\";\n for (var r = 0; r < t.attributes.length; ++r) {\n var c = u.opentelemetry.proto.common.v1.KeyValue.verify(t.attributes[r]);\n if (c)\n return \"attributes.\" + c;\n }\n }\n if (t.startTimeUnixNano != null && t.hasOwnProperty(\"startTimeUnixNano\") && !l.isInteger(t.startTimeUnixNano) && !(t.startTimeUnixNano && l.isInteger(t.startTimeUnixNano.low) && l.isInteger(t.startTimeUnixNano.high)))\n return \"startTimeUnixNano: integer|Long expected\";\n if (t.timeUnixNano != null && t.hasOwnProperty(\"timeUnixNano\") && !l.isInteger(t.timeUnixNano) && !(t.timeUnixNano && l.isInteger(t.timeUnixNano.low) && l.isInteger(t.timeUnixNano.high)))\n return \"timeUnixNano: integer|Long expected\";\n if (t.asDouble != null && t.hasOwnProperty(\"asDouble\") && (n.value = 1, typeof t.asDouble != \"number\"))\n return \"asDouble: number expected\";\n if (t.asInt != null && t.hasOwnProperty(\"asInt\")) {\n if (n.value === 1)\n return \"value: multiple values\";\n if (n.value = 1, !l.isInteger(t.asInt) && !(t.asInt && l.isInteger(t.asInt.low) && l.isInteger(t.asInt.high)))\n return \"asInt: integer|Long expected\";\n }\n if (t.exemplars != null && t.hasOwnProperty(\"exemplars\")) {\n if (!Array.isArray(t.exemplars))\n return \"exemplars: array expected\";\n for (var r = 0; r < t.exemplars.length; ++r) {\n var c = u.opentelemetry.proto.metrics.v1.Exemplar.verify(t.exemplars[r]);\n if (c)\n return \"exemplars.\" + c;\n }\n }\n return t.flags != null && t.hasOwnProperty(\"flags\") && !l.isInteger(t.flags) ? \"flags: integer expected\" : null;\n }, i.fromObject = function(t) {\n if (t instanceof u.opentelemetry.proto.metrics.v1.NumberDataPoint)\n return t;\n var n = new u.opentelemetry.proto.metrics.v1.NumberDataPoint();\n if (t.attributes) {\n if (!Array.isArray(t.attributes))\n throw TypeError(\".opentelemetry.proto.metrics.v1.NumberDataPoint.attributes: array expected\");\n n.attributes = [];\n for (var r = 0; r < t.attributes.length; ++r) {\n if (typeof t.attributes[r] != \"object\")\n throw TypeError(\".opentelemetry.proto.metrics.v1.NumberDataPoint.attributes: object expected\");\n n.attributes[r] = u.opentelemetry.proto.common.v1.KeyValue.fromObject(t.attributes[r]);\n }\n }\n if (t.startTimeUnixNano != null && (l.Long ? (n.startTimeUnixNano = l.Long.fromValue(t.startTimeUnixNano)).unsigned = !1 : typeof t.startTimeUnixNano == \"string\" ? n.startTimeUnixNano = parseInt(t.startTimeUnixNano, 10) : typeof t.startTimeUnixNano == \"number\" ? n.startTimeUnixNano = t.startTimeUnixNano : typeof t.startTimeUnixNano == \"object\" && (n.startTimeUnixNano = new l.LongBits(t.startTimeUnixNano.low >>> 0, t.startTimeUnixNano.high >>> 0).toNumber())), t.timeUnixNano != null && (l.Long ? (n.timeUnixNano = l.Long.fromValue(t.timeUnixNano)).unsigned = !1 : typeof t.timeUnixNano == \"string\" ? n.timeUnixNano = parseInt(t.timeUnixNano, 10) : typeof t.timeUnixNano == \"number\" ? n.timeUnixNano = t.timeUnixNano : typeof t.timeUnixNano == \"object\" && (n.timeUnixNano = new l.LongBits(t.timeUnixNano.low >>> 0, t.timeUnixNano.high >>> 0).toNumber())), t.asDouble != null && (n.asDouble = Number(t.asDouble)), t.asInt != null && (l.Long ? (n.asInt = l.Long.fromValue(t.asInt)).unsigned = !1 : typeof t.asInt == \"string\" ? n.asInt = parseInt(t.asInt, 10) : typeof t.asInt == \"number\" ? n.asInt = t.asInt : typeof t.asInt == \"object\" && (n.asInt = new l.LongBits(t.asInt.low >>> 0, t.asInt.high >>> 0).toNumber())), t.exemplars) {\n if (!Array.isArray(t.exemplars))\n throw TypeError(\".opentelemetry.proto.metrics.v1.NumberDataPoint.exemplars: array expected\");\n n.exemplars = [];\n for (var r = 0; r < t.exemplars.length; ++r) {\n if (typeof t.exemplars[r] != \"object\")\n throw TypeError(\".opentelemetry.proto.metrics.v1.NumberDataPoint.exemplars: object expected\");\n n.exemplars[r] = u.opentelemetry.proto.metrics.v1.Exemplar.fromObject(t.exemplars[r]);\n }\n }\n return t.flags != null && (n.flags = t.flags >>> 0), n;\n }, i.toObject = function(t, n) {\n n || (n = {});\n var r = {};\n if ((n.arrays || n.defaults) && (r.exemplars = [], r.attributes = []), n.defaults) {\n if (l.Long) {\n var c = new l.Long(0, 0, !1);\n r.startTimeUnixNano = n.longs === String ? c.toString() : n.longs === Number ? c.toNumber() : c;\n } else\n r.startTimeUnixNano = n.longs === String ? \"0\" : 0;\n if (l.Long) {\n var c = new l.Long(0, 0, !1);\n r.timeUnixNano = n.longs === String ? c.toString() : n.longs === Number ? c.toNumber() : c;\n } else\n r.timeUnixNano = n.longs === String ? \"0\" : 0;\n r.flags = 0;\n }\n if (t.startTimeUnixNano != null && t.hasOwnProperty(\"startTimeUnixNano\") && (typeof t.startTimeUnixNano == \"number\" ? r.startTimeUnixNano = n.longs === String ? String(t.startTimeUnixNano) : t.startTimeUnixNano : r.startTimeUnixNano = n.longs === String ? l.Long.prototype.toString.call(t.startTimeUnixNano) : n.longs === Number ? new l.LongBits(t.startTimeUnixNano.low >>> 0, t.startTimeUnixNano.high >>> 0).toNumber() : t.startTimeUnixNano), t.timeUnixNano != null && t.hasOwnProperty(\"timeUnixNano\") && (typeof t.timeUnixNano == \"number\" ? r.timeUnixNano = n.longs === String ? String(t.timeUnixNano) : t.timeUnixNano : r.timeUnixNano = n.longs === String ? l.Long.prototype.toString.call(t.timeUnixNano) : n.longs === Number ? new l.LongBits(t.timeUnixNano.low >>> 0, t.timeUnixNano.high >>> 0).toNumber() : t.timeUnixNano), t.asDouble != null && t.hasOwnProperty(\"asDouble\") && (r.asDouble = n.json && !isFinite(t.asDouble) ? String(t.asDouble) : t.asDouble, n.oneofs && (r.value = \"asDouble\")), t.exemplars && t.exemplars.length) {\n r.exemplars = [];\n for (var p = 0; p < t.exemplars.length; ++p)\n r.exemplars[p] = u.opentelemetry.proto.metrics.v1.Exemplar.toObject(t.exemplars[p], n);\n }\n if (t.asInt != null && t.hasOwnProperty(\"asInt\") && (typeof t.asInt == \"number\" ? r.asInt = n.longs === String ? String(t.asInt) : t.asInt : r.asInt = n.longs === String ? l.Long.prototype.toString.call(t.asInt) : n.longs === Number ? new l.LongBits(t.asInt.low >>> 0, t.asInt.high >>> 0).toNumber() : t.asInt, n.oneofs && (r.value = \"asInt\")), t.attributes && t.attributes.length) {\n r.attributes = [];\n for (var p = 0; p < t.attributes.length; ++p)\n r.attributes[p] = u.opentelemetry.proto.common.v1.KeyValue.toObject(t.attributes[p], n);\n }\n return t.flags != null && t.hasOwnProperty(\"flags\") && (r.flags = t.flags), r;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(t) {\n return t === void 0 && (t = \"type.googleapis.com\"), t + \"/opentelemetry.proto.metrics.v1.NumberDataPoint\";\n }, i;\n }(), s.HistogramDataPoint = function() {\n function i(e) {\n if (this.attributes = [], this.bucketCounts = [], this.explicitBounds = [], this.exemplars = [], e)\n for (var t = Object.keys(e), n = 0; n < t.length; ++n)\n e[t[n]] != null && (this[t[n]] = e[t[n]]);\n }\n i.prototype.attributes = l.emptyArray, i.prototype.startTimeUnixNano = null, i.prototype.timeUnixNano = null, i.prototype.count = null, i.prototype.sum = null, i.prototype.bucketCounts = l.emptyArray, i.prototype.explicitBounds = l.emptyArray, i.prototype.exemplars = l.emptyArray, i.prototype.flags = null, i.prototype.min = null, i.prototype.max = null;\n var o;\n return Object.defineProperty(i.prototype, \"_sum\", {\n get: l.oneOfGetter(o = [\"sum\"]),\n set: l.oneOfSetter(o)\n }), Object.defineProperty(i.prototype, \"_min\", {\n get: l.oneOfGetter(o = [\"min\"]),\n set: l.oneOfSetter(o)\n }), Object.defineProperty(i.prototype, \"_max\", {\n get: l.oneOfGetter(o = [\"max\"]),\n set: l.oneOfSetter(o)\n }), i.create = function(t) {\n return new i(t);\n }, i.encode = function(t, n) {\n if (n || (n = y.create()), t.startTimeUnixNano != null && Object.hasOwnProperty.call(t, \"startTimeUnixNano\") && n.uint32(\n /* id 2, wireType 1 =*/\n 17\n ).fixed64(t.startTimeUnixNano), t.timeUnixNano != null && Object.hasOwnProperty.call(t, \"timeUnixNano\") && n.uint32(\n /* id 3, wireType 1 =*/\n 25\n ).fixed64(t.timeUnixNano), t.count != null && Object.hasOwnProperty.call(t, \"count\") && n.uint32(\n /* id 4, wireType 1 =*/\n 33\n ).fixed64(t.count), t.sum != null && Object.hasOwnProperty.call(t, \"sum\") && n.uint32(\n /* id 5, wireType 1 =*/\n 41\n ).double(t.sum), t.bucketCounts != null && t.bucketCounts.length) {\n n.uint32(\n /* id 6, wireType 2 =*/\n 50\n ).fork();\n for (var r = 0; r < t.bucketCounts.length; ++r)\n n.fixed64(t.bucketCounts[r]);\n n.ldelim();\n }\n if (t.explicitBounds != null && t.explicitBounds.length) {\n n.uint32(\n /* id 7, wireType 2 =*/\n 58\n ).fork();\n for (var r = 0; r < t.explicitBounds.length; ++r)\n n.double(t.explicitBounds[r]);\n n.ldelim();\n }\n if (t.exemplars != null && t.exemplars.length)\n for (var r = 0; r < t.exemplars.length; ++r)\n u.opentelemetry.proto.metrics.v1.Exemplar.encode(t.exemplars[r], n.uint32(\n /* id 8, wireType 2 =*/\n 66\n ).fork()).ldelim();\n if (t.attributes != null && t.attributes.length)\n for (var r = 0; r < t.attributes.length; ++r)\n u.opentelemetry.proto.common.v1.KeyValue.encode(t.attributes[r], n.uint32(\n /* id 9, wireType 2 =*/\n 74\n ).fork()).ldelim();\n return t.flags != null && Object.hasOwnProperty.call(t, \"flags\") && n.uint32(\n /* id 10, wireType 0 =*/\n 80\n ).uint32(t.flags), t.min != null && Object.hasOwnProperty.call(t, \"min\") && n.uint32(\n /* id 11, wireType 1 =*/\n 89\n ).double(t.min), t.max != null && Object.hasOwnProperty.call(t, \"max\") && n.uint32(\n /* id 12, wireType 1 =*/\n 97\n ).double(t.max), n;\n }, i.encodeDelimited = function(t, n) {\n return this.encode(t, n).ldelim();\n }, i.decode = function(t, n) {\n t instanceof a || (t = a.create(t));\n for (var r = n === void 0 ? t.len : t.pos + n, c = new u.opentelemetry.proto.metrics.v1.HistogramDataPoint(); t.pos < r; ) {\n var p = t.uint32();\n switch (p >>> 3) {\n case 9: {\n c.attributes && c.attributes.length || (c.attributes = []), c.attributes.push(u.opentelemetry.proto.common.v1.KeyValue.decode(t, t.uint32()));\n break;\n }\n case 2: {\n c.startTimeUnixNano = t.fixed64();\n break;\n }\n case 3: {\n c.timeUnixNano = t.fixed64();\n break;\n }\n case 4: {\n c.count = t.fixed64();\n break;\n }\n case 5: {\n c.sum = t.double();\n break;\n }\n case 6: {\n if (c.bucketCounts && c.bucketCounts.length || (c.bucketCounts = []), (p & 7) === 2)\n for (var m = t.uint32() + t.pos; t.pos < m; )\n c.bucketCounts.push(t.fixed64());\n else\n c.bucketCounts.push(t.fixed64());\n break;\n }\n case 7: {\n if (c.explicitBounds && c.explicitBounds.length || (c.explicitBounds = []), (p & 7) === 2)\n for (var m = t.uint32() + t.pos; t.pos < m; )\n c.explicitBounds.push(t.double());\n else\n c.explicitBounds.push(t.double());\n break;\n }\n case 8: {\n c.exemplars && c.exemplars.length || (c.exemplars = []), c.exemplars.push(u.opentelemetry.proto.metrics.v1.Exemplar.decode(t, t.uint32()));\n break;\n }\n case 10: {\n c.flags = t.uint32();\n break;\n }\n case 11: {\n c.min = t.double();\n break;\n }\n case 12: {\n c.max = t.double();\n break;\n }\n default:\n t.skipType(p & 7);\n break;\n }\n }\n return c;\n }, i.decodeDelimited = function(t) {\n return t instanceof a || (t = new a(t)), this.decode(t, t.uint32());\n }, i.verify = function(t) {\n if (typeof t != \"object\" || t === null)\n return \"object expected\";\n var n = {};\n if (t.attributes != null && t.hasOwnProperty(\"attributes\")) {\n if (!Array.isArray(t.attributes))\n return \"attributes: array expected\";\n for (var r = 0; r < t.attributes.length; ++r) {\n var c = u.opentelemetry.proto.common.v1.KeyValue.verify(t.attributes[r]);\n if (c)\n return \"attributes.\" + c;\n }\n }\n if (t.startTimeUnixNano != null && t.hasOwnProperty(\"startTimeUnixNano\") && !l.isInteger(t.startTimeUnixNano) && !(t.startTimeUnixNano && l.isInteger(t.startTimeUnixNano.low) && l.isInteger(t.startTimeUnixNano.high)))\n return \"startTimeUnixNano: integer|Long expected\";\n if (t.timeUnixNano != null && t.hasOwnProperty(\"timeUnixNano\") && !l.isInteger(t.timeUnixNano) && !(t.timeUnixNano && l.isInteger(t.timeUnixNano.low) && l.isInteger(t.timeUnixNano.high)))\n return \"timeUnixNano: integer|Long expected\";\n if (t.count != null && t.hasOwnProperty(\"count\") && !l.isInteger(t.count) && !(t.count && l.isInteger(t.count.low) && l.isInteger(t.count.high)))\n return \"count: integer|Long expected\";\n if (t.sum != null && t.hasOwnProperty(\"sum\") && (n._sum = 1, typeof t.sum != \"number\"))\n return \"sum: number expected\";\n if (t.bucketCounts != null && t.hasOwnProperty(\"bucketCounts\")) {\n if (!Array.isArray(t.bucketCounts))\n return \"bucketCounts: array expected\";\n for (var r = 0; r < t.bucketCounts.length; ++r)\n if (!l.isInteger(t.bucketCounts[r]) && !(t.bucketCounts[r] && l.isInteger(t.bucketCounts[r].low) && l.isInteger(t.bucketCounts[r].high)))\n return \"bucketCounts: integer|Long[] expected\";\n }\n if (t.explicitBounds != null && t.hasOwnProperty(\"explicitBounds\")) {\n if (!Array.isArray(t.explicitBounds))\n return \"explicitBounds: array expected\";\n for (var r = 0; r < t.explicitBounds.length; ++r)\n if (typeof t.explicitBounds[r] != \"number\")\n return \"explicitBounds: number[] expected\";\n }\n if (t.exemplars != null && t.hasOwnProperty(\"exemplars\")) {\n if (!Array.isArray(t.exemplars))\n return \"exemplars: array expected\";\n for (var r = 0; r < t.exemplars.length; ++r) {\n var c = u.opentelemetry.proto.metrics.v1.Exemplar.verify(t.exemplars[r]);\n if (c)\n return \"exemplars.\" + c;\n }\n }\n return t.flags != null && t.hasOwnProperty(\"flags\") && !l.isInteger(t.flags) ? \"flags: integer expected\" : t.min != null && t.hasOwnProperty(\"min\") && (n._min = 1, typeof t.min != \"number\") ? \"min: number expected\" : t.max != null && t.hasOwnProperty(\"max\") && (n._max = 1, typeof t.max != \"number\") ? \"max: number expected\" : null;\n }, i.fromObject = function(t) {\n if (t instanceof u.opentelemetry.proto.metrics.v1.HistogramDataPoint)\n return t;\n var n = new u.opentelemetry.proto.metrics.v1.HistogramDataPoint();\n if (t.attributes) {\n if (!Array.isArray(t.attributes))\n throw TypeError(\".opentelemetry.proto.metrics.v1.HistogramDataPoint.attributes: array expected\");\n n.attributes = [];\n for (var r = 0; r < t.attributes.length; ++r) {\n if (typeof t.attributes[r] != \"object\")\n throw TypeError(\".opentelemetry.proto.metrics.v1.HistogramDataPoint.attributes: object expected\");\n n.attributes[r] = u.opentelemetry.proto.common.v1.KeyValue.fromObject(t.attributes[r]);\n }\n }\n if (t.startTimeUnixNano != null && (l.Long ? (n.startTimeUnixNano = l.Long.fromValue(t.startTimeUnixNano)).unsigned = !1 : typeof t.startTimeUnixNano == \"string\" ? n.startTimeUnixNano = parseInt(t.startTimeUnixNano, 10) : typeof t.startTimeUnixNano == \"number\" ? n.startTimeUnixNano = t.startTimeUnixNano : typeof t.startTimeUnixNano == \"object\" && (n.startTimeUnixNano = new l.LongBits(t.startTimeUnixNano.low >>> 0, t.startTimeUnixNano.high >>> 0).toNumber())), t.timeUnixNano != null && (l.Long ? (n.timeUnixNano = l.Long.fromValue(t.timeUnixNano)).unsigned = !1 : typeof t.timeUnixNano == \"string\" ? n.timeUnixNano = parseInt(t.timeUnixNano, 10) : typeof t.timeUnixNano == \"number\" ? n.timeUnixNano = t.timeUnixNano : typeof t.timeUnixNano == \"object\" && (n.timeUnixNano = new l.LongBits(t.timeUnixNano.low >>> 0, t.timeUnixNano.high >>> 0).toNumber())), t.count != null && (l.Long ? (n.count = l.Long.fromValue(t.count)).unsigned = !1 : typeof t.count == \"string\" ? n.count = parseInt(t.count, 10) : typeof t.count == \"number\" ? n.count = t.count : typeof t.count == \"object\" && (n.count = new l.LongBits(t.count.low >>> 0, t.count.high >>> 0).toNumber())), t.sum != null && (n.sum = Number(t.sum)), t.bucketCounts) {\n if (!Array.isArray(t.bucketCounts))\n throw TypeError(\".opentelemetry.proto.metrics.v1.HistogramDataPoint.bucketCounts: array expected\");\n n.bucketCounts = [];\n for (var r = 0; r < t.bucketCounts.length; ++r)\n l.Long ? (n.bucketCounts[r] = l.Long.fromValue(t.bucketCounts[r])).unsigned = !1 : typeof t.bucketCounts[r] == \"string\" ? n.bucketCounts[r] = parseInt(t.bucketCounts[r], 10) : typeof t.bucketCounts[r] == \"number\" ? n.bucketCounts[r] = t.bucketCounts[r] : typeof t.bucketCounts[r] == \"object\" && (n.bucketCounts[r] = new l.LongBits(t.bucketCounts[r].low >>> 0, t.bucketCounts[r].high >>> 0).toNumber());\n }\n if (t.explicitBounds) {\n if (!Array.isArray(t.explicitBounds))\n throw TypeError(\".opentelemetry.proto.metrics.v1.HistogramDataPoint.explicitBounds: array expected\");\n n.explicitBounds = [];\n for (var r = 0; r < t.explicitBounds.length; ++r)\n n.explicitBounds[r] = Number(t.explicitBounds[r]);\n }\n if (t.exemplars) {\n if (!Array.isArray(t.exemplars))\n throw TypeError(\".opentelemetry.proto.metrics.v1.HistogramDataPoint.exemplars: array expected\");\n n.exemplars = [];\n for (var r = 0; r < t.exemplars.length; ++r) {\n if (typeof t.exemplars[r] != \"object\")\n throw TypeError(\".opentelemetry.proto.metrics.v1.HistogramDataPoint.exemplars: object expected\");\n n.exemplars[r] = u.opentelemetry.proto.metrics.v1.Exemplar.fromObject(t.exemplars[r]);\n }\n }\n return t.flags != null && (n.flags = t.flags >>> 0), t.min != null && (n.min = Number(t.min)), t.max != null && (n.max = Number(t.max)), n;\n }, i.toObject = function(t, n) {\n n || (n = {});\n var r = {};\n if ((n.arrays || n.defaults) && (r.bucketCounts = [], r.explicitBounds = [], r.exemplars = [], r.attributes = []), n.defaults) {\n if (l.Long) {\n var c = new l.Long(0, 0, !1);\n r.startTimeUnixNano = n.longs === String ? c.toString() : n.longs === Number ? c.toNumber() : c;\n } else\n r.startTimeUnixNano = n.longs === String ? \"0\" : 0;\n if (l.Long) {\n var c = new l.Long(0, 0, !1);\n r.timeUnixNano = n.longs === String ? c.toString() : n.longs === Number ? c.toNumber() : c;\n } else\n r.timeUnixNano = n.longs === String ? \"0\" : 0;\n if (l.Long) {\n var c = new l.Long(0, 0, !1);\n r.count = n.longs === String ? c.toString() : n.longs === Number ? c.toNumber() : c;\n } else\n r.count = n.longs === String ? \"0\" : 0;\n r.flags = 0;\n }\n if (t.startTimeUnixNano != null && t.hasOwnProperty(\"startTimeUnixNano\") && (typeof t.startTimeUnixNano == \"number\" ? r.startTimeUnixNano = n.longs === String ? String(t.startTimeUnixNano) : t.startTimeUnixNano : r.startTimeUnixNano = n.longs === String ? l.Long.prototype.toString.call(t.startTimeUnixNano) : n.longs === Number ? new l.LongBits(t.startTimeUnixNano.low >>> 0, t.startTimeUnixNano.high >>> 0).toNumber() : t.startTimeUnixNano), t.timeUnixNano != null && t.hasOwnProperty(\"timeUnixNano\") && (typeof t.timeUnixNano == \"number\" ? r.timeUnixNano = n.longs === String ? String(t.timeUnixNano) : t.timeUnixNano : r.timeUnixNano = n.longs === String ? l.Long.prototype.toString.call(t.timeUnixNano) : n.longs === Number ? new l.LongBits(t.timeUnixNano.low >>> 0, t.timeUnixNano.high >>> 0).toNumber() : t.timeUnixNano), t.count != null && t.hasOwnProperty(\"count\") && (typeof t.count == \"number\" ? r.count = n.longs === String ? String(t.count) : t.count : r.count = n.longs === String ? l.Long.prototype.toString.call(t.count) : n.longs === Number ? new l.LongBits(t.count.low >>> 0, t.count.high >>> 0).toNumber() : t.count), t.sum != null && t.hasOwnProperty(\"sum\") && (r.sum = n.json && !isFinite(t.sum) ? String(t.sum) : t.sum, n.oneofs && (r._sum = \"sum\")), t.bucketCounts && t.bucketCounts.length) {\n r.bucketCounts = [];\n for (var p = 0; p < t.bucketCounts.length; ++p)\n typeof t.bucketCounts[p] == \"number\" ? r.bucketCounts[p] = n.longs === String ? String(t.bucketCounts[p]) : t.bucketCounts[p] : r.bucketCounts[p] = n.longs === String ? l.Long.prototype.toString.call(t.bucketCounts[p]) : n.longs === Number ? new l.LongBits(t.bucketCounts[p].low >>> 0, t.bucketCounts[p].high >>> 0).toNumber() : t.bucketCounts[p];\n }\n if (t.explicitBounds && t.explicitBounds.length) {\n r.explicitBounds = [];\n for (var p = 0; p < t.explicitBounds.length; ++p)\n r.explicitBounds[p] = n.json && !isFinite(t.explicitBounds[p]) ? String(t.explicitBounds[p]) : t.explicitBounds[p];\n }\n if (t.exemplars && t.exemplars.length) {\n r.exemplars = [];\n for (var p = 0; p < t.exemplars.length; ++p)\n r.exemplars[p] = u.opentelemetry.proto.metrics.v1.Exemplar.toObject(t.exemplars[p], n);\n }\n if (t.attributes && t.attributes.length) {\n r.attributes = [];\n for (var p = 0; p < t.attributes.length; ++p)\n r.attributes[p] = u.opentelemetry.proto.common.v1.KeyValue.toObject(t.attributes[p], n);\n }\n return t.flags != null && t.hasOwnProperty(\"flags\") && (r.flags = t.flags), t.min != null && t.hasOwnProperty(\"min\") && (r.min = n.json && !isFinite(t.min) ? String(t.min) : t.min, n.oneofs && (r._min = \"min\")), t.max != null && t.hasOwnProperty(\"max\") && (r.max = n.json && !isFinite(t.max) ? String(t.max) : t.max, n.oneofs && (r._max = \"max\")), r;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(t) {\n return t === void 0 && (t = \"type.googleapis.com\"), t + \"/opentelemetry.proto.metrics.v1.HistogramDataPoint\";\n }, i;\n }(), s.ExponentialHistogramDataPoint = function() {\n function i(e) {\n if (this.attributes = [], this.exemplars = [], e)\n for (var t = Object.keys(e), n = 0; n < t.length; ++n)\n e[t[n]] != null && (this[t[n]] = e[t[n]]);\n }\n i.prototype.attributes = l.emptyArray, i.prototype.startTimeUnixNano = null, i.prototype.timeUnixNano = null, i.prototype.count = null, i.prototype.sum = null, i.prototype.scale = null, i.prototype.zeroCount = null, i.prototype.positive = null, i.prototype.negative = null, i.prototype.flags = null, i.prototype.exemplars = l.emptyArray, i.prototype.min = null, i.prototype.max = null, i.prototype.zeroThreshold = null;\n var o;\n return Object.defineProperty(i.prototype, \"_sum\", {\n get: l.oneOfGetter(o = [\"sum\"]),\n set: l.oneOfSetter(o)\n }), Object.defineProperty(i.prototype, \"_min\", {\n get: l.oneOfGetter(o = [\"min\"]),\n set: l.oneOfSetter(o)\n }), Object.defineProperty(i.prototype, \"_max\", {\n get: l.oneOfGetter(o = [\"max\"]),\n set: l.oneOfSetter(o)\n }), i.create = function(t) {\n return new i(t);\n }, i.encode = function(t, n) {\n if (n || (n = y.create()), t.attributes != null && t.attributes.length)\n for (var r = 0; r < t.attributes.length; ++r)\n u.opentelemetry.proto.common.v1.KeyValue.encode(t.attributes[r], n.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).fork()).ldelim();\n if (t.startTimeUnixNano != null && Object.hasOwnProperty.call(t, \"startTimeUnixNano\") && n.uint32(\n /* id 2, wireType 1 =*/\n 17\n ).fixed64(t.startTimeUnixNano), t.timeUnixNano != null && Object.hasOwnProperty.call(t, \"timeUnixNano\") && n.uint32(\n /* id 3, wireType 1 =*/\n 25\n ).fixed64(t.timeUnixNano), t.count != null && Object.hasOwnProperty.call(t, \"count\") && n.uint32(\n /* id 4, wireType 1 =*/\n 33\n ).fixed64(t.count), t.sum != null && Object.hasOwnProperty.call(t, \"sum\") && n.uint32(\n /* id 5, wireType 1 =*/\n 41\n ).double(t.sum), t.scale != null && Object.hasOwnProperty.call(t, \"scale\") && n.uint32(\n /* id 6, wireType 0 =*/\n 48\n ).sint32(t.scale), t.zeroCount != null && Object.hasOwnProperty.call(t, \"zeroCount\") && n.uint32(\n /* id 7, wireType 1 =*/\n 57\n ).fixed64(t.zeroCount), t.positive != null && Object.hasOwnProperty.call(t, \"positive\") && u.opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint.Buckets.encode(t.positive, n.uint32(\n /* id 8, wireType 2 =*/\n 66\n ).fork()).ldelim(), t.negative != null && Object.hasOwnProperty.call(t, \"negative\") && u.opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint.Buckets.encode(t.negative, n.uint32(\n /* id 9, wireType 2 =*/\n 74\n ).fork()).ldelim(), t.flags != null && Object.hasOwnProperty.call(t, \"flags\") && n.uint32(\n /* id 10, wireType 0 =*/\n 80\n ).uint32(t.flags), t.exemplars != null && t.exemplars.length)\n for (var r = 0; r < t.exemplars.length; ++r)\n u.opentelemetry.proto.metrics.v1.Exemplar.encode(t.exemplars[r], n.uint32(\n /* id 11, wireType 2 =*/\n 90\n ).fork()).ldelim();\n return t.min != null && Object.hasOwnProperty.call(t, \"min\") && n.uint32(\n /* id 12, wireType 1 =*/\n 97\n ).double(t.min), t.max != null && Object.hasOwnProperty.call(t, \"max\") && n.uint32(\n /* id 13, wireType 1 =*/\n 105\n ).double(t.max), t.zeroThreshold != null && Object.hasOwnProperty.call(t, \"zeroThreshold\") && n.uint32(\n /* id 14, wireType 1 =*/\n 113\n ).double(t.zeroThreshold), n;\n }, i.encodeDelimited = function(t, n) {\n return this.encode(t, n).ldelim();\n }, i.decode = function(t, n) {\n t instanceof a || (t = a.create(t));\n for (var r = n === void 0 ? t.len : t.pos + n, c = new u.opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint(); t.pos < r; ) {\n var p = t.uint32();\n switch (p >>> 3) {\n case 1: {\n c.attributes && c.attributes.length || (c.attributes = []), c.attributes.push(u.opentelemetry.proto.common.v1.KeyValue.decode(t, t.uint32()));\n break;\n }\n case 2: {\n c.startTimeUnixNano = t.fixed64();\n break;\n }\n case 3: {\n c.timeUnixNano = t.fixed64();\n break;\n }\n case 4: {\n c.count = t.fixed64();\n break;\n }\n case 5: {\n c.sum = t.double();\n break;\n }\n case 6: {\n c.scale = t.sint32();\n break;\n }\n case 7: {\n c.zeroCount = t.fixed64();\n break;\n }\n case 8: {\n c.positive = u.opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint.Buckets.decode(t, t.uint32());\n break;\n }\n case 9: {\n c.negative = u.opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint.Buckets.decode(t, t.uint32());\n break;\n }\n case 10: {\n c.flags = t.uint32();\n break;\n }\n case 11: {\n c.exemplars && c.exemplars.length || (c.exemplars = []), c.exemplars.push(u.opentelemetry.proto.metrics.v1.Exemplar.decode(t, t.uint32()));\n break;\n }\n case 12: {\n c.min = t.double();\n break;\n }\n case 13: {\n c.max = t.double();\n break;\n }\n case 14: {\n c.zeroThreshold = t.double();\n break;\n }\n default:\n t.skipType(p & 7);\n break;\n }\n }\n return c;\n }, i.decodeDelimited = function(t) {\n return t instanceof a || (t = new a(t)), this.decode(t, t.uint32());\n }, i.verify = function(t) {\n if (typeof t != \"object\" || t === null)\n return \"object expected\";\n var n = {};\n if (t.attributes != null && t.hasOwnProperty(\"attributes\")) {\n if (!Array.isArray(t.attributes))\n return \"attributes: array expected\";\n for (var r = 0; r < t.attributes.length; ++r) {\n var c = u.opentelemetry.proto.common.v1.KeyValue.verify(t.attributes[r]);\n if (c)\n return \"attributes.\" + c;\n }\n }\n if (t.startTimeUnixNano != null && t.hasOwnProperty(\"startTimeUnixNano\") && !l.isInteger(t.startTimeUnixNano) && !(t.startTimeUnixNano && l.isInteger(t.startTimeUnixNano.low) && l.isInteger(t.startTimeUnixNano.high)))\n return \"startTimeUnixNano: integer|Long expected\";\n if (t.timeUnixNano != null && t.hasOwnProperty(\"timeUnixNano\") && !l.isInteger(t.timeUnixNano) && !(t.timeUnixNano && l.isInteger(t.timeUnixNano.low) && l.isInteger(t.timeUnixNano.high)))\n return \"timeUnixNano: integer|Long expected\";\n if (t.count != null && t.hasOwnProperty(\"count\") && !l.isInteger(t.count) && !(t.count && l.isInteger(t.count.low) && l.isInteger(t.count.high)))\n return \"count: integer|Long expected\";\n if (t.sum != null && t.hasOwnProperty(\"sum\") && (n._sum = 1, typeof t.sum != \"number\"))\n return \"sum: number expected\";\n if (t.scale != null && t.hasOwnProperty(\"scale\") && !l.isInteger(t.scale))\n return \"scale: integer expected\";\n if (t.zeroCount != null && t.hasOwnProperty(\"zeroCount\") && !l.isInteger(t.zeroCount) && !(t.zeroCount && l.isInteger(t.zeroCount.low) && l.isInteger(t.zeroCount.high)))\n return \"zeroCount: integer|Long expected\";\n if (t.positive != null && t.hasOwnProperty(\"positive\")) {\n var c = u.opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint.Buckets.verify(t.positive);\n if (c)\n return \"positive.\" + c;\n }\n if (t.negative != null && t.hasOwnProperty(\"negative\")) {\n var c = u.opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint.Buckets.verify(t.negative);\n if (c)\n return \"negative.\" + c;\n }\n if (t.flags != null && t.hasOwnProperty(\"flags\") && !l.isInteger(t.flags))\n return \"flags: integer expected\";\n if (t.exemplars != null && t.hasOwnProperty(\"exemplars\")) {\n if (!Array.isArray(t.exemplars))\n return \"exemplars: array expected\";\n for (var r = 0; r < t.exemplars.length; ++r) {\n var c = u.opentelemetry.proto.metrics.v1.Exemplar.verify(t.exemplars[r]);\n if (c)\n return \"exemplars.\" + c;\n }\n }\n return t.min != null && t.hasOwnProperty(\"min\") && (n._min = 1, typeof t.min != \"number\") ? \"min: number expected\" : t.max != null && t.hasOwnProperty(\"max\") && (n._max = 1, typeof t.max != \"number\") ? \"max: number expected\" : t.zeroThreshold != null && t.hasOwnProperty(\"zeroThreshold\") && typeof t.zeroThreshold != \"number\" ? \"zeroThreshold: number expected\" : null;\n }, i.fromObject = function(t) {\n if (t instanceof u.opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint)\n return t;\n var n = new u.opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint();\n if (t.attributes) {\n if (!Array.isArray(t.attributes))\n throw TypeError(\".opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint.attributes: array expected\");\n n.attributes = [];\n for (var r = 0; r < t.attributes.length; ++r) {\n if (typeof t.attributes[r] != \"object\")\n throw TypeError(\".opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint.attributes: object expected\");\n n.attributes[r] = u.opentelemetry.proto.common.v1.KeyValue.fromObject(t.attributes[r]);\n }\n }\n if (t.startTimeUnixNano != null && (l.Long ? (n.startTimeUnixNano = l.Long.fromValue(t.startTimeUnixNano)).unsigned = !1 : typeof t.startTimeUnixNano == \"string\" ? n.startTimeUnixNano = parseInt(t.startTimeUnixNano, 10) : typeof t.startTimeUnixNano == \"number\" ? n.startTimeUnixNano = t.startTimeUnixNano : typeof t.startTimeUnixNano == \"object\" && (n.startTimeUnixNano = new l.LongBits(t.startTimeUnixNano.low >>> 0, t.startTimeUnixNano.high >>> 0).toNumber())), t.timeUnixNano != null && (l.Long ? (n.timeUnixNano = l.Long.fromValue(t.timeUnixNano)).unsigned = !1 : typeof t.timeUnixNano == \"string\" ? n.timeUnixNano = parseInt(t.timeUnixNano, 10) : typeof t.timeUnixNano == \"number\" ? n.timeUnixNano = t.timeUnixNano : typeof t.timeUnixNano == \"object\" && (n.timeUnixNano = new l.LongBits(t.timeUnixNano.low >>> 0, t.timeUnixNano.high >>> 0).toNumber())), t.count != null && (l.Long ? (n.count = l.Long.fromValue(t.count)).unsigned = !1 : typeof t.count == \"string\" ? n.count = parseInt(t.count, 10) : typeof t.count == \"number\" ? n.count = t.count : typeof t.count == \"object\" && (n.count = new l.LongBits(t.count.low >>> 0, t.count.high >>> 0).toNumber())), t.sum != null && (n.sum = Number(t.sum)), t.scale != null && (n.scale = t.scale | 0), t.zeroCount != null && (l.Long ? (n.zeroCount = l.Long.fromValue(t.zeroCount)).unsigned = !1 : typeof t.zeroCount == \"string\" ? n.zeroCount = parseInt(t.zeroCount, 10) : typeof t.zeroCount == \"number\" ? n.zeroCount = t.zeroCount : typeof t.zeroCount == \"object\" && (n.zeroCount = new l.LongBits(t.zeroCount.low >>> 0, t.zeroCount.high >>> 0).toNumber())), t.positive != null) {\n if (typeof t.positive != \"object\")\n throw TypeError(\".opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint.positive: object expected\");\n n.positive = u.opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint.Buckets.fromObject(t.positive);\n }\n if (t.negative != null) {\n if (typeof t.negative != \"object\")\n throw TypeError(\".opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint.negative: object expected\");\n n.negative = u.opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint.Buckets.fromObject(t.negative);\n }\n if (t.flags != null && (n.flags = t.flags >>> 0), t.exemplars) {\n if (!Array.isArray(t.exemplars))\n throw TypeError(\".opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint.exemplars: array expected\");\n n.exemplars = [];\n for (var r = 0; r < t.exemplars.length; ++r) {\n if (typeof t.exemplars[r] != \"object\")\n throw TypeError(\".opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint.exemplars: object expected\");\n n.exemplars[r] = u.opentelemetry.proto.metrics.v1.Exemplar.fromObject(t.exemplars[r]);\n }\n }\n return t.min != null && (n.min = Number(t.min)), t.max != null && (n.max = Number(t.max)), t.zeroThreshold != null && (n.zeroThreshold = Number(t.zeroThreshold)), n;\n }, i.toObject = function(t, n) {\n n || (n = {});\n var r = {};\n if ((n.arrays || n.defaults) && (r.attributes = [], r.exemplars = []), n.defaults) {\n if (l.Long) {\n var c = new l.Long(0, 0, !1);\n r.startTimeUnixNano = n.longs === String ? c.toString() : n.longs === Number ? c.toNumber() : c;\n } else\n r.startTimeUnixNano = n.longs === String ? \"0\" : 0;\n if (l.Long) {\n var c = new l.Long(0, 0, !1);\n r.timeUnixNano = n.longs === String ? c.toString() : n.longs === Number ? c.toNumber() : c;\n } else\n r.timeUnixNano = n.longs === String ? \"0\" : 0;\n if (l.Long) {\n var c = new l.Long(0, 0, !1);\n r.count = n.longs === String ? c.toString() : n.longs === Number ? c.toNumber() : c;\n } else\n r.count = n.longs === String ? \"0\" : 0;\n if (r.scale = 0, l.Long) {\n var c = new l.Long(0, 0, !1);\n r.zeroCount = n.longs === String ? c.toString() : n.longs === Number ? c.toNumber() : c;\n } else\n r.zeroCount = n.longs === String ? \"0\" : 0;\n r.positive = null, r.negative = null, r.flags = 0, r.zeroThreshold = 0;\n }\n if (t.attributes && t.attributes.length) {\n r.attributes = [];\n for (var p = 0; p < t.attributes.length; ++p)\n r.attributes[p] = u.opentelemetry.proto.common.v1.KeyValue.toObject(t.attributes[p], n);\n }\n if (t.startTimeUnixNano != null && t.hasOwnProperty(\"startTimeUnixNano\") && (typeof t.startTimeUnixNano == \"number\" ? r.startTimeUnixNano = n.longs === String ? String(t.startTimeUnixNano) : t.startTimeUnixNano : r.startTimeUnixNano = n.longs === String ? l.Long.prototype.toString.call(t.startTimeUnixNano) : n.longs === Number ? new l.LongBits(t.startTimeUnixNano.low >>> 0, t.startTimeUnixNano.high >>> 0).toNumber() : t.startTimeUnixNano), t.timeUnixNano != null && t.hasOwnProperty(\"timeUnixNano\") && (typeof t.timeUnixNano == \"number\" ? r.timeUnixNano = n.longs === String ? String(t.timeUnixNano) : t.timeUnixNano : r.timeUnixNano = n.longs === String ? l.Long.prototype.toString.call(t.timeUnixNano) : n.longs === Number ? new l.LongBits(t.timeUnixNano.low >>> 0, t.timeUnixNano.high >>> 0).toNumber() : t.timeUnixNano), t.count != null && t.hasOwnProperty(\"count\") && (typeof t.count == \"number\" ? r.count = n.longs === String ? String(t.count) : t.count : r.count = n.longs === String ? l.Long.prototype.toString.call(t.count) : n.longs === Number ? new l.LongBits(t.count.low >>> 0, t.count.high >>> 0).toNumber() : t.count), t.sum != null && t.hasOwnProperty(\"sum\") && (r.sum = n.json && !isFinite(t.sum) ? String(t.sum) : t.sum, n.oneofs && (r._sum = \"sum\")), t.scale != null && t.hasOwnProperty(\"scale\") && (r.scale = t.scale), t.zeroCount != null && t.hasOwnProperty(\"zeroCount\") && (typeof t.zeroCount == \"number\" ? r.zeroCount = n.longs === String ? String(t.zeroCount) : t.zeroCount : r.zeroCount = n.longs === String ? l.Long.prototype.toString.call(t.zeroCount) : n.longs === Number ? new l.LongBits(t.zeroCount.low >>> 0, t.zeroCount.high >>> 0).toNumber() : t.zeroCount), t.positive != null && t.hasOwnProperty(\"positive\") && (r.positive = u.opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint.Buckets.toObject(t.positive, n)), t.negative != null && t.hasOwnProperty(\"negative\") && (r.negative = u.opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint.Buckets.toObject(t.negative, n)), t.flags != null && t.hasOwnProperty(\"flags\") && (r.flags = t.flags), t.exemplars && t.exemplars.length) {\n r.exemplars = [];\n for (var p = 0; p < t.exemplars.length; ++p)\n r.exemplars[p] = u.opentelemetry.proto.metrics.v1.Exemplar.toObject(t.exemplars[p], n);\n }\n return t.min != null && t.hasOwnProperty(\"min\") && (r.min = n.json && !isFinite(t.min) ? String(t.min) : t.min, n.oneofs && (r._min = \"min\")), t.max != null && t.hasOwnProperty(\"max\") && (r.max = n.json && !isFinite(t.max) ? String(t.max) : t.max, n.oneofs && (r._max = \"max\")), t.zeroThreshold != null && t.hasOwnProperty(\"zeroThreshold\") && (r.zeroThreshold = n.json && !isFinite(t.zeroThreshold) ? String(t.zeroThreshold) : t.zeroThreshold), r;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(t) {\n return t === void 0 && (t = \"type.googleapis.com\"), t + \"/opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint\";\n }, i.Buckets = function() {\n function e(t) {\n if (this.bucketCounts = [], t)\n for (var n = Object.keys(t), r = 0; r < n.length; ++r)\n t[n[r]] != null && (this[n[r]] = t[n[r]]);\n }\n return e.prototype.offset = null, e.prototype.bucketCounts = l.emptyArray, e.create = function(n) {\n return new e(n);\n }, e.encode = function(n, r) {\n if (r || (r = y.create()), n.offset != null && Object.hasOwnProperty.call(n, \"offset\") && r.uint32(\n /* id 1, wireType 0 =*/\n 8\n ).sint32(n.offset), n.bucketCounts != null && n.bucketCounts.length) {\n r.uint32(\n /* id 2, wireType 2 =*/\n 18\n ).fork();\n for (var c = 0; c < n.bucketCounts.length; ++c)\n r.uint64(n.bucketCounts[c]);\n r.ldelim();\n }\n return r;\n }, e.encodeDelimited = function(n, r) {\n return this.encode(n, r).ldelim();\n }, e.decode = function(n, r) {\n n instanceof a || (n = a.create(n));\n for (var c = r === void 0 ? n.len : n.pos + r, p = new u.opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint.Buckets(); n.pos < c; ) {\n var m = n.uint32();\n switch (m >>> 3) {\n case 1: {\n p.offset = n.sint32();\n break;\n }\n case 2: {\n if (p.bucketCounts && p.bucketCounts.length || (p.bucketCounts = []), (m & 7) === 2)\n for (var b = n.uint32() + n.pos; n.pos < b; )\n p.bucketCounts.push(n.uint64());\n else\n p.bucketCounts.push(n.uint64());\n break;\n }\n default:\n n.skipType(m & 7);\n break;\n }\n }\n return p;\n }, e.decodeDelimited = function(n) {\n return n instanceof a || (n = new a(n)), this.decode(n, n.uint32());\n }, e.verify = function(n) {\n if (typeof n != \"object\" || n === null)\n return \"object expected\";\n if (n.offset != null && n.hasOwnProperty(\"offset\") && !l.isInteger(n.offset))\n return \"offset: integer expected\";\n if (n.bucketCounts != null && n.hasOwnProperty(\"bucketCounts\")) {\n if (!Array.isArray(n.bucketCounts))\n return \"bucketCounts: array expected\";\n for (var r = 0; r < n.bucketCounts.length; ++r)\n if (!l.isInteger(n.bucketCounts[r]) && !(n.bucketCounts[r] && l.isInteger(n.bucketCounts[r].low) && l.isInteger(n.bucketCounts[r].high)))\n return \"bucketCounts: integer|Long[] expected\";\n }\n return null;\n }, e.fromObject = function(n) {\n if (n instanceof u.opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint.Buckets)\n return n;\n var r = new u.opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint.Buckets();\n if (n.offset != null && (r.offset = n.offset | 0), n.bucketCounts) {\n if (!Array.isArray(n.bucketCounts))\n throw TypeError(\".opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint.Buckets.bucketCounts: array expected\");\n r.bucketCounts = [];\n for (var c = 0; c < n.bucketCounts.length; ++c)\n l.Long ? (r.bucketCounts[c] = l.Long.fromValue(n.bucketCounts[c])).unsigned = !0 : typeof n.bucketCounts[c] == \"string\" ? r.bucketCounts[c] = parseInt(n.bucketCounts[c], 10) : typeof n.bucketCounts[c] == \"number\" ? r.bucketCounts[c] = n.bucketCounts[c] : typeof n.bucketCounts[c] == \"object\" && (r.bucketCounts[c] = new l.LongBits(n.bucketCounts[c].low >>> 0, n.bucketCounts[c].high >>> 0).toNumber(!0));\n }\n return r;\n }, e.toObject = function(n, r) {\n r || (r = {});\n var c = {};\n if ((r.arrays || r.defaults) && (c.bucketCounts = []), r.defaults && (c.offset = 0), n.offset != null && n.hasOwnProperty(\"offset\") && (c.offset = n.offset), n.bucketCounts && n.bucketCounts.length) {\n c.bucketCounts = [];\n for (var p = 0; p < n.bucketCounts.length; ++p)\n typeof n.bucketCounts[p] == \"number\" ? c.bucketCounts[p] = r.longs === String ? String(n.bucketCounts[p]) : n.bucketCounts[p] : c.bucketCounts[p] = r.longs === String ? l.Long.prototype.toString.call(n.bucketCounts[p]) : r.longs === Number ? new l.LongBits(n.bucketCounts[p].low >>> 0, n.bucketCounts[p].high >>> 0).toNumber(!0) : n.bucketCounts[p];\n }\n return c;\n }, e.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, e.getTypeUrl = function(n) {\n return n === void 0 && (n = \"type.googleapis.com\"), n + \"/opentelemetry.proto.metrics.v1.ExponentialHistogramDataPoint.Buckets\";\n }, e;\n }(), i;\n }(), s.SummaryDataPoint = function() {\n function i(o) {\n if (this.attributes = [], this.quantileValues = [], o)\n for (var e = Object.keys(o), t = 0; t < e.length; ++t)\n o[e[t]] != null && (this[e[t]] = o[e[t]]);\n }\n return i.prototype.attributes = l.emptyArray, i.prototype.startTimeUnixNano = null, i.prototype.timeUnixNano = null, i.prototype.count = null, i.prototype.sum = null, i.prototype.quantileValues = l.emptyArray, i.prototype.flags = null, i.create = function(e) {\n return new i(e);\n }, i.encode = function(e, t) {\n if (t || (t = y.create()), e.startTimeUnixNano != null && Object.hasOwnProperty.call(e, \"startTimeUnixNano\") && t.uint32(\n /* id 2, wireType 1 =*/\n 17\n ).fixed64(e.startTimeUnixNano), e.timeUnixNano != null && Object.hasOwnProperty.call(e, \"timeUnixNano\") && t.uint32(\n /* id 3, wireType 1 =*/\n 25\n ).fixed64(e.timeUnixNano), e.count != null && Object.hasOwnProperty.call(e, \"count\") && t.uint32(\n /* id 4, wireType 1 =*/\n 33\n ).fixed64(e.count), e.sum != null && Object.hasOwnProperty.call(e, \"sum\") && t.uint32(\n /* id 5, wireType 1 =*/\n 41\n ).double(e.sum), e.quantileValues != null && e.quantileValues.length)\n for (var n = 0; n < e.quantileValues.length; ++n)\n u.opentelemetry.proto.metrics.v1.SummaryDataPoint.ValueAtQuantile.encode(e.quantileValues[n], t.uint32(\n /* id 6, wireType 2 =*/\n 50\n ).fork()).ldelim();\n if (e.attributes != null && e.attributes.length)\n for (var n = 0; n < e.attributes.length; ++n)\n u.opentelemetry.proto.common.v1.KeyValue.encode(e.attributes[n], t.uint32(\n /* id 7, wireType 2 =*/\n 58\n ).fork()).ldelim();\n return e.flags != null && Object.hasOwnProperty.call(e, \"flags\") && t.uint32(\n /* id 8, wireType 0 =*/\n 64\n ).uint32(e.flags), t;\n }, i.encodeDelimited = function(e, t) {\n return this.encode(e, t).ldelim();\n }, i.decode = function(e, t) {\n e instanceof a || (e = a.create(e));\n for (var n = t === void 0 ? e.len : e.pos + t, r = new u.opentelemetry.proto.metrics.v1.SummaryDataPoint(); e.pos < n; ) {\n var c = e.uint32();\n switch (c >>> 3) {\n case 7: {\n r.attributes && r.attributes.length || (r.attributes = []), r.attributes.push(u.opentelemetry.proto.common.v1.KeyValue.decode(e, e.uint32()));\n break;\n }\n case 2: {\n r.startTimeUnixNano = e.fixed64();\n break;\n }\n case 3: {\n r.timeUnixNano = e.fixed64();\n break;\n }\n case 4: {\n r.count = e.fixed64();\n break;\n }\n case 5: {\n r.sum = e.double();\n break;\n }\n case 6: {\n r.quantileValues && r.quantileValues.length || (r.quantileValues = []), r.quantileValues.push(u.opentelemetry.proto.metrics.v1.SummaryDataPoint.ValueAtQuantile.decode(e, e.uint32()));\n break;\n }\n case 8: {\n r.flags = e.uint32();\n break;\n }\n default:\n e.skipType(c & 7);\n break;\n }\n }\n return r;\n }, i.decodeDelimited = function(e) {\n return e instanceof a || (e = new a(e)), this.decode(e, e.uint32());\n }, i.verify = function(e) {\n if (typeof e != \"object\" || e === null)\n return \"object expected\";\n if (e.attributes != null && e.hasOwnProperty(\"attributes\")) {\n if (!Array.isArray(e.attributes))\n return \"attributes: array expected\";\n for (var t = 0; t < e.attributes.length; ++t) {\n var n = u.opentelemetry.proto.common.v1.KeyValue.verify(e.attributes[t]);\n if (n)\n return \"attributes.\" + n;\n }\n }\n if (e.startTimeUnixNano != null && e.hasOwnProperty(\"startTimeUnixNano\") && !l.isInteger(e.startTimeUnixNano) && !(e.startTimeUnixNano && l.isInteger(e.startTimeUnixNano.low) && l.isInteger(e.startTimeUnixNano.high)))\n return \"startTimeUnixNano: integer|Long expected\";\n if (e.timeUnixNano != null && e.hasOwnProperty(\"timeUnixNano\") && !l.isInteger(e.timeUnixNano) && !(e.timeUnixNano && l.isInteger(e.timeUnixNano.low) && l.isInteger(e.timeUnixNano.high)))\n return \"timeUnixNano: integer|Long expected\";\n if (e.count != null && e.hasOwnProperty(\"count\") && !l.isInteger(e.count) && !(e.count && l.isInteger(e.count.low) && l.isInteger(e.count.high)))\n return \"count: integer|Long expected\";\n if (e.sum != null && e.hasOwnProperty(\"sum\") && typeof e.sum != \"number\")\n return \"sum: number expected\";\n if (e.quantileValues != null && e.hasOwnProperty(\"quantileValues\")) {\n if (!Array.isArray(e.quantileValues))\n return \"quantileValues: array expected\";\n for (var t = 0; t < e.quantileValues.length; ++t) {\n var n = u.opentelemetry.proto.metrics.v1.SummaryDataPoint.ValueAtQuantile.verify(e.quantileValues[t]);\n if (n)\n return \"quantileValues.\" + n;\n }\n }\n return e.flags != null && e.hasOwnProperty(\"flags\") && !l.isInteger(e.flags) ? \"flags: integer expected\" : null;\n }, i.fromObject = function(e) {\n if (e instanceof u.opentelemetry.proto.metrics.v1.SummaryDataPoint)\n return e;\n var t = new u.opentelemetry.proto.metrics.v1.SummaryDataPoint();\n if (e.attributes) {\n if (!Array.isArray(e.attributes))\n throw TypeError(\".opentelemetry.proto.metrics.v1.SummaryDataPoint.attributes: array expected\");\n t.attributes = [];\n for (var n = 0; n < e.attributes.length; ++n) {\n if (typeof e.attributes[n] != \"object\")\n throw TypeError(\".opentelemetry.proto.metrics.v1.SummaryDataPoint.attributes: object expected\");\n t.attributes[n] = u.opentelemetry.proto.common.v1.KeyValue.fromObject(e.attributes[n]);\n }\n }\n if (e.startTimeUnixNano != null && (l.Long ? (t.startTimeUnixNano = l.Long.fromValue(e.startTimeUnixNano)).unsigned = !1 : typeof e.startTimeUnixNano == \"string\" ? t.startTimeUnixNano = parseInt(e.startTimeUnixNano, 10) : typeof e.startTimeUnixNano == \"number\" ? t.startTimeUnixNano = e.startTimeUnixNano : typeof e.startTimeUnixNano == \"object\" && (t.startTimeUnixNano = new l.LongBits(e.startTimeUnixNano.low >>> 0, e.startTimeUnixNano.high >>> 0).toNumber())), e.timeUnixNano != null && (l.Long ? (t.timeUnixNano = l.Long.fromValue(e.timeUnixNano)).unsigned = !1 : typeof e.timeUnixNano == \"string\" ? t.timeUnixNano = parseInt(e.timeUnixNano, 10) : typeof e.timeUnixNano == \"number\" ? t.timeUnixNano = e.timeUnixNano : typeof e.timeUnixNano == \"object\" && (t.timeUnixNano = new l.LongBits(e.timeUnixNano.low >>> 0, e.timeUnixNano.high >>> 0).toNumber())), e.count != null && (l.Long ? (t.count = l.Long.fromValue(e.count)).unsigned = !1 : typeof e.count == \"string\" ? t.count = parseInt(e.count, 10) : typeof e.count == \"number\" ? t.count = e.count : typeof e.count == \"object\" && (t.count = new l.LongBits(e.count.low >>> 0, e.count.high >>> 0).toNumber())), e.sum != null && (t.sum = Number(e.sum)), e.quantileValues) {\n if (!Array.isArray(e.quantileValues))\n throw TypeError(\".opentelemetry.proto.metrics.v1.SummaryDataPoint.quantileValues: array expected\");\n t.quantileValues = [];\n for (var n = 0; n < e.quantileValues.length; ++n) {\n if (typeof e.quantileValues[n] != \"object\")\n throw TypeError(\".opentelemetry.proto.metrics.v1.SummaryDataPoint.quantileValues: object expected\");\n t.quantileValues[n] = u.opentelemetry.proto.metrics.v1.SummaryDataPoint.ValueAtQuantile.fromObject(e.quantileValues[n]);\n }\n }\n return e.flags != null && (t.flags = e.flags >>> 0), t;\n }, i.toObject = function(e, t) {\n t || (t = {});\n var n = {};\n if ((t.arrays || t.defaults) && (n.quantileValues = [], n.attributes = []), t.defaults) {\n if (l.Long) {\n var r = new l.Long(0, 0, !1);\n n.startTimeUnixNano = t.longs === String ? r.toString() : t.longs === Number ? r.toNumber() : r;\n } else\n n.startTimeUnixNano = t.longs === String ? \"0\" : 0;\n if (l.Long) {\n var r = new l.Long(0, 0, !1);\n n.timeUnixNano = t.longs === String ? r.toString() : t.longs === Number ? r.toNumber() : r;\n } else\n n.timeUnixNano = t.longs === String ? \"0\" : 0;\n if (l.Long) {\n var r = new l.Long(0, 0, !1);\n n.count = t.longs === String ? r.toString() : t.longs === Number ? r.toNumber() : r;\n } else\n n.count = t.longs === String ? \"0\" : 0;\n n.sum = 0, n.flags = 0;\n }\n if (e.startTimeUnixNano != null && e.hasOwnProperty(\"startTimeUnixNano\") && (typeof e.startTimeUnixNano == \"number\" ? n.startTimeUnixNano = t.longs === String ? String(e.startTimeUnixNano) : e.startTimeUnixNano : n.startTimeUnixNano = t.longs === String ? l.Long.prototype.toString.call(e.startTimeUnixNano) : t.longs === Number ? new l.LongBits(e.startTimeUnixNano.low >>> 0, e.startTimeUnixNano.high >>> 0).toNumber() : e.startTimeUnixNano), e.timeUnixNano != null && e.hasOwnProperty(\"timeUnixNano\") && (typeof e.timeUnixNano == \"number\" ? n.timeUnixNano = t.longs === String ? String(e.timeUnixNano) : e.timeUnixNano : n.timeUnixNano = t.longs === String ? l.Long.prototype.toString.call(e.timeUnixNano) : t.longs === Number ? new l.LongBits(e.timeUnixNano.low >>> 0, e.timeUnixNano.high >>> 0).toNumber() : e.timeUnixNano), e.count != null && e.hasOwnProperty(\"count\") && (typeof e.count == \"number\" ? n.count = t.longs === String ? String(e.count) : e.count : n.count = t.longs === String ? l.Long.prototype.toString.call(e.count) : t.longs === Number ? new l.LongBits(e.count.low >>> 0, e.count.high >>> 0).toNumber() : e.count), e.sum != null && e.hasOwnProperty(\"sum\") && (n.sum = t.json && !isFinite(e.sum) ? String(e.sum) : e.sum), e.quantileValues && e.quantileValues.length) {\n n.quantileValues = [];\n for (var c = 0; c < e.quantileValues.length; ++c)\n n.quantileValues[c] = u.opentelemetry.proto.metrics.v1.SummaryDataPoint.ValueAtQuantile.toObject(e.quantileValues[c], t);\n }\n if (e.attributes && e.attributes.length) {\n n.attributes = [];\n for (var c = 0; c < e.attributes.length; ++c)\n n.attributes[c] = u.opentelemetry.proto.common.v1.KeyValue.toObject(e.attributes[c], t);\n }\n return e.flags != null && e.hasOwnProperty(\"flags\") && (n.flags = e.flags), n;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(e) {\n return e === void 0 && (e = \"type.googleapis.com\"), e + \"/opentelemetry.proto.metrics.v1.SummaryDataPoint\";\n }, i.ValueAtQuantile = function() {\n function o(e) {\n if (e)\n for (var t = Object.keys(e), n = 0; n < t.length; ++n)\n e[t[n]] != null && (this[t[n]] = e[t[n]]);\n }\n return o.prototype.quantile = null, o.prototype.value = null, o.create = function(t) {\n return new o(t);\n }, o.encode = function(t, n) {\n return n || (n = y.create()), t.quantile != null && Object.hasOwnProperty.call(t, \"quantile\") && n.uint32(\n /* id 1, wireType 1 =*/\n 9\n ).double(t.quantile), t.value != null && Object.hasOwnProperty.call(t, \"value\") && n.uint32(\n /* id 2, wireType 1 =*/\n 17\n ).double(t.value), n;\n }, o.encodeDelimited = function(t, n) {\n return this.encode(t, n).ldelim();\n }, o.decode = function(t, n) {\n t instanceof a || (t = a.create(t));\n for (var r = n === void 0 ? t.len : t.pos + n, c = new u.opentelemetry.proto.metrics.v1.SummaryDataPoint.ValueAtQuantile(); t.pos < r; ) {\n var p = t.uint32();\n switch (p >>> 3) {\n case 1: {\n c.quantile = t.double();\n break;\n }\n case 2: {\n c.value = t.double();\n break;\n }\n default:\n t.skipType(p & 7);\n break;\n }\n }\n return c;\n }, o.decodeDelimited = function(t) {\n return t instanceof a || (t = new a(t)), this.decode(t, t.uint32());\n }, o.verify = function(t) {\n return typeof t != \"object\" || t === null ? \"object expected\" : t.quantile != null && t.hasOwnProperty(\"quantile\") && typeof t.quantile != \"number\" ? \"quantile: number expected\" : t.value != null && t.hasOwnProperty(\"value\") && typeof t.value != \"number\" ? \"value: number expected\" : null;\n }, o.fromObject = function(t) {\n if (t instanceof u.opentelemetry.proto.metrics.v1.SummaryDataPoint.ValueAtQuantile)\n return t;\n var n = new u.opentelemetry.proto.metrics.v1.SummaryDataPoint.ValueAtQuantile();\n return t.quantile != null && (n.quantile = Number(t.quantile)), t.value != null && (n.value = Number(t.value)), n;\n }, o.toObject = function(t, n) {\n n || (n = {});\n var r = {};\n return n.defaults && (r.quantile = 0, r.value = 0), t.quantile != null && t.hasOwnProperty(\"quantile\") && (r.quantile = n.json && !isFinite(t.quantile) ? String(t.quantile) : t.quantile), t.value != null && t.hasOwnProperty(\"value\") && (r.value = n.json && !isFinite(t.value) ? String(t.value) : t.value), r;\n }, o.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, o.getTypeUrl = function(t) {\n return t === void 0 && (t = \"type.googleapis.com\"), t + \"/opentelemetry.proto.metrics.v1.SummaryDataPoint.ValueAtQuantile\";\n }, o;\n }(), i;\n }(), s.Exemplar = function() {\n function i(e) {\n if (this.filteredAttributes = [], e)\n for (var t = Object.keys(e), n = 0; n < t.length; ++n)\n e[t[n]] != null && (this[t[n]] = e[t[n]]);\n }\n i.prototype.filteredAttributes = l.emptyArray, i.prototype.timeUnixNano = null, i.prototype.asDouble = null, i.prototype.asInt = null, i.prototype.spanId = null, i.prototype.traceId = null;\n var o;\n return Object.defineProperty(i.prototype, \"value\", {\n get: l.oneOfGetter(o = [\"asDouble\", \"asInt\"]),\n set: l.oneOfSetter(o)\n }), i.create = function(t) {\n return new i(t);\n }, i.encode = function(t, n) {\n if (n || (n = y.create()), t.timeUnixNano != null && Object.hasOwnProperty.call(t, \"timeUnixNano\") && n.uint32(\n /* id 2, wireType 1 =*/\n 17\n ).fixed64(t.timeUnixNano), t.asDouble != null && Object.hasOwnProperty.call(t, \"asDouble\") && n.uint32(\n /* id 3, wireType 1 =*/\n 25\n ).double(t.asDouble), t.spanId != null && Object.hasOwnProperty.call(t, \"spanId\") && n.uint32(\n /* id 4, wireType 2 =*/\n 34\n ).bytes(t.spanId), t.traceId != null && Object.hasOwnProperty.call(t, \"traceId\") && n.uint32(\n /* id 5, wireType 2 =*/\n 42\n ).bytes(t.traceId), t.asInt != null && Object.hasOwnProperty.call(t, \"asInt\") && n.uint32(\n /* id 6, wireType 1 =*/\n 49\n ).sfixed64(t.asInt), t.filteredAttributes != null && t.filteredAttributes.length)\n for (var r = 0; r < t.filteredAttributes.length; ++r)\n u.opentelemetry.proto.common.v1.KeyValue.encode(t.filteredAttributes[r], n.uint32(\n /* id 7, wireType 2 =*/\n 58\n ).fork()).ldelim();\n return n;\n }, i.encodeDelimited = function(t, n) {\n return this.encode(t, n).ldelim();\n }, i.decode = function(t, n) {\n t instanceof a || (t = a.create(t));\n for (var r = n === void 0 ? t.len : t.pos + n, c = new u.opentelemetry.proto.metrics.v1.Exemplar(); t.pos < r; ) {\n var p = t.uint32();\n switch (p >>> 3) {\n case 7: {\n c.filteredAttributes && c.filteredAttributes.length || (c.filteredAttributes = []), c.filteredAttributes.push(u.opentelemetry.proto.common.v1.KeyValue.decode(t, t.uint32()));\n break;\n }\n case 2: {\n c.timeUnixNano = t.fixed64();\n break;\n }\n case 3: {\n c.asDouble = t.double();\n break;\n }\n case 6: {\n c.asInt = t.sfixed64();\n break;\n }\n case 4: {\n c.spanId = t.bytes();\n break;\n }\n case 5: {\n c.traceId = t.bytes();\n break;\n }\n default:\n t.skipType(p & 7);\n break;\n }\n }\n return c;\n }, i.decodeDelimited = function(t) {\n return t instanceof a || (t = new a(t)), this.decode(t, t.uint32());\n }, i.verify = function(t) {\n if (typeof t != \"object\" || t === null)\n return \"object expected\";\n var n = {};\n if (t.filteredAttributes != null && t.hasOwnProperty(\"filteredAttributes\")) {\n if (!Array.isArray(t.filteredAttributes))\n return \"filteredAttributes: array expected\";\n for (var r = 0; r < t.filteredAttributes.length; ++r) {\n var c = u.opentelemetry.proto.common.v1.KeyValue.verify(t.filteredAttributes[r]);\n if (c)\n return \"filteredAttributes.\" + c;\n }\n }\n if (t.timeUnixNano != null && t.hasOwnProperty(\"timeUnixNano\") && !l.isInteger(t.timeUnixNano) && !(t.timeUnixNano && l.isInteger(t.timeUnixNano.low) && l.isInteger(t.timeUnixNano.high)))\n return \"timeUnixNano: integer|Long expected\";\n if (t.asDouble != null && t.hasOwnProperty(\"asDouble\") && (n.value = 1, typeof t.asDouble != \"number\"))\n return \"asDouble: number expected\";\n if (t.asInt != null && t.hasOwnProperty(\"asInt\")) {\n if (n.value === 1)\n return \"value: multiple values\";\n if (n.value = 1, !l.isInteger(t.asInt) && !(t.asInt && l.isInteger(t.asInt.low) && l.isInteger(t.asInt.high)))\n return \"asInt: integer|Long expected\";\n }\n return t.spanId != null && t.hasOwnProperty(\"spanId\") && !(t.spanId && typeof t.spanId.length == \"number\" || l.isString(t.spanId)) ? \"spanId: buffer expected\" : t.traceId != null && t.hasOwnProperty(\"traceId\") && !(t.traceId && typeof t.traceId.length == \"number\" || l.isString(t.traceId)) ? \"traceId: buffer expected\" : null;\n }, i.fromObject = function(t) {\n if (t instanceof u.opentelemetry.proto.metrics.v1.Exemplar)\n return t;\n var n = new u.opentelemetry.proto.metrics.v1.Exemplar();\n if (t.filteredAttributes) {\n if (!Array.isArray(t.filteredAttributes))\n throw TypeError(\".opentelemetry.proto.metrics.v1.Exemplar.filteredAttributes: array expected\");\n n.filteredAttributes = [];\n for (var r = 0; r < t.filteredAttributes.length; ++r) {\n if (typeof t.filteredAttributes[r] != \"object\")\n throw TypeError(\".opentelemetry.proto.metrics.v1.Exemplar.filteredAttributes: object expected\");\n n.filteredAttributes[r] = u.opentelemetry.proto.common.v1.KeyValue.fromObject(t.filteredAttributes[r]);\n }\n }\n return t.timeUnixNano != null && (l.Long ? (n.timeUnixNano = l.Long.fromValue(t.timeUnixNano)).unsigned = !1 : typeof t.timeUnixNano == \"string\" ? n.timeUnixNano = parseInt(t.timeUnixNano, 10) : typeof t.timeUnixNano == \"number\" ? n.timeUnixNano = t.timeUnixNano : typeof t.timeUnixNano == \"object\" && (n.timeUnixNano = new l.LongBits(t.timeUnixNano.low >>> 0, t.timeUnixNano.high >>> 0).toNumber())), t.asDouble != null && (n.asDouble = Number(t.asDouble)), t.asInt != null && (l.Long ? (n.asInt = l.Long.fromValue(t.asInt)).unsigned = !1 : typeof t.asInt == \"string\" ? n.asInt = parseInt(t.asInt, 10) : typeof t.asInt == \"number\" ? n.asInt = t.asInt : typeof t.asInt == \"object\" && (n.asInt = new l.LongBits(t.asInt.low >>> 0, t.asInt.high >>> 0).toNumber())), t.spanId != null && (typeof t.spanId == \"string\" ? l.base64.decode(t.spanId, n.spanId = l.newBuffer(l.base64.length(t.spanId)), 0) : t.spanId.length >= 0 && (n.spanId = t.spanId)), t.traceId != null && (typeof t.traceId == \"string\" ? l.base64.decode(t.traceId, n.traceId = l.newBuffer(l.base64.length(t.traceId)), 0) : t.traceId.length >= 0 && (n.traceId = t.traceId)), n;\n }, i.toObject = function(t, n) {\n n || (n = {});\n var r = {};\n if ((n.arrays || n.defaults) && (r.filteredAttributes = []), n.defaults) {\n if (l.Long) {\n var c = new l.Long(0, 0, !1);\n r.timeUnixNano = n.longs === String ? c.toString() : n.longs === Number ? c.toNumber() : c;\n } else\n r.timeUnixNano = n.longs === String ? \"0\" : 0;\n n.bytes === String ? r.spanId = \"\" : (r.spanId = [], n.bytes !== Array && (r.spanId = l.newBuffer(r.spanId))), n.bytes === String ? r.traceId = \"\" : (r.traceId = [], n.bytes !== Array && (r.traceId = l.newBuffer(r.traceId)));\n }\n if (t.timeUnixNano != null && t.hasOwnProperty(\"timeUnixNano\") && (typeof t.timeUnixNano == \"number\" ? r.timeUnixNano = n.longs === String ? String(t.timeUnixNano) : t.timeUnixNano : r.timeUnixNano = n.longs === String ? l.Long.prototype.toString.call(t.timeUnixNano) : n.longs === Number ? new l.LongBits(t.timeUnixNano.low >>> 0, t.timeUnixNano.high >>> 0).toNumber() : t.timeUnixNano), t.asDouble != null && t.hasOwnProperty(\"asDouble\") && (r.asDouble = n.json && !isFinite(t.asDouble) ? String(t.asDouble) : t.asDouble, n.oneofs && (r.value = \"asDouble\")), t.spanId != null && t.hasOwnProperty(\"spanId\") && (r.spanId = n.bytes === String ? l.base64.encode(t.spanId, 0, t.spanId.length) : n.bytes === Array ? Array.prototype.slice.call(t.spanId) : t.spanId), t.traceId != null && t.hasOwnProperty(\"traceId\") && (r.traceId = n.bytes === String ? l.base64.encode(t.traceId, 0, t.traceId.length) : n.bytes === Array ? Array.prototype.slice.call(t.traceId) : t.traceId), t.asInt != null && t.hasOwnProperty(\"asInt\") && (typeof t.asInt == \"number\" ? r.asInt = n.longs === String ? String(t.asInt) : t.asInt : r.asInt = n.longs === String ? l.Long.prototype.toString.call(t.asInt) : n.longs === Number ? new l.LongBits(t.asInt.low >>> 0, t.asInt.high >>> 0).toNumber() : t.asInt, n.oneofs && (r.value = \"asInt\")), t.filteredAttributes && t.filteredAttributes.length) {\n r.filteredAttributes = [];\n for (var p = 0; p < t.filteredAttributes.length; ++p)\n r.filteredAttributes[p] = u.opentelemetry.proto.common.v1.KeyValue.toObject(t.filteredAttributes[p], n);\n }\n return r;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(t) {\n return t === void 0 && (t = \"type.googleapis.com\"), t + \"/opentelemetry.proto.metrics.v1.Exemplar\";\n }, i;\n }(), s;\n }(), d;\n }(), v.logs = function() {\n var d = {};\n return d.v1 = function() {\n var s = {};\n return s.LogsData = function() {\n function i(o) {\n if (this.resourceLogs = [], o)\n for (var e = Object.keys(o), t = 0; t < e.length; ++t)\n o[e[t]] != null && (this[e[t]] = o[e[t]]);\n }\n return i.prototype.resourceLogs = l.emptyArray, i.create = function(e) {\n return new i(e);\n }, i.encode = function(e, t) {\n if (t || (t = y.create()), e.resourceLogs != null && e.resourceLogs.length)\n for (var n = 0; n < e.resourceLogs.length; ++n)\n u.opentelemetry.proto.logs.v1.ResourceLogs.encode(e.resourceLogs[n], t.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).fork()).ldelim();\n return t;\n }, i.encodeDelimited = function(e, t) {\n return this.encode(e, t).ldelim();\n }, i.decode = function(e, t) {\n e instanceof a || (e = a.create(e));\n for (var n = t === void 0 ? e.len : e.pos + t, r = new u.opentelemetry.proto.logs.v1.LogsData(); e.pos < n; ) {\n var c = e.uint32();\n switch (c >>> 3) {\n case 1: {\n r.resourceLogs && r.resourceLogs.length || (r.resourceLogs = []), r.resourceLogs.push(u.opentelemetry.proto.logs.v1.ResourceLogs.decode(e, e.uint32()));\n break;\n }\n default:\n e.skipType(c & 7);\n break;\n }\n }\n return r;\n }, i.decodeDelimited = function(e) {\n return e instanceof a || (e = new a(e)), this.decode(e, e.uint32());\n }, i.verify = function(e) {\n if (typeof e != \"object\" || e === null)\n return \"object expected\";\n if (e.resourceLogs != null && e.hasOwnProperty(\"resourceLogs\")) {\n if (!Array.isArray(e.resourceLogs))\n return \"resourceLogs: array expected\";\n for (var t = 0; t < e.resourceLogs.length; ++t) {\n var n = u.opentelemetry.proto.logs.v1.ResourceLogs.verify(e.resourceLogs[t]);\n if (n)\n return \"resourceLogs.\" + n;\n }\n }\n return null;\n }, i.fromObject = function(e) {\n if (e instanceof u.opentelemetry.proto.logs.v1.LogsData)\n return e;\n var t = new u.opentelemetry.proto.logs.v1.LogsData();\n if (e.resourceLogs) {\n if (!Array.isArray(e.resourceLogs))\n throw TypeError(\".opentelemetry.proto.logs.v1.LogsData.resourceLogs: array expected\");\n t.resourceLogs = [];\n for (var n = 0; n < e.resourceLogs.length; ++n) {\n if (typeof e.resourceLogs[n] != \"object\")\n throw TypeError(\".opentelemetry.proto.logs.v1.LogsData.resourceLogs: object expected\");\n t.resourceLogs[n] = u.opentelemetry.proto.logs.v1.ResourceLogs.fromObject(e.resourceLogs[n]);\n }\n }\n return t;\n }, i.toObject = function(e, t) {\n t || (t = {});\n var n = {};\n if ((t.arrays || t.defaults) && (n.resourceLogs = []), e.resourceLogs && e.resourceLogs.length) {\n n.resourceLogs = [];\n for (var r = 0; r < e.resourceLogs.length; ++r)\n n.resourceLogs[r] = u.opentelemetry.proto.logs.v1.ResourceLogs.toObject(e.resourceLogs[r], t);\n }\n return n;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(e) {\n return e === void 0 && (e = \"type.googleapis.com\"), e + \"/opentelemetry.proto.logs.v1.LogsData\";\n }, i;\n }(), s.ResourceLogs = function() {\n function i(o) {\n if (this.scopeLogs = [], o)\n for (var e = Object.keys(o), t = 0; t < e.length; ++t)\n o[e[t]] != null && (this[e[t]] = o[e[t]]);\n }\n return i.prototype.resource = null, i.prototype.scopeLogs = l.emptyArray, i.prototype.schemaUrl = null, i.create = function(e) {\n return new i(e);\n }, i.encode = function(e, t) {\n if (t || (t = y.create()), e.resource != null && Object.hasOwnProperty.call(e, \"resource\") && u.opentelemetry.proto.resource.v1.Resource.encode(e.resource, t.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).fork()).ldelim(), e.scopeLogs != null && e.scopeLogs.length)\n for (var n = 0; n < e.scopeLogs.length; ++n)\n u.opentelemetry.proto.logs.v1.ScopeLogs.encode(e.scopeLogs[n], t.uint32(\n /* id 2, wireType 2 =*/\n 18\n ).fork()).ldelim();\n return e.schemaUrl != null && Object.hasOwnProperty.call(e, \"schemaUrl\") && t.uint32(\n /* id 3, wireType 2 =*/\n 26\n ).string(e.schemaUrl), t;\n }, i.encodeDelimited = function(e, t) {\n return this.encode(e, t).ldelim();\n }, i.decode = function(e, t) {\n e instanceof a || (e = a.create(e));\n for (var n = t === void 0 ? e.len : e.pos + t, r = new u.opentelemetry.proto.logs.v1.ResourceLogs(); e.pos < n; ) {\n var c = e.uint32();\n switch (c >>> 3) {\n case 1: {\n r.resource = u.opentelemetry.proto.resource.v1.Resource.decode(e, e.uint32());\n break;\n }\n case 2: {\n r.scopeLogs && r.scopeLogs.length || (r.scopeLogs = []), r.scopeLogs.push(u.opentelemetry.proto.logs.v1.ScopeLogs.decode(e, e.uint32()));\n break;\n }\n case 3: {\n r.schemaUrl = e.string();\n break;\n }\n default:\n e.skipType(c & 7);\n break;\n }\n }\n return r;\n }, i.decodeDelimited = function(e) {\n return e instanceof a || (e = new a(e)), this.decode(e, e.uint32());\n }, i.verify = function(e) {\n if (typeof e != \"object\" || e === null)\n return \"object expected\";\n if (e.resource != null && e.hasOwnProperty(\"resource\")) {\n var t = u.opentelemetry.proto.resource.v1.Resource.verify(e.resource);\n if (t)\n return \"resource.\" + t;\n }\n if (e.scopeLogs != null && e.hasOwnProperty(\"scopeLogs\")) {\n if (!Array.isArray(e.scopeLogs))\n return \"scopeLogs: array expected\";\n for (var n = 0; n < e.scopeLogs.length; ++n) {\n var t = u.opentelemetry.proto.logs.v1.ScopeLogs.verify(e.scopeLogs[n]);\n if (t)\n return \"scopeLogs.\" + t;\n }\n }\n return e.schemaUrl != null && e.hasOwnProperty(\"schemaUrl\") && !l.isString(e.schemaUrl) ? \"schemaUrl: string expected\" : null;\n }, i.fromObject = function(e) {\n if (e instanceof u.opentelemetry.proto.logs.v1.ResourceLogs)\n return e;\n var t = new u.opentelemetry.proto.logs.v1.ResourceLogs();\n if (e.resource != null) {\n if (typeof e.resource != \"object\")\n throw TypeError(\".opentelemetry.proto.logs.v1.ResourceLogs.resource: object expected\");\n t.resource = u.opentelemetry.proto.resource.v1.Resource.fromObject(e.resource);\n }\n if (e.scopeLogs) {\n if (!Array.isArray(e.scopeLogs))\n throw TypeError(\".opentelemetry.proto.logs.v1.ResourceLogs.scopeLogs: array expected\");\n t.scopeLogs = [];\n for (var n = 0; n < e.scopeLogs.length; ++n) {\n if (typeof e.scopeLogs[n] != \"object\")\n throw TypeError(\".opentelemetry.proto.logs.v1.ResourceLogs.scopeLogs: object expected\");\n t.scopeLogs[n] = u.opentelemetry.proto.logs.v1.ScopeLogs.fromObject(e.scopeLogs[n]);\n }\n }\n return e.schemaUrl != null && (t.schemaUrl = String(e.schemaUrl)), t;\n }, i.toObject = function(e, t) {\n t || (t = {});\n var n = {};\n if ((t.arrays || t.defaults) && (n.scopeLogs = []), t.defaults && (n.resource = null, n.schemaUrl = \"\"), e.resource != null && e.hasOwnProperty(\"resource\") && (n.resource = u.opentelemetry.proto.resource.v1.Resource.toObject(e.resource, t)), e.scopeLogs && e.scopeLogs.length) {\n n.scopeLogs = [];\n for (var r = 0; r < e.scopeLogs.length; ++r)\n n.scopeLogs[r] = u.opentelemetry.proto.logs.v1.ScopeLogs.toObject(e.scopeLogs[r], t);\n }\n return e.schemaUrl != null && e.hasOwnProperty(\"schemaUrl\") && (n.schemaUrl = e.schemaUrl), n;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(e) {\n return e === void 0 && (e = \"type.googleapis.com\"), e + \"/opentelemetry.proto.logs.v1.ResourceLogs\";\n }, i;\n }(), s.ScopeLogs = function() {\n function i(o) {\n if (this.logRecords = [], o)\n for (var e = Object.keys(o), t = 0; t < e.length; ++t)\n o[e[t]] != null && (this[e[t]] = o[e[t]]);\n }\n return i.prototype.scope = null, i.prototype.logRecords = l.emptyArray, i.prototype.schemaUrl = null, i.create = function(e) {\n return new i(e);\n }, i.encode = function(e, t) {\n if (t || (t = y.create()), e.scope != null && Object.hasOwnProperty.call(e, \"scope\") && u.opentelemetry.proto.common.v1.InstrumentationScope.encode(e.scope, t.uint32(\n /* id 1, wireType 2 =*/\n 10\n ).fork()).ldelim(), e.logRecords != null && e.logRecords.length)\n for (var n = 0; n < e.logRecords.length; ++n)\n u.opentelemetry.proto.logs.v1.LogRecord.encode(e.logRecords[n], t.uint32(\n /* id 2, wireType 2 =*/\n 18\n ).fork()).ldelim();\n return e.schemaUrl != null && Object.hasOwnProperty.call(e, \"schemaUrl\") && t.uint32(\n /* id 3, wireType 2 =*/\n 26\n ).string(e.schemaUrl), t;\n }, i.encodeDelimited = function(e, t) {\n return this.encode(e, t).ldelim();\n }, i.decode = function(e, t) {\n e instanceof a || (e = a.create(e));\n for (var n = t === void 0 ? e.len : e.pos + t, r = new u.opentelemetry.proto.logs.v1.ScopeLogs(); e.pos < n; ) {\n var c = e.uint32();\n switch (c >>> 3) {\n case 1: {\n r.scope = u.opentelemetry.proto.common.v1.InstrumentationScope.decode(e, e.uint32());\n break;\n }\n case 2: {\n r.logRecords && r.logRecords.length || (r.logRecords = []), r.logRecords.push(u.opentelemetry.proto.logs.v1.LogRecord.decode(e, e.uint32()));\n break;\n }\n case 3: {\n r.schemaUrl = e.string();\n break;\n }\n default:\n e.skipType(c & 7);\n break;\n }\n }\n return r;\n }, i.decodeDelimited = function(e) {\n return e instanceof a || (e = new a(e)), this.decode(e, e.uint32());\n }, i.verify = function(e) {\n if (typeof e != \"object\" || e === null)\n return \"object expected\";\n if (e.scope != null && e.hasOwnProperty(\"scope\")) {\n var t = u.opentelemetry.proto.common.v1.InstrumentationScope.verify(e.scope);\n if (t)\n return \"scope.\" + t;\n }\n if (e.logRecords != null && e.hasOwnProperty(\"logRecords\")) {\n if (!Array.isArray(e.logRecords))\n return \"logRecords: array expected\";\n for (var n = 0; n < e.logRecords.length; ++n) {\n var t = u.opentelemetry.proto.logs.v1.LogRecord.verify(e.logRecords[n]);\n if (t)\n return \"logRecords.\" + t;\n }\n }\n return e.schemaUrl != null && e.hasOwnProperty(\"schemaUrl\") && !l.isString(e.schemaUrl) ? \"schemaUrl: string expected\" : null;\n }, i.fromObject = function(e) {\n if (e instanceof u.opentelemetry.proto.logs.v1.ScopeLogs)\n return e;\n var t = new u.opentelemetry.proto.logs.v1.ScopeLogs();\n if (e.scope != null) {\n if (typeof e.scope != \"object\")\n throw TypeError(\".opentelemetry.proto.logs.v1.ScopeLogs.scope: object expected\");\n t.scope = u.opentelemetry.proto.common.v1.InstrumentationScope.fromObject(e.scope);\n }\n if (e.logRecords) {\n if (!Array.isArray(e.logRecords))\n throw TypeError(\".opentelemetry.proto.logs.v1.ScopeLogs.logRecords: array expected\");\n t.logRecords = [];\n for (var n = 0; n < e.logRecords.length; ++n) {\n if (typeof e.logRecords[n] != \"object\")\n throw TypeError(\".opentelemetry.proto.logs.v1.ScopeLogs.logRecords: object expected\");\n t.logRecords[n] = u.opentelemetry.proto.logs.v1.LogRecord.fromObject(e.logRecords[n]);\n }\n }\n return e.schemaUrl != null && (t.schemaUrl = String(e.schemaUrl)), t;\n }, i.toObject = function(e, t) {\n t || (t = {});\n var n = {};\n if ((t.arrays || t.defaults) && (n.logRecords = []), t.defaults && (n.scope = null, n.schemaUrl = \"\"), e.scope != null && e.hasOwnProperty(\"scope\") && (n.scope = u.opentelemetry.proto.common.v1.InstrumentationScope.toObject(e.scope, t)), e.logRecords && e.logRecords.length) {\n n.logRecords = [];\n for (var r = 0; r < e.logRecords.length; ++r)\n n.logRecords[r] = u.opentelemetry.proto.logs.v1.LogRecord.toObject(e.logRecords[r], t);\n }\n return e.schemaUrl != null && e.hasOwnProperty(\"schemaUrl\") && (n.schemaUrl = e.schemaUrl), n;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(e) {\n return e === void 0 && (e = \"type.googleapis.com\"), e + \"/opentelemetry.proto.logs.v1.ScopeLogs\";\n }, i;\n }(), s.SeverityNumber = function() {\n var i = {}, o = Object.create(i);\n return o[i[0] = \"SEVERITY_NUMBER_UNSPECIFIED\"] = 0, o[i[1] = \"SEVERITY_NUMBER_TRACE\"] = 1, o[i[2] = \"SEVERITY_NUMBER_TRACE2\"] = 2, o[i[3] = \"SEVERITY_NUMBER_TRACE3\"] = 3, o[i[4] = \"SEVERITY_NUMBER_TRACE4\"] = 4, o[i[5] = \"SEVERITY_NUMBER_DEBUG\"] = 5, o[i[6] = \"SEVERITY_NUMBER_DEBUG2\"] = 6, o[i[7] = \"SEVERITY_NUMBER_DEBUG3\"] = 7, o[i[8] = \"SEVERITY_NUMBER_DEBUG4\"] = 8, o[i[9] = \"SEVERITY_NUMBER_INFO\"] = 9, o[i[10] = \"SEVERITY_NUMBER_INFO2\"] = 10, o[i[11] = \"SEVERITY_NUMBER_INFO3\"] = 11, o[i[12] = \"SEVERITY_NUMBER_INFO4\"] = 12, o[i[13] = \"SEVERITY_NUMBER_WARN\"] = 13, o[i[14] = \"SEVERITY_NUMBER_WARN2\"] = 14, o[i[15] = \"SEVERITY_NUMBER_WARN3\"] = 15, o[i[16] = \"SEVERITY_NUMBER_WARN4\"] = 16, o[i[17] = \"SEVERITY_NUMBER_ERROR\"] = 17, o[i[18] = \"SEVERITY_NUMBER_ERROR2\"] = 18, o[i[19] = \"SEVERITY_NUMBER_ERROR3\"] = 19, o[i[20] = \"SEVERITY_NUMBER_ERROR4\"] = 20, o[i[21] = \"SEVERITY_NUMBER_FATAL\"] = 21, o[i[22] = \"SEVERITY_NUMBER_FATAL2\"] = 22, o[i[23] = \"SEVERITY_NUMBER_FATAL3\"] = 23, o[i[24] = \"SEVERITY_NUMBER_FATAL4\"] = 24, o;\n }(), s.LogRecordFlags = function() {\n var i = {}, o = Object.create(i);\n return o[i[0] = \"LOG_RECORD_FLAGS_DO_NOT_USE\"] = 0, o[i[255] = \"LOG_RECORD_FLAGS_TRACE_FLAGS_MASK\"] = 255, o;\n }(), s.LogRecord = function() {\n function i(o) {\n if (this.attributes = [], o)\n for (var e = Object.keys(o), t = 0; t < e.length; ++t)\n o[e[t]] != null && (this[e[t]] = o[e[t]]);\n }\n return i.prototype.timeUnixNano = null, i.prototype.observedTimeUnixNano = null, i.prototype.severityNumber = null, i.prototype.severityText = null, i.prototype.body = null, i.prototype.attributes = l.emptyArray, i.prototype.droppedAttributesCount = null, i.prototype.flags = null, i.prototype.traceId = null, i.prototype.spanId = null, i.create = function(e) {\n return new i(e);\n }, i.encode = function(e, t) {\n if (t || (t = y.create()), e.timeUnixNano != null && Object.hasOwnProperty.call(e, \"timeUnixNano\") && t.uint32(\n /* id 1, wireType 1 =*/\n 9\n ).fixed64(e.timeUnixNano), e.severityNumber != null && Object.hasOwnProperty.call(e, \"severityNumber\") && t.uint32(\n /* id 2, wireType 0 =*/\n 16\n ).int32(e.severityNumber), e.severityText != null && Object.hasOwnProperty.call(e, \"severityText\") && t.uint32(\n /* id 3, wireType 2 =*/\n 26\n ).string(e.severityText), e.body != null && Object.hasOwnProperty.call(e, \"body\") && u.opentelemetry.proto.common.v1.AnyValue.encode(e.body, t.uint32(\n /* id 5, wireType 2 =*/\n 42\n ).fork()).ldelim(), e.attributes != null && e.attributes.length)\n for (var n = 0; n < e.attributes.length; ++n)\n u.opentelemetry.proto.common.v1.KeyValue.encode(e.attributes[n], t.uint32(\n /* id 6, wireType 2 =*/\n 50\n ).fork()).ldelim();\n return e.droppedAttributesCount != null && Object.hasOwnProperty.call(e, \"droppedAttributesCount\") && t.uint32(\n /* id 7, wireType 0 =*/\n 56\n ).uint32(e.droppedAttributesCount), e.flags != null && Object.hasOwnProperty.call(e, \"flags\") && t.uint32(\n /* id 8, wireType 5 =*/\n 69\n ).fixed32(e.flags), e.traceId != null && Object.hasOwnProperty.call(e, \"traceId\") && t.uint32(\n /* id 9, wireType 2 =*/\n 74\n ).bytes(e.traceId), e.spanId != null && Object.hasOwnProperty.call(e, \"spanId\") && t.uint32(\n /* id 10, wireType 2 =*/\n 82\n ).bytes(e.spanId), e.observedTimeUnixNano != null && Object.hasOwnProperty.call(e, \"observedTimeUnixNano\") && t.uint32(\n /* id 11, wireType 1 =*/\n 89\n ).fixed64(e.observedTimeUnixNano), t;\n }, i.encodeDelimited = function(e, t) {\n return this.encode(e, t).ldelim();\n }, i.decode = function(e, t) {\n e instanceof a || (e = a.create(e));\n for (var n = t === void 0 ? e.len : e.pos + t, r = new u.opentelemetry.proto.logs.v1.LogRecord(); e.pos < n; ) {\n var c = e.uint32();\n switch (c >>> 3) {\n case 1: {\n r.timeUnixNano = e.fixed64();\n break;\n }\n case 11: {\n r.observedTimeUnixNano = e.fixed64();\n break;\n }\n case 2: {\n r.severityNumber = e.int32();\n break;\n }\n case 3: {\n r.severityText = e.string();\n break;\n }\n case 5: {\n r.body = u.opentelemetry.proto.common.v1.AnyValue.decode(e, e.uint32());\n break;\n }\n case 6: {\n r.attributes && r.attributes.length || (r.attributes = []), r.attributes.push(u.opentelemetry.proto.common.v1.KeyValue.decode(e, e.uint32()));\n break;\n }\n case 7: {\n r.droppedAttributesCount = e.uint32();\n break;\n }\n case 8: {\n r.flags = e.fixed32();\n break;\n }\n case 9: {\n r.traceId = e.bytes();\n break;\n }\n case 10: {\n r.spanId = e.bytes();\n break;\n }\n default:\n e.skipType(c & 7);\n break;\n }\n }\n return r;\n }, i.decodeDelimited = function(e) {\n return e instanceof a || (e = new a(e)), this.decode(e, e.uint32());\n }, i.verify = function(e) {\n if (typeof e != \"object\" || e === null)\n return \"object expected\";\n if (e.timeUnixNano != null && e.hasOwnProperty(\"timeUnixNano\") && !l.isInteger(e.timeUnixNano) && !(e.timeUnixNano && l.isInteger(e.timeUnixNano.low) && l.isInteger(e.timeUnixNano.high)))\n return \"timeUnixNano: integer|Long expected\";\n if (e.observedTimeUnixNano != null && e.hasOwnProperty(\"observedTimeUnixNano\") && !l.isInteger(e.observedTimeUnixNano) && !(e.observedTimeUnixNano && l.isInteger(e.observedTimeUnixNano.low) && l.isInteger(e.observedTimeUnixNano.high)))\n return \"observedTimeUnixNano: integer|Long expected\";\n if (e.severityNumber != null && e.hasOwnProperty(\"severityNumber\"))\n switch (e.severityNumber) {\n default:\n return \"severityNumber: enum value expected\";\n case 0:\n case 1:\n case 2:\n case 3:\n case 4:\n case 5:\n case 6:\n case 7:\n case 8:\n case 9:\n case 10:\n case 11:\n case 12:\n case 13:\n case 14:\n case 15:\n case 16:\n case 17:\n case 18:\n case 19:\n case 20:\n case 21:\n case 22:\n case 23:\n case 24:\n break;\n }\n if (e.severityText != null && e.hasOwnProperty(\"severityText\") && !l.isString(e.severityText))\n return \"severityText: string expected\";\n if (e.body != null && e.hasOwnProperty(\"body\")) {\n var t = u.opentelemetry.proto.common.v1.AnyValue.verify(e.body);\n if (t)\n return \"body.\" + t;\n }\n if (e.attributes != null && e.hasOwnProperty(\"attributes\")) {\n if (!Array.isArray(e.attributes))\n return \"attributes: array expected\";\n for (var n = 0; n < e.attributes.length; ++n) {\n var t = u.opentelemetry.proto.common.v1.KeyValue.verify(e.attributes[n]);\n if (t)\n return \"attributes.\" + t;\n }\n }\n return e.droppedAttributesCount != null && e.hasOwnProperty(\"droppedAttributesCount\") && !l.isInteger(e.droppedAttributesCount) ? \"droppedAttributesCount: integer expected\" : e.flags != null && e.hasOwnProperty(\"flags\") && !l.isInteger(e.flags) ? \"flags: integer expected\" : e.traceId != null && e.hasOwnProperty(\"traceId\") && !(e.traceId && typeof e.traceId.length == \"number\" || l.isString(e.traceId)) ? \"traceId: buffer expected\" : e.spanId != null && e.hasOwnProperty(\"spanId\") && !(e.spanId && typeof e.spanId.length == \"number\" || l.isString(e.spanId)) ? \"spanId: buffer expected\" : null;\n }, i.fromObject = function(e) {\n if (e instanceof u.opentelemetry.proto.logs.v1.LogRecord)\n return e;\n var t = new u.opentelemetry.proto.logs.v1.LogRecord();\n switch (e.timeUnixNano != null && (l.Long ? (t.timeUnixNano = l.Long.fromValue(e.timeUnixNano)).unsigned = !1 : typeof e.timeUnixNano == \"string\" ? t.timeUnixNano = parseInt(e.timeUnixNano, 10) : typeof e.timeUnixNano == \"number\" ? t.timeUnixNano = e.timeUnixNano : typeof e.timeUnixNano == \"object\" && (t.timeUnixNano = new l.LongBits(e.timeUnixNano.low >>> 0, e.timeUnixNano.high >>> 0).toNumber())), e.observedTimeUnixNano != null && (l.Long ? (t.observedTimeUnixNano = l.Long.fromValue(e.observedTimeUnixNano)).unsigned = !1 : typeof e.observedTimeUnixNano == \"string\" ? t.observedTimeUnixNano = parseInt(e.observedTimeUnixNano, 10) : typeof e.observedTimeUnixNano == \"number\" ? t.observedTimeUnixNano = e.observedTimeUnixNano : typeof e.observedTimeUnixNano == \"object\" && (t.observedTimeUnixNano = new l.LongBits(e.observedTimeUnixNano.low >>> 0, e.observedTimeUnixNano.high >>> 0).toNumber())), e.severityNumber) {\n default:\n if (typeof e.severityNumber == \"number\") {\n t.severityNumber = e.severityNumber;\n break;\n }\n break;\n case \"SEVERITY_NUMBER_UNSPECIFIED\":\n case 0:\n t.severityNumber = 0;\n break;\n case \"SEVERITY_NUMBER_TRACE\":\n case 1:\n t.severityNumber = 1;\n break;\n case \"SEVERITY_NUMBER_TRACE2\":\n case 2:\n t.severityNumber = 2;\n break;\n case \"SEVERITY_NUMBER_TRACE3\":\n case 3:\n t.severityNumber = 3;\n break;\n case \"SEVERITY_NUMBER_TRACE4\":\n case 4:\n t.severityNumber = 4;\n break;\n case \"SEVERITY_NUMBER_DEBUG\":\n case 5:\n t.severityNumber = 5;\n break;\n case \"SEVERITY_NUMBER_DEBUG2\":\n case 6:\n t.severityNumber = 6;\n break;\n case \"SEVERITY_NUMBER_DEBUG3\":\n case 7:\n t.severityNumber = 7;\n break;\n case \"SEVERITY_NUMBER_DEBUG4\":\n case 8:\n t.severityNumber = 8;\n break;\n case \"SEVERITY_NUMBER_INFO\":\n case 9:\n t.severityNumber = 9;\n break;\n case \"SEVERITY_NUMBER_INFO2\":\n case 10:\n t.severityNumber = 10;\n break;\n case \"SEVERITY_NUMBER_INFO3\":\n case 11:\n t.severityNumber = 11;\n break;\n case \"SEVERITY_NUMBER_INFO4\":\n case 12:\n t.severityNumber = 12;\n break;\n case \"SEVERITY_NUMBER_WARN\":\n case 13:\n t.severityNumber = 13;\n break;\n case \"SEVERITY_NUMBER_WARN2\":\n case 14:\n t.severityNumber = 14;\n break;\n case \"SEVERITY_NUMBER_WARN3\":\n case 15:\n t.severityNumber = 15;\n break;\n case \"SEVERITY_NUMBER_WARN4\":\n case 16:\n t.severityNumber = 16;\n break;\n case \"SEVERITY_NUMBER_ERROR\":\n case 17:\n t.severityNumber = 17;\n break;\n case \"SEVERITY_NUMBER_ERROR2\":\n case 18:\n t.severityNumber = 18;\n break;\n case \"SEVERITY_NUMBER_ERROR3\":\n case 19:\n t.severityNumber = 19;\n break;\n case \"SEVERITY_NUMBER_ERROR4\":\n case 20:\n t.severityNumber = 20;\n break;\n case \"SEVERITY_NUMBER_FATAL\":\n case 21:\n t.severityNumber = 21;\n break;\n case \"SEVERITY_NUMBER_FATAL2\":\n case 22:\n t.severityNumber = 22;\n break;\n case \"SEVERITY_NUMBER_FATAL3\":\n case 23:\n t.severityNumber = 23;\n break;\n case \"SEVERITY_NUMBER_FATAL4\":\n case 24:\n t.severityNumber = 24;\n break;\n }\n if (e.severityText != null && (t.severityText = String(e.severityText)), e.body != null) {\n if (typeof e.body != \"object\")\n throw TypeError(\".opentelemetry.proto.logs.v1.LogRecord.body: object expected\");\n t.body = u.opentelemetry.proto.common.v1.AnyValue.fromObject(e.body);\n }\n if (e.attributes) {\n if (!Array.isArray(e.attributes))\n throw TypeError(\".opentelemetry.proto.logs.v1.LogRecord.attributes: array expected\");\n t.attributes = [];\n for (var n = 0; n < e.attributes.length; ++n) {\n if (typeof e.attributes[n] != \"object\")\n throw TypeError(\".opentelemetry.proto.logs.v1.LogRecord.attributes: object expected\");\n t.attributes[n] = u.opentelemetry.proto.common.v1.KeyValue.fromObject(e.attributes[n]);\n }\n }\n return e.droppedAttributesCount != null && (t.droppedAttributesCount = e.droppedAttributesCount >>> 0), e.flags != null && (t.flags = e.flags >>> 0), e.traceId != null && (typeof e.traceId == \"string\" ? l.base64.decode(e.traceId, t.traceId = l.newBuffer(l.base64.length(e.traceId)), 0) : e.traceId.length >= 0 && (t.traceId = e.traceId)), e.spanId != null && (typeof e.spanId == \"string\" ? l.base64.decode(e.spanId, t.spanId = l.newBuffer(l.base64.length(e.spanId)), 0) : e.spanId.length >= 0 && (t.spanId = e.spanId)), t;\n }, i.toObject = function(e, t) {\n t || (t = {});\n var n = {};\n if ((t.arrays || t.defaults) && (n.attributes = []), t.defaults) {\n if (l.Long) {\n var r = new l.Long(0, 0, !1);\n n.timeUnixNano = t.longs === String ? r.toString() : t.longs === Number ? r.toNumber() : r;\n } else\n n.timeUnixNano = t.longs === String ? \"0\" : 0;\n if (n.severityNumber = t.enums === String ? \"SEVERITY_NUMBER_UNSPECIFIED\" : 0, n.severityText = \"\", n.body = null, n.droppedAttributesCount = 0, n.flags = 0, t.bytes === String ? n.traceId = \"\" : (n.traceId = [], t.bytes !== Array && (n.traceId = l.newBuffer(n.traceId))), t.bytes === String ? n.spanId = \"\" : (n.spanId = [], t.bytes !== Array && (n.spanId = l.newBuffer(n.spanId))), l.Long) {\n var r = new l.Long(0, 0, !1);\n n.observedTimeUnixNano = t.longs === String ? r.toString() : t.longs === Number ? r.toNumber() : r;\n } else\n n.observedTimeUnixNano = t.longs === String ? \"0\" : 0;\n }\n if (e.timeUnixNano != null && e.hasOwnProperty(\"timeUnixNano\") && (typeof e.timeUnixNano == \"number\" ? n.timeUnixNano = t.longs === String ? String(e.timeUnixNano) : e.timeUnixNano : n.timeUnixNano = t.longs === String ? l.Long.prototype.toString.call(e.timeUnixNano) : t.longs === Number ? new l.LongBits(e.timeUnixNano.low >>> 0, e.timeUnixNano.high >>> 0).toNumber() : e.timeUnixNano), e.severityNumber != null && e.hasOwnProperty(\"severityNumber\") && (n.severityNumber = t.enums === String ? u.opentelemetry.proto.logs.v1.SeverityNumber[e.severityNumber] === void 0 ? e.severityNumber : u.opentelemetry.proto.logs.v1.SeverityNumber[e.severityNumber] : e.severityNumber), e.severityText != null && e.hasOwnProperty(\"severityText\") && (n.severityText = e.severityText), e.body != null && e.hasOwnProperty(\"body\") && (n.body = u.opentelemetry.proto.common.v1.AnyValue.toObject(e.body, t)), e.attributes && e.attributes.length) {\n n.attributes = [];\n for (var c = 0; c < e.attributes.length; ++c)\n n.attributes[c] = u.opentelemetry.proto.common.v1.KeyValue.toObject(e.attributes[c], t);\n }\n return e.droppedAttributesCount != null && e.hasOwnProperty(\"droppedAttributesCount\") && (n.droppedAttributesCount = e.droppedAttributesCount), e.flags != null && e.hasOwnProperty(\"flags\") && (n.flags = e.flags), e.traceId != null && e.hasOwnProperty(\"traceId\") && (n.traceId = t.bytes === String ? l.base64.encode(e.traceId, 0, e.traceId.length) : t.bytes === Array ? Array.prototype.slice.call(e.traceId) : e.traceId), e.spanId != null && e.hasOwnProperty(\"spanId\") && (n.spanId = t.bytes === String ? l.base64.encode(e.spanId, 0, e.spanId.length) : t.bytes === Array ? Array.prototype.slice.call(e.spanId) : e.spanId), e.observedTimeUnixNano != null && e.hasOwnProperty(\"observedTimeUnixNano\") && (typeof e.observedTimeUnixNano == \"number\" ? n.observedTimeUnixNano = t.longs === String ? String(e.observedTimeUnixNano) : e.observedTimeUnixNano : n.observedTimeUnixNano = t.longs === String ? l.Long.prototype.toString.call(e.observedTimeUnixNano) : t.longs === Number ? new l.LongBits(e.observedTimeUnixNano.low >>> 0, e.observedTimeUnixNano.high >>> 0).toNumber() : e.observedTimeUnixNano), n;\n }, i.prototype.toJSON = function() {\n return this.constructor.toObject(this, f.util.toJSONOptions);\n }, i.getTypeUrl = function(e) {\n return e === void 0 && (e = \"type.googleapis.com\"), e + \"/opentelemetry.proto.logs.v1.LogRecord\";\n }, i;\n }(), s;\n }(), d;\n }(), v;\n }(), h;\n}();\nvar S = u;\nconst P = /* @__PURE__ */ O(S);\nexport {\n P as default,\n S as r\n};\n","import { r } from \"../generated/root.mjs\";\nimport { createExportTraceServiceRequest as t } from \"../trace/index.mjs\";\nimport { createExportMetricsServiceRequest as s } from \"../metrics/index.mjs\";\nimport { createExportLogsServiceRequest as c } from \"../logs/index.mjs\";\nvar i = r.opentelemetry.proto.collector.logs.v1.ExportLogsServiceResponse, p = r.opentelemetry.proto.collector.logs.v1.ExportLogsServiceRequest, n = r.opentelemetry.proto.collector.metrics.v1.ExportMetricsServiceResponse, a = r.opentelemetry.proto.collector.metrics.v1.ExportMetricsServiceRequest, l = r.opentelemetry.proto.collector.trace.v1.ExportTraceServiceResponse, u = r.opentelemetry.proto.collector.trace.v1.ExportTraceServiceRequest, q = {\n serializeRequest: function(e) {\n var o = c(e);\n return p.encode(o).finish();\n },\n deserializeResponse: function(e) {\n return i.decode(e);\n }\n}, d = {\n serializeRequest: function(e) {\n var o = s(e);\n return a.encode(o).finish();\n },\n deserializeResponse: function(e) {\n return n.decode(e);\n }\n}, y = {\n serializeRequest: function(e) {\n var o = t(e);\n return u.encode(o).finish();\n },\n deserializeResponse: function(e) {\n return l.decode(e);\n }\n};\nexport {\n q as ProtobufLogsSerializer,\n d as ProtobufMetricsSerializer,\n y as ProtobufTraceSerializer\n};\n","import \"../../../../../core/build/esm/index.mjs\";\nimport \"../../../../../otlp-exporter-base/build/esm/index.mjs\";\nimport \"../../../../../otlp-transformer/build/esm/index.mjs\";\nimport { ProtobufTraceSerializer as T } from \"../../../../../otlp-transformer/build/esm/protobuf/serializers.mjs\";\nimport { parseKeyPairsIntoRecord as p } from \"../../../../../core/build/esm/baggage/utils.mjs\";\nimport { getEnv as _ } from \"../../../../../core/build/esm/platform/browser/environment.mjs\";\nimport { appendRootPathToUrlIfNeeded as E, appendResourcePathToUrl as O } from \"../../../../../otlp-exporter-base/build/esm/util.mjs\";\nimport { OTLPExporterBrowserBase as c } from \"../../../../../otlp-exporter-base/build/esm/platform/browser/OTLPExporterBrowserBase.mjs\";\nvar u = /* @__PURE__ */ function() {\n var e = function(o, t) {\n return e = Object.setPrototypeOf || { __proto__: [] } instanceof Array && function(r, n) {\n r.__proto__ = n;\n } || function(r, n) {\n for (var i in n) Object.prototype.hasOwnProperty.call(n, i) && (r[i] = n[i]);\n }, e(o, t);\n };\n return function(o, t) {\n if (typeof t != \"function\" && t !== null)\n throw new TypeError(\"Class extends value \" + String(t) + \" is not a constructor or null\");\n e(o, t);\n function r() {\n this.constructor = o;\n }\n o.prototype = t === null ? Object.create(t) : (r.prototype = t.prototype, new r());\n };\n}(), a = \"v1/traces\", s = \"http://localhost:4318/\" + a, y = (\n /** @class */\n function(e) {\n u(o, e);\n function o(t) {\n t === void 0 && (t = {});\n var r = e.call(this, t, T, \"application/x-protobuf\") || this;\n return r._headers = Object.assign(r._headers, p(_().OTEL_EXPORTER_OTLP_TRACES_HEADERS)), r;\n }\n return o.prototype.getDefaultUrl = function(t) {\n return typeof t.url == \"string\" ? t.url : _().OTEL_EXPORTER_OTLP_TRACES_ENDPOINT.length > 0 ? E(_().OTEL_EXPORTER_OTLP_TRACES_ENDPOINT) : _().OTEL_EXPORTER_OTLP_ENDPOINT.length > 0 ? O(_().OTEL_EXPORTER_OTLP_ENDPOINT, a) : s;\n }, o;\n }(c)\n);\nexport {\n y as OTLPTraceExporter\n};\n","import \"../../../api/build/esm/index.mjs\";\nimport { isListenerObject as p } from \"./util.mjs\";\nimport { ROOT_CONTEXT as f } from \"../../../api/build/esm/context/context.mjs\";\nvar c = \"OT_ZONE_CONTEXT\", l = (\n /** @class */\n function() {\n function r() {\n this._enabled = !1, this._zoneCounter = 0;\n }\n return r.prototype._activeContextFromZone = function(e) {\n return e && e.get(c) || f;\n }, r.prototype._bindFunction = function(e, n) {\n var t = this, o = function() {\n for (var i = this, a = [], s = 0; s < arguments.length; s++)\n a[s] = arguments[s];\n return t.with(e, function() {\n return n.apply(i, a);\n });\n };\n return Object.defineProperty(o, \"length\", {\n enumerable: !1,\n configurable: !0,\n writable: !1,\n value: n.length\n }), o;\n }, r.prototype._bindListener = function(e, n) {\n var t = n;\n return t.__ot_listeners !== void 0 || (t.__ot_listeners = {}, typeof t.addEventListener == \"function\" && (t.addEventListener = this._patchAddEventListener(t, t.addEventListener, e)), typeof t.removeEventListener == \"function\" && (t.removeEventListener = this._patchRemoveEventListener(t, t.removeEventListener))), n;\n }, r.prototype._createZoneName = function() {\n this._zoneCounter++;\n var e = Math.random();\n return this._zoneCounter + \"-\" + e;\n }, r.prototype._createZone = function(e, n) {\n var t;\n return Zone.current.fork({\n name: e,\n properties: (t = {}, t[c] = n, t)\n });\n }, r.prototype._getActiveZone = function() {\n return Zone.current;\n }, r.prototype._patchAddEventListener = function(e, n, t) {\n var o = this;\n return function(i, a, s) {\n e.__ot_listeners === void 0 && (e.__ot_listeners = {});\n var u = e.__ot_listeners[i];\n u === void 0 && (u = /* @__PURE__ */ new WeakMap(), e.__ot_listeners[i] = u);\n var _ = o.bind(t, a);\n return u.set(a, _), n.call(this, i, _, s);\n };\n }, r.prototype._patchRemoveEventListener = function(e, n) {\n return function(t, o) {\n if (e.__ot_listeners === void 0 || e.__ot_listeners[t] === void 0)\n return n.call(this, t, o);\n var i = e.__ot_listeners[t], a = i.get(o);\n return i.delete(o), n.call(this, t, a || o);\n };\n }, r.prototype.active = function() {\n if (!this._enabled)\n return f;\n var e = this._getActiveZone(), n = this._activeContextFromZone(e);\n return n || f;\n }, r.prototype.bind = function(e, n) {\n return e === void 0 && (e = this.active()), typeof n == \"function\" ? this._bindFunction(e, n) : (p(n) && this._bindListener(e, n), n);\n }, r.prototype.disable = function() {\n return this._enabled = !1, this;\n }, r.prototype.enable = function() {\n return this._enabled = !0, this;\n }, r.prototype.with = function(e, n, t) {\n for (var o = [], i = 3; i < arguments.length; i++)\n o[i - 3] = arguments[i];\n var a = this._createZoneName(), s = this._createZone(a, e);\n return s.run(n, t, o);\n }, r;\n }()\n);\nexport {\n l as ZoneContextManager\n};\n","function t(e) {\n return e === void 0 && (e = {}), typeof e.addEventListener == \"function\" && typeof e.removeEventListener == \"function\";\n}\nexport {\n t as isListenerObject\n};\n","/**\n * @license Angular v