@myop/react-native 0.0.5 → 0.0.7

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
package/README.md CHANGED
@@ -1,19 +1,14 @@
1
1
  # @myop/react-native
2
2
 
3
- [![npm version](https://img.shields.io/npm/v/@myop/react-native.svg)](https://www.npmjs.com/package/@myop/react-native)
4
- [![license](https://img.shields.io/npm/l/@myop/react-native.svg)](https://github.com/myop-dev/react-native/blob/main/LICENSE)
3
+ Official React Native bindings for embedding [Myop](https://myop.dev) components in your React Native applications.
5
4
 
6
- Embed [Myop](https://myop.dev) components in your React Native applications.
5
+ Myop components are framework-agnostic UI components that can be updated in real-time without redeploying your application. Build once, embed anywhere, and iterate instantly. Perfect for teams that need to ship UI changes fast, A/B test components, or empower non-developers to customize the interface. Myop is also the safest way to adopt AI-generated components in your application—whether created by developers or non-developers—with built-in sandboxing and controlled integration.
7
6
 
8
- ## Features
7
+ [![npm version](https://img.shields.io/npm/v/@myop/react-native.svg)](https://www.npmjs.com/package/@myop/react-native)
8
+ [![License: MIT](https://img.shields.io/badge/License-MIT-blue.svg)](https://opensource.org/licenses/MIT)
9
+ [![Discord](https://img.shields.io/badge/Discord-Join%20us-5865F2?logo=discord&logoColor=white)](https://myop.dev/discord)
9
10
 
10
- - Load Myop components by ID or custom configuration
11
- - Two-way communication between React Native and embedded components
12
- - Customizable loading and fallback states
13
- - Component preloading for instant rendering
14
- - Full component proxy API for DOM manipulation
15
- - Configurable scroll, zoom, and text selection
16
- - TypeScript support
11
+ [Website](https://www.myop.dev/) | [Documentation](https://docs.myop.dev/) | [Dashboard](https://dashboard.myop.dev/) | [Discord](https://myop.dev/discord)
17
12
 
18
13
  ## Installation
19
14
 
@@ -27,6 +22,85 @@ Install the required peer dependency:
27
22
  npm install react-native-webview
28
23
  ```
29
24
 
25
+ ## Auto-Generated React Native Components
26
+
27
+ Myop automatically generates a typed React Native component package for every component you create in the [dashboard](https://dashboard.myop.dev/). Install it directly via npm:
28
+
29
+ ```bash
30
+ npm install https://cloud.myop.dev/npm/{component-id}/react-native
31
+ ```
32
+
33
+ Then import and use it like any React Native component. For example, if you created a table component called "users-table" in the dashboard:
34
+
35
+ ```tsx
36
+ import { UsersTable } from "@myop/users-table";
37
+
38
+ export default function App() {
39
+ const users = [
40
+ { id: 1, name: "Alice", email: "alice@example.com", role: "Admin" },
41
+ { id: 2, name: "Bob", email: "bob@example.com", role: "User" },
42
+ { id: 3, name: "Charlie", email: "charlie@example.com", role: "User" },
43
+ ];
44
+
45
+ return (
46
+ <UsersTable
47
+ data={{ rows: users }}
48
+ onRowClicked={(payload) => {
49
+ console.log("Selected user:", payload.rowData);
50
+ }}
51
+ onDeleteClicked={(payload) => {
52
+ deleteUser(payload.userId);
53
+ }}
54
+ onExportRequested={(payload) => {
55
+ exportToFormat(payload.format); // "csv" | "xlsx"
56
+ }}
57
+ style={{ flex: 1 }}
58
+ />
59
+ );
60
+ }
61
+ ```
62
+
63
+ **Why this is powerful:**
64
+
65
+ - **Fully typed** — The generated package includes complete TypeScript types for your component's data interface and all CTA event payloads
66
+ - **Auto loaded** — Components are fetched and rendered automatically, no manual setup required
67
+ - **Not in your code** — The actual component implementation lives on Myop and is loaded at runtime. Update your component in the dashboard and it's instantly live—no rebuild, no redeploy
68
+ - **Zero bundle impact** — Auto-generated component packages are just thin typed wrappers. The actual component implementations are loaded at runtime via WebView, meaning your Myop components can be as complex, feature-rich, and heavy as you need without adding to your application bundle
69
+
70
+ **Environment options:**
71
+
72
+ Set the default environment for all components using `setEnvironment`:
73
+
74
+ ```tsx
75
+ import { setEnvironment } from "@myop/react-native";
76
+
77
+ // Set default environment for all component loads
78
+ setEnvironment("staging");
79
+ ```
80
+
81
+ You can also override the environment directly on a specific component:
82
+
83
+ ```tsx
84
+ <UsersTable
85
+ data={{ rows: users }}
86
+ preview={true} // Load unpublished preview version
87
+ environment="staging" // Load from specific environment (prod, staging, etc.)
88
+ style={{ flex: 1 }}
89
+ />
90
+ ```
91
+
92
+ Environments are fully configurable in the [dashboard](https://dashboard.myop.dev/), allowing you to test changes in staging before publishing to production.
93
+
94
+ For more details on auto-generated packages, see the [Auto-Generated Packages documentation](https://docs.myop.dev/docs/learnMyop/AutoGeneratedPackages).
95
+
96
+ ## Requirements
97
+
98
+ | Dependency | Version |
99
+ |------------|---------|
100
+ | React | >= 16.8.0 |
101
+ | React Native | >= 0.60.0 |
102
+ | react-native-webview | >= 11.0.0 |
103
+
30
104
  ## Quick Start
31
105
 
32
106
  ```tsx
@@ -124,6 +198,23 @@ component?.show();
124
198
  component?.dispose();
125
199
  ```
126
200
 
201
+ ### Loading & Error States
202
+
203
+ By default, no loader is shown while the component loads. The Myop-branded fallback is displayed automatically on error.
204
+
205
+ ### Using the Default Myop Loader
206
+
207
+ ```tsx
208
+ import { MyopComponent, MyopLoader } from '@myop/react-native';
209
+
210
+ <MyopComponent
211
+ componentId="abc123"
212
+ loader={<MyopLoader />} // Opt-in to default Myop loader
213
+ fadeDuration={300}
214
+ style={{ flex: 1 }}
215
+ />
216
+ ```
217
+
127
218
  ### Custom Loading State
128
219
 
129
220
  Provide your own loading component:
@@ -143,13 +234,13 @@ import { ActivityIndicator, View } from 'react-native';
143
234
  />
144
235
  ```
145
236
 
146
- Set `loader={null}` to disable the loading state entirely.
147
-
148
- ### Custom Fallback State
237
+ ### Custom Error Fallback
149
238
 
150
239
  Display a custom view when the component fails to load:
151
240
 
152
241
  ```tsx
242
+ import { MyopComponent, MyopFallback } from '@myop/react-native';
243
+
153
244
  <MyopComponent
154
245
  componentId="abc123"
155
246
  fallback={
@@ -160,6 +251,13 @@ Display a custom view when the component fails to load:
160
251
  onError={(error) => console.error('Load failed:', error)}
161
252
  style={{ flex: 1 }}
162
253
  />
254
+
255
+ // Or use the default Myop fallback explicitly
256
+ <MyopComponent
257
+ componentId="abc123"
258
+ fallback={<MyopFallback />}
259
+ style={{ flex: 1 }}
260
+ />
163
261
  ```
164
262
 
165
263
  ### Using Component Configuration
@@ -265,8 +363,8 @@ const repo = getCloudRepository();
265
363
  | `on` | `(action: string, payload?: any) => void` | - | Handler for `myop_cta_handler` events |
266
364
  | `onLoad` | `(proxy: IMyopComponentProxy) => void` | - | Callback with component proxy when loaded |
267
365
  | `onError` | `(error: string) => void` | - | Callback when component fails to load |
268
- | `loader` | `ReactNode` | `<MyopLoader />` | Custom loading component |
269
- | `fallback` | `ReactNode` | `<MyopFallback />` | Custom fallback component |
366
+ | `loader` | `ReactNode` | `null` | Loading component (default: no loader). Use `<MyopLoader />` for default Myop loader |
367
+ | `fallback` | `ReactNode` | `<MyopFallback />` | Error fallback component (default: Myop-branded fallback) |
270
368
  | `fadeDuration` | `number` | `200` | Loader fade-out duration in ms |
271
369
  | `environment` | `string` | `"production"` | Target environment |
272
370
  | `preview` | `boolean` | `false` | Load preview version of component |
@@ -338,18 +436,6 @@ interface MyopLoaderRef {
338
436
  }
339
437
  ```
340
438
 
341
- ## Requirements
342
-
343
- | Dependency | Version |
344
- |------------|---------|
345
- | React | >= 16.8.0 |
346
- | React Native | >= 0.60.0 |
347
- | react-native-webview | >= 11.0.0 |
348
-
349
- ## Contributing
350
-
351
- Contributions are welcome. Please open an issue to discuss proposed changes before submitting a pull request.
352
-
353
439
  ## License
354
440
 
355
441
  MIT
@@ -1 +1 @@
1
- {"version":3,"file":"MyopComponent.d.ts","sourceRoot":"","sources":["../src/MyopComponent.tsx"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,EAAmB,SAAS,EAAuD,MAAM,OAAO,CAAC;AAG/G,OAAO,EAAC,SAAS,EAAE,SAAS,EAAC,MAAM,cAAc,CAAC;AAClD,OAAO,KAAK,EAAC,wBAAwB,EAAC,MAAM,SAAS,CAAC;AAuEtD;;GAEG;AACH,MAAM,WAAW,aAAa;IAC1B,6EAA6E;IAC7E,GAAG,EAAE,CAAC,IAAI,EAAE,MAAM,EAAE,KAAK,EAAE,GAAG,KAAK,IAAI,CAAC;IACxC,yFAAyF;IACzF,GAAG,EAAE,CAAC,IAAI,EAAE,MAAM,KAAK,OAAO,CAAC,GAAG,CAAC,CAAC;IACpC,wCAAwC;IACxC,KAAK,EAAE;QACH,GAAG,EAAE,CAAC,QAAQ,EAAE,MAAM,EAAE,KAAK,EAAE,MAAM,KAAK,IAAI,CAAC;QAC/C,GAAG,EAAE,CAAC,QAAQ,EAAE,MAAM,KAAK,OAAO,CAAC,MAAM,CAAC,CAAC;KAC9C,CAAC;CACL;AAED;;;GAGG;AACH,MAAM,WAAW,mBAAmB;IAChC,mBAAmB;IACnB,EAAE,EAAE,MAAM,CAAC;IAEX,iEAAiE;IACjE,KAAK,EAAE;QACH,mBAAmB,EAAE,CAAC,IAAI,EAAE,GAAG,KAAK,IAAI,CAAC;QACzC,gBAAgB,EAAE,CAAC,CAAC,MAAM,EAAE,MAAM,EAAE,OAAO,CAAC,EAAE,GAAG,KAAK,IAAI,CAAC,GAAG,IAAI,CAAC;KACtE,CAAC;IAEF,yCAAyC;IACzC,OAAO,EAAE,aAAa,CAAC;IAEvB,4BAA4B;IAC5B,OAAO,EAAE,MAAM,IAAI,CAAC;IAEpB,yBAAyB;IACzB,IAAI,EAAE,MAAM,IAAI,CAAC;IAEjB,yBAAyB;IACzB,IAAI,EAAE,MAAM,IAAI,CAAC;IAEjB,oCAAoC;IACpC,OAAO,EAAE,MAAM,IAAI,CAAC;CACvB;AAED,UAAU,UAAU;IAChB,KAAK,CAAC,EAAE,SAAS,CAAC,SAAS,CAAC,GAAG,SAAS,CAAC;IACzC,WAAW,CAAC,EAAE,MAAM,CAAC;IACrB,eAAe,CAAC,EAAE,wBAAwB,CAAC;IAC3C,MAAM,CAAC,EAAE,CAAC,aAAa,EAAE,mBAAmB,KAAK,IAAI,CAAC;IACtD,OAAO,CAAC,EAAE,CAAC,KAAK,EAAE,MAAM,KAAK,IAAI,CAAC;IAClC,EAAE,CAAC,EAAE,CAAC,MAAM,EAAE,MAAM,EAAE,OAAO,CAAC,EAAE,GAAG,KAAK,IAAI,CAAC;IAC7C,IAAI,CAAC,EAAE,GAAG,CAAC;IACX,MAAM,CAAC,EAAE,SAAS,CAAC;IACnB,QAAQ,CAAC,EAAE,SAAS,CAAC;IACrB,YAAY,CAAC,EAAE,MAAM,CAAC;IACtB,WAAW,CAAC,EAAE,MAAM,CAAC;IACrB,OAAO,CAAC,EAAE,OAAO,CAAC;IAClB,aAAa,CAAC,EAAE,OAAO,CAAC;IACxB,WAAW,CAAC,EAAE,OAAO,CAAC;IACtB,gBAAgB,CAAC,EAAE,OAAO,CAAC;CAC9B;AAED,eAAO,MAAM,aAAa,GAAI,OAAO,UAAU,sBAkU9C,CAAA"}
1
+ {"version":3,"file":"MyopComponent.d.ts","sourceRoot":"","sources":["../src/MyopComponent.tsx"],"names":[],"mappings":"AAAA,OAAO,KAAK,EAAE,EAAmB,SAAS,EAAuD,MAAM,OAAO,CAAC;AAG/G,OAAO,EAAC,SAAS,EAAE,SAAS,EAAC,MAAM,cAAc,CAAC;AAClD,OAAO,KAAK,EAAC,wBAAwB,EAAC,MAAM,SAAS,CAAC;AAuEtD;;GAEG;AACH,MAAM,WAAW,aAAa;IAC1B,6EAA6E;IAC7E,GAAG,EAAE,CAAC,IAAI,EAAE,MAAM,EAAE,KAAK,EAAE,GAAG,KAAK,IAAI,CAAC;IACxC,yFAAyF;IACzF,GAAG,EAAE,CAAC,IAAI,EAAE,MAAM,KAAK,OAAO,CAAC,GAAG,CAAC,CAAC;IACpC,wCAAwC;IACxC,KAAK,EAAE;QACH,GAAG,EAAE,CAAC,QAAQ,EAAE,MAAM,EAAE,KAAK,EAAE,MAAM,KAAK,IAAI,CAAC;QAC/C,GAAG,EAAE,CAAC,QAAQ,EAAE,MAAM,KAAK,OAAO,CAAC,MAAM,CAAC,CAAC;KAC9C,CAAC;CACL;AAED;;;GAGG;AACH,MAAM,WAAW,mBAAmB;IAChC,mBAAmB;IACnB,EAAE,EAAE,MAAM,CAAC;IAEX,iEAAiE;IACjE,KAAK,EAAE;QACH,mBAAmB,EAAE,CAAC,IAAI,EAAE,GAAG,KAAK,IAAI,CAAC;QACzC,gBAAgB,EAAE,CAAC,CAAC,MAAM,EAAE,MAAM,EAAE,OAAO,CAAC,EAAE,GAAG,KAAK,IAAI,CAAC,GAAG,IAAI,CAAC;KACtE,CAAC;IAEF,yCAAyC;IACzC,OAAO,EAAE,aAAa,CAAC;IAEvB,4BAA4B;IAC5B,OAAO,EAAE,MAAM,IAAI,CAAC;IAEpB,yBAAyB;IACzB,IAAI,EAAE,MAAM,IAAI,CAAC;IAEjB,yBAAyB;IACzB,IAAI,EAAE,MAAM,IAAI,CAAC;IAEjB,oCAAoC;IACpC,OAAO,EAAE,MAAM,IAAI,CAAC;CACvB;AAED,UAAU,UAAU;IAChB,KAAK,CAAC,EAAE,SAAS,CAAC,SAAS,CAAC,GAAG,SAAS,CAAC;IACzC,WAAW,CAAC,EAAE,MAAM,CAAC;IACrB,eAAe,CAAC,EAAE,wBAAwB,CAAC;IAC3C,MAAM,CAAC,EAAE,CAAC,aAAa,EAAE,mBAAmB,KAAK,IAAI,CAAC;IACtD,OAAO,CAAC,EAAE,CAAC,KAAK,EAAE,MAAM,KAAK,IAAI,CAAC;IAClC,EAAE,CAAC,EAAE,CAAC,MAAM,EAAE,MAAM,EAAE,OAAO,CAAC,EAAE,GAAG,KAAK,IAAI,CAAC;IAC7C,IAAI,CAAC,EAAE,GAAG,CAAC;IACX,MAAM,CAAC,EAAE,SAAS,CAAC;IACnB,QAAQ,CAAC,EAAE,SAAS,CAAC;IACrB,YAAY,CAAC,EAAE,MAAM,CAAC;IACtB,WAAW,CAAC,EAAE,MAAM,CAAC;IACrB,OAAO,CAAC,EAAE,OAAO,CAAC;IAClB,aAAa,CAAC,EAAE,OAAO,CAAC;IACxB,WAAW,CAAC,EAAE,OAAO,CAAC;IACtB,gBAAgB,CAAC,EAAE,OAAO,CAAC;CAC9B;AAED,eAAO,MAAM,aAAa,GAAI,OAAO,UAAU,sBAgU9C,CAAA"}
@@ -91,7 +91,6 @@ const getHtml = (zoomEnabled, selectionEnabled) => {
91
91
  }
92
92
  return html;
93
93
  };
94
- const MyopLoader_1 = require("./MyopLoader");
95
94
  const MyopFallback_1 = require("./MyopFallback");
96
95
  const index_1 = require("./index");
97
96
  const MyopComponent = (props) => {
@@ -368,11 +367,9 @@ const MyopComponent = (props) => {
368
367
  }, []);
369
368
  return (react_1.default.createElement(react_native_1.View, { style: props.style ? props.style : styles.root },
370
369
  react_1.default.createElement(react_native_webview_1.WebView, { ref: webviewRef, originWhitelist: ['*'], source: { html: getHtml((_b = props.zoomEnabled) !== null && _b !== void 0 ? _b : false, (_c = props.selectionEnabled) !== null && _c !== void 0 ? _c : false) }, onMessage: onMessage, style: styles.webview, javaScriptEnabled: true, domStorageEnabled: true, mixedContentMode: "always", allowFileAccess: true, allowUniversalAccessFromFileURLs: true, overScrollMode: "never", scrollEnabled: (_d = props.scrollEnabled) !== null && _d !== void 0 ? _d : false }),
371
- showLoader && (react_1.default.createElement(react_native_1.View, { style: styles.loaderContainer }, props.loader !== undefined
372
- ? ((0, react_1.isValidElement)(props.loader)
373
- ? (0, react_1.cloneElement)(props.loader, { ref: loaderRef })
374
- : props.loader)
375
- : react_1.default.createElement(MyopLoader_1.MyopLoader, { ref: loaderRef }))),
370
+ showLoader && props.loader !== undefined && (react_1.default.createElement(react_native_1.View, { style: styles.loaderContainer }, (0, react_1.isValidElement)(props.loader)
371
+ ? (0, react_1.cloneElement)(props.loader, { ref: loaderRef })
372
+ : props.loader)),
376
373
  showFallback && (react_1.default.createElement(react_native_1.View, { style: styles.loaderContainer }, (_e = props.fallback) !== null && _e !== void 0 ? _e : react_1.default.createElement(MyopFallback_1.MyopFallback, null)))));
377
374
  };
378
375
  exports.MyopComponent = MyopComponent;
@@ -1 +1 @@
1
- {"version":3,"file":"MyopComponent.js","sourceRoot":"","sources":["../src/MyopComponent.tsx"],"names":[],"mappings":";;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;AAAA,+CAA+G;AAC/G,+CAA8C;AAC9C,+DAA6C;AAG7C,mEAA6C;AAE7C,MAAM,OAAO,GAAG,CAAC,WAAoB,EAAE,gBAAyB,EAAE,EAAE;IAChE,IAAI,IAAI,GAAG,4BAAI,CAAC;IAEhB,eAAe;IACf,IAAI,CAAC,WAAW,EAAE,CAAC;QACf,IAAI,GAAG,IAAI,CAAC,OAAO,CACf,uCAAuC,EACvC,4EAA4E,CAC/E,CAAC;IACN,CAAC;IAED,yCAAyC;IACzC,IAAI,CAAC,gBAAgB,EAAE,CAAC;QACpB,MAAM,WAAW,GAAG;;;;;;;;;;;SAWnB,CAAC;QACF,IAAI,GAAG,IAAI,CAAC,OAAO,CAAC,UAAU,EAAE,WAAW,GAAG,UAAU,CAAC,CAAC;QAE1D,sCAAsC;QACtC,IAAI,GAAG,IAAI,CAAC,OAAO,CACf,SAAS,EACT;;gCAEoB,WAAW;;;;;;;;;;;;;;;;;;;;;;;;;6BAyBd,CACpB,CAAC;IACN,CAAC;IAED,OAAO,IAAI,CAAC;AAChB,CAAC,CAAC;AACF,6CAAwC;AAExC,iDAA4C;AAC5C,mCAAwD;AAiEjD,MAAM,aAAa,GAAG,CAAC,KAAiB,EAAE,EAAE;;IAC/C,MAAM,UAAU,GAAG,IAAA,cAAM,EAAU,IAAI,CAAC,CAAC;IACzC,MAAM,SAAS,GAAG,IAAA,cAAM,EAAgB,IAAI,CAAC,CAAC;IAC9C,MAAM,WAAW,GAAG,IAAA,cAAM,EAAC,KAAK,CAAC,CAAC;IAClC,MAAM,kBAAkB,GAAG,IAAA,cAAM,EAAoC,IAAI,GAAG,EAAE,CAAC,CAAC;IAEhF,6DAA6D;IAC7D,MAAM,oBAAoB,GAAG,KAAK,CAAC,WAAW;QAC1C,CAAC,CAAC,IAAA,mBAAW,EAAC,KAAK,CAAC,WAAW,EAAE,KAAK,CAAC,WAAW,EAAE,KAAK,CAAC,OAAO,CAAC;QAClE,CAAC,CAAC,KAAK,CAAC;IACZ,MAAM,CAAC,UAAU,EAAE,aAAa,CAAC,GAAG,IAAA,gBAAQ,EAAC,CAAC,oBAAoB,CAAC,CAAC;IACpE,MAAM,CAAC,YAAY,EAAE,eAAe,CAAC,GAAG,IAAA,gBAAQ,EAAC,KAAK,CAAC,CAAC;IACxD,MAAM,CAAC,iBAAiB,EAAE,oBAAoB,CAAC,GAAG,IAAA,gBAAQ,EAAC,KAAK,CAAC,CAAC;IAClE,MAAM,YAAY,GAAG,MAAA,KAAK,CAAC,YAAY,mCAAI,GAAG,CAAC;IAE/C,sDAAsD;IACtD,MAAM,iBAAiB,GAAG,IAAA,mBAAW,EAAC,CAAC,IAAS,EAAE,EAAE;QAChD,IAAI,CAAC,UAAU,CAAC,OAAO,IAAI,CAAC,iBAAiB;YAAE,OAAO;QACtD,MAAM,OAAO,GAAG,kBAAkB,CAAC,IAAI,CAAC,SAAS,CAAC,IAAI,CAAC,CAAC,CAAC;QACzD,UAAU,CAAC,OAAO,CAAC,gBAAgB,CAAC;;gGAEoD,OAAO;;;SAG9F,CAAC,CAAC;IACP,CAAC,EAAE,CAAC,iBAAiB,CAAC,CAAC,CAAC;IAExB,8EAA8E;IAC9E,IAAA,iBAAS,EAAC,GAAG,EAAE;QACX,IAAI,iBAAiB,IAAI,KAAK,CAAC,IAAI,KAAK,SAAS,EAAE,CAAC;YAChD,iBAAiB,CAAC,KAAK,CAAC,IAAI,CAAC,CAAC;QAClC,CAAC;IACL,CAAC,EAAE,CAAC,KAAK,CAAC,IAAI,EAAE,iBAAiB,EAAE,iBAAiB,CAAC,CAAC,CAAC;IAEvD,MAAM,UAAU,GAAG,IAAA,mBAAW,EAAC,GAAG,EAAE;;QAChC,IAAI,MAAA,SAAS,CAAC,OAAO,0CAAE,OAAO,EAAE,CAAC;YAC7B,SAAS,CAAC,OAAO,CAAC,OAAO,CAAC,YAAY,CAAC,CAAC;YACxC,UAAU,CAAC,GAAG,EAAE;gBACZ,aAAa,CAAC,KAAK,CAAC,CAAC;YACzB,CAAC,EAAE,YAAY,CAAC,CAAC;QACrB,CAAC;aAAM,CAAC;YACJ,aAAa,CAAC,KAAK,CAAC,CAAC;QACzB,CAAC;IACL,CAAC,EAAE,CAAC,YAAY,CAAC,CAAC,CAAC;IAEnB,+CAA+C;IAC/C,MAAM,wBAAwB,GAAG,IAAA,mBAAW,EAAC,CAAC,WAAmB,EAAuB,EAAE;QACtF,MAAM,QAAQ,GAAG,CAAC,EAAU,EAAE,EAAE;;YAC5B,MAAA,UAAU,CAAC,OAAO,0CAAE,gBAAgB,CAAC,GAAG,EAAE,SAAS,CAAC,CAAC;QACzD,CAAC,CAAC;QAEF,sDAAsD;QACtD,MAAM,iBAAiB,GAAG,GAAG,EAAE,CAAC,GAAG,IAAI,CAAC,GAAG,EAAE,IAAI,IAAI,CAAC,MAAM,EAAE,CAAC,QAAQ,CAAC,EAAE,CAAC,CAAC,MAAM,CAAC,CAAC,EAAE,CAAC,CAAC,EAAE,CAAC;QAE3F,qCAAqC;QACrC,MAAM,YAAY,GAAkB;YAChC,GAAG,EAAE,CAAC,IAAY,EAAE,KAAU,EAAE,EAAE;gBAC9B,MAAM,OAAO,GAAG,kBAAkB,CAAC,IAAI,CAAC,SAAS,CAAC,KAAK,CAAC,CAAC,CAAC;gBAC1D,QAAQ,CAAC;;yCAEgB,IAAI;;;;;2FAK8C,OAAO;;iBAEjF,CAAC,CAAC;YACP,CAAC;YACD,GAAG,EAAE,CAAC,IAAY,EAAE,EAAE;gBAClB,OAAO,IAAI,OAAO,CAAC,CAAC,OAAO,EAAE,EAAE;oBAC3B,MAAM,SAAS,GAAG,iBAAiB,EAAE,CAAC;oBACtC,kBAAkB,CAAC,OAAO,CAAC,GAAG,CAAC,SAAS,EAAE,OAAO,CAAC,CAAC;oBACnD,QAAQ,CAAC;;6CAEgB,IAAI;;;;;;8CAMH,SAAS;;;;;8CAKT,SAAS;;;;qBAIlC,CAAC,CAAC;gBACP,CAAC,CAAC,CAAC;YACP,CAAC;YACD,KAAK,EAAE;gBACH,GAAG,EAAE,CAAC,QAAgB,EAAE,KAAa,EAAE,EAAE;oBACrC,QAAQ,CAAC;;kEAEqC,QAAQ,SAAS,KAAK;;qBAEnE,CAAC,CAAC;gBACP,CAAC;gBACD,GAAG,EAAE,CAAC,QAAgB,EAAE,EAAE;oBACtB,OAAO,IAAI,OAAO,CAAC,CAAC,OAAO,EAAE,EAAE;wBAC3B,MAAM,SAAS,GAAG,iBAAiB,EAAE,CAAC;wBACtC,kBAAkB,CAAC,OAAO,CAAC,GAAG,CAAC,SAAS,EAAE,OAAO,CAAC,CAAC;wBACnD,QAAQ,CAAC;;oFAEmD,QAAQ;;kDAE1C,SAAS;;;;;kDAKT,SAAS;;;;yBAIlC,CAAC,CAAC;oBACP,CAAC,CAAC,CAAC;gBACP,CAAC;aACJ;SACJ,CAAC;QAEF,OAAO;YACH,EAAE,EAAE,WAAW;YAEf,KAAK,EAAE;gBACH,mBAAmB,EAAE,CAAC,IAAS,EAAE,EAAE;oBAC/B,MAAM,OAAO,GAAG,kBAAkB,CAAC,IAAI,CAAC,SAAS,CAAC,IAAI,CAAC,CAAC,CAAC;oBACzD,QAAQ,CAAC;;4GAE+E,OAAO;;qBAE9F,CAAC,CAAC;gBACP,CAAC;gBACD,gBAAgB,EAAE,IAAI,CAAC,gDAAgD;aAC1E;YAED,OAAO,EAAE,YAAY;YAErB,OAAO,EAAE,GAAG,EAAE;gBACV,QAAQ,CAAC;;;;iBAIR,CAAC,CAAC;YACP,CAAC;YAED,IAAI,EAAE,GAAG,EAAE;gBACP,QAAQ,CAAC;;;;iBAIR,CAAC,CAAC;YACP,CAAC;YAED,IAAI,EAAE,GAAG,EAAE;gBACP,QAAQ,CAAC;;;;iBAIR,CAAC,CAAC;YACP,CAAC;YAED,OAAO,EAAE,GAAG,EAAE;gBACV,QAAQ,CAAC;;;;iBAIR,CAAC,CAAC;YACP,CAAC;SACJ,CAAC;IACN,CAAC,EAAE,EAAE,CAAC,CAAC;IAEP,MAAM,WAAW,GAAG,IAAA,mBAAW,EAAC,CAAC,QAAgB,EAAE,EAAE;QACjD,OAAO,CAAC,KAAK,CAAC,wBAAwB,EAAE,QAAQ,CAAC,CAAC;QAClD,UAAU,EAAE,CAAC;QACb,eAAe,CAAC,IAAI,CAAC,CAAC;QACtB,IAAI,KAAK,CAAC,OAAO,EAAE,CAAC;YAChB,KAAK,CAAC,OAAO,CAAC,QAAQ,CAAC,CAAC;QAC5B,CAAC;IACL,CAAC,EAAE,CAAC,UAAU,EAAE,KAAK,CAAC,OAAO,CAAC,CAAC,CAAC;IAEhC,MAAM,aAAa,GAAG,IAAA,mBAAW,EAAC,KAAK,IAAI,EAAE;;QACzC,WAAW,CAAC,OAAO,GAAG,KAAK,CAAC;QAE5B,IAAI,CAAC;YACD,IAAI,eAAe,GAAG,IAAI,CAAC;YAE3B,IAAI,KAAK,CAAC,eAAe,EAAE,CAAC;gBACxB,eAAe,GAAG,KAAK,CAAC,eAAe,CAAC;YAC5C,CAAC;iBAAM,IAAI,KAAK,CAAC,WAAW,EAAE,CAAC;gBAC3B,MAAM,GAAG,GAAG,KAAK,CAAC,WAAW,IAAI,IAAA,0BAAkB,GAAE,CAAC,qBAAqB,EAAE,CAAC;gBAE9E,eAAe,GAAG,MAAM,IAAA,0BAAkB,GAAE,CAAC,gBAAgB,CACzD,KAAK,CAAC,WAAW,EACjB,GAAG,EACH,KAAK,CAAC,OAAO,CAChB,CAAC;gBAEF,IAAI,CAAC,eAAe,EAAE,CAAC;oBACnB,WAAW,CAAC,cAAc,KAAK,CAAC,WAAW,aAAa,CAAC,CAAC;oBAC1D,OAAO;gBACX,CAAC;YACL,CAAC;YAED,IAAI,CAAC,eAAe,EAAE,CAAC;gBACnB,WAAW,CAAC,qCAAqC,CAAC,CAAC;gBACnD,OAAO;YACX,CAAC;YAED,IAAI,WAAW,CAAC,OAAO;gBAAE,OAAO;YAEhC,MAAM,OAAO,GAAG,kBAAkB,CAAC,IAAI,CAAC,SAAS,CAAC,eAAe,CAAC,CAAC,CAAC;YAEpE,MAAA,UAAU,CAAC,OAAO,0CAAE,gBAAgB,CAAC;sCACX,OAAO;aAChC,CAAC,CAAC;QAEP,CAAC;QAAC,OAAO,GAAQ,EAAE,CAAC;YAChB,IAAI,CAAC,WAAW,CAAC,OAAO,EAAE,CAAC;gBACvB,WAAW,CAAC,CAAA,GAAG,aAAH,GAAG,uBAAH,GAAG,CAAE,OAAO,KAAI,eAAe,CAAC,CAAC;YACjD,CAAC;QACL,CAAC;IACL,CAAC,EAAE,CAAC,KAAK,CAAC,eAAe,EAAE,KAAK,CAAC,WAAW,EAAE,KAAK,CAAC,WAAW,EAAE,KAAK,CAAC,OAAO,EAAE,WAAW,CAAC,CAAC,CAAC;IAE9F,MAAM,SAAS,GAAG,IAAA,mBAAW,EAAC,CAAC,KAAU,EAAE,EAAE;;QACzC,MAAM,OAAO,GAAG,KAAK,CAAC,WAAW,CAAC,IAAI,CAAC;QACvC,gEAAgE;QAEhE,IAAI,OAAO,KAAK,eAAe,EAAE,CAAC;YAC9B,0DAA0D;YAC1D,aAAa,EAAE,CAAC;QACpB,CAAC;aAAM,IAAI,OAAO,KAAK,kBAAkB,EAAE,CAAC;YACxC,oBAAoB,CAAC,IAAI,CAAC,CAAC;YAC3B,UAAU,EAAE,CAAC;YACb,qEAAqE;YACrE,IAAI,KAAK,CAAC,IAAI,KAAK,SAAS,EAAE,CAAC;gBAC3B,MAAM,OAAO,GAAG,kBAAkB,CAAC,IAAI,CAAC,SAAS,CAAC,KAAK,CAAC,IAAI,CAAC,CAAC,CAAC;gBAC/D,MAAA,UAAU,CAAC,OAAO,0CAAE,gBAAgB,CAAC;;wGAEmD,OAAO;;iBAE9F,CAAC,CAAC;YACP,CAAC;YACD,IAAI,KAAK,CAAC,MAAM,EAAE,CAAC;gBACf,KAAK,CAAC,MAAM,CAAC,wBAAwB,CAAC,KAAK,CAAC,WAAW,IAAI,SAAS,CAAC,CAAC,CAAC;YAC3E,CAAC;QACL,CAAC;aAAM,IAAI,CAAA,MAAA,OAAO,aAAP,OAAO,uBAAP,OAAO,CAAE,UAAU,wDAAG,kBAAkB,CAAC,MAAI,MAAA,OAAO,aAAP,OAAO,uBAAP,OAAO,CAAE,UAAU,wDAAG,iBAAiB,CAAC,CAAA,EAAE,CAAC;YAC/F,MAAM,QAAQ,GAAG,OAAO,CAAC,OAAO,CAAC,kBAAkB,EAAE,EAAE,CAAC,CAAC,OAAO,CAAC,iBAAiB,EAAE,EAAE,CAAC,CAAC;YACxF,OAAO,CAAC,KAAK,CAAC,0CAA0C,EAAE,QAAQ,CAAC,CAAC;YACpE,UAAU,EAAE,CAAC;YACb,eAAe,CAAC,IAAI,CAAC,CAAC;YACtB,IAAI,KAAK,CAAC,OAAO,EAAE,CAAC;gBAChB,KAAK,CAAC,OAAO,CAAC,QAAQ,CAAC,CAAC;YAC5B,CAAC;QACL,CAAC;aAAM,IAAI,MAAA,OAAO,aAAP,OAAO,uBAAP,OAAO,CAAE,UAAU,wDAAG,MAAM,CAAC,EAAE,CAAC;YACvC,gCAAgC;YAChC,IAAI,CAAC;gBACD,MAAM,OAAO,GAAG,IAAI,CAAC,KAAK,CAAC,OAAO,CAAC,SAAS,CAAC,CAAC,CAAC,CAAC,CAAC;gBACjD,IAAI,KAAK,CAAC,EAAE,EAAE,CAAC;oBACX,KAAK,CAAC,EAAE,CAAC,OAAO,CAAC,MAAM,EAAE,OAAO,CAAC,OAAO,CAAC,CAAC;gBAC9C,CAAC;YACL,CAAC;YAAC,OAAO,CAAC,EAAE,CAAC;gBACT,OAAO,CAAC,KAAK,CAAC,8CAA8C,EAAE,CAAC,CAAC,CAAC;YACrE,CAAC;QACL,CAAC;aAAM,IAAI,MAAA,OAAO,aAAP,OAAO,uBAAP,OAAO,CAAE,UAAU,wDAAG,aAAa,CAAC,EAAE,CAAC;YAC9C,iCAAiC;YACjC,IAAI,CAAC;gBACD,MAAM,MAAM,GAAG,IAAI,CAAC,KAAK,CAAC,OAAO,CAAC,SAAS,CAAC,EAAE,CAAC,CAAC,CAAC;gBACjD,MAAM,QAAQ,GAAG,kBAAkB,CAAC,OAAO,CAAC,GAAG,CAAC,MAAM,CAAC,SAAS,CAAC,CAAC;gBAClE,IAAI,QAAQ,EAAE,CAAC;oBACX,QAAQ,CAAC,MAAM,CAAC,KAAK,CAAC,CAAC;oBACvB,kBAAkB,CAAC,OAAO,CAAC,MAAM,CAAC,MAAM,CAAC,SAAS,CAAC,CAAC;gBACxD,CAAC;YACL,CAAC;YAAC,OAAO,CAAC,EAAE,CAAC;gBACT,OAAO,CAAC,KAAK,CAAC,qDAAqD,EAAE,CAAC,CAAC,CAAC;YAC5E,CAAC;QACL,CAAC;IACL,CAAC,EAAE,CAAC,aAAa,EAAE,KAAK,CAAC,MAAM,EAAE,KAAK,CAAC,OAAO,EAAE,KAAK,CAAC,EAAE,EAAE,UAAU,EAAE,wBAAwB,CAAC,CAAC,CAAC;IAEjG,qBAAqB;IACrB,IAAA,iBAAS,EAAC,GAAG,EAAE;QACX,OAAO,GAAG,EAAE;YACR,WAAW,CAAC,OAAO,GAAG,IAAI,CAAC;QAC/B,CAAC,CAAC;IACN,CAAC,EAAE,EAAE,CAAC,CAAC;IAEP,OAAO,CACH,8BAAC,mBAAI,IAAC,KAAK,EAAE,KAAK,CAAC,KAAK,CAAC,CAAC,CAAC,KAAK,CAAC,KAAK,CAAC,CAAC,CAAC,MAAM,CAAC,IAAI;QAChD,8BAAC,8BAAO,IACJ,GAAG,EAAE,UAAU,EACf,eAAe,EAAE,CAAC,GAAG,CAAC,EACtB,MAAM,EAAE,EAAC,IAAI,EAAE,OAAO,CAAC,MAAA,KAAK,CAAC,WAAW,mCAAI,KAAK,EAAE,MAAA,KAAK,CAAC,gBAAgB,mCAAI,KAAK,CAAC,EAAC,EACpF,SAAS,EAAE,SAAS,EACpB,KAAK,EAAE,MAAM,CAAC,OAAO,EACrB,iBAAiB,EAAE,IAAI,EACvB,iBAAiB,EAAE,IAAI,EACvB,gBAAgB,EAAC,QAAQ,EACzB,eAAe,EAAE,IAAI,EACrB,gCAAgC,EAAE,IAAI,EACtC,cAAc,EAAC,OAAO,EACtB,aAAa,EAAE,MAAA,KAAK,CAAC,aAAa,mCAAI,KAAK,GAC7C;QACD,UAAU,IAAI,CACX,8BAAC,mBAAI,IAAC,KAAK,EAAE,MAAM,CAAC,eAAe,IAC9B,KAAK,CAAC,MAAM,KAAK,SAAS;YACvB,CAAC,CAAC,CAAC,IAAA,sBAAc,EAAC,KAAK,CAAC,MAAM,CAAC;gBAC3B,CAAC,CAAC,IAAA,oBAAY,EAAC,KAAK,CAAC,MAAiC,EAAE,EAAC,GAAG,EAAE,SAAS,EAAC,CAAC;gBACzE,CAAC,CAAC,KAAK,CAAC,MAAM,CAAC;YACnB,CAAC,CAAC,8BAAC,uBAAU,IAAC,GAAG,EAAE,SAAS,GAAI,CAEjC,CACV;QACA,YAAY,IAAI,CACb,8BAAC,mBAAI,IAAC,KAAK,EAAE,MAAM,CAAC,eAAe,IAC9B,MAAA,KAAK,CAAC,QAAQ,mCAAI,8BAAC,2BAAY,OAAG,CAChC,CACV,CACE,CACV,CAAC;AACN,CAAC,CAAA;AAlUY,QAAA,aAAa,iBAkUzB;AAED,MAAM,MAAM,GAAG,yBAAU,CAAC,MAAM,CAAC;IAC7B,IAAI,EAAE;QACF,KAAK,EAAE,MAAM;QACb,MAAM,EAAE,MAAM;KACjB;IACD,OAAO,EAAE;QACL,IAAI,EAAE,CAAC;KACV;IACD,eAAe,kCACR,yBAAU,CAAC,kBAAkB,KAChC,MAAM,EAAE,CAAC,GACZ;CACJ,CAAC,CAAC"}
1
+ {"version":3,"file":"MyopComponent.js","sourceRoot":"","sources":["../src/MyopComponent.tsx"],"names":[],"mappings":";;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;AAAA,+CAA+G;AAC/G,+CAA8C;AAC9C,+DAA6C;AAG7C,mEAA6C;AAE7C,MAAM,OAAO,GAAG,CAAC,WAAoB,EAAE,gBAAyB,EAAE,EAAE;IAChE,IAAI,IAAI,GAAG,4BAAI,CAAC;IAEhB,eAAe;IACf,IAAI,CAAC,WAAW,EAAE,CAAC;QACf,IAAI,GAAG,IAAI,CAAC,OAAO,CACf,uCAAuC,EACvC,4EAA4E,CAC/E,CAAC;IACN,CAAC;IAED,yCAAyC;IACzC,IAAI,CAAC,gBAAgB,EAAE,CAAC;QACpB,MAAM,WAAW,GAAG;;;;;;;;;;;SAWnB,CAAC;QACF,IAAI,GAAG,IAAI,CAAC,OAAO,CAAC,UAAU,EAAE,WAAW,GAAG,UAAU,CAAC,CAAC;QAE1D,sCAAsC;QACtC,IAAI,GAAG,IAAI,CAAC,OAAO,CACf,SAAS,EACT;;gCAEoB,WAAW;;;;;;;;;;;;;;;;;;;;;;;;;6BAyBd,CACpB,CAAC;IACN,CAAC;IAED,OAAO,IAAI,CAAC;AAChB,CAAC,CAAC;AAGF,iDAA4C;AAC5C,mCAAwD;AAiEjD,MAAM,aAAa,GAAG,CAAC,KAAiB,EAAE,EAAE;;IAC/C,MAAM,UAAU,GAAG,IAAA,cAAM,EAAU,IAAI,CAAC,CAAC;IACzC,MAAM,SAAS,GAAG,IAAA,cAAM,EAAgB,IAAI,CAAC,CAAC;IAC9C,MAAM,WAAW,GAAG,IAAA,cAAM,EAAC,KAAK,CAAC,CAAC;IAClC,MAAM,kBAAkB,GAAG,IAAA,cAAM,EAAoC,IAAI,GAAG,EAAE,CAAC,CAAC;IAEhF,6DAA6D;IAC7D,MAAM,oBAAoB,GAAG,KAAK,CAAC,WAAW;QAC1C,CAAC,CAAC,IAAA,mBAAW,EAAC,KAAK,CAAC,WAAW,EAAE,KAAK,CAAC,WAAW,EAAE,KAAK,CAAC,OAAO,CAAC;QAClE,CAAC,CAAC,KAAK,CAAC;IACZ,MAAM,CAAC,UAAU,EAAE,aAAa,CAAC,GAAG,IAAA,gBAAQ,EAAC,CAAC,oBAAoB,CAAC,CAAC;IACpE,MAAM,CAAC,YAAY,EAAE,eAAe,CAAC,GAAG,IAAA,gBAAQ,EAAC,KAAK,CAAC,CAAC;IACxD,MAAM,CAAC,iBAAiB,EAAE,oBAAoB,CAAC,GAAG,IAAA,gBAAQ,EAAC,KAAK,CAAC,CAAC;IAClE,MAAM,YAAY,GAAG,MAAA,KAAK,CAAC,YAAY,mCAAI,GAAG,CAAC;IAE/C,sDAAsD;IACtD,MAAM,iBAAiB,GAAG,IAAA,mBAAW,EAAC,CAAC,IAAS,EAAE,EAAE;QAChD,IAAI,CAAC,UAAU,CAAC,OAAO,IAAI,CAAC,iBAAiB;YAAE,OAAO;QACtD,MAAM,OAAO,GAAG,kBAAkB,CAAC,IAAI,CAAC,SAAS,CAAC,IAAI,CAAC,CAAC,CAAC;QACzD,UAAU,CAAC,OAAO,CAAC,gBAAgB,CAAC;;gGAEoD,OAAO;;;SAG9F,CAAC,CAAC;IACP,CAAC,EAAE,CAAC,iBAAiB,CAAC,CAAC,CAAC;IAExB,8EAA8E;IAC9E,IAAA,iBAAS,EAAC,GAAG,EAAE;QACX,IAAI,iBAAiB,IAAI,KAAK,CAAC,IAAI,KAAK,SAAS,EAAE,CAAC;YAChD,iBAAiB,CAAC,KAAK,CAAC,IAAI,CAAC,CAAC;QAClC,CAAC;IACL,CAAC,EAAE,CAAC,KAAK,CAAC,IAAI,EAAE,iBAAiB,EAAE,iBAAiB,CAAC,CAAC,CAAC;IAEvD,MAAM,UAAU,GAAG,IAAA,mBAAW,EAAC,GAAG,EAAE;;QAChC,IAAI,MAAA,SAAS,CAAC,OAAO,0CAAE,OAAO,EAAE,CAAC;YAC7B,SAAS,CAAC,OAAO,CAAC,OAAO,CAAC,YAAY,CAAC,CAAC;YACxC,UAAU,CAAC,GAAG,EAAE;gBACZ,aAAa,CAAC,KAAK,CAAC,CAAC;YACzB,CAAC,EAAE,YAAY,CAAC,CAAC;QACrB,CAAC;aAAM,CAAC;YACJ,aAAa,CAAC,KAAK,CAAC,CAAC;QACzB,CAAC;IACL,CAAC,EAAE,CAAC,YAAY,CAAC,CAAC,CAAC;IAEnB,+CAA+C;IAC/C,MAAM,wBAAwB,GAAG,IAAA,mBAAW,EAAC,CAAC,WAAmB,EAAuB,EAAE;QACtF,MAAM,QAAQ,GAAG,CAAC,EAAU,EAAE,EAAE;;YAC5B,MAAA,UAAU,CAAC,OAAO,0CAAE,gBAAgB,CAAC,GAAG,EAAE,SAAS,CAAC,CAAC;QACzD,CAAC,CAAC;QAEF,sDAAsD;QACtD,MAAM,iBAAiB,GAAG,GAAG,EAAE,CAAC,GAAG,IAAI,CAAC,GAAG,EAAE,IAAI,IAAI,CAAC,MAAM,EAAE,CAAC,QAAQ,CAAC,EAAE,CAAC,CAAC,MAAM,CAAC,CAAC,EAAE,CAAC,CAAC,EAAE,CAAC;QAE3F,qCAAqC;QACrC,MAAM,YAAY,GAAkB;YAChC,GAAG,EAAE,CAAC,IAAY,EAAE,KAAU,EAAE,EAAE;gBAC9B,MAAM,OAAO,GAAG,kBAAkB,CAAC,IAAI,CAAC,SAAS,CAAC,KAAK,CAAC,CAAC,CAAC;gBAC1D,QAAQ,CAAC;;yCAEgB,IAAI;;;;;2FAK8C,OAAO;;iBAEjF,CAAC,CAAC;YACP,CAAC;YACD,GAAG,EAAE,CAAC,IAAY,EAAE,EAAE;gBAClB,OAAO,IAAI,OAAO,CAAC,CAAC,OAAO,EAAE,EAAE;oBAC3B,MAAM,SAAS,GAAG,iBAAiB,EAAE,CAAC;oBACtC,kBAAkB,CAAC,OAAO,CAAC,GAAG,CAAC,SAAS,EAAE,OAAO,CAAC,CAAC;oBACnD,QAAQ,CAAC;;6CAEgB,IAAI;;;;;;8CAMH,SAAS;;;;;8CAKT,SAAS;;;;qBAIlC,CAAC,CAAC;gBACP,CAAC,CAAC,CAAC;YACP,CAAC;YACD,KAAK,EAAE;gBACH,GAAG,EAAE,CAAC,QAAgB,EAAE,KAAa,EAAE,EAAE;oBACrC,QAAQ,CAAC;;kEAEqC,QAAQ,SAAS,KAAK;;qBAEnE,CAAC,CAAC;gBACP,CAAC;gBACD,GAAG,EAAE,CAAC,QAAgB,EAAE,EAAE;oBACtB,OAAO,IAAI,OAAO,CAAC,CAAC,OAAO,EAAE,EAAE;wBAC3B,MAAM,SAAS,GAAG,iBAAiB,EAAE,CAAC;wBACtC,kBAAkB,CAAC,OAAO,CAAC,GAAG,CAAC,SAAS,EAAE,OAAO,CAAC,CAAC;wBACnD,QAAQ,CAAC;;oFAEmD,QAAQ;;kDAE1C,SAAS;;;;;kDAKT,SAAS;;;;yBAIlC,CAAC,CAAC;oBACP,CAAC,CAAC,CAAC;gBACP,CAAC;aACJ;SACJ,CAAC;QAEF,OAAO;YACH,EAAE,EAAE,WAAW;YAEf,KAAK,EAAE;gBACH,mBAAmB,EAAE,CAAC,IAAS,EAAE,EAAE;oBAC/B,MAAM,OAAO,GAAG,kBAAkB,CAAC,IAAI,CAAC,SAAS,CAAC,IAAI,CAAC,CAAC,CAAC;oBACzD,QAAQ,CAAC;;4GAE+E,OAAO;;qBAE9F,CAAC,CAAC;gBACP,CAAC;gBACD,gBAAgB,EAAE,IAAI,CAAC,gDAAgD;aAC1E;YAED,OAAO,EAAE,YAAY;YAErB,OAAO,EAAE,GAAG,EAAE;gBACV,QAAQ,CAAC;;;;iBAIR,CAAC,CAAC;YACP,CAAC;YAED,IAAI,EAAE,GAAG,EAAE;gBACP,QAAQ,CAAC;;;;iBAIR,CAAC,CAAC;YACP,CAAC;YAED,IAAI,EAAE,GAAG,EAAE;gBACP,QAAQ,CAAC;;;;iBAIR,CAAC,CAAC;YACP,CAAC;YAED,OAAO,EAAE,GAAG,EAAE;gBACV,QAAQ,CAAC;;;;iBAIR,CAAC,CAAC;YACP,CAAC;SACJ,CAAC;IACN,CAAC,EAAE,EAAE,CAAC,CAAC;IAEP,MAAM,WAAW,GAAG,IAAA,mBAAW,EAAC,CAAC,QAAgB,EAAE,EAAE;QACjD,OAAO,CAAC,KAAK,CAAC,wBAAwB,EAAE,QAAQ,CAAC,CAAC;QAClD,UAAU,EAAE,CAAC;QACb,eAAe,CAAC,IAAI,CAAC,CAAC;QACtB,IAAI,KAAK,CAAC,OAAO,EAAE,CAAC;YAChB,KAAK,CAAC,OAAO,CAAC,QAAQ,CAAC,CAAC;QAC5B,CAAC;IACL,CAAC,EAAE,CAAC,UAAU,EAAE,KAAK,CAAC,OAAO,CAAC,CAAC,CAAC;IAEhC,MAAM,aAAa,GAAG,IAAA,mBAAW,EAAC,KAAK,IAAI,EAAE;;QACzC,WAAW,CAAC,OAAO,GAAG,KAAK,CAAC;QAE5B,IAAI,CAAC;YACD,IAAI,eAAe,GAAG,IAAI,CAAC;YAE3B,IAAI,KAAK,CAAC,eAAe,EAAE,CAAC;gBACxB,eAAe,GAAG,KAAK,CAAC,eAAe,CAAC;YAC5C,CAAC;iBAAM,IAAI,KAAK,CAAC,WAAW,EAAE,CAAC;gBAC3B,MAAM,GAAG,GAAG,KAAK,CAAC,WAAW,IAAI,IAAA,0BAAkB,GAAE,CAAC,qBAAqB,EAAE,CAAC;gBAE9E,eAAe,GAAG,MAAM,IAAA,0BAAkB,GAAE,CAAC,gBAAgB,CACzD,KAAK,CAAC,WAAW,EACjB,GAAG,EACH,KAAK,CAAC,OAAO,CAChB,CAAC;gBAEF,IAAI,CAAC,eAAe,EAAE,CAAC;oBACnB,WAAW,CAAC,cAAc,KAAK,CAAC,WAAW,aAAa,CAAC,CAAC;oBAC1D,OAAO;gBACX,CAAC;YACL,CAAC;YAED,IAAI,CAAC,eAAe,EAAE,CAAC;gBACnB,WAAW,CAAC,qCAAqC,CAAC,CAAC;gBACnD,OAAO;YACX,CAAC;YAED,IAAI,WAAW,CAAC,OAAO;gBAAE,OAAO;YAEhC,MAAM,OAAO,GAAG,kBAAkB,CAAC,IAAI,CAAC,SAAS,CAAC,eAAe,CAAC,CAAC,CAAC;YAEpE,MAAA,UAAU,CAAC,OAAO,0CAAE,gBAAgB,CAAC;sCACX,OAAO;aAChC,CAAC,CAAC;QAEP,CAAC;QAAC,OAAO,GAAQ,EAAE,CAAC;YAChB,IAAI,CAAC,WAAW,CAAC,OAAO,EAAE,CAAC;gBACvB,WAAW,CAAC,CAAA,GAAG,aAAH,GAAG,uBAAH,GAAG,CAAE,OAAO,KAAI,eAAe,CAAC,CAAC;YACjD,CAAC;QACL,CAAC;IACL,CAAC,EAAE,CAAC,KAAK,CAAC,eAAe,EAAE,KAAK,CAAC,WAAW,EAAE,KAAK,CAAC,WAAW,EAAE,KAAK,CAAC,OAAO,EAAE,WAAW,CAAC,CAAC,CAAC;IAE9F,MAAM,SAAS,GAAG,IAAA,mBAAW,EAAC,CAAC,KAAU,EAAE,EAAE;;QACzC,MAAM,OAAO,GAAG,KAAK,CAAC,WAAW,CAAC,IAAI,CAAC;QACvC,gEAAgE;QAEhE,IAAI,OAAO,KAAK,eAAe,EAAE,CAAC;YAC9B,0DAA0D;YAC1D,aAAa,EAAE,CAAC;QACpB,CAAC;aAAM,IAAI,OAAO,KAAK,kBAAkB,EAAE,CAAC;YACxC,oBAAoB,CAAC,IAAI,CAAC,CAAC;YAC3B,UAAU,EAAE,CAAC;YACb,qEAAqE;YACrE,IAAI,KAAK,CAAC,IAAI,KAAK,SAAS,EAAE,CAAC;gBAC3B,MAAM,OAAO,GAAG,kBAAkB,CAAC,IAAI,CAAC,SAAS,CAAC,KAAK,CAAC,IAAI,CAAC,CAAC,CAAC;gBAC/D,MAAA,UAAU,CAAC,OAAO,0CAAE,gBAAgB,CAAC;;wGAEmD,OAAO;;iBAE9F,CAAC,CAAC;YACP,CAAC;YACD,IAAI,KAAK,CAAC,MAAM,EAAE,CAAC;gBACf,KAAK,CAAC,MAAM,CAAC,wBAAwB,CAAC,KAAK,CAAC,WAAW,IAAI,SAAS,CAAC,CAAC,CAAC;YAC3E,CAAC;QACL,CAAC;aAAM,IAAI,CAAA,MAAA,OAAO,aAAP,OAAO,uBAAP,OAAO,CAAE,UAAU,wDAAG,kBAAkB,CAAC,MAAI,MAAA,OAAO,aAAP,OAAO,uBAAP,OAAO,CAAE,UAAU,wDAAG,iBAAiB,CAAC,CAAA,EAAE,CAAC;YAC/F,MAAM,QAAQ,GAAG,OAAO,CAAC,OAAO,CAAC,kBAAkB,EAAE,EAAE,CAAC,CAAC,OAAO,CAAC,iBAAiB,EAAE,EAAE,CAAC,CAAC;YACxF,OAAO,CAAC,KAAK,CAAC,0CAA0C,EAAE,QAAQ,CAAC,CAAC;YACpE,UAAU,EAAE,CAAC;YACb,eAAe,CAAC,IAAI,CAAC,CAAC;YACtB,IAAI,KAAK,CAAC,OAAO,EAAE,CAAC;gBAChB,KAAK,CAAC,OAAO,CAAC,QAAQ,CAAC,CAAC;YAC5B,CAAC;QACL,CAAC;aAAM,IAAI,MAAA,OAAO,aAAP,OAAO,uBAAP,OAAO,CAAE,UAAU,wDAAG,MAAM,CAAC,EAAE,CAAC;YACvC,gCAAgC;YAChC,IAAI,CAAC;gBACD,MAAM,OAAO,GAAG,IAAI,CAAC,KAAK,CAAC,OAAO,CAAC,SAAS,CAAC,CAAC,CAAC,CAAC,CAAC;gBACjD,IAAI,KAAK,CAAC,EAAE,EAAE,CAAC;oBACX,KAAK,CAAC,EAAE,CAAC,OAAO,CAAC,MAAM,EAAE,OAAO,CAAC,OAAO,CAAC,CAAC;gBAC9C,CAAC;YACL,CAAC;YAAC,OAAO,CAAC,EAAE,CAAC;gBACT,OAAO,CAAC,KAAK,CAAC,8CAA8C,EAAE,CAAC,CAAC,CAAC;YACrE,CAAC;QACL,CAAC;aAAM,IAAI,MAAA,OAAO,aAAP,OAAO,uBAAP,OAAO,CAAE,UAAU,wDAAG,aAAa,CAAC,EAAE,CAAC;YAC9C,iCAAiC;YACjC,IAAI,CAAC;gBACD,MAAM,MAAM,GAAG,IAAI,CAAC,KAAK,CAAC,OAAO,CAAC,SAAS,CAAC,EAAE,CAAC,CAAC,CAAC;gBACjD,MAAM,QAAQ,GAAG,kBAAkB,CAAC,OAAO,CAAC,GAAG,CAAC,MAAM,CAAC,SAAS,CAAC,CAAC;gBAClE,IAAI,QAAQ,EAAE,CAAC;oBACX,QAAQ,CAAC,MAAM,CAAC,KAAK,CAAC,CAAC;oBACvB,kBAAkB,CAAC,OAAO,CAAC,MAAM,CAAC,MAAM,CAAC,SAAS,CAAC,CAAC;gBACxD,CAAC;YACL,CAAC;YAAC,OAAO,CAAC,EAAE,CAAC;gBACT,OAAO,CAAC,KAAK,CAAC,qDAAqD,EAAE,CAAC,CAAC,CAAC;YAC5E,CAAC;QACL,CAAC;IACL,CAAC,EAAE,CAAC,aAAa,EAAE,KAAK,CAAC,MAAM,EAAE,KAAK,CAAC,OAAO,EAAE,KAAK,CAAC,EAAE,EAAE,UAAU,EAAE,wBAAwB,CAAC,CAAC,CAAC;IAEjG,qBAAqB;IACrB,IAAA,iBAAS,EAAC,GAAG,EAAE;QACX,OAAO,GAAG,EAAE;YACR,WAAW,CAAC,OAAO,GAAG,IAAI,CAAC;QAC/B,CAAC,CAAC;IACN,CAAC,EAAE,EAAE,CAAC,CAAC;IAEP,OAAO,CACH,8BAAC,mBAAI,IAAC,KAAK,EAAE,KAAK,CAAC,KAAK,CAAC,CAAC,CAAC,KAAK,CAAC,KAAK,CAAC,CAAC,CAAC,MAAM,CAAC,IAAI;QAChD,8BAAC,8BAAO,IACJ,GAAG,EAAE,UAAU,EACf,eAAe,EAAE,CAAC,GAAG,CAAC,EACtB,MAAM,EAAE,EAAC,IAAI,EAAE,OAAO,CAAC,MAAA,KAAK,CAAC,WAAW,mCAAI,KAAK,EAAE,MAAA,KAAK,CAAC,gBAAgB,mCAAI,KAAK,CAAC,EAAC,EACpF,SAAS,EAAE,SAAS,EACpB,KAAK,EAAE,MAAM,CAAC,OAAO,EACrB,iBAAiB,EAAE,IAAI,EACvB,iBAAiB,EAAE,IAAI,EACvB,gBAAgB,EAAC,QAAQ,EACzB,eAAe,EAAE,IAAI,EACrB,gCAAgC,EAAE,IAAI,EACtC,cAAc,EAAC,OAAO,EACtB,aAAa,EAAE,MAAA,KAAK,CAAC,aAAa,mCAAI,KAAK,GAC7C;QACD,UAAU,IAAI,KAAK,CAAC,MAAM,KAAK,SAAS,IAAI,CACzC,8BAAC,mBAAI,IAAC,KAAK,EAAE,MAAM,CAAC,eAAe,IAC9B,IAAA,sBAAc,EAAC,KAAK,CAAC,MAAM,CAAC;YACzB,CAAC,CAAC,IAAA,oBAAY,EAAC,KAAK,CAAC,MAAiC,EAAE,EAAC,GAAG,EAAE,SAAS,EAAC,CAAC;YACzE,CAAC,CAAC,KAAK,CAAC,MAAM,CAEf,CACV;QACA,YAAY,IAAI,CACb,8BAAC,mBAAI,IAAC,KAAK,EAAE,MAAM,CAAC,eAAe,IAC9B,MAAA,KAAK,CAAC,QAAQ,mCAAI,8BAAC,2BAAY,OAAG,CAChC,CACV,CACE,CACV,CAAC;AACN,CAAC,CAAA;AAhUY,QAAA,aAAa,iBAgUzB;AAED,MAAM,MAAM,GAAG,yBAAU,CAAC,MAAM,CAAC;IAC7B,IAAI,EAAE;QACF,KAAK,EAAE,MAAM;QACb,MAAM,EAAE,MAAM;KACjB;IACD,OAAO,EAAE;QACL,IAAI,EAAE,CAAC;KACV;IACD,eAAe,kCACR,yBAAU,CAAC,kBAAkB,KAChC,MAAM,EAAE,CAAC,GACZ;CACJ,CAAC,CAAC"}
@@ -1,2 +1,2 @@
1
- export declare const HTML = "\n<!DOCTYPE html>\n<html>\n <head>\n <meta name=\"viewport\" content=\"width=device-width, initial-scale=1.0\">\n <style>\n html, body {\n margin: 0;\n padding: 0;\n width: 100%;\n height: 100%;\n display: flex;\n flex-direction: column;\n justify-content: center;\n align-items: center;\n font-family: sans-serif;\n }\n #myop-container {\n margin: 0;\n padding: 0;\n width: 100%;\n height: 100%;\n }\n </style>\n <script>\"use strict\";var MyopSDK=(()=>{var He=Object.defineProperty,Gn=Object.defineProperties,Jn=Object.getOwnPropertyDescriptor,Xn=Object.getOwnPropertyDescriptors,Qn=Object.getOwnPropertyNames,oo=Object.getOwnPropertySymbols;var no=Object.prototype.hasOwnProperty,Zn=Object.prototype.propertyIsEnumerable;var wt=(n,t,e)=>t in n?He(n,t,{enumerable:!0,configurable:!0,writable:!0,value:e}):n[t]=e,y=(n,t)=>{for(var e in t||(t={}))no.call(t,e)&&wt(n,e,t[e]);if(oo)for(var e of oo(t))Zn.call(t,e)&&wt(n,e,t[e]);return n},$=(n,t)=>Gn(n,Xn(t));var c=(n,t)=>()=>(n&&(t=n(n=0)),t);var J=(n,t)=>{for(var e in t)He(n,e,{get:t[e],enumerable:!0})},Yn=(n,t,e,o)=>{if(t&&typeof t==\"object\"||typeof t==\"function\")for(let r of Qn(t))!no.call(n,r)&&r!==e&&He(n,r,{get:()=>t[r],enumerable:!(o=Jn(t,r))||o.enumerable});return n};var es=n=>Yn(He({},\"__esModule\",{value:!0}),n);var s=(n,t,e)=>wt(n,typeof t!=\"symbol\"?t+\"\":t,e);var _e,De,Tt,K,X=c(()=>{\"use strict\";_e=\"__federation__\",De=\"onLoad\",Tt=\"moduleInstance\",K=(n,t)=>{window[_e]&&window[_e][n]&&window[_e][n][De]&&window[_e][n][De]({[n]:t})}});var ae,Be=c(()=>{ae=\"0.2.6\"});var l,M=c(()=>{\"use strict\";l={InitRequest:\"InitRequest\",InitResponse:\"InitResponse\",InitMessage:\"InitMessage\",DisposeMessage:\"DisposeMessage\",ChangeTextMessage:\"ChangeTextMessage\",BindClickMessage:\"BindClickMessage\",DetectMyopRefsMessage:\"DetectMyopRefsMessage\",ExecuteScriptMessage:\"ExecuteScriptMessage\",AddEventListenerMessage:\"AddEventListenerMessage\",SetAttributeMessage:\"SetAttributeMessage\",CreateRefComponentMessage:\"CreateRefComponentMessage\",EnvelopedMessage:\"EnvelopedMessage\",GetElementValueMessage:\"GetElementValueMessage\",GetAttributeMessage:\"GetAttributeMessage\",SetInnerHtml:\"SetInnerHtml\",ExecuteComponentMethod:\"ExecuteComponentMethod\",SetMutationObserverMessage:\"SetMutationObserverMessage\",SetResizeObserverMessage:\"SetResizeObserverMessage\",CleanupMessage:\"CleanupMessage\",In:{DetectedMyopRefsMessage:\"DetectedMyopRefsMessage\",ClickReplayMessage:\"ClickReplayMessage\",ExecuteScriptReplyMessage:\"ExecuteScriptReplyMessage\",EventListenerCallbackMessage:\"EventListenerCallbackMessage\",ElementValueReplayMessage:\"ElementValueReplayMessage\",GetAttributeReplayMessage:\"GetAttributeReplayMessage\",RefComponentCreatedMessage:\"RefComponentCreatedMessage\",EnvelopedMessage:\"EnvelopedMessage\",MutationObserverMessage:\"MutationObserverMessage\",CleanupReplayMessage:\"CleanupReplayMessage\",ResizeObserverMessage:\"ResizeObserverMessage\"}}});var T,ts,os,St,Et=c(()=>{\"use strict\";T=()=>\"10000000-1000-4000-8000-100000000000\".replace(/[018]/g,n=>(+n^crypto.getRandomValues(new Uint8Array(1))[0]&15>>+n/4).toString(16)),ts=n=>{let t=[...n].map(e=>e.toString(16).padStart(2,\"0\")).join(\"\");return[t.slice(0,8),t.slice(8,12),t.slice(12,16),t.slice(16,20),t.slice(20)].join(\"-\")},os=n=>{let t=n.replace(/-/g,\"+\").replace(/_/g,\"/\");for(;t.length%4;)t+=\"=\";let e=atob(t);return Uint8Array.from(e,o=>o.charCodeAt(0))},St=n=>{let t=os(n);if(t.length%16!==0)throw new Error(\"Invalid input length\");let e=[];for(let o=0;o<t.length;o+=16)e.push(ts(t.slice(o,o+16)));return e}});var ro,Q=c(()=>{\"use strict\";Et();ro=n=>new Promise(t=>setTimeout(t,n))});var R,I,Rt,v,k,N,H=c(()=>{\"use strict\";Q();R=class{};s(R,\"down\",\"down\"),s(R,\"up\",\"up\");I=class{constructor(){s(this,\"id\",T());s(this,\"myop\",!0);s(this,\"content\");s(this,\"source\");s(this,\"destination\");s(this,\"route\");s(this,\"ref\");s(this,\"direction\");s(this,\"cleanable\",!1)}static create(...t){return new this(...t)}isTypeof(t){return t.messageType===this.messageType}},Rt=class extends I{constructor(e){super();this.ref=e}},v=class extends I{constructor(e){super();this.replayToHandler=e}},k=class extends I{constructor(e){super();this.handler=e;s(this,\"handlerUniqueId\",T())}},N=class n{constructor(t,e){this.refConfig=t;this.component=e;s(this,\"myop\",!0);s(this,\"__nonProxied\");this.__nonProxied=$(y({},this),{component:null})}static create(t,e,o){let r=e;return r||(r={id:\"\",name:\"\",description:\"\",selectorType:\"id-attribute\",selector:t,behavior:{type:\"code\"}}),new n(r,o)}}});var io,vt,Z,ao=c(()=>{\"use strict\";H();io=\"ClickReplayMessage\",vt=class extends k{constructor(e,o){super(o);this.ref=e;s(this,\"replyMessageKey\",io);s(this,\"messageType\",\"BindClickMessage\");s(this,\"cleanable\",!0)}},Z=class extends v{constructor(){super(...arguments);s(this,\"messageType\",io)}}});var kt,po=c(()=>{\"use strict\";H();kt=class extends I{constructor(e,o){super();this.ref=e;s(this,\"messageType\",\"ChangeTextMessage\");this.content=o}}});var mo,ns,ss,co,_,Y,Ht=c(()=>{\"use strict\";H();mo=\"ExecuteScriptReplyMessage\",ns=/(?:function\\s*\\w*\\s*\\([^)]*\\)\\s*\\{([\\s\\S]*?)\\}|(\\([^)]*\\)\\s*=>\\s*\\{([\\s\\S]*?)\\}))\\s*$/,ss=/\\(\\s*[^)]+\\s*\\)\\s*=>\\s*(.+)/,co=n=>{let t=n.match(ns);if(t)return t[1]||t[3];{let e=n.match(ss);if(e)return e[1].trim()}},_=class extends k{constructor(e,o=()=>{},r){super(o);this.scriptInputs=r;s(this,\"replyMessageKey\",mo);s(this,\"messageType\",\"ExecuteScriptMessage\");s(this,\"script\",\"\");this.script=e.toString(),this.content=e.toString(),this.content=co(this.content)}};s(_,\"replierKey\",\"send\"),s(_,\"completeStreamKey\",\"completeStream\");Y=class extends v{constructor(e,o){super(e);this.replayToHandler=e;this.content=o;s(this,\"messageType\",mo)}}});var F,lo=c(()=>{\"use strict\";Ht();F=class extends _{constructor(e,o,r=()=>{}){super(({rootRef:i,elementId:a,_script:p,__scriptInputs:m})=>{let d=(i.shadowRoot||i.container).querySelectorAll(\"[myop-id='\".concat(a,\"']\"));return d.length?(m.ref=d[0],new Function(\"return (\".concat(p,\")(...arguments)\"))(m)):null},r);this.scriptInputs=o;this.scriptInputs=$(y({},o),{_script:e.toString()})}}});var fo,_t,ee,go=c(()=>{\"use strict\";H();fo=\"EventListenerCallbackMessage\",_t=class extends k{constructor(e,o,r){super(r);this.ref=e;this.type=o;this.handler=r;s(this,\"replyMessageKey\",fo);s(this,\"messageType\",\"AddEventListenerMessage\");s(this,\"cleanable\",!0);s(this,\"serializableSkeleton\",!1)}withSerializableSkeleton(e){return this.serializableSkeleton=e,this}},ee=class extends v{constructor(e,o){super(e);this.replayToHandler=e;this.e=o;s(this,\"messageType\",fo);this.content={e:o}}}});var Dt,uo=c(()=>{\"use strict\";H();Dt=class extends I{constructor(e,o,r){super();this.ref=e;this.name=o;this.value=r;s(this,\"messageType\",\"SetAttributeMessage\")}}});var yo,Bt,te,Lt=c(()=>{\"use strict\";H();yo=\"ElementValueReplayMessage\",Bt=class extends k{constructor(e,o){super(o);this.ref=e;s(this,\"replyMessageKey\",yo);s(this,\"messageType\",\"GetElementValueMessage\")}},te=class extends v{constructor(e){super();this.content=e;s(this,\"messageType\",yo)}}});var Pt,ho=c(()=>{\"use strict\";H();Pt=class extends I{constructor(e,o){super();this.ref=e;s(this,\"messageType\",\"SetInnerHtml\");this.content=o}}});var pe,Me,oe,Mo=c(()=>{\"use strict\";H();pe=class extends I{constructor(e){super();s(this,\"messageType\",\"InitMessage\");this.content={id:e}}isTypeof(e){return e.messageType===this.messageType}},Me=class extends pe{constructor(){super(...arguments);s(this,\"messageType\",\"InitResponse\")}},oe=class extends I{constructor(){super(...arguments);s(this,\"messageType\",\"InitRequest\")}}});var Io,Ie,U,Le=c(()=>{\"use strict\";H();Io=\"RefComponentCreatedMessage\",Ie=class extends k{constructor(e,o,r,i){super(i);this.refConfig=e;this.nestedComponentConfig=o;this.options=r;s(this,\"replyMessageKey\",Io);s(this,\"messageType\",\"CreateRefComponentMessage\")}},U=class extends v{constructor(e,o,r){super(e);this.replayToHandler=e;this.nestedRefs=o;this.failed=r;s(this,\"messageType\",Io)}}});var Ce,Ot=c(()=>{\"use strict\";H();Ce=class extends I{constructor(e,o){super();this.destination=e;this.message=o;s(this,\"messageType\",\"EnvelopedMessage\");let r=o;this.route=[e,...r.route?r.route:[]]}}});var Co,Kt,ne,xo=c(()=>{\"use strict\";H();Co=\"DetectedMyopRefsMessage\",Kt=class extends k{constructor(){super(...arguments);s(this,\"messageType\",\"DetectMyopRefsMessage\");s(this,\"replyMessageKey\",Co)}},ne=class extends v{constructor(e,o){super(e);this.replayToHandler=e;s(this,\"messageType\",Co);this.content=o}isTypeof(e){return e.messageType===this.messageType}}});var bo,At,xe,wo=c(()=>{\"use strict\";H();bo=\"GetAttributeReplayMessage\",At=class extends k{constructor(e,o,r){super(r);this.ref=e;this.name=o;s(this,\"replyMessageKey\",bo);s(this,\"messageType\",\"GetAttributeMessage\")}},xe=class extends v{constructor(e){super();this.content=e;s(this,\"messageType\",bo)}}});var P,To=c(()=>{\"use strict\";H();P=class extends I{constructor(e){super();this.method=e;s(this,\"messageType\",\"ExecuteComponentMethod\")}}});var $t,be,So=c(()=>{\"use strict\";H();$t=class extends I{constructor(){super(...arguments);s(this,\"messageType\",\"SetMutationObserverMessage\")}},be=class extends I{constructor(){super(...arguments);s(this,\"messageType\",\"MutationObserverMessage\")}}});var Eo,we,Te,Ro=c(()=>{\"use strict\";H();Eo=\"CleanupReplayMessage\",we=class extends k{constructor(e,o){super(o);this.cleanupForMessageId=e;s(this,\"replyMessageKey\",Eo);s(this,\"messageType\",\"CleanupMessage\")}},Te=class extends v{constructor(e){super();this.customCleanup=e;s(this,\"messageType\",Eo)}}});var Se,vo=c(()=>{\"use strict\";H();Se=class extends I{constructor(){super(...arguments);s(this,\"messageType\",\"DisposeMessage\")}}});var Ft,Ee,ko=c(()=>{\"use strict\";H();Ft=class extends I{constructor(){super(...arguments);s(this,\"cleanable\",!0);s(this,\"messageType\",\"SetResizeObserverMessage\")}},Ee=class extends I{constructor(){super(...arguments);s(this,\"messageType\",\"ResizeObserverMessage\")}}});var me={};J(me,{AddEventListenerMessage:()=>_t,BaseMyopMessage:()=>I,BindClickMessage:()=>vt,ChangeTextMessage:()=>kt,CleanupMessage:()=>we,CleanupReplayMessage:()=>Te,ClickReplayMessage:()=>Z,CreateRefComponentMessage:()=>Ie,CustomRefMessage:()=>F,DetectMyopRefsMessage:()=>Kt,DetectedMyopRefsMessage:()=>ne,DisposeMessage:()=>Se,ElementValueReplayMessage:()=>te,EnvelopedMessage:()=>Ce,EventListenerCallbackMessage:()=>ee,ExecuteComponentMethod:()=>P,ExecuteScriptMessage:()=>_,ExecuteScriptReplyMessage:()=>Y,GetAttributeMessage:()=>At,GetAttributeReplayMessage:()=>xe,GetElementValueMessage:()=>Bt,InitMessage:()=>pe,InitRequest:()=>oe,InitResponse:()=>Me,MessageDirection:()=>R,MutationObserverMessage:()=>be,MyopBindMessage:()=>k,MyopBindReplayMessage:()=>v,MyopElementMessage:()=>Rt,Ref:()=>N,RefComponentCreatedMessage:()=>U,ResizeObserverMessage:()=>Ee,SetAttributeMessage:()=>Dt,SetInnerHtml:()=>Pt,SetMutationObserverMessage:()=>$t,SetResizeObserverMessage:()=>Ft,stripFunction:()=>co});var x=c(()=>{\"use strict\";H();ao();po();Ht();lo();go();uo();Lt();ho();Mo();Le();Ot();xo();Lt();wo();To();So();Ro();vo();ko()});var V,Pe=c(()=>{\"use strict\";M();x();Re();V=class{constructor(t,e,o){this.componentDefinition=t;this.container=e;s(this,\"id\",\"\");s(this,\"messageHandlers\",{});s(this,\"element\");s(this,\"_markedForDisposed\",!1);s(this,\"bind\",(t,e)=>{this.messageHandlers[t]||(this.messageHandlers[t]=[]),this.messageHandlers[t].includes(e)||this.messageHandlers[t].push(e)});s(this,\"bindWhen\",(t,e,o)=>{if(!o)throw new Error(\"can't use component.bindWhen without an handler\");this.messageHandlers[t]||(this.messageHandlers[t]=[]);let r=this.messageHandlers[t],i=a=>e(a)?(o(a),!0):!1;return r.push(i),()=>{let a=r.indexOf(i);a>-1&&r.splice(a,1)}});s(this,\"setInitiated\",()=>{this.isInitiated=!0,this._whenInitiatedResolve&&this._whenInitiatedResolve()});s(this,\"isInitiated\",!1);s(this,\"_whenInitiatedResolve\");s(this,\"_whenInitiatedReject\");s(this,\"_whenInitiated\",new Promise((t,e)=>{this._whenInitiatedResolve=t,this._whenInitiatedReject=e}));s(this,\"initiated\",()=>this._whenInitiated);s(this,\"props\",{});s(this,\"refs\",{});this.id=(o==null?void 0:o.id)||O.Instance().assignId(t);let r=o!=null&&o.timeout?o==null?void 0:o.timeout:5*1e3;setTimeout(()=>{!this.isInitiated&&this._whenInitiatedReject&&!this._markedForDisposed&&this._whenInitiatedReject(\"timeout_\".concat(r,\" \").concat(this.id))},r),this.initiated().then(()=>{window.myop.hostSDK.inspected&&this.inspect()})}get markedForDisposed(){return this._markedForDisposed}set markedForDisposed(t){if(this._markedForDisposed)throw new Error(\"InvalidOperationException: The component is already in the process of being disposed. Dispose operation cannot be performed again until the current disposal process is complete.\");this._markedForDisposed=t}onMessageReceived(t){if(t.messageType===l.ExecuteComponentMethod){let o=t;return this[o.method]?this[o.method](o.content):console.log(\"method not found \".concat(o.method,\" on component\"),this),!0}let e=this.messageHandlers[t.messageType];if(e&&e.length){let o=!1;return e.forEach(r=>{o=o||r(t)}),o}return!1}sendCleanupMessage(t){t.source=this.id,t.destination=this.id,t.direction=R.down;let e=this.bindWhen(t.replyMessageKey,r=>r.replayToHandler===t.handlerUniqueId,r=>{t.handler(r),e()}),o=t.handler;delete t.handler,this.send(t),t.handler=o}send(t){t.source||(t.source=this.id),t.destination||(t.destination=this.id),t.direction=R.down;let e;if(t.handler){let o=t;e=this.bindWhen(o.replyMessageKey,r=>r.replayToHandler===o.handlerUniqueId,o.handler),delete t.handler}return t.ref&&(t.ref=t.ref.__nonProxied||t.ref),t.cleanable?()=>{this.sendCleanupMessage(new we(t.id,o=>{})),e&&e()}:()=>{}}dispose(){if(this.markedForDisposed=!0,!this.isInitiated)return;console.log(\"disposing component\",this.id),this.send(new Se);let t=this.messageHandlers.onDispose;t&&t.forEach(e=>{e(null)}),this.messageHandlers={},this.id+=\"_disposed\",this.isInitiated=!1}}});var de,Ho=c(()=>{\"use strict\";de=class{constructor(t,e,o,r,i){this.myopId=t;this.htmlTagName=e;this.BoundingRect=o;this.offsetTop=r;this.offsetLeft=i;s(this,\"type\",\"MyopElementRef\")}}});var _o,C,Oe,Do=c(()=>{\"use strict\";_o=async n=>{if(typeof n==\"function\")n();else if(n instanceof Promise){let t=await n;typeof t==\"function\"&&t()}},C=class{constructor(t){this.messageToHost=t}},Oe=class extends C{constructor(e,o){super(e);this.messageToHost=e;this.context=o}}});var Ut,ce,Bo=c(()=>{\"use strict\";M();b();x();Ut=class{constructor(t,e){this.id=t;this.context=e;s(this,\"send\",t=>{})}},ce=class{constructor(){s(this,\"messageToHandleAfterInit\",[]);s(this,\"components\",{});s(this,\"alwaysPassEnvelopesToHost\",!1);s(this,\"messageCleanupCache\",{})}handleIncomeMessages(t){let e=t.data?t.data:t.detail;if(!(!e||!e.myop)){let o=e;if(o.direction!==R.down)return;if(o.messageType===l.DisposeMessage){o.destination&&delete this.components[o.destination];return}if(o.messageType===l.InitMessage){let r=o.content.id;if(this.components[r])return;this.components[r]=new Ut(r),this.messageToHost(new Me(r));return}if(o.messageType===l.EnvelopedMessage){let r=o,i=r.message;if(o=i,this.alwaysPassEnvelopesToHost||this.components[o.destination]){let a=myop.hostSDK.components.find(m=>m.id===i.destination);if(a){a.send(i);return}let p=myop.hostSDK.components.find(m=>m.id===r.destination);if(p){p.send(i);return}}else return}if(o.messageType){if(o.messageType===l.CleanupMessage){let i=o,a=this.messageCleanupCache[i.cleanupForMessageId],p=new Te(!!a);p.destination=o.destination,a?(delete this.messageCleanupCache[i.cleanupForMessageId],_o(a).then(()=>{this.messageToHost(p,i)}).catch(()=>{})):this.messageToHost(p,i);return}let r=!1;this.supportedHandlers.forEach(i=>{if(i.messageType===o.messageType){r=!0;let a=i.executor(o);if(o.cleanable&&a&&(this.messageCleanupCache[o.id]=a),a&&!o.cleanable)throw new Error(\"Cleanup handler generated for non-cleanable message. \\nmessageType - \".concat(o.messageType,\", handler executor was - \").concat(i.executor,\"\\n\\nPlease review the message definition object & message handler.\\nTo ensure cleanup properly set 'cleanable' true at message definition and return IMessageExecutorCleanup from your handlers.\"));if(!a&&o.cleanable)throw new Error(\"No cleanup handler generated for a cleanable message. \\nmessageType - \".concat(o.messageType,\", handler executor was - \").concat(i.executor,\"\\n\\nPlease review the message definition object & message handler.\\nTo ensure cleanup properly set 'cleanable' true at message definition and return IMessageExecutorCleanup from your handlers.\"))}})}else console.log(\"unsupported message type\")}}}});var z,se,ge,le,re,Ke,fe,b=c(()=>{\"use strict\";Ho();Do();Bo();z={IframeLoader:\"IframeLoader\",WebComponentLoader:\"WebComponentLoader\",HTMLLoader:\"HTMLLoader\",MinimizedLoader:\"MinimizedLoader\"},se={open:\"open\",closed:\"closed\",none:\"none\",localFrame:\"localFrame\"},ge={message:\"message\",code:\"code\"},le=class{};s(le,\"code\",\"code\"),s(le,\"component\",\"component\");re={Segmented:\"Segmented\",Dedicated:\"Dedicated\",Default:\"Default\"},Ke={Segment:\"Segment\",Promo:\"Promo\",AB:\"AB\"},fe=class{constructor(t,e){this.container=t;this.shadowRoot=e;s(this,\"getRootDiv\",()=>(this.shadowRoot||this.container).querySelector(\"div\"));s(this,\"getRoot\",()=>this.shadowRoot||this.container)}}});var zt,rs,Nt,L,ie=c(()=>{\"use strict\";zt=n=>n!==Object(n),rs=n=>typeof n==\"function\",Nt=n=>{if(zt(n))return!0;if(rs(n)||Object.getPrototypeOf(n))return!1;for(let t in n){let e=n[t];if(typeof e==\"object\"){if(!Nt(e))return!1}else{if(zt(e))continue;return!1}}return!0},L=(n,t={},e=!0,o=new WeakMap)=>{if(zt(n))return n;if(Array.isArray(n)){if(o.has(n))return o.get(n);let r=[];o.set(n,r);for(let i=0;i<n.length;i++){let a=n[i];r[i]=L(a,t,e,o)}return r}if(n!==null&&typeof n==\"object\"){if(o.has(n))return o.get(n);let r={};o.set(n,r);for(let i in n){let a=typeof t==\"boolean\"?t:t[i];a&&(a===!0?(e?n[i]!==void 0:n[i])&&(r[i]=L(n[i],!0,e,o)):typeof a==\"object\"&&(r[i]=L(n[i],a,e,o)))}return r}return{}}});var Lo,Po=c(()=>{\"use strict\";Lo={notSerializableRefCall:(n,t)=>{throw new Error(\"\\nThe input provided to '\".concat(n.toString(),\"' is not serializable. Serialization is required to ensure that the data can be safely transferred to the skin implementation. \\nThe following types of data are considered non-serializable and cannot be processed:\\n\\n- Functions\\n- DOM elements\\n- Class instances\\n- Circular references\\n- Symbols\\n- BigInt values\\n\\nIn the following execution we detected :\\n~~~~~~~~\\n\").concat(t,\" \\n~~~~~~~~\\nas not serializable.\\n\\nTo resolve this issue, please ensure that all inputs passed to '\").concat(n.toString(),\"' are in a serializable format.\\nThis typically includes primitive types (strings, numbers, booleans), arrays, and plain objects. \\nIf you need to include complex data types, consider converting them to a serializable structure before passing them to the function.\\nOr use Myop message that support it: CustomRefMessage, AddEventListenerMessage or ExecuteScriptMessage.\\n\\nSuggested Fix:\\n1. Remove or replace non-serializable values from your input.\\n2. If using objects, ensure they do not contain any functions or circular references.\\n3. Convert any class instances to plain objects or JSON-compatible formats.\\n4. Use dedicated Myop message.\\n\\nFor more details on serialization and Myop message examples, refer to https://docs.myop.dev.\\n\\n\"))}}});var ve,Oo=c(()=>{\"use strict\";Pe();x();Ot();ve=class extends V{constructor(e,o,r){super(e,o.container,r);this.componentDefinition=e;this.parent=o;s(this,\"send\",e=>{let o=e.handler,r=super.send(e);return this.parent.send(new Ce(this.id,e)),e.handler=o,r});s(this,\"dispose\",()=>{this.isInitiated&&this.send(new P(\"dispose\")),super.dispose()})}hide(){this.send(new P(\"hide\"))}show(){this.send(new P(\"show\"))}inspect(){return this.send(new P(\"inspect\"))}setHeightBasedOnDocumentElement(){this.send(new P(\"setHeightBasedOnDocumentElement\"))}setHeightBasedOnScrollHeight(){this.send(new P(\"setHeightBasedOnScrollHeight\"))}onMessageReceived(e){return super.onMessageReceived(e)}}});var is,Ae,Ko,Ao,$o,as,Vt,qt,$e=c(()=>{\"use strict\";x();x();b();ie();Po();Oo();is=(n,t,e)=>{let o=document.createElement(\"a\");return o.textContent=n,o.style.position=\"relative\",o.style.padding=\"0 5px\",o.style.fontSize=\"14px\",o.style.top=\"0\",o.style.top=\"\".concat(t,\"px\"),o.style.transform=\"translateX(-50%)\",o.target=\"_blank\",o.href=\"https://dashboard.myop.dev/dashboard/component/\".concat(e.id),o},Ae=(n,t,e,o,r,i)=>{let a=is(\"\".concat(i.name,\" : \").concat(t),e,i);return o.insertBefore(a,r),r.style.border=\"1px solid #007BFF\",r.style.display=\"block\",()=>{r.style.border=\"unset\",o.removeChild(a)}},Ko=(n,t,e)=>n?!1:(console.error(\"Error: Undefined Prop\\n\\nIt looks like you've tried to use a prop that hasn't been defined.\\nPlease check the prop name for any typos or ensure that it is properly defined in the component's prop list.\\n\\n\"+\"Prop Name: \".concat(t,\"\\n\")+\"Component: \".concat(e.componentDefinition.name,\", ID: \").concat(e.componentDefinition.id,\"\\n\\n\")+\"For more information, refer to the component page https://dashboard.myop.dev/dashboard/component/\".concat(e.componentDefinition.id,\" or consult the developer guide.\")),!0),Ao=(n,t,e)=>{console.error(\"Error: Code Prop Not Supported\\n\\nCurrently, code props are only supported in local frame components.\\n\\u26A0\\uFE0F This is a work in progress feature \\u2014 code props will be supported in upcoming versions.\\n\\nIn the meantime, you can use message props.\\n\\n\"+\"Prop Name: \".concat(t,\"\\n\")+\"Component: \".concat(e.componentDefinition.name,\", ID: \").concat(e.componentDefinition.id,\"\\n\\n\")+\"For more information, refer to the component page https://dashboard.myop.dev/dashboard/component/\".concat(e.componentDefinition.id,\" or consult the developer guide.\"))},$o=(n,t,e)=>{let o=t.reduce((i,a)=>$(y({},i),{[a.name]:y({},a)}),{}),r={get:(i,a)=>{let p=o[a];if(Ko(p,a,n))return!1;if(p.behavior.type===ge.code){if(e.loader.type===z.HTMLLoader&&e.loader.shadowRootMode===se.localFrame){let d=p.behavior;return n.element.contentWindow[d.remap||a]}return Ao(p,a,n),!1}return p.mode===\"output\"?new Promise(m=>{let d=[];p.behavior.ref&&d.push(N.create(p.behavior.ref)),d.push(f=>{m(f)}),p.behavior.params&&d.push(...p.behavior.params);let g=me[p.behavior.message];n.send(new g(...d))}):null},set:(i,a,p)=>{let m=o[a];if(Ko(m,a,n))return!1;if(m.behavior.type===ge.code){if(e.loader.type===z.HTMLLoader&&e.loader.shadowRootMode===se.localFrame){let g=m.behavior;return n.element.contentWindow[g.remap||a]=p,!0}return Ao(m,a,n),!1}else if(m.mode===\"input\")if(m.behavior.type===\"message\"){let d=[];m.behavior.ref&&d.push(N.create(m.behavior.ref)),d.push(p),m.behavior.params&&d.push(...m.behavior.params);let g=me[m.behavior.message];return n.send(new g(...d)),!0}else throw new Error(\"Error: Unsupported Behavior\\n\\nThe 'behavior' field provided is not supported.\\n\"+\"Component: \".concat(n.componentDefinition.name,\", ID: \").concat(n.componentDefinition.id,\"\\n\\n\")+\"Prop Name: \".concat(a,\"\\n\")+\"Behavior Field: \".concat(m.behavior.type,\"\\n\\n\")+\"Check the documentation for valid behavior options.\");return!1}};return n.props={},n.props=new Proxy(n.props,r),n},as=(n,t)=>new Proxy(n,{get(e,o){return e[o]?e[o]:(...i)=>new Promise(a=>{i.forEach(p=>{Nt(p)||Lo.notSerializableRefCall(o,p)}),t.send(new F(({ref:p,propName:m,functionArgs:d,makeSerializable:g})=>{if(p){let f=p[m];return g(typeof f==\"function\"?p[m](...d):f,!0)}return null},{elementId:e.refConfig.selector,propName:o,functionArgs:i},p=>{a(p.content)}))})},set(e,o,r){return t.send(new F(({ref:i,propName:a,propValue:p})=>{i&&(i[a]=p)},{elementId:e.refConfig.selector,propValue:r,propName:o},i=>{})),!0}}),Vt=async(n,t,e,o)=>{let r=n.component;if(!r)throw new Error(\"cant createRefComponent with detached ref\");return new Promise(async(i,a)=>{let p=new ve(t.type,r,o);e.push(p),await r.initiated();let m=setTimeout(()=>{a(\"timeout\")},5e3);r.send(new Ie(n.refConfig,t,$(y({},o||{}),{id:p.id,_hasParent:!0}),async d=>{if(clearTimeout(m),d.failed){a(\"CreateRefComponentMessage failed\");return}let g=e.find(f=>f.id==p.id);if(g!==p){r.refs[n.refConfig.name]=g,i(g);return}else p.setInitiated(),r.refs[n.refConfig.name]=p;d.nestedRefs.forEach(f=>{let u=t.instance.resolvedNestedComponents.find(E=>E.type.id===f.componentDefinitionId).type,h=new ve(u,p);h.setInitiated(),p.refs[f.refName]=h,e.push(h)});try{await qt(p,t,e,!0),r.setHeightBasedOnScrollHeight&&r.setHeightBasedOnScrollHeight(),i(p)}catch(f){a(f)}}))})},qt=async(n,t,e,o=!1)=>{n.refs||(n.refs={});let r=Object.values(n.componentDefinition.refs).map(i=>new Promise(async(a,p)=>{var m;if(i.behavior.type==le.component){if(o){a();return}let d=i.behavior.componentId;d||(d=i.behavior.instance.componentId);let g=(m=t.instance.resolvedNestedComponents)==null?void 0:m.find(u=>u.type.id===d);if(!g)throw new Error(\"componentConfig provided without nestedComponentConfig check the config object\");let f=N.create(\"\",i,n);try{let u=await Vt(f,g,e);n.refs[i.name]=u,a()}catch(u){p(u)}}else try{let d=N.create(\"\",i,n);n.refs[i.name]=as(d,n),a()}catch(d){}}));try{await Promise.all(r)}catch(i){throw i}}});var ue,Wt=c(()=>{\"use strict\";Pe();x();$e();M();ue=class extends V{constructor(e,o,r,i,a){super(e,r,a);this.componentConfig=e;this.container=r;this.IframeElement=i;s(this,\"cleanupInspect\");s(this,\"setHeightBasedOnDocumentElement\",()=>{let e=this.send(new _(()=>window.document.documentElement.scrollHeight,o=>{this.IframeElement.style.height=\"\".concat(o.content,\"px\"),e()}))});s(this,\"observeSizeBasedOnDocumentElement\",()=>this.send(new _(({send:o})=>{let{height:r,width:i}=document.documentElement.getBoundingClientRect(),a=new ResizeObserver(()=>{let{height:p,width:m}=document.documentElement.getBoundingClientRect();o({height:p,width:m})});return a.observe(document.documentElement),a.observe(document.body),{height:r,width:i}},o=>{this.IframeElement.style.width=\"\".concat(o.content.width,\"px\"),this.IframeElement.style.height=\"\".concat(o.content.height,\"px\")})));s(this,\"setSizeBasedOnDocumentElement\",()=>{let e=this.send(new _(()=>{let{height:o,width:r}=document.documentElement.getBoundingClientRect();return{height:o,width:r}},o=>{this.IframeElement.style.width=\"\".concat(o.content.width,\"px\"),this.IframeElement.style.height=\"\".concat(o.content.height,\"px\"),e()}))});s(this,\"setHeightBasedOnScrollHeight\",()=>{let e=this.send(new _(()=>{let r=0;return r++,r--,Math.max(Math.max(window.document.body.clientHeight,window.document.body.scrollHeight),window.document.body.offsetHeight)+r+\"px\"},o=>{this.IframeElement.style.height=o.content,e()}))});s(this,\"send\",e=>{var i,a;let o=y({},e);if(o.messageType===l.ExecuteComponentMethod)return this[o.method](),()=>{};o.direction=R.down;let r=super.send(o);return(a=(i=this.IframeElement)==null?void 0:i.contentWindow)==null||a.postMessage(o,\"*\"),r});s(this,\"dispose\",()=>{this.cleanupInspect&&this.cleanupInspect(),super.dispose(),this.IframeElement.parentNode.removeChild(this.IframeElement)});o.loader.autoHeight&&this.initiated().then(()=>{this.setHeightBasedOnScrollHeight()}),this.element=this.IframeElement}inspect(){return this.cleanupInspect?this.cleanupInspect:(this.cleanupInspect=Ae(this.id,\"MyopIframeComponent\",10,this.container,this.IframeElement,this.componentDefinition),()=>{this.cleanupInspect(),this.cleanupInspect=void 0})}hide(){this.IframeElement.style.opacity=\"0\",this.IframeElement.style.position=\"absolute\",this.IframeElement.style.pointerEvents=\"none\",this.IframeElement.style.visibility=\"hidden\"}show(){this.IframeElement.style.opacity=\"1\",this.IframeElement.style.position=\"unset\",this.IframeElement.style.pointerEvents=\"all\",this.IframeElement.style.visibility=\"visible\"}onMessageReceived(e){return e.messageType===l.In.MutationObserverMessage||e.messageType===l.In.ResizeObserverMessage?(this.setHeightBasedOnScrollHeight(),!0):super.onMessageReceived(e)}}});var q,Fe=c(()=>{\"use strict\";q=class{constructor(){s(this,\"appendChild\",(t,e,o)=>{var r;if(o!=null&&o.relative){if(o.relative.direction===\"before\")return t.insertBefore(e,o.relative.child);if(o.relative.direction===\"after\"){let i=(r=o.relative.child)==null?void 0:r.nextSibling;return t.insertBefore(e,i||null)}}else return t.appendChild(e)})}}});var ps,Ue,Fo=c(()=>{\"use strict\";Wt();Fe();Q();b();ps=(n,t,e)=>{let o=new URL(n);return o.searchParams.append(t,e),o.toString()},Ue=class extends q{constructor(){super(...arguments);s(this,\"type\",z.IframeLoader);s(this,\"load\",async(e,o,r,i)=>{let a,p=o.loader;if((r==null?void 0:r.nodeName)===\"IFRAME\")console.log(\"needs to load into an exsisting Iframe...\",p.url,r),a=r,a.src=p.url;else{let m=T(),d=\"myop-comp-\".concat(m);a=document.createElement(\"iframe\"),r.querySelector('[id^=\"myop-comp-\"]')||(r.innerHTML=\"\"),i!=null&&i.hidden&&(a.style.visibility=\"hidden\"),a=this.appendChild(r,a,i);let g=o.loader.url;i!=null&&i._hasParent&&(g=ps(g,\"_myop-comp\",m));let f=\"\";i!=null&&i.elementAttributes&&(f=Object.entries(i==null?void 0:i.elementAttributes).map(([u,h])=>h===\"\"||h===null||h===void 0?u:\"\".concat(u,'=\"').concat(String(h),'\"')).join(\" \")),a.outerHTML='<iframe \\n id=\"'.concat(d,'\"\\n style=\"\\n padding: 0;\\n margin: 0;\\n height: ').concat(p.autoHeight||!p.height?\"\":p.height,\"; \\n width : 100%;\\n overflow: hidden;\\n border: none;\\n opacity: \").concat(i!=null&&i.hidden?\"0\":\"1\",\";\\n position: \").concat(i!=null&&i.hidden?\"absolute\":\"static\",\";\\n pointer-events: \").concat(i!=null&&i.hidden?\"none\":\"all\",';\\n \"\\n src=\"').concat(g,'\"\\n ').concat(f,\"\\n ></iframe>\"),a=r.querySelector(\"#\".concat(d))}return new ue(e,o,r,a,i)})}}});var ze,jt=c(()=>{\"use strict\";ze={webcomponent_message_key:\"myop_webcomponent_message\"}});var ye,Gt=c(()=>{\"use strict\";jt();Pe();$e();ye=class extends V{constructor(e,o,r,i,a){super(e,r,a);this.container=r;this.customElement=i;s(this,\"cleanupInspect\",()=>{});s(this,\"send\",e=>{let o=y({},e),r=super.send(o),i=new CustomEvent(ze.webcomponent_message_key,{detail:o});try{this.customElement.dispatchEvent(i)}catch(a){console.log(\"error while trying to dispatchEvent\",a)}return r});s(this,\"dispose\",()=>{var e;super.dispose(),(e=this.customElement.parentNode)==null||e.removeChild(this.customElement)});this.element=i}inspect(){return this.cleanupInspect=Ae(this.id,\"MyopWebComponent\",0,this.container,this.customElement,this.componentDefinition),this.cleanupInspect}hide(){this.customElement.style.opacity=\"0\",this.customElement.style.position=\"absolute\",this.customElement.style.pointerEvents=\"none\",this.customElement.style.visibility=\"hidden\",this.customElement.style.height=\"0\",this.customElement.style.width=\"0\"}show(){this.customElement.style.opacity=\"1\",this.customElement.style.position=\"unset\",this.customElement.style.pointerEvents=\"all\",this.customElement.style.visibility=\"visible\",this.customElement.style.height=\"\",this.customElement.style.width=\"\"}}});var Jt,Ne,Uo=c(()=>{\"use strict\";Gt();Fe();Q();b();Jt={},Ne=class extends q{constructor(){super(...arguments);s(this,\"type\",z.WebComponentLoader);s(this,\"load\",async(e,o,r,i)=>{let a=o.loader;Jt[a.url]?console.log(\"Module alreday loaded or in loading process\"):Jt[a.url]=new Promise((d,g)=>{let f=a.url,u=document.createElement(\"script\");u.type=\"module\",u.src=f,u.onload=()=>{d()},u.onerror=()=>{g()},document.head.appendChild(u)}),await Jt[a.url],await ro(1);let p=\"myop-comp-\".concat(T()),m=document.createElement(a.tag);return r.querySelector('[id^=\"myop-comp-\"]')||(r.innerHTML=\"\"),m.id=p,i!=null&&i.hidden&&(m.style.opacity=\"0\",m.style.position=\"absolute\",m.style.height=\"0\",m.style.width=\"0\",m.style.pointerEvents=\"none\",m.style.visibility=\"hidden\"),i!=null&&i._environment&&(m._myopEnvironment=i==null?void 0:i._environment),this.appendChild(r,m,i),new ye(e,o,r,m,i)})}}});var S,A=c(()=>{\"use strict\";b();S=class extends Oe{constructor(e,o){super(e);this.context=o;s(this,\"executor\",e=>{if(e.destination){let o=e.destination;if(this.context[o].context){let r=(i,a)=>{this.messageToHost($(y({},i),{source:e.destination?e.destination:e.source,destination:e.source?e.source:e.destination}),a)};return this.innerExecutor(e,this.context[o].context,r)}else debugger}else debugger})}}});var D,W=c(()=>{\"use strict\";D={id:\"myop-id\"}});var w,zo,B=c(()=>{\"use strict\";W();w=(n,t)=>t.querySelectorAll(\"[\".concat(D.id,\"='\").concat(n.refConfig.selector,\"']\")),zo=(n,t)=>{let e=w(n,t);return e.length?e.item(0):null}});var Ve,No=c(()=>{\"use strict\";M();x();A();B();Ve=class extends S{constructor(){super(...arguments);s(this,\"messageType\",l.BindClickMessage);s(this,\"innerExecutor\",(e,o,r)=>{let i=w(e.ref,o.shadowRoot),a=[];return i.forEach(p=>{let m=()=>{r(new Z(e.handlerUniqueId))};p.addEventListener(\"click\",m),a.push(()=>{p.removeEventListener(\"click\",m)})}),()=>{a.forEach(p=>p())}})}}});var qe,Vo=c(()=>{\"use strict\";M();A();B();qe=class extends S{constructor(){super(...arguments);s(this,\"messageType\",l.ChangeTextMessage);s(this,\"innerExecutor\",(e,o)=>{w(e.ref,o.shadowRoot).forEach(i=>{i.textContent=e.content})})}}});var We,qo=c(()=>{\"use strict\";b();We=class extends fe{constructor(e,o){super(e,o);this.container=e;this.shadowRoot=o}}});var je,Wo=c(()=>{\"use strict\";b();W();A();x();M();je=class extends S{constructor(){super(...arguments);s(this,\"innerExecutor\",(e,o)=>{let r=o.shadowRoot.querySelectorAll(\"[\".concat(D.id,\"]\")),i=[];r.forEach(a=>{let p=a.getAttribute(D.id);p&&i.push(new de(p,a.tagName,a.getBoundingClientRect(),a.offsetTop,a.offsetLeft))}),this.messageToHost(new ne(e.handlerUniqueId,i))});s(this,\"messageType\",l.DetectMyopRefsMessage)}}});var Ge,jo=c(()=>{\"use strict\";M();A();B();Ge=class extends S{constructor(){super(...arguments);s(this,\"messageType\",l.SetAttributeMessage);s(this,\"innerExecutor\",(e,o)=>{w(e.ref,o.shadowRoot).forEach(i=>{i.setAttribute(e.name,e.value)})})}}});var Je,Go=c(()=>{\"use strict\";M();x();A();B();ie();Je=class extends S{constructor(){super(...arguments);s(this,\"messageType\",l.AddEventListenerMessage);s(this,\"innerExecutor\",(e,o,r)=>{let i=w(e.ref,o.shadowRoot),a=[];return i.forEach(p=>{let m=d=>{r(new ee(e.handlerUniqueId,L(d,e.serializableSkeleton)))};p.addEventListener(e.type,m),a.push(()=>{p.removeEventListener(e.type,m)})}),()=>{a.forEach(p=>p())}})}}});var Xe,Jo=c(()=>{\"use strict\";M();W();Re();Le();A();Xe=class extends S{constructor(){super(...arguments);s(this,\"messageType\",l.CreateRefComponentMessage);s(this,\"innerExecutor\",(e,o,r)=>{(async()=>{let a=o.shadowRoot.querySelectorAll(\"[\".concat(D.id,\"='\").concat(e.refConfig.selector,\"']\"));if(a.length===1){let p=O.Instance(),m=p.components.find(u=>u.id===e.options.id);m&&m.dispose();let d=p.components.indexOf(m);d!==-1&&p.components.splice(d,1);let g=await p.loadComponent(e.nestedComponentConfig,a.item(0),e.options),f=[];Object.keys(g.refs).forEach(u=>{let h=g.refs[u];h=h.__nonProxied||h,h.componentDefinition&&f.push({refName:u,componentDefinitionId:h.componentDefinition.id})}),r(new U(e.handlerUniqueId,f))}else{console.error(\"CreateRefComponentMessageHandler - DOM element not found\"),this.messageToHost(new U(e.handlerUniqueId,[],!0));debugger}})().then()})}}});var Qe,Xt=c(()=>{\"use strict\";ie();Qe=(n,t,e)=>{let o=n.scriptInputs?n.scriptInputs:{};o.makeSerializable=L,o.send=t,o.rootRef=e,o.__scriptInputs=o;let i=new Function(\"return (\".concat(n.script,\")(...arguments)\"))(o);t(i)}});var Ze,Xo=c(()=>{\"use strict\";M();x();A();Xt();Ze=class extends S{constructor(){super(...arguments);s(this,\"messageType\",l.ExecuteScriptMessage);s(this,\"innerExecutor\",(e,o,r)=>{Qe(e,a=>{r(new Y(e.handlerUniqueId,a))},o)})}}});var Qo,Ye,Zo=c(()=>{\"use strict\";M();x();A();B();W();ie();Qo=n=>{if(!n)return null;if(n.tagName===\"FORM\"){let t=new FormData(n),e={formData:{},unmappedData:[]},o=n.querySelectorAll(\"input, select, textarea\"),r=-1;return o.forEach(i=>{if(typeof i.value==\"string\"){let a=i.getAttribute(D.id),p=i.getAttribute(\"name\"),m={id:i.id,name:p,value:Qo(i),required:i.required,validity:L(i.validity,!0),myopId:a};p?e.formData[p]?e.formData[p].value?e.unmappedData.push(m):(e.unmappedData.push(e.formData[p]),e.formData[p]=m):e.formData[p]=m:e.unmappedData.push(m)}}),e}return n.type===\"checkbox\"||n.type===\"radio\"?n.checked?n.value:null:n.tagName===\"INPUT\"||n.tagName===\"TEXTAREA\"||n.tagName===\"SELECT\"?n.value:n.isContentEditable?n.innerText||n.textContent:null},Ye=class extends S{constructor(){super(...arguments);s(this,\"messageType\",l.GetElementValueMessage);s(this,\"innerExecutor\",(e,o,r)=>{w(e.ref,o.shadowRoot).forEach(a=>{r(new te(Qo(a)),e)})})}}});var et,Yo=c(()=>{\"use strict\";M();A();B();et=class extends S{constructor(){super(...arguments);s(this,\"messageType\",l.SetInnerHtml);s(this,\"innerExecutor\",(e,o)=>{w(e.ref,o.shadowRoot).forEach(i=>{i.innerHTML=e.content})})}}});var en={};J(en,{WebComponentSDK:()=>he});var he,Qt=c(()=>{\"use strict\";b();M();jt();No();Vo();qo();Wo();X();x();jo();Go();Jo();Xo();Zo();Yo();he=class extends ce{constructor(){super(...arguments);s(this,\"alwaysPassEnvelopesToHost\",!0);s(this,\"connectedCallback\",(e,o)=>{e.addEventListener(ze.webcomponent_message_key,r=>{let i=r.data?r.data:r.detail;if(!i||!i.myop){debugger;throw new Error(\"recvied webcomponent_message with wrong type\")}else{let a=i;if(this.handleIncomeMessages(r),a.messageType===l.InitMessage){let p=a.content.id;this.components[p].context=new We(e,o)}}}),setTimeout(()=>{this.messageToHost(new oe)},1)});s(this,\"messageToHost\",(e,o)=>{e.direction=R.up,!e.replayToHandler&&(o!=null&&o.handlerUniqueId)&&(e.replayToHandler=o.handlerUniqueId),window.myop.hostSDK.send(e)});s(this,\"supportedHandlers\",[new qe(this.messageToHost,this.components),new et(this.messageToHost,this.components),new Ve(this.messageToHost,this.components),new je(this.messageToHost,this.components),new Ge(this.messageToHost,this.components),new Je(this.messageToHost,this.components),new Ze(this.messageToHost,this.components),new Ye(this.messageToHost,this.components),new Xe(this.messageToHost,this.components)]);s(this,\"init\",()=>{})}};K(\"WebComponentSDK\",he)});var tn=c(()=>{\"use strict\";Qt()});function ms(n,t){return class extends HTMLElement{connectedCallback(){let e=t===se.open?\"open\":\"closed\",o=this.attachShadow({mode:e});nn().then(r=>{r.connectedCallback(this,o),o.innerHTML=n})}}}var on,tt,nn,ds,cs,ls,ot,sn=c(()=>{\"use strict\";Gt();Fe();Q();b();tn();Wt();on=[],nn=async()=>(tt||(tt=new he,tt.init()),tt);ds=(n,t,e)=>{customElements.define(n,ms(t,e)),console.log(\"define('\".concat(n,\"') was called, web component ready to use\"))},cs=n=>n.replace(/([a-z])([A-Z])/g,\"$1-$2\").replace(/(\\d+)/g,\"-$1\").toLowerCase(),ls=n=>(n=cs(n),n.replace(/_/g,\"-\")),ot=class extends q{constructor(){super(...arguments);s(this,\"type\",z.HTMLLoader);s(this,\"load\",async(e,o,r,i)=>{let a=o.loader,p=\"myop-comp-\".concat(T()),m;if(a.shadowRootMode===se.localFrame){let d=T(),g=\"myop-comp-\".concat(d),f=document.createElement(\"iframe\");r.querySelector('[id^=\"myop-comp-\"]')||(r.innerHTML=\"\"),i!=null&&i.hidden&&(f.style.visibility=\"hidden\"),f=this.appendChild(r,f,i),f.id=g,f.setAttribute(\"style\",\"\\n display: block;\\n padding: 0;\\n margin: 0;\\n overflow: hidden;\\n border: none;\\n opacity: \".concat(i!=null&&i.hidden?\"0\":\"1\",\";\\n width: 100%;\\n height: 100%;\\n position: \").concat(i!=null&&i.hidden?\"absolute\":\"static\",\";\\n pointer-events: \").concat(i!=null&&i.hidden?\"none\":\"all\",\";\\n \")),r.appendChild(f);let u=f.contentDocument||f.contentWindow.document;u.open();let h=a.HTML;if(i!=null&&i._inspection){let G=new DOMParser().parseFromString(a.HTML,\"text/html\"),bt=G.getElementById(\"myop_preview\");bt==null||bt.removeAttribute(\"type\");let eo=G.implementation.createHTMLDocument();eo.body.innerHTML=\"<script>\\n const beforeKeysWindow = new Set(Object.keys(window));\\n window.myopState = {\\n beforeKeysWindow,\\n };\\n <\\/script>\";let to=eo.body.firstChild;to&&G.head&&G.head.insertBefore(G.importNode(to,!0),G.head.firstChild),h=G.documentElement.outerHTML}u.writeln(h),u.writeln('<script src=\"'.concat(window.myop.__ROOT_SDK_PUBLIC_URL__,'\"><\\/script>\\n <script>\\n \\n window.__federation__.__public_path__ = window.__federation__.__public_path__;\\n \\n const __myop_init = async () => {\\n const {IframeSDK} = (await window.myop.rootSDK.getIframeModule());\\n const sdk = new IframeSDK()\\n sdk.init();\\n }\\n \\n __myop_init().then();\\n \\n <\\/script>')),u.close();let E=new ue(e,o,r,f,i);return a.autoHeight&&(f.onload=()=>{E.observeSizeBasedOnDocumentElement()}),E}if(a.shadowRootMode===se.none){let d=document.createElement(\"template\");d.innerHTML=a.HTML,m=d.content.firstElementChild,nn().then(g=>{g.connectedCallback(m,m)})}else{let d=ls(e.name+o.id);on.includes(d)||(ds(d,a.HTML,a.shadowRootMode),on.push(d)),m=document.createElement(d)}return r.querySelector('[id^=\"myop-comp-\"]')||(r.innerHTML=\"\"),m.id=p,i!=null&&i.hidden&&(m.style.opacity=\"0\",m.style.position=\"absolute\",m.style.height=\"0\",m.style.width=\"0\",m.style.pointerEvents=\"none\",m.style.visibility=\"hidden\"),this.appendChild(r,m,i),new ye(e,o,r,m,i)})}}});var rn,an,pn=c(()=>{\"use strict\";Q();x();rn=(n,t,e)=>{let o=\"myop-css-\".concat(T());return n.send(new _(({rootRef:r,_stylesheet:i,_tagId:a,_css:p})=>{let m=document.createElement(\"style\");m.type=\"text/css\";let d=p;for(let g in i){d+=\"\".concat(g,\" { \");let f=i[g];for(let u in f)d+=\"\".concat(u,\": \").concat(f[u],\"; \");d+=\"} \"}m.appendChild(document.createTextNode(d)),m.id=a,(r.shadowRoot||r.container).appendChild(m)},()=>{},{_stylesheet:t,_css:e||\"\",_tagId:o})),()=>{n.send(new _(({rootRef:r,_tagId:i})=>{let a=(r.shadowRoot||document).getElementById(i);a&&a.remove()},()=>{},{_tagId:o}))}},an=(n,t)=>{let e=\"myop-css-\".concat(T());return n.send(new _(({rootRef:o,_tagId:r,_link:i})=>{let a=document.createElement(\"link\");a.id=r,a.rel=\"stylesheet\",a.href=i,document.head.appendChild(a),(o.shadowRoot||o.container).appendChild(a)},()=>{},{_link:t,_tagId:e})),()=>{n.send(new _(({rootRef:o,_tagId:r})=>{let i=(o.shadowRoot||document).getElementById(r);i&&i.remove()},()=>{},{_tagId:e}))}}});var fs,Zt,mn,dn=c(()=>{\"use strict\";fs=(n,t)=>{let e=new RegExp(Object.keys(t).join(\"|\"),\"g\");return n.replace(e,o=>(t[o]||o).toString())},Zt=(n,t)=>{let e=n.loader;if(e.type!==\"IframeLoader\")throw new Error('iframeSkinUrlTokenizer received skin with loader type \"'.concat(e.type,'\", currently only \"IframeLoader\" is supported'));return n.loader=y({},n.loader),n.loader.url=fs(n.loader.url,t),n},mn=n=>async t=>Zt(t,n)});var cn,ln,fn=c(()=>{\"use strict\";x();cn=(n,t,e)=>{n.send(new F(({ref:o,_className:r})=>{o==null||o.classList.add(r)},{elementId:e,_className:t}))},ln=(n,t,e)=>{n.send(new F(({ref:o,_className:r})=>{o==null||o.classList.remove(r)},{elementId:e,_className:t}))}});var rt,nt,it,st,gn=c(()=>{\"use strict\";Q();rt=class rt{constructor(){s(this,\"_runTimeInstanceId\",\"runtime-instance-id-\"+T());s(this,\"_runTimeId\",\"runtime-id-\"+T());s(this,\"_runTimeName\",\"runtime-name-\"+T());s(this,\"id\",this._runTimeId);s(this,\"name\",this._runTimeName);s(this,\"description\",\"\");s(this,\"loader\",null);s(this,\"withLoader\",t=>(this.loader=t,this));s(this,\"withHTMLLoader\",t=>(t.type=\"HTMLLoader\",this.loader=t,this));s(this,\"build\",()=>this)}};s(rt,\"create\",()=>new rt);nt=rt,it=class it{constructor(){s(this,\"_runTimeInstanceId\",\"runtime-instance-id-\"+T());s(this,\"_runTimeId\",\"runtime-id-\"+T());s(this,\"_runTimeName\",\"runtime-name-\"+T());s(this,\"instance\",{id:this._runTimeInstanceId,componentId:this._runTimeId,componentName:this._runTimeName,skinSelector:null});s(this,\"name\",this._runTimeName);s(this,\"type\",{id:this._runTimeId,name:this._runTimeName,description:\"\",props:[],refs:[],skins:[],defaultSkin:0});s(this,\"withInstance\",t=>(this.instance=t,this));s(this,\"withType\",t=>(this.type=t,this));s(this,\"withName\",t=>(this.name=t,this));s(this,\"withDefaultSkin\",t=>(this.type.skins.push(t),this.type.defaultSkin=this.type.skins.length-1,this.instance.skinSelector={type:\"Dedicated\",skin:{id:t.id}},this));s(this,\"withRef\",t=>(this.type.refs.push(t),this));s(this,\"withBasicRef\",t=>{let e={id:\"\",name:t,description:\"\",selectorType:\"id-attribute\",selector:t,behavior:{type:\"code\"}};return this.type.refs.push(e),this});s(this,\"build\",()=>JSON.parse(JSON.stringify(this)))}};s(it,\"create\",()=>new it);st=it});var gs,at,j,un,yn=c(()=>{\"use strict\";b();gs=n=>({instance:{id:\"auto\",componentId:n.componentId,componentName:n.name,skinSelector:{type:\"Dedicated\",skin:{id:\"skin_auto_v2_converted\"}}},type:{id:n.id,name:n.name,description:n.description,props:[{id:\"in_auto_v2_converted\",name:\"myop_init_interface\",type:\"any\",behavior:{type:ge.code}},{id:\"out_auto_v2_converted\",name:\"myop_cta_handler\",type:\"any\",behavior:{type:ge.code}}],refs:[],skins:[{id:\"skin_auto_v2_converted\",name:\"auto_v2_converted\",description:\"\",loader:n.consume_variant[0].loader}],defaultSkin:0},name:n.name}),at=class at{constructor(t=\"https://cloud.myop.dev\"){this._baseUrl=t;s(this,\"variants\",{});s(this,\"userFlows\",{});s(this,\"_defaultEnv\",\"production\")}setEnvironment(t){this._defaultEnv=t}getDefaultEnvironment(){return this._defaultEnv}isPreloaded(t,e,o){return\"\".concat(t,\":\").concat(e||this._defaultEnv,\":\").concat(o?\"preview\":\"live\")in this.variants}async fetchComponentV2(t,e,o){let r=e||this._defaultEnv,i=\"\".concat(t,\":\").concat(r,\":\").concat(o?\"preview\":\"live\");return this.variants[i]||(this.variants[i]=new Promise(async(a,p)=>{try{let m=\"\".concat(this._baseUrl,\"/consume?id=\").concat(t,\"&env=\").concat(r);o&&(m+=\"&preview=true\");let f=(await(await fetch(m)).json()).item;if(!f){p(new Error('Component \"'.concat(t,'\" not found')));return}if(!f.consume_variant||!f.consume_variant.length){p(new Error('Component \"'.concat(t,'\" has no implementation for environment \"').concat(r,'\"')));return}let u=gs(f);a(u)}catch(m){p(m)}})),await this.variants[i]}async fetchComponentV1(t,e){return e?(await this.fetchFlow(e)).components.find(r=>r.type.id===t):(await this.fetchAutoFlow(t)).components[0]}async fetchAutoFlow(t){return this.userFlows[t]||(this.userFlows[t]=new Promise(async(e,o)=>{try{let i=await(await fetch(\"\".concat(this._baseUrl,\"/flow?id=\").concat(t,\"&auto=true\"))).json();e(i.item)}catch(r){o(r)}})),await this.userFlows[t]}async fetchFlow(t){return this.userFlows[t]||(this.userFlows[t]=new Promise(async(e,o)=>{try{let i=await(await fetch(\"\".concat(this._baseUrl,\"/flow?id=\").concat(t,\"&resolve=components\"))).json();e(i.item)}catch(r){o(r)}})),await this.userFlows[t]}async fetchComponent(t,e){return this.fetchComponentV1(t,e)}};s(at,\"Main\",new at);j=at,un=j});var hn,Mn=c(()=>{\"use strict\";hn=async n=>await n()});var Yt={};J(Yt,{CloudRepository:()=>j,ComponentConfig:()=>st,SkinConfig:()=>nt,addClass:()=>cn,applyStylesheet:()=>rn,applyStylesheetLink:()=>an,changeSkinUrlByTokenizer:()=>mn,createIframeSkinByTokenizer:()=>Zt,exec:()=>hn,removeClass:()=>ln,v2_CloudRepository:()=>un});var pt=c(()=>{\"use strict\";pn();dn();fn();gn();yn();Mn()});var In,Cn=c(()=>{\"use strict\";Et();pt();b();In=async n=>{try{let t=new URL(window.location.href),o=new URLSearchParams(t.search).get(\"myopOverride\");if(o){let[r,...i]=St(o);switch(r){case\"component\":{let[a,p]=i,m=await j.Main.fetchComponent(a);if(m&&m.type.skins.find(g=>g.id===p))return m.instance.skinSelector={type:re.Dedicated,skin:{id:p}},m}break;default:{let[a,p]=St(o),d=(await j.Main.fetchFlow(a)).components.find(g=>g.type.id===n.type.id);if(d&&d.instance.skinSelector.type===re.Segmented&&d.instance.resolvedExperiences){let g=d.instance.resolvedExperiences.find(f=>f.id===p);if((g==null?void 0:g.type)===Ke.Segment){let f=g,h=d.instance.skinSelector.segments.find(E=>E.segmentId===f.segment.id);if(h)return d.instance.skinSelector=h==null?void 0:h.skinSelector,d}}}break}}}finally{return null}}});var wn={};J(wn,{HostSDK:()=>O,hostSDK:()=>bn});var xn,O,bn,Re=c(()=>{\"use strict\";X();M();x();Fo();Uo();$e();b();Be();sn();Cn();xn=\"https://cdn.myop.dev/sdk/next/myop_sdk.min.js\",O=class{constructor(){s(this,\"components2init\",[]);s(this,\"components\",[]);s(this,\"componentsLoaders\",[]);s(this,\"initiated\",!1);s(this,\"version\",ae);s(this,\"type2InstanceCount\",{});s(this,\"assignId\",t=>(this.type2InstanceCount[t.id]||(this.type2InstanceCount[t.id]=0),\"\".concat(t.id,\"_\").concat(++this.type2InstanceCount[t.id])));s(this,\"inspected\",!1);s(this,\"inspect\",()=>{this.inspected||(this.inspected=!0,this.components.forEach(t=>{t.inspect&&t.inspect()}))});s(this,\"incomingMessageHandler\",t=>{if(t.origin,document.location.origin,t.data.myop){if(t.data.direction!==R.up&&t.data.messageType!==l.EnvelopedMessage)return;let e=t.data;if(e.messageType===l.InitRequest){this.components2init.forEach(r=>{r.send(new pe(r.id))});return}if(e.messageType===l.InitResponse){this.components2init=this.components2init.filter(i=>i.id!==e.content.id);let r=this.components.find(i=>{var a;return i.id===((a=e.content)==null?void 0:a.id)});r==null||r.setInitiated();return}if(e.messageType===l.EnvelopedMessage){let r=e,i=this.components.find(a=>a.id===r.destination);if(i){if(r.direction===R.down){r.message.messageType===P.name?i.onMessageReceived(r.message):(r.message.route=r.route,i.send(r.message));return}}else{let a=this.components.find(p=>p.id===r.message.destination);a&&a.send(r.message)}return}let o=this.components.find(r=>r.id===e.destination);if(!o){window.myop.IframeSDK&&window.myop.IframeSDK.messageToHost(e);return}if(o){if(o.onMessageReceived(e))return;window.myop.IframeSDK&&window.myop.IframeSDK.messageToHost(e)}}});s(this,\"send\",t=>{let e=new MessageEvent(\"\",{data:t});this.incomingMessageHandler(e)});s(this,\"init\",t=>{if(this.initiated)throw new Error(\"hostSDK already initiated\");let e=[new Ue,new Ne,new ot];if(this.componentsLoaders=[...e],t){let o={};t.forEach(r=>{let i=new r(this.componentsLoaders);o[i.type]=i}),this.componentsLoaders.forEach(r=>{o[r.type]||(o[r.type]=r)}),this.componentsLoaders=Object.values(o)}window.addEventListener(\"message\",this.incomingMessageHandler,!1),console.log(\"myop hostSDK initiated\",document.location.href),this.initiated=!0});s(this,\"_getSkinIdBySkinSelector\",async(t,e=[],o)=>{var i;async function r(a,p){for(let m of a)if(await p(m))return m}switch(t.type){case\"DedicatedSkin\":case re.Dedicated:return((i=t.skin)==null?void 0:i.id)||t.skins[0].id;case re.Segmented:{let p=await r(t.segments,async m=>{if(m.segmentId===\"Default\")return!0;let d=e.find(h=>h.type===Ke.Segment?h.segment.id===m.segmentId:!1);if(!d)throw new Error(\"experience not found\");let f=d.segment,u=(o||{})[f.function];return u?await u():(console.warn(\"segmentId:\".concat(m.segmentId,\", \").concat(f.function,\" function not provided !\")),!1)});if(p)return this._getSkinIdBySkinSelector(p.skinSelector,e);debugger}break;default:debugger}return\"\"});s(this,\"runSkinSelector\",async(t,e)=>{let o=await this._getSkinIdBySkinSelector(t.instance.skinSelector,t.instance.resolvedExperiences,e);return t.type.skins.find(r=>r.id===o)});s(this,\"loaderHooks\");s(this,\"loadComponent\",async(t,e,o)=>{var g,f,u,h;if(!e){debugger;throw new Error(\"no container was found for this component\")}let r=await In(t);r&&(t=r);let i=y(y({},(g=this.loaderHooks)!=null?g:{}),(f=o==null?void 0:o.hooks)!=null?f:{}),a=e;if(a.myop)if(a.component){t=y({},t),t.instance=y({},t.instance);let E=await this.runSkinSelector(t,i);if(!E)throw new Error(\"runSkinSelector failed to choose skin, check the provided config\");return(u=o==null?void 0:o.hooks)!=null&&u.afterSkinSelected&&(E=await o.hooks.afterSkinSelected(y({},E))),t.instance.skinSelector={type:re.Dedicated,skin:E},o&&(o=y({},o),delete o.hooks),await Vt(a,t,this.components,o)}else throw new Error(\"load component got a detached ref.\");e=e;let p=await this.runSkinSelector(t,i);if(!p)throw new Error(\"runSkinSelector failed to choose skin, check the provided config\");(h=o==null?void 0:o.hooks)!=null&&h.afterSkinSelected&&(p=await o.hooks.afterSkinSelected(y({},p)));let m=this.componentsLoaders.find(E=>E.type===p.loader.type);if(!m){debugger;throw new Error('no loader \"'.concat(p.loader.type,'\" was found for component'))}let d=await m.load(t.type,p,e,o);d.isInitiated||this.components2init.push(d),d.bind(\"onDispose\",()=>(this.components=this.components.filter(E=>E!==d),this.components2init=this.components2init.filter(E=>E!==d),!0)),this.components.push(d),(!o||o.connectProps!==!1)&&(d=$o(d,t.type.props,p));try{await qt(d,t,this.components)}catch(E){throw E}return o!=null&&o.skipInit||await d.initiated(),d});s(this,\"navigate\",async(t,e,o)=>{if(t.parent)throw new Error(\"Navigating on remote ref components is not implemented yet\");if(o!=null&&o.staged){let r=await this.loadComponent(e,t.container,y({hidden:!0,relative:{direction:\"after\",child:t.element}},o));return o.init&&await o.init(r),r.show(),t.dispose(),r}else{let r=t.element.nextSibling;return t.dispose(),this.loadComponent(e,t.container,y({relative:{direction:\"before\",child:r}},o))}})}};s(O,\"Instance\",()=>window.myop.hostSDK);window.myop||(window.myop={__ROOT_SDK_PUBLIC_URL__:xn});if(!window.myop.hostSDK){let n=new O;n.init(),window.myop||(window.myop={__ROOT_SDK_PUBLIC_URL__:xn}),window.myop.hostSDK=n}bn=window.myop.hostSDK;K(\"hostSDK\",bn)});var mt,Tn=c(()=>{\"use strict\";M();W();b();x();mt=class extends C{constructor(){super(...arguments);s(this,\"messageType\",l.DetectMyopRefsMessage);s(this,\"executor\",e=>{let o=document.querySelectorAll(\"[\".concat(D.id,\"]\")),r=[];o.forEach(i=>{let a=i.getAttribute(D.id);a&&r.push(new de(a,i.tagName,i.getBoundingClientRect()))}),this.messageToHost(new ne(e.handlerUniqueId,r))})}}});var dt,Sn=c(()=>{\"use strict\";M();b();x();B();dt=class extends C{constructor(){super(...arguments);s(this,\"messageType\",l.BindClickMessage);s(this,\"executor\",e=>{let o=[];return w(e.ref,document).forEach(i=>{let a=()=>{this.messageToHost(new Z,e)};i.addEventListener(\"click\",a);let p=()=>{i.removeEventListener(\"click\",a)};o.push(p)}),()=>{o.forEach(i=>i())}})}}});var ct,En=c(()=>{\"use strict\";M();b();B();ct=class extends C{constructor(){super(...arguments);s(this,\"messageType\",l.ChangeTextMessage);s(this,\"executor\",e=>{w(e.ref,document).forEach(r=>{r.textContent=e.content})})}}});var lt,Rn=c(()=>{\"use strict\";M();x();b();Xt();lt=class extends C{constructor(){super(...arguments);s(this,\"messageType\",l.ExecuteScriptMessage);s(this,\"executor\",e=>{Qe(e,r=>{this.messageToHost(new Y(e.handlerUniqueId,r))},new fe(document.documentElement))})}}});var ft,vn=c(()=>{\"use strict\";M();b();x();ie();B();ft=class extends C{constructor(){super(...arguments);s(this,\"messageType\",l.AddEventListenerMessage);s(this,\"executor\",e=>{let o=w(e.ref,document),r=[];return o.forEach(i=>{let a=p=>{requestAnimationFrame(()=>{this.messageToHost(new ee(e.handlerUniqueId,L(p,e.serializableSkeleton)))})};i.addEventListener(e.type,a),r.push(()=>{i.removeEventListener(e.type,a)})}),()=>{r.forEach(i=>{i()})}})}}});var gt,kn=c(()=>{\"use strict\";M();b();B();gt=class extends C{constructor(){super(...arguments);s(this,\"messageType\",l.SetAttributeMessage);s(this,\"executor\",e=>{w(e.ref,document).forEach(r=>{r.setAttribute(e.name,e.value)})})}}});var ut,Hn=c(()=>{\"use strict\";M();W();b();Re();Le();ut=class extends C{constructor(){super(...arguments);s(this,\"messageType\",l.CreateRefComponentMessage);s(this,\"executor\",e=>{(async()=>{let r=document.querySelectorAll(\"[\".concat(D.id,\"='\").concat(e.refConfig.selector,\"']\"));if(r.length===1){let a=await O.Instance().loadComponent(e.nestedComponentConfig,r.item(0),e.options),p=[];Object.keys(a.refs).forEach(m=>{let d=a.refs[m];d=d.__nonProxied||d,d.componentDefinition&&p.push({refName:m,componentDefinitionId:d.componentDefinition.id})}),this.messageToHost(new U(e.handlerUniqueId,p))}else{console.error(\"CreateRefComponentMessageHandler - DOM element not found\"),this.messageToHost(new U(e.handlerUniqueId,[],!0));debugger}})().then()})}}});var _n,Dn=c(()=>{\"use strict\";_n=(n,t)=>{if(!n){console.log(\"n\");return}let e=window.MutationObserver||window.WebKitMutationObserver;if(!(!n||n.nodeType!==1))if(e){let o=new e(t),r={attributes:!0,childList:!0,subtree:!0};return o.observe(n,r),o}else window.addEventListener&&(n.addEventListener(\"DOMNodeInserted\",t,!1),n.addEventListener(\"DOMNodeRemoved\",t,!1))}});var yt,Bn=c(()=>{\"use strict\";M();x();b();Dn();yt=class extends C{constructor(){super(...arguments);s(this,\"messageType\",l.SetMutationObserverMessage);s(this,\"executor\",e=>{e.source&&_n(document.body,()=>{this.messageToHost(new be)})})}}});var Ln,ht,Pn=c(()=>{\"use strict\";M();W();b();x();ie();B();Ln=n=>{if(!n)return null;if(n.tagName===\"FORM\"){let t=new FormData(n),e={formData:{},unmappedData:[]},o=n.querySelectorAll(\"input, select, textarea\"),r=-1;return o.forEach(i=>{if(typeof i.value==\"string\"){let a=i.getAttribute(D.id),p=i.getAttribute(\"name\"),m={id:i.id,name:p,value:Ln(i),required:i.required,validity:L(i.validity,!0),myopId:a};e.unmappedData.push(m),p&&(!e.formData[p]||!e.formData[p].value||m.value)&&(e.formData[p]=m)}}),e}return n.type===\"checkbox\"||n.type===\"radio\"?n.checked?n.value:null:n.tagName===\"INPUT\"||n.tagName===\"TEXTAREA\"||n.tagName===\"SELECT\"?n.value:n.isContentEditable?n.innerText||n.textContent:null},ht=class extends C{constructor(){super(...arguments);s(this,\"messageType\",l.GetElementValueMessage);s(this,\"executor\",e=>{w(e.ref,document).forEach(r=>{this.messageToHost(new te(Ln(r)),e)})})}}});var Mt,On=c(()=>{\"use strict\";M();b();x();B();Mt=class extends C{constructor(){super(...arguments);s(this,\"messageType\",l.GetAttributeMessage);s(this,\"executor\",e=>{let o=zo(e.ref,document);o&&this.messageToHost(new xe(o.getAttribute(e.name)),e)})}}});var It,Kn=c(()=>{\"use strict\";x();M();b();It=class extends C{constructor(){super(...arguments);s(this,\"messageType\",l.SetResizeObserverMessage);s(this,\"executor\",e=>{let o=new ResizeObserver(r=>{this.messageToHost(new Ee)});return o.observe(document.body),()=>{o.disconnect()}})}}});var Ct,An=c(()=>{\"use strict\";M();b();B();Ct=class extends C{constructor(){super(...arguments);s(this,\"messageType\",l.SetInnerHtml);s(this,\"executor\",e=>{w(e.ref,document).forEach(r=>{r.innerHTML=e.content})})}}});var $n={};J($n,{IframeSDK:()=>xt});var xt,Fn=c(()=>{\"use strict\";b();Tn();Sn();En();Rn();X();vn();kn();x();Hn();Bn();Pn();Be();On();Kn();An();xt=class extends ce{constructor(){super();s(this,\"version\",ae);s(this,\"messageToHost\",(e,o)=>{var i;!e.replayToHandler&&(o!=null&&o.handlerUniqueId)&&(e.replayToHandler=o.handlerUniqueId);let r=Object.keys(this.components);e.destination||(o!=null&&o.route?e.destination=o.route[o.route.length-1]:e.destination=r[0]),e.source||(e.source=r[0]),e.direction=R.up,(i=window.parent)==null||i.postMessage(y({},e),\"*\")});s(this,\"supportedHandlers\",[new ct(this.messageToHost),new Ct(this.messageToHost),new dt(this.messageToHost),new mt(this.messageToHost),new lt(this.messageToHost),new ft(this.messageToHost),new gt(this.messageToHost),new ht(this.messageToHost),new yt(this.messageToHost),new It(this.messageToHost),new Mt(this.messageToHost),new ut(this.messageToHost)]);s(this,\"init\",()=>{window.onmessage=this.handleIncomeMessages.bind(this),this.messageToHost(new oe)});window.myop||(window.myop={}),window.myop.IframeSDK=this}};K(\"IframeSDK\",xt)});var ys={};var us,Un=c(()=>{\"use strict\";x();X();us=y({},me);K(\"MyopMessages\",us)});var zn={};J(zn,{CloudRepository:()=>j,ComponentConfig:()=>st,SkinConfig:()=>nt,addClass:()=>cn,applyStylesheet:()=>rn,applyStylesheetLink:()=>an,changeSkinUrlByTokenizer:()=>mn,createIframeSkinByTokenizer:()=>Zt,exec:()=>hn,removeClass:()=>ln,v2_CloudRepository:()=>un});var Nn=c(()=>{\"use strict\";X();pt();pt();K(\"MyopHelpers\",Yt)});var xs={};J(xs,{getHostModule:()=>Vn,getIframeModule:()=>qn,getWebcomponentModule:()=>Wn});X();var so;if(window.__federation__)console.log(\"__federation__ loaded more than once.\");else{let n=(so=document.currentScript)==null?void 0:so.src,t=n?n.split(\"/\").slice(0,-1).join(\"/\"):\"\";window.__federation__={__public_auto_path__:t,__use_public_auto_path__:!0,__public_path__:void 0,__loading_timeout__:5*1e3}}window.__federation__.load__federation__=(n,t,e)=>{if(window.__federation__[t])console.log(\"__federation__ module \".concat(t,\" already loaded.\")),e(window.__federation__[t][Tt]);else{let o;window.__federation__[t]={},window.__federation__[t][De]=r=>{o&&(document.head.removeChild(o),o=null),window.__federation__[t][Tt]=r,e(r)},o=document.createElement(\"script\"),o.type=\"module\",o.src=n,o.async=!0,document.head.appendChild(o)}};Be();console.log(\"myop root sdk - loaded\",document.location.origin);var hs=\"https://cdn.myop.dev/sdk/next/myop_sdk.min.js\",Vn=()=>Promise.resolve().then(()=>(Re(),wn)),qn=()=>Promise.resolve().then(()=>(Fn(),$n)),Wn=()=>Promise.resolve().then(()=>(Qt(),en)),Ms=()=>Promise.resolve().then(()=>(Un(),ys)),Is=()=>Promise.resolve().then(()=>(Nn(),zn)),ke=n=>async()=>(await n()).get(),Cs={version:ae,getHostModule:ke(Vn),getIframeModule:ke(qn),getWebcomponentModule:ke(Wn),getMyopMessages:ke(Ms),getMyopHelpers:ke(Is)};window.myop||(window.myop={__ROOT_SDK_PUBLIC_URL__:hs});window.myop.rootSDK?console.log(\"myop root host loaded more than once.\"):window.myop=y({rootSDK:Cs},window.myop);return es(xs);})();\n</script>\n </head>\n <body>\n <div id=\"myop-container\"></div>\n <script>\n // Initialize hostSDK on page load\n (async function initSDK() {\n try {\n // Use the internal getHostModule which returns the module directly\n const hostModule = await MyopSDK.getHostModule();\n // hostModule is the exports object with { hostSDK, HostSDK }\n window.__myopHostSDK = hostModule.hostSDK || window.myop.hostSDK;\n window.ReactNativeWebView.postMessage('WEBVIEW_READY');\n } catch (err) {\n window.ReactNativeWebView.postMessage('SDK_INIT_ERROR:' + err.message);\n }\n })();\n\n async function loadMyopComponent(configAsString) {\n try {\n const componentConfig = JSON.parse(decodeURIComponent(configAsString));\n const container = document.getElementById('myop-container');\n window.myopComponent = await window.__myopHostSDK.loadComponent(componentConfig, container);\n\n // Set up myop_cta_handler to forward calls to React Native\n if (window.myopComponent && window.myopComponent.element && window.myopComponent.element.contentWindow) {\n window.myopComponent.element.contentWindow.myop_cta_handler = function(action, payload) {\n window.ReactNativeWebView.postMessage('CTA:' + JSON.stringify({ action: action, payload: payload }));\n };\n }\n\n window.ReactNativeWebView.postMessage('COMPONENT_LOADED');\n } catch (err) {\n window.ReactNativeWebView.postMessage('COMPONENT_ERROR:' + err.message);\n }\n }\n </script>\n </body>\n</html>\n";
1
+ export declare const HTML = "\n<!DOCTYPE html>\n<html>\n <head>\n <meta name=\"viewport\" content=\"width=device-width, initial-scale=1.0\">\n <style>\n html, body {\n margin: 0;\n padding: 0;\n width: 100%;\n height: 100%;\n display: flex;\n flex-direction: column;\n justify-content: center;\n align-items: center;\n font-family: sans-serif;\n }\n #myop-container {\n margin: 0;\n padding: 0;\n width: 100%;\n height: 100%;\n }\n </style>\n <script>\"use strict\";var MyopSDK=(()=>{var ze=Object.defineProperty,ds=Object.defineProperties,cs=Object.getOwnPropertyDescriptor,ms=Object.getOwnPropertyDescriptors,ls=Object.getOwnPropertyNames,gn=Object.getOwnPropertySymbols;var un=Object.prototype.hasOwnProperty,fs=Object.prototype.propertyIsEnumerable;var Dt=(o,t,e)=>t in o?ze(o,t,{enumerable:!0,configurable:!0,writable:!0,value:e}):o[t]=e,h=(o,t)=>{for(var e in t||(t={}))un.call(t,e)&&Dt(o,e,t[e]);if(gn)for(var e of gn(t))fs.call(t,e)&&Dt(o,e,t[e]);return o},N=(o,t)=>ds(o,ms(t));var m=(o,t)=>()=>(o&&(t=o(o=0)),t);var ee=(o,t)=>{for(var e in t)ze(o,e,{get:t[e],enumerable:!0})},gs=(o,t,e,n)=>{if(t&&typeof t==\"object\"||typeof t==\"function\")for(let r of ls(t))!un.call(o,r)&&r!==e&&ze(o,r,{get:()=>t[r],enumerable:!(n=cs(t,r))||n.enumerable});return o};var us=o=>gs(ze({},\"__esModule\",{value:!0}),o);var s=(o,t,e)=>Dt(o,typeof t!=\"symbol\"?t+\"\":t,e);var $e,Ue,Bt,z,te=m(()=>{\"use strict\";$e=\"__federation__\",Ue=\"onLoad\",Bt=\"moduleInstance\",z=(o,t)=>{window[$e]&&window[$e][o]&&window[$e][o][Ue]&&window[$e][o][Ue]({[o]:t})}});var ue,Ne=m(()=>{ue=\"0.3.14\"});var l,I=m(()=>{\"use strict\";l={InitRequest:\"InitRequest\",InitResponse:\"InitResponse\",InitMessage:\"InitMessage\",DisposeMessage:\"DisposeMessage\",ChangeTextMessage:\"ChangeTextMessage\",BindClickMessage:\"BindClickMessage\",DetectMyopRefsMessage:\"DetectMyopRefsMessage\",ExecuteScriptMessage:\"ExecuteScriptMessage\",AddEventListenerMessage:\"AddEventListenerMessage\",SetAttributeMessage:\"SetAttributeMessage\",CreateRefComponentMessage:\"CreateRefComponentMessage\",EnvelopedMessage:\"EnvelopedMessage\",GetElementValueMessage:\"GetElementValueMessage\",GetAttributeMessage:\"GetAttributeMessage\",SetInnerHtml:\"SetInnerHtml\",ExecuteComponentMethod:\"ExecuteComponentMethod\",SetMutationObserverMessage:\"SetMutationObserverMessage\",SetResizeObserverMessage:\"SetResizeObserverMessage\",CleanupMessage:\"CleanupMessage\",In:{DetectedMyopRefsMessage:\"DetectedMyopRefsMessage\",ClickReplayMessage:\"ClickReplayMessage\",ExecuteScriptReplyMessage:\"ExecuteScriptReplyMessage\",EventListenerCallbackMessage:\"EventListenerCallbackMessage\",ElementValueReplayMessage:\"ElementValueReplayMessage\",GetAttributeReplayMessage:\"GetAttributeReplayMessage\",RefComponentCreatedMessage:\"RefComponentCreatedMessage\",EnvelopedMessage:\"EnvelopedMessage\",MutationObserverMessage:\"MutationObserverMessage\",CleanupReplayMessage:\"CleanupReplayMessage\",ResizeObserverMessage:\"ResizeObserverMessage\"}}});var T,ys,hs,Lt,Ot=m(()=>{\"use strict\";T=()=>\"10000000-1000-4000-8000-100000000000\".replace(/[018]/g,o=>(+o^crypto.getRandomValues(new Uint8Array(1))[0]&15>>+o/4).toString(16)),ys=o=>{let t=[...o].map(e=>e.toString(16).padStart(2,\"0\")).join(\"\");return[t.slice(0,8),t.slice(8,12),t.slice(12,16),t.slice(16,20),t.slice(20)].join(\"-\")},hs=o=>{let t=o.replace(/-/g,\"+\").replace(/_/g,\"/\");for(;t.length%4;)t+=\"=\";let e=atob(t);return Uint8Array.from(e,n=>n.charCodeAt(0))},Lt=o=>{let t=hs(o);if(t.length%16!==0)throw new Error(\"Invalid input length\");let e=[];for(let n=0;n<t.length;n+=16)e.push(ys(t.slice(n,n+16)));return e}});var hn,ne=m(()=>{\"use strict\";Ot();hn=o=>new Promise(t=>setTimeout(t,o))});var R,C,Pt,v,_,G,k=m(()=>{\"use strict\";ne();R=class{};s(R,\"down\",\"down\"),s(R,\"up\",\"up\");C=class{constructor(){s(this,\"id\",T());s(this,\"myop\",!0);s(this,\"content\");s(this,\"source\");s(this,\"destination\");s(this,\"route\");s(this,\"ref\");s(this,\"direction\");s(this,\"cleanable\",!1)}static create(...t){return new this(...t)}isTypeof(t){return t.messageType===this.messageType}},Pt=class extends C{constructor(e){super();this.ref=e}},v=class extends C{constructor(e){super();this.replayToHandler=e}},_=class extends C{constructor(e){super();this.handler=e;s(this,\"handlerUniqueId\",T())}},G=class o{constructor(t,e){this.refConfig=t;this.component=e;s(this,\"myop\",!0);s(this,\"__nonProxied\");this.__nonProxied=N(h({},this),{component:null})}static create(t,e,n){let r=e;return r||(r={id:\"\",name:\"\",description:\"\",selectorType:\"id-attribute\",selector:t,behavior:{type:\"code\"}}),new o(r,n)}}});var Mn,Kt,oe,In=m(()=>{\"use strict\";k();Mn=\"ClickReplayMessage\",Kt=class extends _{constructor(e,n){super(n);this.ref=e;s(this,\"replyMessageKey\",Mn);s(this,\"messageType\",\"BindClickMessage\");s(this,\"cleanable\",!0)}},oe=class extends v{constructor(){super(...arguments);s(this,\"messageType\",Mn)}}});var At,Cn=m(()=>{\"use strict\";k();At=class extends C{constructor(e,n){super();this.ref=e;s(this,\"messageType\",\"ChangeTextMessage\");this.content=n}}});var xn,Ms,Is,wn,D,se,Ft=m(()=>{\"use strict\";k();xn=\"ExecuteScriptReplyMessage\",Ms=/(?:function\\s*\\w*\\s*\\([^)]*\\)\\s*\\{([\\s\\S]*?)\\}|(\\([^)]*\\)\\s*=>\\s*\\{([\\s\\S]*?)\\}))\\s*$/,Is=/\\(\\s*[^)]+\\s*\\)\\s*=>\\s*(.+)/,wn=o=>{let t=o.match(Ms);if(t)return t[1]||t[3];{let e=o.match(Is);if(e)return e[1].trim()}},D=class extends _{constructor(e,n=()=>{},r){super(n);this.scriptInputs=r;s(this,\"replyMessageKey\",xn);s(this,\"messageType\",\"ExecuteScriptMessage\");s(this,\"script\",\"\");this.script=e.toString(),this.content=e.toString(),this.content=wn(this.content)}};s(D,\"replierKey\",\"send\"),s(D,\"completeStreamKey\",\"completeStream\");se=class extends v{constructor(e,n){super(e);this.replayToHandler=e;this.content=n;s(this,\"messageType\",xn)}}});var W,bn=m(()=>{\"use strict\";Ft();W=class extends D{constructor(e,n,r=()=>{}){super(({rootRef:i,elementId:a,_script:p,__scriptInputs:d})=>{let c=(i.shadowRoot||i.container).querySelectorAll(\"[myop-id='\".concat(a,\"']\"));return c.length?(d.ref=c[0],new Function(\"return (\".concat(p,\")(...arguments)\"))(d)):null},r);this.scriptInputs=n;this.scriptInputs=N(h({},n),{_script:e.toString()})}}});var Sn,zt,re,Tn=m(()=>{\"use strict\";k();Sn=\"EventListenerCallbackMessage\",zt=class extends _{constructor(e,n,r){super(r);this.ref=e;this.type=n;this.handler=r;s(this,\"replyMessageKey\",Sn);s(this,\"messageType\",\"AddEventListenerMessage\");s(this,\"cleanable\",!0);s(this,\"serializableSkeleton\",!1)}withSerializableSkeleton(e){return this.serializableSkeleton=e,this}},re=class extends v{constructor(e,n){super(e);this.replayToHandler=e;this.e=n;s(this,\"messageType\",Sn);this.content={e:n}}}});var $t,En=m(()=>{\"use strict\";k();$t=class extends C{constructor(e,n,r){super();this.ref=e;this.name=n;this.value=r;s(this,\"messageType\",\"SetAttributeMessage\")}}});var Rn,Ut,ie,Nt=m(()=>{\"use strict\";k();Rn=\"ElementValueReplayMessage\",Ut=class extends _{constructor(e,n){super(n);this.ref=e;s(this,\"replyMessageKey\",Rn);s(this,\"messageType\",\"GetElementValueMessage\")}},ie=class extends v{constructor(e){super();this.content=e;s(this,\"messageType\",Rn)}}});var Wt,vn=m(()=>{\"use strict\";k();Wt=class extends C{constructor(e,n){super();this.ref=e;s(this,\"messageType\",\"SetInnerHtml\");this.content=n}}});var ye,Re,ae,_n=m(()=>{\"use strict\";k();ye=class extends C{constructor(e){super();s(this,\"messageType\",\"InitMessage\");this.content={id:e}}isTypeof(e){return e.messageType===this.messageType}},Re=class extends ye{constructor(){super(...arguments);s(this,\"messageType\",\"InitResponse\")}},ae=class extends C{constructor(){super(...arguments);s(this,\"messageType\",\"InitRequest\")}}});var kn,ve,V,We=m(()=>{\"use strict\";k();kn=\"RefComponentCreatedMessage\",ve=class extends _{constructor(e,n,r,i){super(i);this.refConfig=e;this.nestedComponentConfig=n;this.options=r;s(this,\"replyMessageKey\",kn);s(this,\"messageType\",\"CreateRefComponentMessage\")}},V=class extends v{constructor(e,n,r){super(e);this.replayToHandler=e;this.nestedRefs=n;this.failed=r;s(this,\"messageType\",kn)}}});var _e,Vt=m(()=>{\"use strict\";k();_e=class extends C{constructor(e,n){super();this.destination=e;this.message=n;s(this,\"messageType\",\"EnvelopedMessage\");let r=n;this.route=[e,...r.route?r.route:[]]}}});var Hn,qt,pe,Dn=m(()=>{\"use strict\";k();Hn=\"DetectedMyopRefsMessage\",qt=class extends _{constructor(){super(...arguments);s(this,\"messageType\",\"DetectMyopRefsMessage\");s(this,\"replyMessageKey\",Hn)}},pe=class extends v{constructor(e,n){super(e);this.replayToHandler=e;s(this,\"messageType\",Hn);this.content=n}isTypeof(e){return e.messageType===this.messageType}}});var Bn,jt,ke,Ln=m(()=>{\"use strict\";k();Bn=\"GetAttributeReplayMessage\",jt=class extends _{constructor(e,n,r){super(r);this.ref=e;this.name=n;s(this,\"replyMessageKey\",Bn);s(this,\"messageType\",\"GetAttributeMessage\")}},ke=class extends v{constructor(e){super();this.content=e;s(this,\"messageType\",Bn)}}});var K,On=m(()=>{\"use strict\";k();K=class extends C{constructor(e){super();this.method=e;s(this,\"messageType\",\"ExecuteComponentMethod\")}}});var Gt,He,Pn=m(()=>{\"use strict\";k();Gt=class extends C{constructor(){super(...arguments);s(this,\"messageType\",\"SetMutationObserverMessage\")}},He=class extends C{constructor(){super(...arguments);s(this,\"messageType\",\"MutationObserverMessage\")}}});var Kn,De,Be,An=m(()=>{\"use strict\";k();Kn=\"CleanupReplayMessage\",De=class extends _{constructor(e,n){super(n);this.cleanupForMessageId=e;s(this,\"replyMessageKey\",Kn);s(this,\"messageType\",\"CleanupMessage\")}},Be=class extends v{constructor(e){super();this.customCleanup=e;s(this,\"messageType\",Kn)}}});var Le,Fn=m(()=>{\"use strict\";k();Le=class extends C{constructor(){super(...arguments);s(this,\"messageType\",\"DisposeMessage\")}}});var Jt,Oe,zn=m(()=>{\"use strict\";k();Jt=class extends C{constructor(){super(...arguments);s(this,\"cleanable\",!0);s(this,\"messageType\",\"SetResizeObserverMessage\")}},Oe=class extends C{constructor(){super(...arguments);s(this,\"messageType\",\"ResizeObserverMessage\")}}});var he={};ee(he,{AddEventListenerMessage:()=>zt,BaseMyopMessage:()=>C,BindClickMessage:()=>Kt,ChangeTextMessage:()=>At,CleanupMessage:()=>De,CleanupReplayMessage:()=>Be,ClickReplayMessage:()=>oe,CreateRefComponentMessage:()=>ve,CustomRefMessage:()=>W,DetectMyopRefsMessage:()=>qt,DetectedMyopRefsMessage:()=>pe,DisposeMessage:()=>Le,ElementValueReplayMessage:()=>ie,EnvelopedMessage:()=>_e,EventListenerCallbackMessage:()=>re,ExecuteComponentMethod:()=>K,ExecuteScriptMessage:()=>D,ExecuteScriptReplyMessage:()=>se,GetAttributeMessage:()=>jt,GetAttributeReplayMessage:()=>ke,GetElementValueMessage:()=>Ut,InitMessage:()=>ye,InitRequest:()=>ae,InitResponse:()=>Re,MessageDirection:()=>R,MutationObserverMessage:()=>He,MyopBindMessage:()=>_,MyopBindReplayMessage:()=>v,MyopElementMessage:()=>Pt,Ref:()=>G,RefComponentCreatedMessage:()=>V,ResizeObserverMessage:()=>Oe,SetAttributeMessage:()=>$t,SetInnerHtml:()=>Wt,SetMutationObserverMessage:()=>Gt,SetResizeObserverMessage:()=>Jt,stripFunction:()=>wn});var w=m(()=>{\"use strict\";k();In();Cn();Ft();bn();Tn();En();Nt();vn();_n();We();Vt();Dn();Nt();Ln();On();Pn();An();Fn();zn()});var J,Ve=m(()=>{\"use strict\";I();w();Pe();J=class{constructor(t,e,n){this.componentDefinition=t;this.container=e;s(this,\"id\",\"\");s(this,\"messageHandlers\",{});s(this,\"element\");s(this,\"_markedForDisposed\",!1);s(this,\"bind\",(t,e)=>{this.messageHandlers[t]||(this.messageHandlers[t]=[]),this.messageHandlers[t].includes(e)||this.messageHandlers[t].push(e)});s(this,\"bindWhen\",(t,e,n)=>{if(!n)throw new Error(\"can't use component.bindWhen without an handler\");this.messageHandlers[t]||(this.messageHandlers[t]=[]);let r=this.messageHandlers[t],i=a=>e(a)?(n(a),!0):!1;return r.push(i),()=>{let a=r.indexOf(i);a>-1&&r.splice(a,1)}});s(this,\"setInitiated\",()=>{this.isInitiated=!0,this._whenInitiatedResolve&&this._whenInitiatedResolve()});s(this,\"isInitiated\",!1);s(this,\"_whenInitiatedResolve\");s(this,\"_whenInitiatedReject\");s(this,\"_whenInitiated\",new Promise((t,e)=>{this._whenInitiatedResolve=t,this._whenInitiatedReject=e}));s(this,\"initiated\",()=>this._whenInitiated);s(this,\"props\",{});s(this,\"refs\",{});this.id=(n==null?void 0:n.id)||F.Instance().assignId(t);let r=n!=null&&n.timeout?n==null?void 0:n.timeout:5*1e3;setTimeout(()=>{!this.isInitiated&&this._whenInitiatedReject&&!this._markedForDisposed&&this._whenInitiatedReject(\"timeout_\".concat(r,\" \").concat(this.id))},r),this.initiated().then(()=>{window.myop.hostSDK.inspected&&this.inspect()})}get markedForDisposed(){return this._markedForDisposed}set markedForDisposed(t){if(this._markedForDisposed)throw new Error(\"InvalidOperationException: The component is already in the process of being disposed. Dispose operation cannot be performed again until the current disposal process is complete.\");this._markedForDisposed=t}onMessageReceived(t){if(t.messageType===l.ExecuteComponentMethod){let n=t;return this[n.method]?this[n.method](n.content):console.log(\"method not found \".concat(n.method,\" on component\"),this),!0}let e=this.messageHandlers[t.messageType];if(e&&e.length){let n=!1;return e.forEach(r=>{n=n||r(t)}),n}return!1}sendCleanupMessage(t){t.source=this.id,t.destination=this.id,t.direction=R.down;let e=this.bindWhen(t.replyMessageKey,r=>r.replayToHandler===t.handlerUniqueId,r=>{t.handler(r),e()}),n=t.handler;delete t.handler,this.send(t),t.handler=n}send(t){t.source||(t.source=this.id),t.destination||(t.destination=this.id),t.direction=R.down;let e;if(t.handler){let n=t;e=this.bindWhen(n.replyMessageKey,r=>r.replayToHandler===n.handlerUniqueId,n.handler),delete t.handler}return t.ref&&(t.ref=t.ref.__nonProxied||t.ref),t.cleanable?()=>{this.sendCleanupMessage(new De(t.id,n=>{})),e&&e()}:()=>{}}dispose(){if(this.markedForDisposed=!0,!this.isInitiated)return;console.log(\"disposing component\",this.id),this.send(new Le);let t=this.messageHandlers.onDispose;t&&t.forEach(e=>{e(null)}),this.messageHandlers={},this.id+=\"_disposed\",this.isInitiated=!1}}});var Me,$n=m(()=>{\"use strict\";Me=class{constructor(t,e,n,r,i){this.myopId=t;this.htmlTagName=e;this.BoundingRect=n;this.offsetTop=r;this.offsetLeft=i;s(this,\"type\",\"MyopElementRef\")}}});var Un,x,qe,Nn=m(()=>{\"use strict\";Un=async o=>{if(typeof o==\"function\")o();else if(o instanceof Promise){let t=await o;typeof t==\"function\"&&t()}},x=class{constructor(t){this.messageToHost=t}},qe=class extends x{constructor(e,n){super(e);this.messageToHost=e;this.context=n}}});var Yt,Ie,Wn=m(()=>{\"use strict\";I();b();w();Yt=class{constructor(t,e){this.id=t;this.context=e;s(this,\"send\",t=>{})}},Ie=class{constructor(){s(this,\"messageToHandleAfterInit\",[]);s(this,\"components\",{});s(this,\"alwaysPassEnvelopesToHost\",!1);s(this,\"messageCleanupCache\",{})}handleIncomeMessages(t){let e=t.data?t.data:t.detail;if(!(!e||!e.myop)){let n=e;if(n.direction!==R.down)return;if(n.messageType===l.DisposeMessage){n.destination&&delete this.components[n.destination];return}if(n.messageType===l.InitMessage){let r=n.content.id;if(this.components[r])return;this.components[r]=new Yt(r),this.messageToHost(new Re(r));return}if(n.messageType===l.EnvelopedMessage){let r=n,i=r.message;if(n=i,this.alwaysPassEnvelopesToHost||this.components[n.destination]){let a=myop.hostSDK.components.find(d=>d.id===i.destination);if(a){a.send(i);return}let p=myop.hostSDK.components.find(d=>d.id===r.destination);if(p){p.send(i);return}}else return}if(n.messageType){if(n.messageType===l.CleanupMessage){let i=n,a=this.messageCleanupCache[i.cleanupForMessageId],p=new Be(!!a);p.destination=n.destination,a?(delete this.messageCleanupCache[i.cleanupForMessageId],Un(a).then(()=>{this.messageToHost(p,i)}).catch(()=>{})):this.messageToHost(p,i);return}let r=!1;this.supportedHandlers.forEach(i=>{if(i.messageType===n.messageType){r=!0;let a=i.executor(n);if(n.cleanable&&a&&(this.messageCleanupCache[n.id]=a),a&&!n.cleanable)throw new Error(\"Cleanup handler generated for non-cleanable message. \\nmessageType - \".concat(n.messageType,\", handler executor was - \").concat(i.executor,\"\\n\\nPlease review the message definition object & message handler.\\nTo ensure cleanup properly set 'cleanable' true at message definition and return IMessageExecutorCleanup from your handlers.\"));if(!a&&n.cleanable)throw new Error(\"No cleanup handler generated for a cleanable message. \\nmessageType - \".concat(n.messageType,\", handler executor was - \").concat(i.executor,\"\\n\\nPlease review the message definition object & message handler.\\nTo ensure cleanup properly set 'cleanable' true at message definition and return IMessageExecutorCleanup from your handlers.\"))}})}else console.log(\"unsupported message type\")}}}});var q,de,we,Ce,ce,je,xe,b=m(()=>{\"use strict\";$n();Nn();Wn();q={IframeLoader:\"IframeLoader\",WebComponentLoader:\"WebComponentLoader\",HTMLLoader:\"HTMLLoader\",MinimizedLoader:\"MinimizedLoader\"},de={open:\"open\",closed:\"closed\",none:\"none\",localFrame:\"localFrame\"},we={message:\"message\",code:\"code\"},Ce=class{};s(Ce,\"code\",\"code\"),s(Ce,\"component\",\"component\");ce={Segmented:\"Segmented\",Dedicated:\"Dedicated\",Default:\"Default\"},je={Segment:\"Segment\",Promo:\"Promo\",AB:\"AB\"},xe=class{constructor(t,e){this.container=t;this.shadowRoot=e;s(this,\"getRootDiv\",()=>(this.shadowRoot||this.container).querySelector(\"div\"));s(this,\"getRoot\",()=>this.shadowRoot||this.container)}}});var Xt,Cs,Qt,P,me=m(()=>{\"use strict\";Xt=o=>o!==Object(o),Cs=o=>typeof o==\"function\",Qt=o=>{if(Xt(o))return!0;if(Cs(o)||Object.getPrototypeOf(o))return!1;for(let t in o){let e=o[t];if(typeof e==\"object\"){if(!Qt(e))return!1}else{if(Xt(e))continue;return!1}}return!0},P=(o,t={},e=!0,n=new WeakMap)=>{if(Xt(o))return o;if(Array.isArray(o)){if(n.has(o))return n.get(o);let r=[];n.set(o,r);for(let i=0;i<o.length;i++){let a=o[i];r[i]=P(a,t,e,n)}return r}if(o!==null&&typeof o==\"object\"){if(n.has(o))return n.get(o);let r={};n.set(o,r);for(let i in o){let a=typeof t==\"boolean\"?t:t[i];a&&(a===!0?(e?o[i]!==void 0:o[i])&&(r[i]=P(o[i],!0,e,n)):typeof a==\"object\"&&(r[i]=P(o[i],a,e,n)))}return r}return{}}});var Vn,qn=m(()=>{\"use strict\";Vn={notSerializableRefCall:(o,t)=>{throw new Error(\"\\nThe input provided to '\".concat(o.toString(),\"' is not serializable. Serialization is required to ensure that the data can be safely transferred to the skin implementation. \\nThe following types of data are considered non-serializable and cannot be processed:\\n\\n- Functions\\n- DOM elements\\n- Class instances\\n- Circular references\\n- Symbols\\n- BigInt values\\n\\nIn the following execution we detected :\\n~~~~~~~~\\n\").concat(t,\" \\n~~~~~~~~\\nas not serializable.\\n\\nTo resolve this issue, please ensure that all inputs passed to '\").concat(o.toString(),\"' are in a serializable format.\\nThis typically includes primitive types (strings, numbers, booleans), arrays, and plain objects. \\nIf you need to include complex data types, consider converting them to a serializable structure before passing them to the function.\\nOr use Myop message that support it: CustomRefMessage, AddEventListenerMessage or ExecuteScriptMessage.\\n\\nSuggested Fix:\\n1. Remove or replace non-serializable values from your input.\\n2. If using objects, ensure they do not contain any functions or circular references.\\n3. Convert any class instances to plain objects or JSON-compatible formats.\\n4. Use dedicated Myop message.\\n\\nFor more details on serialization and Myop message examples, refer to https://docs.myop.dev.\\n\\n\"))}}});var Ke,jn=m(()=>{\"use strict\";Ve();w();Vt();Ke=class extends J{constructor(e,n,r){super(e,n.container,r);this.componentDefinition=e;this.parent=n;s(this,\"send\",e=>{let n=e.handler,r=super.send(e);return this.parent.send(new _e(this.id,e)),e.handler=n,r});s(this,\"dispose\",()=>{this.isInitiated&&this.send(new K(\"dispose\")),super.dispose()})}hide(){this.send(new K(\"hide\"))}show(){this.send(new K(\"show\"))}inspect(){return this.send(new K(\"inspect\"))}setHeightBasedOnDocumentElement(){this.send(new K(\"setHeightBasedOnDocumentElement\"))}setHeightBasedOnScrollHeight(){this.send(new K(\"setHeightBasedOnScrollHeight\"))}onMessageReceived(e){return super.onMessageReceived(e)}}});var xs,Ge,Gn,Jn,Yn,ws,Zt,en,Je=m(()=>{\"use strict\";w();w();b();me();qn();jn();xs=(o,t,e)=>{let n=document.createElement(\"a\");return n.textContent=o,n.style.position=\"relative\",n.style.padding=\"0 5px\",n.style.fontSize=\"14px\",n.style.top=\"0\",n.style.top=\"\".concat(t,\"px\"),n.style.transform=\"translateX(-50%)\",n.target=\"_blank\",n.href=\"https://dashboard.myop.dev/dashboard/component/\".concat(e.id),n},Ge=(o,t,e,n,r,i)=>{let a=xs(\"\".concat(i.name,\" : \").concat(t),e,i);return n.insertBefore(a,r),r.style.border=\"1px solid #007BFF\",r.style.display=\"block\",()=>{r.style.border=\"unset\",n.removeChild(a)}},Gn=(o,t,e)=>o?!1:(console.error(\"Error: Undefined Prop\\n\\nIt looks like you've tried to use a prop that hasn't been defined.\\nPlease check the prop name for any typos or ensure that it is properly defined in the component's prop list.\\n\\n\"+\"Prop Name: \".concat(t,\"\\n\")+\"Component: \".concat(e.componentDefinition.name,\", ID: \").concat(e.componentDefinition.id,\"\\n\\n\")+\"For more information, refer to the component page https://dashboard.myop.dev/dashboard/component/\".concat(e.componentDefinition.id,\" or consult the developer guide.\")),!0),Jn=(o,t,e)=>{console.error(\"Error: Code Prop Not Supported\\n\\nCurrently, code props are only supported in local frame components.\\n\\u26A0\\uFE0F This is a work in progress feature \\u2014 code props will be supported in upcoming versions.\\n\\nIn the meantime, you can use message props.\\n\\n\"+\"Prop Name: \".concat(t,\"\\n\")+\"Component: \".concat(e.componentDefinition.name,\", ID: \").concat(e.componentDefinition.id,\"\\n\\n\")+\"For more information, refer to the component page https://dashboard.myop.dev/dashboard/component/\".concat(e.componentDefinition.id,\" or consult the developer guide.\"))},Yn=(o,t,e)=>{let n=t.reduce((i,a)=>N(h({},i),{[a.name]:h({},a)}),{}),r={get:(i,a)=>{let p=n[a];if(Gn(p,a,o))return!1;if(p.behavior.type===we.code){if(e.loader.type===q.HTMLLoader&&e.loader.shadowRootMode===de.localFrame){let c=p.behavior;return o.element.contentWindow[c.remap||a]}return Jn(p,a,o),!1}return p.mode===\"output\"?new Promise(d=>{let c=[];p.behavior.ref&&c.push(G.create(p.behavior.ref)),c.push(f=>{d(f)}),p.behavior.params&&c.push(...p.behavior.params);let g=he[p.behavior.message];o.send(new g(...c))}):null},set:(i,a,p)=>{let d=n[a];if(Gn(d,a,o))return!1;if(d.behavior.type===we.code){if(e.loader.type===q.HTMLLoader&&e.loader.shadowRootMode===de.localFrame){let g=d.behavior,f=o.element.contentWindow,u=g.remap||a;if(f[u]=p,u===\"myop_cta_handler\"&&f.__myop_cta_queue){let y=f.__myop_cta_queue;f.__myop_cta_queue=null,y.forEach(M=>{o.markedForDisposed||p(M.action,M.payload)})}return!0}return Jn(d,a,o),!1}else if(d.mode===\"input\")if(d.behavior.type===\"message\"){let c=[];d.behavior.ref&&c.push(G.create(d.behavior.ref)),c.push(p),d.behavior.params&&c.push(...d.behavior.params);let g=he[d.behavior.message];return o.send(new g(...c)),!0}else throw new Error(\"Error: Unsupported Behavior\\n\\nThe 'behavior' field provided is not supported.\\n\"+\"Component: \".concat(o.componentDefinition.name,\", ID: \").concat(o.componentDefinition.id,\"\\n\\n\")+\"Prop Name: \".concat(a,\"\\n\")+\"Behavior Field: \".concat(d.behavior.type,\"\\n\\n\")+\"Check the documentation for valid behavior options.\");return!1}};return o.props={},o.props=new Proxy(o.props,r),o},ws=(o,t)=>new Proxy(o,{get(e,n){return e[n]?e[n]:(...i)=>new Promise(a=>{i.forEach(p=>{Qt(p)||Vn.notSerializableRefCall(n,p)}),t.send(new W(({ref:p,propName:d,functionArgs:c,makeSerializable:g})=>{if(p){let f=p[d];return g(typeof f==\"function\"?p[d](...c):f,!0)}return null},{elementId:e.refConfig.selector,propName:n,functionArgs:i},p=>{a(p.content)}))})},set(e,n,r){return t.send(new W(({ref:i,propName:a,propValue:p})=>{i&&(i[a]=p)},{elementId:e.refConfig.selector,propValue:r,propName:n},i=>{})),!0}}),Zt=async(o,t,e,n)=>{let r=o.component;if(!r)throw new Error(\"cant createRefComponent with detached ref\");return new Promise(async(i,a)=>{let p=new Ke(t.type,r,n);e.push(p),await r.initiated();let d=setTimeout(()=>{a(\"timeout\")},5e3);r.send(new ve(o.refConfig,t,N(h({},n||{}),{id:p.id,_hasParent:!0}),async c=>{if(clearTimeout(d),c.failed){a(\"CreateRefComponentMessage failed\");return}let g=e.find(f=>f.id==p.id);if(g!==p){r.refs[o.refConfig.name]=g,i(g);return}else p.setInitiated(),r.refs[o.refConfig.name]=p;c.nestedRefs.forEach(f=>{let u=t.instance.resolvedNestedComponents.find(M=>M.type.id===f.componentDefinitionId).type,y=new Ke(u,p);y.setInitiated(),p.refs[f.refName]=y,e.push(y)});try{await en(p,t,e,!0),r.setHeightBasedOnScrollHeight&&r.setHeightBasedOnScrollHeight(),i(p)}catch(f){a(f)}}))})},en=async(o,t,e,n=!1)=>{o.refs||(o.refs={});let r=Object.values(o.componentDefinition.refs).map(i=>new Promise(async(a,p)=>{var d;if(i.behavior.type==Ce.component){if(n){a();return}let c=i.behavior.componentId;c||(c=i.behavior.instance.componentId);let g=(d=t.instance.resolvedNestedComponents)==null?void 0:d.find(u=>u.type.id===c);if(!g)throw new Error(\"componentConfig provided without nestedComponentConfig check the config object\");let f=G.create(\"\",i,o);try{let u=await Zt(f,g,e);o.refs[i.name]=u,a()}catch(u){p(u)}}else try{let c=G.create(\"\",i,o);o.refs[i.name]=ws(c,o),a()}catch(c){}}));try{await Promise.all(r)}catch(i){throw i}}});var be,tn=m(()=>{\"use strict\";Ve();w();Je();I();be=class extends J{constructor(e,n,r,i,a){super(e,r,a);this.componentConfig=e;this.container=r;this.IframeElement=i;s(this,\"cleanupInspect\");s(this,\"setHeightBasedOnDocumentElement\",()=>{let e=this.send(new D(()=>window.document.documentElement.scrollHeight,n=>{this.IframeElement.style.height=\"\".concat(n.content,\"px\"),e()}))});s(this,\"observeSizeBasedOnDocumentElement\",()=>this.send(new D(({send:n})=>{let{height:r,width:i}=document.documentElement.getBoundingClientRect(),a=new ResizeObserver(()=>{let{height:p,width:d}=document.documentElement.getBoundingClientRect();n({height:p,width:d})});return a.observe(document.documentElement),a.observe(document.body),{height:r,width:i}},n=>{this.IframeElement.style.width=\"\".concat(n.content.width,\"px\"),this.IframeElement.style.height=\"\".concat(n.content.height,\"px\")})));s(this,\"observeAutoSize\",e=>{var Ee;let n=this.IframeElement,r=n.contentDocument;if(!r)return console.warn(\"[MyopIframeComponent] Cannot observe auto size: contentDocument not accessible\"),()=>{};let i=(O,U,ge)=>U!==void 0&&O<U?U:ge!==void 0&&O>ge?ge:O,a=O=>{if(O===void 0)return;if(typeof O==\"number\")return O;let U=parseFloat(O);return isNaN(U)?void 0:U},p=a(e==null?void 0:e.minWidth),d=a(e==null?void 0:e.maxWidth),c=a(e==null?void 0:e.minHeight),g=a(e==null?void 0:e.maxHeight),f=(Ee=e==null?void 0:e.loaderMinHeight)!=null?Ee:50,u=(e==null?void 0:e.explicitWidth)!==void 0,y=(e==null?void 0:e.explicitHeight)!==void 0,M=this.container.getBoundingClientRect(),le=M.width===0,Fe=M.height===0||M.height===f,j=(e!=null&&e.forceAutoSize||le)&&!u,H=(e!=null&&e.forceAutoSize||Fe)&&!y;if(!j&&!H)return()=>{};let A=()=>{var U;let O=n.contentDocument;if(O){let ge=O.documentElement.getBoundingClientRect(),cn=Math.ceil(ge.width),mn=Math.ceil(ge.height),ln=i(cn,p,d),fn=i(mn,c,g);j&&(n.style.width=\"\".concat(ln,\"px\")),H&&(n.style.height=\"\".concat(fn,\"px\"));let as=j&&d!==void 0&&cn>d,ps=H&&g!==void 0&&mn>g;O.documentElement.style.overflowX=as?\"auto\":\"hidden\",O.documentElement.style.overflowY=ps?\"auto\":\"hidden\",(U=e==null?void 0:e.onSizeChange)==null||U.call(e,{width:ln,height:fn,autoSizingWidth:j,autoSizingHeight:H})}};A();let fe=new ResizeObserver(A);return fe.observe(r.body),fe.observe(r.documentElement),()=>{fe.disconnect()}});s(this,\"setSizeBasedOnDocumentElement\",()=>{let e=this.send(new D(()=>{let{height:n,width:r}=document.documentElement.getBoundingClientRect();return{height:n,width:r}},n=>{this.IframeElement.style.width=\"\".concat(n.content.width,\"px\"),this.IframeElement.style.height=\"\".concat(n.content.height,\"px\"),e()}))});s(this,\"setHeightBasedOnScrollHeight\",()=>{let e=this.send(new D(()=>{let r=0;return r++,r--,Math.max(Math.max(window.document.body.clientHeight,window.document.body.scrollHeight),window.document.body.offsetHeight)+r+\"px\"},n=>{this.IframeElement.style.height=n.content,e()}))});s(this,\"send\",e=>{var i,a;let n=h({},e);if(n.messageType===l.ExecuteComponentMethod)return this[n.method](),()=>{};n.direction=R.down;let r=super.send(n);return(a=(i=this.IframeElement)==null?void 0:i.contentWindow)==null||a.postMessage(n,\"*\"),r});s(this,\"dispose\",()=>{this.cleanupInspect&&this.cleanupInspect(),super.dispose(),this.IframeElement.parentNode.removeChild(this.IframeElement)});n.loader.autoHeight&&this.initiated().then(()=>{this.setHeightBasedOnScrollHeight()}),this.element=this.IframeElement}inspect(){return this.cleanupInspect?this.cleanupInspect:(this.cleanupInspect=Ge(this.id,\"MyopIframeComponent\",10,this.container,this.IframeElement,this.componentDefinition),()=>{this.cleanupInspect(),this.cleanupInspect=void 0})}hide(){this.IframeElement.style.opacity=\"0\",this.IframeElement.style.position=\"absolute\",this.IframeElement.style.pointerEvents=\"none\",this.IframeElement.style.visibility=\"hidden\"}show(){this.IframeElement.style.opacity=\"1\",this.IframeElement.style.position=\"unset\",this.IframeElement.style.pointerEvents=\"all\",this.IframeElement.style.visibility=\"visible\"}onMessageReceived(e){return e.messageType===l.In.MutationObserverMessage||e.messageType===l.In.ResizeObserverMessage?(this.setHeightBasedOnScrollHeight(),!0):super.onMessageReceived(e)}}});var Y,Ye=m(()=>{\"use strict\";Y=class{constructor(){s(this,\"appendChild\",(t,e,n)=>{var r;if(n!=null&&n.relative){if(n.relative.direction===\"before\")return t.insertBefore(e,n.relative.child);if(n.relative.direction===\"after\"){let i=(r=n.relative.child)==null?void 0:r.nextSibling;return t.insertBefore(e,i||null)}}else return t.appendChild(e)})}}});var bs,Xe,Xn=m(()=>{\"use strict\";tn();Ye();ne();b();bs=(o,t,e)=>{let n=new URL(o);return n.searchParams.append(t,e),n.toString()},Xe=class extends Y{constructor(){super(...arguments);s(this,\"type\",q.IframeLoader);s(this,\"load\",async(e,n,r,i)=>{let a,p=n.loader;if((r==null?void 0:r.nodeName)===\"IFRAME\")console.log(\"needs to load into an exsisting Iframe...\",p.url,r),a=r,a.src=p.url;else{let d=T(),c=\"myop-comp-\".concat(d);a=document.createElement(\"iframe\"),a.id=c;let g=\"\\n padding: 0;\\n margin: 0;\\n position: absolute;\\n inset: 0;\\n height: \".concat(p.autoHeight||!p.height?\"100%\":p.height,\";\\n width: 100%;\\n overflow: hidden;\\n border: none;\\n opacity: \").concat(i!=null&&i.hidden?\"0\":\"1\",\";\\n pointer-events: \").concat(i!=null&&i.hidden?\"none\":\"all\",\";\\n \");a.style.cssText=g,i!=null&&i.elementAttributes&&Object.entries(i.elementAttributes).forEach(([u,y])=>{y===\"\"||y===null||y===void 0?a.setAttribute(u,\"\"):a.setAttribute(u,String(y))});let f=n.loader.url;i!=null&&i._hasParent&&(f=bs(f,\"_myop-comp\",d)),a.src=f,r.querySelector('[id^=\"myop-comp-\"]')||(r.innerHTML=\"\"),a=this.appendChild(r,a,i)}return new be(e,n,r,a,i)})}}});var Qe,nn=m(()=>{\"use strict\";Qe={webcomponent_message_key:\"myop_webcomponent_message\"}});var Se,on=m(()=>{\"use strict\";nn();Ve();Je();Se=class extends J{constructor(e,n,r,i,a){super(e,r,a);this.container=r;this.customElement=i;s(this,\"cleanupInspect\",()=>{});s(this,\"send\",e=>{let n=h({},e),r=super.send(n),i=new CustomEvent(Qe.webcomponent_message_key,{detail:n});try{this.customElement.dispatchEvent(i)}catch(a){console.log(\"error while trying to dispatchEvent\",a)}return r});s(this,\"dispose\",()=>{var e;super.dispose(),(e=this.customElement.parentNode)==null||e.removeChild(this.customElement)});this.element=i}inspect(){return this.cleanupInspect=Ge(this.id,\"MyopWebComponent\",0,this.container,this.customElement,this.componentDefinition),this.cleanupInspect}hide(){this.customElement.style.opacity=\"0\",this.customElement.style.position=\"absolute\",this.customElement.style.pointerEvents=\"none\",this.customElement.style.visibility=\"hidden\",this.customElement.style.height=\"0\",this.customElement.style.width=\"0\"}show(){this.customElement.style.opacity=\"1\",this.customElement.style.position=\"unset\",this.customElement.style.pointerEvents=\"all\",this.customElement.style.visibility=\"visible\",this.customElement.style.height=\"\",this.customElement.style.width=\"\"}}});var sn,Ze,Qn=m(()=>{\"use strict\";on();Ye();ne();b();sn={},Ze=class extends Y{constructor(){super(...arguments);s(this,\"type\",q.WebComponentLoader);s(this,\"load\",async(e,n,r,i)=>{let a=n.loader;sn[a.url]?console.log(\"Module alreday loaded or in loading process\"):sn[a.url]=new Promise((c,g)=>{let f=a.url,u=document.createElement(\"script\");u.type=\"module\",u.src=f,u.onload=()=>{c()},u.onerror=()=>{g()},document.head.appendChild(u)}),await sn[a.url],await hn(1);let p=\"myop-comp-\".concat(T()),d=document.createElement(a.tag);return r.querySelector('[id^=\"myop-comp-\"]')||(r.innerHTML=\"\"),d.id=p,i!=null&&i.hidden&&(d.style.opacity=\"0\",d.style.position=\"absolute\",d.style.height=\"0\",d.style.width=\"0\",d.style.pointerEvents=\"none\",d.style.visibility=\"hidden\"),i!=null&&i._environment&&(d._myopEnvironment=i==null?void 0:i._environment),this.appendChild(r,d,i),new Se(e,n,r,d,i)})}}});var E,$=m(()=>{\"use strict\";b();E=class extends qe{constructor(e,n){super(e);this.context=n;s(this,\"executor\",e=>{if(e.destination){let n=e.destination;if(this.context[n].context){let r=(i,a)=>{this.messageToHost(N(h({},i),{source:e.destination?e.destination:e.source,destination:e.source?e.source:e.destination}),a)};return this.innerExecutor(e,this.context[n].context,r)}else debugger}else debugger})}}});var B,X=m(()=>{\"use strict\";B={id:\"myop-id\"}});var S,Zn,L=m(()=>{\"use strict\";X();S=(o,t)=>t.querySelectorAll(\"[\".concat(B.id,\"='\").concat(o.refConfig.selector,\"']\")),Zn=(o,t)=>{let e=S(o,t);return e.length?e.item(0):null}});var et,eo=m(()=>{\"use strict\";I();w();$();L();et=class extends E{constructor(){super(...arguments);s(this,\"messageType\",l.BindClickMessage);s(this,\"innerExecutor\",(e,n,r)=>{let i=S(e.ref,n.shadowRoot),a=[];return i.forEach(p=>{let d=()=>{r(new oe(e.handlerUniqueId))};p.addEventListener(\"click\",d),a.push(()=>{p.removeEventListener(\"click\",d)})}),()=>{a.forEach(p=>p())}})}}});var tt,to=m(()=>{\"use strict\";I();$();L();tt=class extends E{constructor(){super(...arguments);s(this,\"messageType\",l.ChangeTextMessage);s(this,\"innerExecutor\",(e,n)=>{S(e.ref,n.shadowRoot).forEach(i=>{i.textContent=e.content})})}}});var nt,no=m(()=>{\"use strict\";b();nt=class extends xe{constructor(e,n){super(e,n);this.container=e;this.shadowRoot=n}}});var ot,oo=m(()=>{\"use strict\";b();X();$();w();I();ot=class extends E{constructor(){super(...arguments);s(this,\"innerExecutor\",(e,n)=>{let r=n.shadowRoot.querySelectorAll(\"[\".concat(B.id,\"]\")),i=[];r.forEach(a=>{let p=a.getAttribute(B.id);p&&i.push(new Me(p,a.tagName,a.getBoundingClientRect(),a.offsetTop,a.offsetLeft))}),this.messageToHost(new pe(e.handlerUniqueId,i))});s(this,\"messageType\",l.DetectMyopRefsMessage)}}});var st,so=m(()=>{\"use strict\";I();$();L();st=class extends E{constructor(){super(...arguments);s(this,\"messageType\",l.SetAttributeMessage);s(this,\"innerExecutor\",(e,n)=>{S(e.ref,n.shadowRoot).forEach(i=>{i.setAttribute(e.name,e.value)})})}}});var rt,ro=m(()=>{\"use strict\";I();w();$();L();me();rt=class extends E{constructor(){super(...arguments);s(this,\"messageType\",l.AddEventListenerMessage);s(this,\"innerExecutor\",(e,n,r)=>{let i=S(e.ref,n.shadowRoot),a=[];return i.forEach(p=>{let d=c=>{r(new re(e.handlerUniqueId,P(c,e.serializableSkeleton)))};p.addEventListener(e.type,d),a.push(()=>{p.removeEventListener(e.type,d)})}),()=>{a.forEach(p=>p())}})}}});var it,io=m(()=>{\"use strict\";I();X();Pe();We();$();it=class extends E{constructor(){super(...arguments);s(this,\"messageType\",l.CreateRefComponentMessage);s(this,\"innerExecutor\",(e,n,r)=>{(async()=>{let a=n.shadowRoot.querySelectorAll(\"[\".concat(B.id,\"='\").concat(e.refConfig.selector,\"']\"));if(a.length===1){let p=F.Instance(),d=p.components.find(u=>u.id===e.options.id);d&&d.dispose();let c=p.components.indexOf(d);c!==-1&&p.components.splice(c,1);let g=await p.loadComponent(e.nestedComponentConfig,a.item(0),e.options),f=[];Object.keys(g.refs).forEach(u=>{let y=g.refs[u];y=y.__nonProxied||y,y.componentDefinition&&f.push({refName:u,componentDefinitionId:y.componentDefinition.id})}),r(new V(e.handlerUniqueId,f))}else{console.error(\"CreateRefComponentMessageHandler - DOM element not found\"),this.messageToHost(new V(e.handlerUniqueId,[],!0));debugger}})().then()})}}});var at,rn=m(()=>{\"use strict\";me();at=(o,t,e)=>{let n=o.scriptInputs?o.scriptInputs:{};n.makeSerializable=P,n.send=t,n.rootRef=e,n.__scriptInputs=n;let i=new Function(\"return (\".concat(o.script,\")(...arguments)\"))(n);t(i)}});var pt,ao=m(()=>{\"use strict\";I();w();$();rn();pt=class extends E{constructor(){super(...arguments);s(this,\"messageType\",l.ExecuteScriptMessage);s(this,\"innerExecutor\",(e,n,r)=>{at(e,a=>{r(new se(e.handlerUniqueId,a))},n)})}}});var po,dt,co=m(()=>{\"use strict\";I();w();$();L();X();me();po=o=>{if(!o)return null;if(o.tagName===\"FORM\"){let t=new FormData(o),e={formData:{},unmappedData:[]},n=o.querySelectorAll(\"input, select, textarea\"),r=-1;return n.forEach(i=>{if(typeof i.value==\"string\"){let a=i.getAttribute(B.id),p=i.getAttribute(\"name\"),d={id:i.id,name:p,value:po(i),required:i.required,validity:P(i.validity,!0),myopId:a};p?e.formData[p]?e.formData[p].value?e.unmappedData.push(d):(e.unmappedData.push(e.formData[p]),e.formData[p]=d):e.formData[p]=d:e.unmappedData.push(d)}}),e}return o.type===\"checkbox\"||o.type===\"radio\"?o.checked?o.value:null:o.tagName===\"INPUT\"||o.tagName===\"TEXTAREA\"||o.tagName===\"SELECT\"?o.value:o.isContentEditable?o.innerText||o.textContent:null},dt=class extends E{constructor(){super(...arguments);s(this,\"messageType\",l.GetElementValueMessage);s(this,\"innerExecutor\",(e,n,r)=>{S(e.ref,n.shadowRoot).forEach(a=>{r(new ie(po(a)),e)})})}}});var ct,mo=m(()=>{\"use strict\";I();$();L();ct=class extends E{constructor(){super(...arguments);s(this,\"messageType\",l.SetInnerHtml);s(this,\"innerExecutor\",(e,n)=>{S(e.ref,n.shadowRoot).forEach(i=>{i.innerHTML=e.content})})}}});var lo={};ee(lo,{WebComponentSDK:()=>Te});var Te,an=m(()=>{\"use strict\";b();I();nn();eo();to();no();oo();te();w();so();ro();io();ao();co();mo();Te=class extends Ie{constructor(){super(...arguments);s(this,\"alwaysPassEnvelopesToHost\",!0);s(this,\"connectedCallback\",(e,n)=>{e.addEventListener(Qe.webcomponent_message_key,r=>{let i=r.data?r.data:r.detail;if(!i||!i.myop){debugger;throw new Error(\"recvied webcomponent_message with wrong type\")}else{let a=i;if(this.handleIncomeMessages(r),a.messageType===l.InitMessage){let p=a.content.id;this.components[p].context=new nt(e,n)}}}),setTimeout(()=>{this.messageToHost(new ae)},1)});s(this,\"messageToHost\",(e,n)=>{e.direction=R.up,!e.replayToHandler&&(n!=null&&n.handlerUniqueId)&&(e.replayToHandler=n.handlerUniqueId),window.myop.hostSDK.send(e)});s(this,\"supportedHandlers\",[new tt(this.messageToHost,this.components),new ct(this.messageToHost,this.components),new et(this.messageToHost,this.components),new ot(this.messageToHost,this.components),new st(this.messageToHost,this.components),new rt(this.messageToHost,this.components),new pt(this.messageToHost,this.components),new dt(this.messageToHost,this.components),new it(this.messageToHost,this.components)]);s(this,\"init\",()=>{})}};z(\"WebComponentSDK\",Te)});var fo=m(()=>{\"use strict\";an()});var go,uo=m(()=>{\"use strict\";go=\"\"});function Ss(o,t){return class extends HTMLElement{connectedCallback(){let e=t===de.open?\"open\":\"closed\",n=this.attachShadow({mode:e});Mo().then(r=>{r.connectedCallback(this,n),n.innerHTML=o})}}}var ho,mt,Mo,Ts,Es,Rs,lt,Io=m(()=>{\"use strict\";on();Ye();ne();b();fo();tn();uo();ho=[],Mo=async()=>(mt||(mt=new Te,mt.init()),mt);Ts=(o,t,e)=>{customElements.define(o,Ss(t,e)),console.log(\"define('\".concat(o,\"') was called, web component ready to use\"))},Es=o=>o.replace(/([a-z])([A-Z])/g,\"$1-$2\").replace(/(\\d+)/g,\"-$1\").toLowerCase(),Rs=o=>(o=Es(o),o.replace(/_/g,\"-\")),lt=class extends Y{constructor(){super(...arguments);s(this,\"type\",q.HTMLLoader);s(this,\"load\",async(e,n,r,i)=>{let a=n.loader,p=\"myop-comp-\".concat(T()),d;if(a.shadowRootMode===de.localFrame){let c=T(),g=\"myop-comp-\".concat(c),f=document.createElement(\"iframe\");f.id=g,f.style.cssText=\"\\n display: block;\\n padding: 0;\\n margin: 0;\\n position: absolute;\\n inset: 0;\\n overflow: hidden;\\n border: none;\\n opacity: \".concat(i!=null&&i.hidden?\"0\":\"1\",\";\\n width: 100%;\\n height: 100%;\\n pointer-events: \").concat(i!=null&&i.hidden?\"none\":\"all\",\";\\n \"),r.querySelector('[id^=\"myop-comp-\"]')||(r.innerHTML=\"\"),f=this.appendChild(r,f,i);let u=f.contentDocument||f.contentWindow.document;u.open();let y=a.HTML;if(i!=null&&i._inspection){let H=new DOMParser().parseFromString(a.HTML,\"text/html\"),A=H.getElementById(\"myop_preview\");A==null||A.removeAttribute(\"type\");let fe=H.implementation.createHTMLDocument();fe.body.innerHTML=\"<script>\\n const beforeKeysWindow = new Set(Object.keys(window));\\n window.myopState = {\\n beforeKeysWindow,\\n };\\n <\\/script>\";let Ee=fe.body.firstChild;Ee&&H.head&&H.head.insertBefore(H.importNode(Ee,!0),H.head.firstChild),y=H.documentElement.outerHTML}else{let H=new DOMParser().parseFromString(a.HTML,\"text/html\"),A=H.getElementById(\"myop_preview\");A&&(A.remove(),y=H.documentElement.outerHTML)}u.writeln(y);let M='<script src=\"'.concat(window.myop.__ROOT_SDK_PUBLIC_URL__,'\"><\\/script>'),le=\"<script>\\n window.__federation__.__public_path__ = window.__federation__.__public_path__;\\n const __myop_init = async () => {\\n const {IframeSDK} = (await window.myop.rootSDK.getIframeModule());\\n const sdk = new IframeSDK();\\n sdk.init();\\n }\\n __myop_init().then();\\n <\\/script>\";if(u.writeln(\"\".concat(M).concat(le)),(i==null?void 0:i.data)!==void 0){let j=\"<script>\\n window.__myop_cta_queue = [];\\n window.myop_cta_handler = function(action, payload) {\\n window.__myop_cta_queue.push({action: action, payload: payload});\\n };\\n <\\/script>\",H=JSON.stringify(i.data).replace(/<\\/script/gi,\"\\\\u003c/script\"),A='<script id=\"__myop_init_data_script\">\\n (function() {\\n var data = '.concat(H,\";\\n var scriptEl = document.getElementById('__myop_init_data_script');\\n\\n var callInitInterface = function(fn) {\\n var startTime = performance.now();\\n // Mark as pre-injected data call for extension tracking\\n window.__myop_init_preinjected = true;\\n try {\\n fn(data);\\n } finally {\\n window.__myop_init_preinjected = false;\\n }\\n var duration = performance.now() - startTime;\\n\\n // Notify extension via postMessage (init* = pre-injected)\\n try {\\n window.parent.postMessage({\\n type: 'MYOP_PREINJECTED_INIT',\\n payload: {\\n data: data,\\n duration: duration,\\n timestamp: Date.now()\\n }\\n }, '*');\\n } catch (e) {}\\n\\n // Cleanup: remove script tag and stored data\\n if (scriptEl && scriptEl.parentNode) {\\n scriptEl.parentNode.removeChild(scriptEl);\\n }\\n delete window.__myop_init_data;\\n };\\n\\n if (typeof window.myop_init_interface === 'function') {\\n // Function already exists - call immediately\\n callInitInterface(window.myop_init_interface);\\n } else {\\n // Function not yet defined - store data and watch for definition\\n window.__myop_init_data = data;\\n\\n var _original;\\n Object.defineProperty(window, 'myop_init_interface', {\\n configurable: true,\\n enumerable: true,\\n set: function(fn) {\\n _original = fn;\\n if (window.__myop_init_data !== undefined) {\\n var storedData = window.__myop_init_data;\\n delete window.__myop_init_data;\\n callInitInterface(fn);\\n }\\n },\\n get: function() {\\n return _original;\\n }\\n });\\n }\\n })();\\n <\\/script>\");u.writeln(j+A)}u.close();let Fe=new be(e,n,r,f,i);return a.autoHeight&&(f.onload=()=>{Fe.observeSizeBasedOnDocumentElement()}),Fe}if(a.shadowRootMode===de.none){let c=document.createElement(\"template\");c.innerHTML=a.HTML,d=c.content.firstElementChild,Mo().then(g=>{g.connectedCallback(d,d)})}else{let c=Rs(e.name+n.id);ho.includes(c)||(Ts(c,a.HTML,a.shadowRootMode),ho.push(c)),d=document.createElement(c)}return r.querySelector('[id^=\"myop-comp-\"]')||(r.innerHTML=\"\"),d.id=p,i!=null&&i.hidden&&(d.style.opacity=\"0\",d.style.position=\"absolute\",d.style.height=\"0\",d.style.width=\"0\",d.style.pointerEvents=\"none\",d.style.visibility=\"hidden\"),this.appendChild(r,d,i),new Se(e,n,r,d,i)})}}});var Co,xo,wo=m(()=>{\"use strict\";ne();w();Co=(o,t,e)=>{let n=\"myop-css-\".concat(T());return o.send(new D(({rootRef:r,_stylesheet:i,_tagId:a,_css:p})=>{let d=document.createElement(\"style\");d.type=\"text/css\";let c=p;for(let g in i){c+=\"\".concat(g,\" { \");let f=i[g];for(let u in f)c+=\"\".concat(u,\": \").concat(f[u],\"; \");c+=\"} \"}d.appendChild(document.createTextNode(c)),d.id=a,(r.shadowRoot||r.container).appendChild(d)},()=>{},{_stylesheet:t,_css:e||\"\",_tagId:n})),()=>{o.send(new D(({rootRef:r,_tagId:i})=>{let a=(r.shadowRoot||document).getElementById(i);a&&a.remove()},()=>{},{_tagId:n}))}},xo=(o,t)=>{let e=\"myop-css-\".concat(T());return o.send(new D(({rootRef:n,_tagId:r,_link:i})=>{let a=document.createElement(\"link\");a.id=r,a.rel=\"stylesheet\",a.href=i,document.head.appendChild(a),(n.shadowRoot||n.container).appendChild(a)},()=>{},{_link:t,_tagId:e})),()=>{o.send(new D(({rootRef:n,_tagId:r})=>{let i=(n.shadowRoot||document).getElementById(r);i&&i.remove()},()=>{},{_tagId:e}))}}});var vs,pn,bo,So=m(()=>{\"use strict\";vs=(o,t)=>{let e=new RegExp(Object.keys(t).join(\"|\"),\"g\");return o.replace(e,n=>(t[n]||n).toString())},pn=(o,t)=>{let e=o.loader;if(e.type!==\"IframeLoader\")throw new Error('iframeSkinUrlTokenizer received skin with loader type \"'.concat(e.type,'\", currently only \"IframeLoader\" is supported'));return o.loader=h({},o.loader),o.loader.url=vs(o.loader.url,t),o},bo=o=>async t=>pn(t,o)});var To,Eo,Ro=m(()=>{\"use strict\";w();To=(o,t,e)=>{o.send(new W(({ref:n,_className:r})=>{n==null||n.classList.add(r)},{elementId:e,_className:t}))},Eo=(o,t,e)=>{o.send(new W(({ref:n,_className:r})=>{n==null||n.classList.remove(r)},{elementId:e,_className:t}))}});var ut,ft,yt,gt,vo=m(()=>{\"use strict\";ne();ut=class ut{constructor(){s(this,\"_runTimeInstanceId\",\"runtime-instance-id-\"+T());s(this,\"_runTimeId\",\"runtime-id-\"+T());s(this,\"_runTimeName\",\"runtime-name-\"+T());s(this,\"id\",this._runTimeId);s(this,\"name\",this._runTimeName);s(this,\"description\",\"\");s(this,\"loader\",null);s(this,\"withLoader\",t=>(this.loader=t,this));s(this,\"withHTMLLoader\",t=>(t.type=\"HTMLLoader\",this.loader=t,this));s(this,\"build\",()=>this)}};s(ut,\"create\",()=>new ut);ft=ut,yt=class yt{constructor(){s(this,\"_runTimeInstanceId\",\"runtime-instance-id-\"+T());s(this,\"_runTimeId\",\"runtime-id-\"+T());s(this,\"_runTimeName\",\"runtime-name-\"+T());s(this,\"instance\",{id:this._runTimeInstanceId,componentId:this._runTimeId,componentName:this._runTimeName,skinSelector:null});s(this,\"name\",this._runTimeName);s(this,\"type\",{id:this._runTimeId,name:this._runTimeName,description:\"\",props:[],refs:[],skins:[],defaultSkin:0});s(this,\"withInstance\",t=>(this.instance=t,this));s(this,\"withType\",t=>(this.type=t,this));s(this,\"withName\",t=>(this.name=t,this));s(this,\"withDefaultSkin\",t=>(this.type.skins.push(t),this.type.defaultSkin=this.type.skins.length-1,this.instance.skinSelector={type:\"Dedicated\",skin:{id:t.id}},this));s(this,\"withRef\",t=>(this.type.refs.push(t),this));s(this,\"withBasicRef\",t=>{let e={id:\"\",name:t,description:\"\",selectorType:\"id-attribute\",selector:t,behavior:{type:\"code\"}};return this.type.refs.push(e),this});s(this,\"build\",()=>JSON.parse(JSON.stringify(this)))}};s(yt,\"create\",()=>new yt);gt=yt});var _s,ht,ks,Hs,Q,Z,_o,ko=m(()=>{\"use strict\";b();_s=o=>({instance:{id:\"auto\",componentId:o.componentId,componentName:o.name,skinSelector:{type:\"Dedicated\",skin:{id:\"skin_auto_v2_converted\"}}},type:{id:o.id,name:o.name,description:o.description,props:[{id:\"in_auto_v2_converted\",name:\"myop_init_interface\",type:\"any\",behavior:{type:we.code}},{id:\"out_auto_v2_converted\",name:\"myop_cta_handler\",type:\"any\",behavior:{type:we.code}}],refs:[],skins:[{id:\"skin_auto_v2_converted\",name:\"auto_v2_converted\",description:\"\",loader:o.consume_variant[0].loader}],defaultSkin:0},name:o.name}),ht=\"__MYOP_CLOUD_REPOSITORY_MAIN__\",ks=()=>{if(typeof window<\"u\")return window[ht];if(typeof globalThis<\"u\")return globalThis[ht]},Hs=o=>{typeof window<\"u\"&&(window[ht]=o),typeof globalThis<\"u\"&&(globalThis[ht]=o)},Q=class Q{constructor(t=\"https://cloud.myop.dev\"){this._baseUrl=t;s(this,\"variants\",{});s(this,\"preloadedComponents\",{});s(this,\"userFlows\",{});s(this,\"_defaultEnv\",\"production\")}static get Main(){let t=ks();return t||(Q._main||(Q._main=new Q,Hs(Q._main)),Q._main)}setEnvironment(t){this._defaultEnv=t}getDefaultEnvironment(){return this._defaultEnv}isPreloaded(t,e,n){return e!==void 0||n!==void 0?\"\".concat(t,\":\").concat(e||this._defaultEnv,\":\").concat(n?\"preview\":\"live\")in this.variants:t in this.preloadedComponents}getPreloadedParams(t){return this.preloadedComponents[t]}async fetchComponentV2(t,e,n){let r=this.preloadedComponents[t],i=e!==void 0||n!==void 0,a,p;!i&&r?(a=r.env,p=r.preview):(a=e||this._defaultEnv,p=n===!0?!0:n===!1?!1:!e);let d=\"\".concat(t,\":\").concat(a,\":\").concat(p?\"preview\":\"live\");return console.log(\"[CloudRepository] fetchComponentV2\",{componentId:t.slice(0,8)+\"...\",env:a,usePreview:p,cacheKey:d,cached:d in this.variants}),this.variants[d]||(this.preloadedComponents[t]||(this.preloadedComponents[t]={env:a,preview:p}),this.variants[d]=new Promise(async(c,g)=>{try{let f=\"\".concat(this._baseUrl,\"/consume?id=\").concat(t,\"&env=\").concat(a);p&&(f+=\"&preview=true\");let M=(await(await fetch(f)).json()).item;if(!M){g(new Error('Component \"'.concat(t,'\" not found')));return}if(!M.consume_variant||!M.consume_variant.length){g(new Error('Component \"'.concat(t,'\" has no implementation for environment \"').concat(a,'\"')));return}let le=_s(M);c(le)}catch(f){g(f)}})),await this.variants[d]}async fetchComponentV1(t,e){return e?(await this.fetchFlow(e)).components.find(r=>r.type.id===t):(await this.fetchAutoFlow(t)).components[0]}async fetchAutoFlow(t){return this.userFlows[t]||(this.userFlows[t]=new Promise(async(e,n)=>{try{let i=await(await fetch(\"\".concat(this._baseUrl,\"/flow?id=\").concat(t,\"&auto=true\"))).json();e(i.item)}catch(r){n(r)}})),await this.userFlows[t]}async fetchFlow(t){return this.userFlows[t]||(this.userFlows[t]=new Promise(async(e,n)=>{try{let i=await(await fetch(\"\".concat(this._baseUrl,\"/flow?id=\").concat(t,\"&resolve=components\"))).json();e(i.item)}catch(r){n(r)}})),await this.userFlows[t]}async fetchComponent(t,e){return this.fetchComponentV1(t,e)}};s(Q,\"_main\",null);Z=Q,_o=Z});var Ho,Do=m(()=>{\"use strict\";Ho=async o=>await o()});var dn={};ee(dn,{CloudRepository:()=>Z,ComponentConfig:()=>gt,SkinConfig:()=>ft,addClass:()=>To,applyStylesheet:()=>Co,applyStylesheetLink:()=>xo,changeSkinUrlByTokenizer:()=>bo,createIframeSkinByTokenizer:()=>pn,exec:()=>Ho,removeClass:()=>Eo,v2_CloudRepository:()=>_o});var Mt=m(()=>{\"use strict\";wo();So();Ro();vo();ko();Do()});var Bo,Lo=m(()=>{\"use strict\";Ot();Mt();b();Bo=async o=>{try{let t=new URL(window.location.href),n=new URLSearchParams(t.search).get(\"myopOverride\");if(n){let[r,...i]=Lt(n);switch(r){case\"component\":{let[a,p]=i,d=await Z.Main.fetchComponent(a);if(d&&d.type.skins.find(g=>g.id===p))return d.instance.skinSelector={type:ce.Dedicated,skin:{id:p}},d}break;default:{let[a,p]=Lt(n),c=(await Z.Main.fetchFlow(a)).components.find(g=>g.type.id===o.type.id);if(c&&c.instance.skinSelector.type===ce.Segmented&&c.instance.resolvedExperiences){let g=c.instance.resolvedExperiences.find(f=>f.id===p);if((g==null?void 0:g.type)===je.Segment){let f=g,y=c.instance.skinSelector.segments.find(M=>M.segmentId===f.segment.id);if(y)return c.instance.skinSelector=y==null?void 0:y.skinSelector,c}}}break}}}finally{return null}}});var Ko={};ee(Ko,{HostSDK:()=>F,hostSDK:()=>Po});var Oo,F,Po,Pe=m(()=>{\"use strict\";te();I();w();Xn();Qn();Je();b();Ne();Io();Lo();Oo=\"https://cdn.myop.dev/sdk/next/myop_sdk.min.js\",F=class{constructor(){s(this,\"components2init\",[]);s(this,\"components\",[]);s(this,\"componentsLoaders\",[]);s(this,\"initiated\",!1);s(this,\"version\",ue);s(this,\"type2InstanceCount\",{});s(this,\"assignId\",t=>(this.type2InstanceCount[t.id]||(this.type2InstanceCount[t.id]=0),\"\".concat(t.id,\"_\").concat(++this.type2InstanceCount[t.id])));s(this,\"inspected\",!1);s(this,\"inspect\",()=>{this.inspected||(this.inspected=!0,this.components.forEach(t=>{t.inspect&&t.inspect()}))});s(this,\"incomingMessageHandler\",t=>{if(t.origin,document.location.origin,t.data.myop){if(t.data.direction!==R.up&&t.data.messageType!==l.EnvelopedMessage)return;let e=t.data;if(e.messageType===l.InitRequest){this.components2init.forEach(r=>{r.send(new ye(r.id))});return}if(e.messageType===l.InitResponse){this.components2init=this.components2init.filter(i=>i.id!==e.content.id);let r=this.components.find(i=>{var a;return i.id===((a=e.content)==null?void 0:a.id)});r==null||r.setInitiated();return}if(e.messageType===l.EnvelopedMessage){let r=e,i=this.components.find(a=>a.id===r.destination);if(i){if(r.direction===R.down){r.message.messageType===K.name?i.onMessageReceived(r.message):(r.message.route=r.route,i.send(r.message));return}}else{let a=this.components.find(p=>p.id===r.message.destination);a&&a.send(r.message)}return}let n=this.components.find(r=>r.id===e.destination);if(!n){window.myop.IframeSDK&&window.myop.IframeSDK.messageToHost(e);return}if(n){if(n.onMessageReceived(e))return;window.myop.IframeSDK&&window.myop.IframeSDK.messageToHost(e)}}});s(this,\"send\",t=>{let e=new MessageEvent(\"\",{data:t});this.incomingMessageHandler(e)});s(this,\"init\",t=>{if(this.initiated)throw new Error(\"hostSDK already initiated\");let e=[new Xe,new Ze,new lt];if(this.componentsLoaders=[...e],t){let n={};t.forEach(r=>{let i=new r(this.componentsLoaders);n[i.type]=i}),this.componentsLoaders.forEach(r=>{n[r.type]||(n[r.type]=r)}),this.componentsLoaders=Object.values(n)}window.addEventListener(\"message\",this.incomingMessageHandler,!1),console.log(\"myop hostSDK initiated\",document.location.href),this.initiated=!0});s(this,\"_getSkinIdBySkinSelector\",async(t,e=[],n)=>{var i;async function r(a,p){for(let d of a)if(await p(d))return d}switch(t.type){case\"DedicatedSkin\":case ce.Dedicated:return((i=t.skin)==null?void 0:i.id)||t.skins[0].id;case ce.Segmented:{let p=await r(t.segments,async d=>{if(d.segmentId===\"Default\")return!0;let c=e.find(y=>y.type===je.Segment?y.segment.id===d.segmentId:!1);if(!c)throw new Error(\"experience not found\");let f=c.segment,u=(n||{})[f.function];return u?await u():(console.warn(\"segmentId:\".concat(d.segmentId,\", \").concat(f.function,\" function not provided !\")),!1)});if(p)return this._getSkinIdBySkinSelector(p.skinSelector,e);debugger}break;default:debugger}return\"\"});s(this,\"runSkinSelector\",async(t,e)=>{let n=await this._getSkinIdBySkinSelector(t.instance.skinSelector,t.instance.resolvedExperiences,e);return t.type.skins.find(r=>r.id===n)});s(this,\"loaderHooks\");s(this,\"loadComponent\",async(t,e,n)=>{var g,f,u,y;if(!e){debugger;throw new Error(\"no container was found for this component\")}let r=await Bo(t);r&&(t=r);let i=h(h({},(g=this.loaderHooks)!=null?g:{}),(f=n==null?void 0:n.hooks)!=null?f:{}),a=e;if(a.myop)if(a.component){t=h({},t),t.instance=h({},t.instance);let M=await this.runSkinSelector(t,i);if(!M)throw new Error(\"runSkinSelector failed to choose skin, check the provided config\");return(u=n==null?void 0:n.hooks)!=null&&u.afterSkinSelected&&(M=await n.hooks.afterSkinSelected(h({},M))),t.instance.skinSelector={type:ce.Dedicated,skin:M},n&&(n=h({},n),delete n.hooks),await Zt(a,t,this.components,n)}else throw new Error(\"load component got a detached ref.\");e=e;let p=await this.runSkinSelector(t,i);if(!p)throw new Error(\"runSkinSelector failed to choose skin, check the provided config\");(y=n==null?void 0:n.hooks)!=null&&y.afterSkinSelected&&(p=await n.hooks.afterSkinSelected(h({},p)));let d=this.componentsLoaders.find(M=>M.type===p.loader.type);if(!d){debugger;throw new Error('no loader \"'.concat(p.loader.type,'\" was found for component'))}let c=await d.load(t.type,p,e,n);c.isInitiated||this.components2init.push(c),c.bind(\"onDispose\",()=>(this.components=this.components.filter(M=>M!==c),this.components2init=this.components2init.filter(M=>M!==c),!0)),this.components.push(c),(!n||n.connectProps!==!1)&&(c=Yn(c,t.type.props,p));try{await en(c,t,this.components)}catch(M){throw M}return n!=null&&n.skipInit||await c.initiated(),c});s(this,\"navigate\",async(t,e,n)=>{if(t.parent)throw new Error(\"Navigating on remote ref components is not implemented yet\");if(n!=null&&n.staged){let r=await this.loadComponent(e,t.container,h({hidden:!0,relative:{direction:\"after\",child:t.element}},n));return n.init&&await n.init(r),r.show(),t.dispose(),r}else{let r=t.element.nextSibling;return t.dispose(),this.loadComponent(e,t.container,h({relative:{direction:\"before\",child:r}},n))}})}};s(F,\"Instance\",()=>window.myop.hostSDK);window.myop||(window.myop={__ROOT_SDK_PUBLIC_URL__:Oo});if(!window.myop.hostSDK){let o=new F;o.init(),window.myop||(window.myop={__ROOT_SDK_PUBLIC_URL__:Oo}),window.myop.hostSDK=o}Po=window.myop.hostSDK;z(\"hostSDK\",Po)});var It,Ao=m(()=>{\"use strict\";I();X();b();w();It=class extends x{constructor(){super(...arguments);s(this,\"messageType\",l.DetectMyopRefsMessage);s(this,\"executor\",e=>{let n=document.querySelectorAll(\"[\".concat(B.id,\"]\")),r=[];n.forEach(i=>{let a=i.getAttribute(B.id);a&&r.push(new Me(a,i.tagName,i.getBoundingClientRect()))}),this.messageToHost(new pe(e.handlerUniqueId,r))})}}});var Ct,Fo=m(()=>{\"use strict\";I();b();w();L();Ct=class extends x{constructor(){super(...arguments);s(this,\"messageType\",l.BindClickMessage);s(this,\"executor\",e=>{let n=[];return S(e.ref,document).forEach(i=>{let a=()=>{this.messageToHost(new oe,e)};i.addEventListener(\"click\",a);let p=()=>{i.removeEventListener(\"click\",a)};n.push(p)}),()=>{n.forEach(i=>i())}})}}});var xt,zo=m(()=>{\"use strict\";I();b();L();xt=class extends x{constructor(){super(...arguments);s(this,\"messageType\",l.ChangeTextMessage);s(this,\"executor\",e=>{S(e.ref,document).forEach(r=>{r.textContent=e.content})})}}});var wt,$o=m(()=>{\"use strict\";I();w();b();rn();wt=class extends x{constructor(){super(...arguments);s(this,\"messageType\",l.ExecuteScriptMessage);s(this,\"executor\",e=>{at(e,r=>{this.messageToHost(new se(e.handlerUniqueId,r))},new xe(document.documentElement))})}}});var bt,Uo=m(()=>{\"use strict\";I();b();w();me();L();bt=class extends x{constructor(){super(...arguments);s(this,\"messageType\",l.AddEventListenerMessage);s(this,\"executor\",e=>{let n=S(e.ref,document),r=[];return n.forEach(i=>{let a=p=>{requestAnimationFrame(()=>{this.messageToHost(new re(e.handlerUniqueId,P(p,e.serializableSkeleton)))})};i.addEventListener(e.type,a),r.push(()=>{i.removeEventListener(e.type,a)})}),()=>{r.forEach(i=>{i()})}})}}});var St,No=m(()=>{\"use strict\";I();b();L();St=class extends x{constructor(){super(...arguments);s(this,\"messageType\",l.SetAttributeMessage);s(this,\"executor\",e=>{S(e.ref,document).forEach(r=>{r.setAttribute(e.name,e.value)})})}}});var Tt,Wo=m(()=>{\"use strict\";I();X();b();Pe();We();Tt=class extends x{constructor(){super(...arguments);s(this,\"messageType\",l.CreateRefComponentMessage);s(this,\"executor\",e=>{(async()=>{let r=document.querySelectorAll(\"[\".concat(B.id,\"='\").concat(e.refConfig.selector,\"']\"));if(r.length===1){let a=await F.Instance().loadComponent(e.nestedComponentConfig,r.item(0),e.options),p=[];Object.keys(a.refs).forEach(d=>{let c=a.refs[d];c=c.__nonProxied||c,c.componentDefinition&&p.push({refName:d,componentDefinitionId:c.componentDefinition.id})}),this.messageToHost(new V(e.handlerUniqueId,p))}else{console.error(\"CreateRefComponentMessageHandler - DOM element not found\"),this.messageToHost(new V(e.handlerUniqueId,[],!0));debugger}})().then()})}}});var Vo,qo=m(()=>{\"use strict\";Vo=(o,t)=>{if(!o){console.log(\"n\");return}let e=window.MutationObserver||window.WebKitMutationObserver;if(!(!o||o.nodeType!==1))if(e){let n=new e(t),r={attributes:!0,childList:!0,subtree:!0};return n.observe(o,r),n}else window.addEventListener&&(o.addEventListener(\"DOMNodeInserted\",t,!1),o.addEventListener(\"DOMNodeRemoved\",t,!1))}});var Et,jo=m(()=>{\"use strict\";I();w();b();qo();Et=class extends x{constructor(){super(...arguments);s(this,\"messageType\",l.SetMutationObserverMessage);s(this,\"executor\",e=>{e.source&&Vo(document.body,()=>{this.messageToHost(new He)})})}}});var Go,Rt,Jo=m(()=>{\"use strict\";I();X();b();w();me();L();Go=o=>{if(!o)return null;if(o.tagName===\"FORM\"){let t=new FormData(o),e={formData:{},unmappedData:[]},n=o.querySelectorAll(\"input, select, textarea\"),r=-1;return n.forEach(i=>{if(typeof i.value==\"string\"){let a=i.getAttribute(B.id),p=i.getAttribute(\"name\"),d={id:i.id,name:p,value:Go(i),required:i.required,validity:P(i.validity,!0),myopId:a};e.unmappedData.push(d),p&&(!e.formData[p]||!e.formData[p].value||d.value)&&(e.formData[p]=d)}}),e}return o.type===\"checkbox\"||o.type===\"radio\"?o.checked?o.value:null:o.tagName===\"INPUT\"||o.tagName===\"TEXTAREA\"||o.tagName===\"SELECT\"?o.value:o.isContentEditable?o.innerText||o.textContent:null},Rt=class extends x{constructor(){super(...arguments);s(this,\"messageType\",l.GetElementValueMessage);s(this,\"executor\",e=>{S(e.ref,document).forEach(r=>{this.messageToHost(new ie(Go(r)),e)})})}}});var vt,Yo=m(()=>{\"use strict\";I();b();w();L();vt=class extends x{constructor(){super(...arguments);s(this,\"messageType\",l.GetAttributeMessage);s(this,\"executor\",e=>{let n=Zn(e.ref,document);n&&this.messageToHost(new ke(n.getAttribute(e.name)),e)})}}});var _t,Xo=m(()=>{\"use strict\";w();I();b();_t=class extends x{constructor(){super(...arguments);s(this,\"messageType\",l.SetResizeObserverMessage);s(this,\"executor\",e=>{let n=new ResizeObserver(r=>{this.messageToHost(new Oe)});return n.observe(document.body),()=>{n.disconnect()}})}}});var kt,Qo=m(()=>{\"use strict\";I();b();L();kt=class extends x{constructor(){super(...arguments);s(this,\"messageType\",l.SetInnerHtml);s(this,\"executor\",e=>{S(e.ref,document).forEach(r=>{r.innerHTML=e.content})})}}});var Zo={};ee(Zo,{IframeSDK:()=>Ht});var Ht,es=m(()=>{\"use strict\";b();Ao();Fo();zo();$o();te();Uo();No();w();Wo();jo();Jo();Ne();Yo();Xo();Qo();Ht=class extends Ie{constructor(){super();s(this,\"version\",ue);s(this,\"messageToHost\",(e,n)=>{var i;!e.replayToHandler&&(n!=null&&n.handlerUniqueId)&&(e.replayToHandler=n.handlerUniqueId);let r=Object.keys(this.components);e.destination||(n!=null&&n.route?e.destination=n.route[n.route.length-1]:e.destination=r[0]),e.source||(e.source=r[0]),e.direction=R.up,(i=window.parent)==null||i.postMessage(h({},e),\"*\")});s(this,\"supportedHandlers\",[new xt(this.messageToHost),new kt(this.messageToHost),new Ct(this.messageToHost),new It(this.messageToHost),new wt(this.messageToHost),new bt(this.messageToHost),new St(this.messageToHost),new Rt(this.messageToHost),new Et(this.messageToHost),new _t(this.messageToHost),new vt(this.messageToHost),new Tt(this.messageToHost)]);s(this,\"init\",()=>{window.onmessage=this.handleIncomeMessages.bind(this),this.messageToHost(new ae)});window.myop||(window.myop={}),window.myop.IframeSDK=this}};z(\"IframeSDK\",Ht)});var Bs={};var Ds,ts=m(()=>{\"use strict\";w();te();Ds=h({},he);z(\"MyopMessages\",Ds)});var ns={};ee(ns,{CloudRepository:()=>Z,ComponentConfig:()=>gt,SkinConfig:()=>ft,addClass:()=>To,applyStylesheet:()=>Co,applyStylesheetLink:()=>xo,changeSkinUrlByTokenizer:()=>bo,createIframeSkinByTokenizer:()=>pn,exec:()=>Ho,removeClass:()=>Eo,v2_CloudRepository:()=>_o});var os=m(()=>{\"use strict\";te();Mt();Mt();z(\"MyopHelpers\",dn)});var As={};ee(As,{getHostModule:()=>ss,getIframeModule:()=>rs,getWebcomponentModule:()=>is});te();var yn;if(window.__federation__)console.log(\"__federation__ loaded more than once.\");else{let o=(yn=document.currentScript)==null?void 0:yn.src,t=o?o.split(\"/\").slice(0,-1).join(\"/\"):\"\";window.__federation__={__public_auto_path__:t,__use_public_auto_path__:!0,__public_path__:void 0,__loading_timeout__:5*1e3}}window.__federation__.load__federation__=(o,t,e)=>{if(window.__federation__[t])console.log(\"__federation__ module \".concat(t,\" already loaded.\")),e(window.__federation__[t][Bt]);else{let n;window.__federation__[t]={},window.__federation__[t][Ue]=r=>{n&&(document.head.removeChild(n),n=null),window.__federation__[t][Bt]=r,e(r)},n=document.createElement(\"script\"),n.type=\"module\",n.src=o,n.async=!0,document.head.appendChild(n)}};Ne();console.log(\"myop root sdk - loaded\",document.location.origin);var Ls=\"https://cdn.myop.dev/sdk/next/myop_sdk.min.js\",ss=()=>Promise.resolve().then(()=>(Pe(),Ko)),rs=()=>Promise.resolve().then(()=>(es(),Zo)),is=()=>Promise.resolve().then(()=>(an(),lo)),Os=()=>Promise.resolve().then(()=>(ts(),Bs)),Ps=()=>Promise.resolve().then(()=>(os(),ns)),Ae=o=>async()=>(await o()).get(),Ks={version:ue,getHostModule:Ae(ss),getIframeModule:Ae(rs),getWebcomponentModule:Ae(is),getMyopMessages:Ae(Os),getMyopHelpers:Ae(Ps)};window.myop||(window.myop={__ROOT_SDK_PUBLIC_URL__:Ls});window.myop.rootSDK?console.log(\"myop root host loaded more than once.\"):window.myop=h({rootSDK:Ks},window.myop);return us(As);})();\n</script>\n </head>\n <body>\n <div id=\"myop-container\"></div>\n <script>\n // Initialize hostSDK on page load\n (async function initSDK() {\n try {\n // Use the internal getHostModule which returns the module directly\n const hostModule = await MyopSDK.getHostModule();\n // hostModule is the exports object with { hostSDK, HostSDK }\n window.__myopHostSDK = hostModule.hostSDK || window.myop.hostSDK;\n window.ReactNativeWebView.postMessage('WEBVIEW_READY');\n } catch (err) {\n window.ReactNativeWebView.postMessage('SDK_INIT_ERROR:' + err.message);\n }\n })();\n\n async function loadMyopComponent(configAsString) {\n try {\n const componentConfig = JSON.parse(decodeURIComponent(configAsString));\n const container = document.getElementById('myop-container');\n window.myopComponent = await window.__myopHostSDK.loadComponent(componentConfig, container);\n\n // Set up myop_cta_handler to forward calls to React Native\n if (window.myopComponent && window.myopComponent.element && window.myopComponent.element.contentWindow) {\n window.myopComponent.element.contentWindow.myop_cta_handler = function(action, payload) {\n window.ReactNativeWebView.postMessage('CTA:' + JSON.stringify({ action: action, payload: payload }));\n };\n }\n\n window.ReactNativeWebView.postMessage('COMPONENT_LOADED');\n } catch (err) {\n window.ReactNativeWebView.postMessage('COMPONENT_ERROR:' + err.message);\n }\n }\n </script>\n </body>\n</html>\n";
2
2
  //# sourceMappingURL=componentHost.html.d.ts.map
@@ -1 +1 @@
1
- {"version":3,"file":"componentHost.html.d.ts","sourceRoot":"","sources":["../src/componentHost.html.ts"],"names":[],"mappings":"AAMA,eAAO,MAAM,IAAI,2y+DA+DhB,CAAC"}
1
+ {"version":3,"file":"componentHost.html.d.ts","sourceRoot":"","sources":["../src/componentHost.html.ts"],"names":[],"mappings":"AAMA,eAAO,MAAM,IAAI,u7pEA+DhB,CAAC"}
@@ -3,7 +3,7 @@
3
3
  // SDK loaded from @myop/sdk at build time
4
4
  Object.defineProperty(exports, "__esModule", { value: true });
5
5
  exports.HTML = void 0;
6
- const SDK_CONTENT = `"use strict";var MyopSDK=(()=>{var He=Object.defineProperty,Gn=Object.defineProperties,Jn=Object.getOwnPropertyDescriptor,Xn=Object.getOwnPropertyDescriptors,Qn=Object.getOwnPropertyNames,oo=Object.getOwnPropertySymbols;var no=Object.prototype.hasOwnProperty,Zn=Object.prototype.propertyIsEnumerable;var wt=(n,t,e)=>t in n?He(n,t,{enumerable:!0,configurable:!0,writable:!0,value:e}):n[t]=e,y=(n,t)=>{for(var e in t||(t={}))no.call(t,e)&&wt(n,e,t[e]);if(oo)for(var e of oo(t))Zn.call(t,e)&&wt(n,e,t[e]);return n},$=(n,t)=>Gn(n,Xn(t));var c=(n,t)=>()=>(n&&(t=n(n=0)),t);var J=(n,t)=>{for(var e in t)He(n,e,{get:t[e],enumerable:!0})},Yn=(n,t,e,o)=>{if(t&&typeof t=="object"||typeof t=="function")for(let r of Qn(t))!no.call(n,r)&&r!==e&&He(n,r,{get:()=>t[r],enumerable:!(o=Jn(t,r))||o.enumerable});return n};var es=n=>Yn(He({},"__esModule",{value:!0}),n);var s=(n,t,e)=>wt(n,typeof t!="symbol"?t+"":t,e);var _e,De,Tt,K,X=c(()=>{"use strict";_e="__federation__",De="onLoad",Tt="moduleInstance",K=(n,t)=>{window[_e]&&window[_e][n]&&window[_e][n][De]&&window[_e][n][De]({[n]:t})}});var ae,Be=c(()=>{ae="0.2.6"});var l,M=c(()=>{"use strict";l={InitRequest:"InitRequest",InitResponse:"InitResponse",InitMessage:"InitMessage",DisposeMessage:"DisposeMessage",ChangeTextMessage:"ChangeTextMessage",BindClickMessage:"BindClickMessage",DetectMyopRefsMessage:"DetectMyopRefsMessage",ExecuteScriptMessage:"ExecuteScriptMessage",AddEventListenerMessage:"AddEventListenerMessage",SetAttributeMessage:"SetAttributeMessage",CreateRefComponentMessage:"CreateRefComponentMessage",EnvelopedMessage:"EnvelopedMessage",GetElementValueMessage:"GetElementValueMessage",GetAttributeMessage:"GetAttributeMessage",SetInnerHtml:"SetInnerHtml",ExecuteComponentMethod:"ExecuteComponentMethod",SetMutationObserverMessage:"SetMutationObserverMessage",SetResizeObserverMessage:"SetResizeObserverMessage",CleanupMessage:"CleanupMessage",In:{DetectedMyopRefsMessage:"DetectedMyopRefsMessage",ClickReplayMessage:"ClickReplayMessage",ExecuteScriptReplyMessage:"ExecuteScriptReplyMessage",EventListenerCallbackMessage:"EventListenerCallbackMessage",ElementValueReplayMessage:"ElementValueReplayMessage",GetAttributeReplayMessage:"GetAttributeReplayMessage",RefComponentCreatedMessage:"RefComponentCreatedMessage",EnvelopedMessage:"EnvelopedMessage",MutationObserverMessage:"MutationObserverMessage",CleanupReplayMessage:"CleanupReplayMessage",ResizeObserverMessage:"ResizeObserverMessage"}}});var T,ts,os,St,Et=c(()=>{"use strict";T=()=>"10000000-1000-4000-8000-100000000000".replace(/[018]/g,n=>(+n^crypto.getRandomValues(new Uint8Array(1))[0]&15>>+n/4).toString(16)),ts=n=>{let t=[...n].map(e=>e.toString(16).padStart(2,"0")).join("");return[t.slice(0,8),t.slice(8,12),t.slice(12,16),t.slice(16,20),t.slice(20)].join("-")},os=n=>{let t=n.replace(/-/g,"+").replace(/_/g,"/");for(;t.length%4;)t+="=";let e=atob(t);return Uint8Array.from(e,o=>o.charCodeAt(0))},St=n=>{let t=os(n);if(t.length%16!==0)throw new Error("Invalid input length");let e=[];for(let o=0;o<t.length;o+=16)e.push(ts(t.slice(o,o+16)));return e}});var ro,Q=c(()=>{"use strict";Et();ro=n=>new Promise(t=>setTimeout(t,n))});var R,I,Rt,v,k,N,H=c(()=>{"use strict";Q();R=class{};s(R,"down","down"),s(R,"up","up");I=class{constructor(){s(this,"id",T());s(this,"myop",!0);s(this,"content");s(this,"source");s(this,"destination");s(this,"route");s(this,"ref");s(this,"direction");s(this,"cleanable",!1)}static create(...t){return new this(...t)}isTypeof(t){return t.messageType===this.messageType}},Rt=class extends I{constructor(e){super();this.ref=e}},v=class extends I{constructor(e){super();this.replayToHandler=e}},k=class extends I{constructor(e){super();this.handler=e;s(this,"handlerUniqueId",T())}},N=class n{constructor(t,e){this.refConfig=t;this.component=e;s(this,"myop",!0);s(this,"__nonProxied");this.__nonProxied=$(y({},this),{component:null})}static create(t,e,o){let r=e;return r||(r={id:"",name:"",description:"",selectorType:"id-attribute",selector:t,behavior:{type:"code"}}),new n(r,o)}}});var io,vt,Z,ao=c(()=>{"use strict";H();io="ClickReplayMessage",vt=class extends k{constructor(e,o){super(o);this.ref=e;s(this,"replyMessageKey",io);s(this,"messageType","BindClickMessage");s(this,"cleanable",!0)}},Z=class extends v{constructor(){super(...arguments);s(this,"messageType",io)}}});var kt,po=c(()=>{"use strict";H();kt=class extends I{constructor(e,o){super();this.ref=e;s(this,"messageType","ChangeTextMessage");this.content=o}}});var mo,ns,ss,co,_,Y,Ht=c(()=>{"use strict";H();mo="ExecuteScriptReplyMessage",ns=/(?:function\\s*\\w*\\s*\\([^)]*\\)\\s*\\{([\\s\\S]*?)\\}|(\\([^)]*\\)\\s*=>\\s*\\{([\\s\\S]*?)\\}))\\s*$/,ss=/\\(\\s*[^)]+\\s*\\)\\s*=>\\s*(.+)/,co=n=>{let t=n.match(ns);if(t)return t[1]||t[3];{let e=n.match(ss);if(e)return e[1].trim()}},_=class extends k{constructor(e,o=()=>{},r){super(o);this.scriptInputs=r;s(this,"replyMessageKey",mo);s(this,"messageType","ExecuteScriptMessage");s(this,"script","");this.script=e.toString(),this.content=e.toString(),this.content=co(this.content)}};s(_,"replierKey","send"),s(_,"completeStreamKey","completeStream");Y=class extends v{constructor(e,o){super(e);this.replayToHandler=e;this.content=o;s(this,"messageType",mo)}}});var F,lo=c(()=>{"use strict";Ht();F=class extends _{constructor(e,o,r=()=>{}){super(({rootRef:i,elementId:a,_script:p,__scriptInputs:m})=>{let d=(i.shadowRoot||i.container).querySelectorAll("[myop-id='".concat(a,"']"));return d.length?(m.ref=d[0],new Function("return (".concat(p,")(...arguments)"))(m)):null},r);this.scriptInputs=o;this.scriptInputs=$(y({},o),{_script:e.toString()})}}});var fo,_t,ee,go=c(()=>{"use strict";H();fo="EventListenerCallbackMessage",_t=class extends k{constructor(e,o,r){super(r);this.ref=e;this.type=o;this.handler=r;s(this,"replyMessageKey",fo);s(this,"messageType","AddEventListenerMessage");s(this,"cleanable",!0);s(this,"serializableSkeleton",!1)}withSerializableSkeleton(e){return this.serializableSkeleton=e,this}},ee=class extends v{constructor(e,o){super(e);this.replayToHandler=e;this.e=o;s(this,"messageType",fo);this.content={e:o}}}});var Dt,uo=c(()=>{"use strict";H();Dt=class extends I{constructor(e,o,r){super();this.ref=e;this.name=o;this.value=r;s(this,"messageType","SetAttributeMessage")}}});var yo,Bt,te,Lt=c(()=>{"use strict";H();yo="ElementValueReplayMessage",Bt=class extends k{constructor(e,o){super(o);this.ref=e;s(this,"replyMessageKey",yo);s(this,"messageType","GetElementValueMessage")}},te=class extends v{constructor(e){super();this.content=e;s(this,"messageType",yo)}}});var Pt,ho=c(()=>{"use strict";H();Pt=class extends I{constructor(e,o){super();this.ref=e;s(this,"messageType","SetInnerHtml");this.content=o}}});var pe,Me,oe,Mo=c(()=>{"use strict";H();pe=class extends I{constructor(e){super();s(this,"messageType","InitMessage");this.content={id:e}}isTypeof(e){return e.messageType===this.messageType}},Me=class extends pe{constructor(){super(...arguments);s(this,"messageType","InitResponse")}},oe=class extends I{constructor(){super(...arguments);s(this,"messageType","InitRequest")}}});var Io,Ie,U,Le=c(()=>{"use strict";H();Io="RefComponentCreatedMessage",Ie=class extends k{constructor(e,o,r,i){super(i);this.refConfig=e;this.nestedComponentConfig=o;this.options=r;s(this,"replyMessageKey",Io);s(this,"messageType","CreateRefComponentMessage")}},U=class extends v{constructor(e,o,r){super(e);this.replayToHandler=e;this.nestedRefs=o;this.failed=r;s(this,"messageType",Io)}}});var Ce,Ot=c(()=>{"use strict";H();Ce=class extends I{constructor(e,o){super();this.destination=e;this.message=o;s(this,"messageType","EnvelopedMessage");let r=o;this.route=[e,...r.route?r.route:[]]}}});var Co,Kt,ne,xo=c(()=>{"use strict";H();Co="DetectedMyopRefsMessage",Kt=class extends k{constructor(){super(...arguments);s(this,"messageType","DetectMyopRefsMessage");s(this,"replyMessageKey",Co)}},ne=class extends v{constructor(e,o){super(e);this.replayToHandler=e;s(this,"messageType",Co);this.content=o}isTypeof(e){return e.messageType===this.messageType}}});var bo,At,xe,wo=c(()=>{"use strict";H();bo="GetAttributeReplayMessage",At=class extends k{constructor(e,o,r){super(r);this.ref=e;this.name=o;s(this,"replyMessageKey",bo);s(this,"messageType","GetAttributeMessage")}},xe=class extends v{constructor(e){super();this.content=e;s(this,"messageType",bo)}}});var P,To=c(()=>{"use strict";H();P=class extends I{constructor(e){super();this.method=e;s(this,"messageType","ExecuteComponentMethod")}}});var $t,be,So=c(()=>{"use strict";H();$t=class extends I{constructor(){super(...arguments);s(this,"messageType","SetMutationObserverMessage")}},be=class extends I{constructor(){super(...arguments);s(this,"messageType","MutationObserverMessage")}}});var Eo,we,Te,Ro=c(()=>{"use strict";H();Eo="CleanupReplayMessage",we=class extends k{constructor(e,o){super(o);this.cleanupForMessageId=e;s(this,"replyMessageKey",Eo);s(this,"messageType","CleanupMessage")}},Te=class extends v{constructor(e){super();this.customCleanup=e;s(this,"messageType",Eo)}}});var Se,vo=c(()=>{"use strict";H();Se=class extends I{constructor(){super(...arguments);s(this,"messageType","DisposeMessage")}}});var Ft,Ee,ko=c(()=>{"use strict";H();Ft=class extends I{constructor(){super(...arguments);s(this,"cleanable",!0);s(this,"messageType","SetResizeObserverMessage")}},Ee=class extends I{constructor(){super(...arguments);s(this,"messageType","ResizeObserverMessage")}}});var me={};J(me,{AddEventListenerMessage:()=>_t,BaseMyopMessage:()=>I,BindClickMessage:()=>vt,ChangeTextMessage:()=>kt,CleanupMessage:()=>we,CleanupReplayMessage:()=>Te,ClickReplayMessage:()=>Z,CreateRefComponentMessage:()=>Ie,CustomRefMessage:()=>F,DetectMyopRefsMessage:()=>Kt,DetectedMyopRefsMessage:()=>ne,DisposeMessage:()=>Se,ElementValueReplayMessage:()=>te,EnvelopedMessage:()=>Ce,EventListenerCallbackMessage:()=>ee,ExecuteComponentMethod:()=>P,ExecuteScriptMessage:()=>_,ExecuteScriptReplyMessage:()=>Y,GetAttributeMessage:()=>At,GetAttributeReplayMessage:()=>xe,GetElementValueMessage:()=>Bt,InitMessage:()=>pe,InitRequest:()=>oe,InitResponse:()=>Me,MessageDirection:()=>R,MutationObserverMessage:()=>be,MyopBindMessage:()=>k,MyopBindReplayMessage:()=>v,MyopElementMessage:()=>Rt,Ref:()=>N,RefComponentCreatedMessage:()=>U,ResizeObserverMessage:()=>Ee,SetAttributeMessage:()=>Dt,SetInnerHtml:()=>Pt,SetMutationObserverMessage:()=>$t,SetResizeObserverMessage:()=>Ft,stripFunction:()=>co});var x=c(()=>{"use strict";H();ao();po();Ht();lo();go();uo();Lt();ho();Mo();Le();Ot();xo();Lt();wo();To();So();Ro();vo();ko()});var V,Pe=c(()=>{"use strict";M();x();Re();V=class{constructor(t,e,o){this.componentDefinition=t;this.container=e;s(this,"id","");s(this,"messageHandlers",{});s(this,"element");s(this,"_markedForDisposed",!1);s(this,"bind",(t,e)=>{this.messageHandlers[t]||(this.messageHandlers[t]=[]),this.messageHandlers[t].includes(e)||this.messageHandlers[t].push(e)});s(this,"bindWhen",(t,e,o)=>{if(!o)throw new Error("can't use component.bindWhen without an handler");this.messageHandlers[t]||(this.messageHandlers[t]=[]);let r=this.messageHandlers[t],i=a=>e(a)?(o(a),!0):!1;return r.push(i),()=>{let a=r.indexOf(i);a>-1&&r.splice(a,1)}});s(this,"setInitiated",()=>{this.isInitiated=!0,this._whenInitiatedResolve&&this._whenInitiatedResolve()});s(this,"isInitiated",!1);s(this,"_whenInitiatedResolve");s(this,"_whenInitiatedReject");s(this,"_whenInitiated",new Promise((t,e)=>{this._whenInitiatedResolve=t,this._whenInitiatedReject=e}));s(this,"initiated",()=>this._whenInitiated);s(this,"props",{});s(this,"refs",{});this.id=(o==null?void 0:o.id)||O.Instance().assignId(t);let r=o!=null&&o.timeout?o==null?void 0:o.timeout:5*1e3;setTimeout(()=>{!this.isInitiated&&this._whenInitiatedReject&&!this._markedForDisposed&&this._whenInitiatedReject("timeout_".concat(r," ").concat(this.id))},r),this.initiated().then(()=>{window.myop.hostSDK.inspected&&this.inspect()})}get markedForDisposed(){return this._markedForDisposed}set markedForDisposed(t){if(this._markedForDisposed)throw new Error("InvalidOperationException: The component is already in the process of being disposed. Dispose operation cannot be performed again until the current disposal process is complete.");this._markedForDisposed=t}onMessageReceived(t){if(t.messageType===l.ExecuteComponentMethod){let o=t;return this[o.method]?this[o.method](o.content):console.log("method not found ".concat(o.method," on component"),this),!0}let e=this.messageHandlers[t.messageType];if(e&&e.length){let o=!1;return e.forEach(r=>{o=o||r(t)}),o}return!1}sendCleanupMessage(t){t.source=this.id,t.destination=this.id,t.direction=R.down;let e=this.bindWhen(t.replyMessageKey,r=>r.replayToHandler===t.handlerUniqueId,r=>{t.handler(r),e()}),o=t.handler;delete t.handler,this.send(t),t.handler=o}send(t){t.source||(t.source=this.id),t.destination||(t.destination=this.id),t.direction=R.down;let e;if(t.handler){let o=t;e=this.bindWhen(o.replyMessageKey,r=>r.replayToHandler===o.handlerUniqueId,o.handler),delete t.handler}return t.ref&&(t.ref=t.ref.__nonProxied||t.ref),t.cleanable?()=>{this.sendCleanupMessage(new we(t.id,o=>{})),e&&e()}:()=>{}}dispose(){if(this.markedForDisposed=!0,!this.isInitiated)return;console.log("disposing component",this.id),this.send(new Se);let t=this.messageHandlers.onDispose;t&&t.forEach(e=>{e(null)}),this.messageHandlers={},this.id+="_disposed",this.isInitiated=!1}}});var de,Ho=c(()=>{"use strict";de=class{constructor(t,e,o,r,i){this.myopId=t;this.htmlTagName=e;this.BoundingRect=o;this.offsetTop=r;this.offsetLeft=i;s(this,"type","MyopElementRef")}}});var _o,C,Oe,Do=c(()=>{"use strict";_o=async n=>{if(typeof n=="function")n();else if(n instanceof Promise){let t=await n;typeof t=="function"&&t()}},C=class{constructor(t){this.messageToHost=t}},Oe=class extends C{constructor(e,o){super(e);this.messageToHost=e;this.context=o}}});var Ut,ce,Bo=c(()=>{"use strict";M();b();x();Ut=class{constructor(t,e){this.id=t;this.context=e;s(this,"send",t=>{})}},ce=class{constructor(){s(this,"messageToHandleAfterInit",[]);s(this,"components",{});s(this,"alwaysPassEnvelopesToHost",!1);s(this,"messageCleanupCache",{})}handleIncomeMessages(t){let e=t.data?t.data:t.detail;if(!(!e||!e.myop)){let o=e;if(o.direction!==R.down)return;if(o.messageType===l.DisposeMessage){o.destination&&delete this.components[o.destination];return}if(o.messageType===l.InitMessage){let r=o.content.id;if(this.components[r])return;this.components[r]=new Ut(r),this.messageToHost(new Me(r));return}if(o.messageType===l.EnvelopedMessage){let r=o,i=r.message;if(o=i,this.alwaysPassEnvelopesToHost||this.components[o.destination]){let a=myop.hostSDK.components.find(m=>m.id===i.destination);if(a){a.send(i);return}let p=myop.hostSDK.components.find(m=>m.id===r.destination);if(p){p.send(i);return}}else return}if(o.messageType){if(o.messageType===l.CleanupMessage){let i=o,a=this.messageCleanupCache[i.cleanupForMessageId],p=new Te(!!a);p.destination=o.destination,a?(delete this.messageCleanupCache[i.cleanupForMessageId],_o(a).then(()=>{this.messageToHost(p,i)}).catch(()=>{})):this.messageToHost(p,i);return}let r=!1;this.supportedHandlers.forEach(i=>{if(i.messageType===o.messageType){r=!0;let a=i.executor(o);if(o.cleanable&&a&&(this.messageCleanupCache[o.id]=a),a&&!o.cleanable)throw new Error("Cleanup handler generated for non-cleanable message. \\nmessageType - ".concat(o.messageType,", handler executor was - ").concat(i.executor,"\\n\\nPlease review the message definition object & message handler.\\nTo ensure cleanup properly set 'cleanable' true at message definition and return IMessageExecutorCleanup from your handlers."));if(!a&&o.cleanable)throw new Error("No cleanup handler generated for a cleanable message. \\nmessageType - ".concat(o.messageType,", handler executor was - ").concat(i.executor,"\\n\\nPlease review the message definition object & message handler.\\nTo ensure cleanup properly set 'cleanable' true at message definition and return IMessageExecutorCleanup from your handlers."))}})}else console.log("unsupported message type")}}}});var z,se,ge,le,re,Ke,fe,b=c(()=>{"use strict";Ho();Do();Bo();z={IframeLoader:"IframeLoader",WebComponentLoader:"WebComponentLoader",HTMLLoader:"HTMLLoader",MinimizedLoader:"MinimizedLoader"},se={open:"open",closed:"closed",none:"none",localFrame:"localFrame"},ge={message:"message",code:"code"},le=class{};s(le,"code","code"),s(le,"component","component");re={Segmented:"Segmented",Dedicated:"Dedicated",Default:"Default"},Ke={Segment:"Segment",Promo:"Promo",AB:"AB"},fe=class{constructor(t,e){this.container=t;this.shadowRoot=e;s(this,"getRootDiv",()=>(this.shadowRoot||this.container).querySelector("div"));s(this,"getRoot",()=>this.shadowRoot||this.container)}}});var zt,rs,Nt,L,ie=c(()=>{"use strict";zt=n=>n!==Object(n),rs=n=>typeof n=="function",Nt=n=>{if(zt(n))return!0;if(rs(n)||Object.getPrototypeOf(n))return!1;for(let t in n){let e=n[t];if(typeof e=="object"){if(!Nt(e))return!1}else{if(zt(e))continue;return!1}}return!0},L=(n,t={},e=!0,o=new WeakMap)=>{if(zt(n))return n;if(Array.isArray(n)){if(o.has(n))return o.get(n);let r=[];o.set(n,r);for(let i=0;i<n.length;i++){let a=n[i];r[i]=L(a,t,e,o)}return r}if(n!==null&&typeof n=="object"){if(o.has(n))return o.get(n);let r={};o.set(n,r);for(let i in n){let a=typeof t=="boolean"?t:t[i];a&&(a===!0?(e?n[i]!==void 0:n[i])&&(r[i]=L(n[i],!0,e,o)):typeof a=="object"&&(r[i]=L(n[i],a,e,o)))}return r}return{}}});var Lo,Po=c(()=>{"use strict";Lo={notSerializableRefCall:(n,t)=>{throw new Error("\\nThe input provided to '".concat(n.toString(),"' is not serializable. Serialization is required to ensure that the data can be safely transferred to the skin implementation. \\nThe following types of data are considered non-serializable and cannot be processed:\\n\\n- Functions\\n- DOM elements\\n- Class instances\\n- Circular references\\n- Symbols\\n- BigInt values\\n\\nIn the following execution we detected :\\n~~~~~~~~\\n").concat(t," \\n~~~~~~~~\\nas not serializable.\\n\\nTo resolve this issue, please ensure that all inputs passed to '").concat(n.toString(),"' are in a serializable format.\\nThis typically includes primitive types (strings, numbers, booleans), arrays, and plain objects. \\nIf you need to include complex data types, consider converting them to a serializable structure before passing them to the function.\\nOr use Myop message that support it: CustomRefMessage, AddEventListenerMessage or ExecuteScriptMessage.\\n\\nSuggested Fix:\\n1. Remove or replace non-serializable values from your input.\\n2. If using objects, ensure they do not contain any functions or circular references.\\n3. Convert any class instances to plain objects or JSON-compatible formats.\\n4. Use dedicated Myop message.\\n\\nFor more details on serialization and Myop message examples, refer to https://docs.myop.dev.\\n\\n"))}}});var ve,Oo=c(()=>{"use strict";Pe();x();Ot();ve=class extends V{constructor(e,o,r){super(e,o.container,r);this.componentDefinition=e;this.parent=o;s(this,"send",e=>{let o=e.handler,r=super.send(e);return this.parent.send(new Ce(this.id,e)),e.handler=o,r});s(this,"dispose",()=>{this.isInitiated&&this.send(new P("dispose")),super.dispose()})}hide(){this.send(new P("hide"))}show(){this.send(new P("show"))}inspect(){return this.send(new P("inspect"))}setHeightBasedOnDocumentElement(){this.send(new P("setHeightBasedOnDocumentElement"))}setHeightBasedOnScrollHeight(){this.send(new P("setHeightBasedOnScrollHeight"))}onMessageReceived(e){return super.onMessageReceived(e)}}});var is,Ae,Ko,Ao,$o,as,Vt,qt,$e=c(()=>{"use strict";x();x();b();ie();Po();Oo();is=(n,t,e)=>{let o=document.createElement("a");return o.textContent=n,o.style.position="relative",o.style.padding="0 5px",o.style.fontSize="14px",o.style.top="0",o.style.top="".concat(t,"px"),o.style.transform="translateX(-50%)",o.target="_blank",o.href="https://dashboard.myop.dev/dashboard/component/".concat(e.id),o},Ae=(n,t,e,o,r,i)=>{let a=is("".concat(i.name," : ").concat(t),e,i);return o.insertBefore(a,r),r.style.border="1px solid #007BFF",r.style.display="block",()=>{r.style.border="unset",o.removeChild(a)}},Ko=(n,t,e)=>n?!1:(console.error("Error: Undefined Prop\\n\\nIt looks like you've tried to use a prop that hasn't been defined.\\nPlease check the prop name for any typos or ensure that it is properly defined in the component's prop list.\\n\\n"+"Prop Name: ".concat(t,"\\n")+"Component: ".concat(e.componentDefinition.name,", ID: ").concat(e.componentDefinition.id,"\\n\\n")+"For more information, refer to the component page https://dashboard.myop.dev/dashboard/component/".concat(e.componentDefinition.id," or consult the developer guide.")),!0),Ao=(n,t,e)=>{console.error("Error: Code Prop Not Supported\\n\\nCurrently, code props are only supported in local frame components.\\n\\u26A0\\uFE0F This is a work in progress feature \\u2014 code props will be supported in upcoming versions.\\n\\nIn the meantime, you can use message props.\\n\\n"+"Prop Name: ".concat(t,"\\n")+"Component: ".concat(e.componentDefinition.name,", ID: ").concat(e.componentDefinition.id,"\\n\\n")+"For more information, refer to the component page https://dashboard.myop.dev/dashboard/component/".concat(e.componentDefinition.id," or consult the developer guide."))},$o=(n,t,e)=>{let o=t.reduce((i,a)=>$(y({},i),{[a.name]:y({},a)}),{}),r={get:(i,a)=>{let p=o[a];if(Ko(p,a,n))return!1;if(p.behavior.type===ge.code){if(e.loader.type===z.HTMLLoader&&e.loader.shadowRootMode===se.localFrame){let d=p.behavior;return n.element.contentWindow[d.remap||a]}return Ao(p,a,n),!1}return p.mode==="output"?new Promise(m=>{let d=[];p.behavior.ref&&d.push(N.create(p.behavior.ref)),d.push(f=>{m(f)}),p.behavior.params&&d.push(...p.behavior.params);let g=me[p.behavior.message];n.send(new g(...d))}):null},set:(i,a,p)=>{let m=o[a];if(Ko(m,a,n))return!1;if(m.behavior.type===ge.code){if(e.loader.type===z.HTMLLoader&&e.loader.shadowRootMode===se.localFrame){let g=m.behavior;return n.element.contentWindow[g.remap||a]=p,!0}return Ao(m,a,n),!1}else if(m.mode==="input")if(m.behavior.type==="message"){let d=[];m.behavior.ref&&d.push(N.create(m.behavior.ref)),d.push(p),m.behavior.params&&d.push(...m.behavior.params);let g=me[m.behavior.message];return n.send(new g(...d)),!0}else throw new Error("Error: Unsupported Behavior\\n\\nThe 'behavior' field provided is not supported.\\n"+"Component: ".concat(n.componentDefinition.name,", ID: ").concat(n.componentDefinition.id,"\\n\\n")+"Prop Name: ".concat(a,"\\n")+"Behavior Field: ".concat(m.behavior.type,"\\n\\n")+"Check the documentation for valid behavior options.");return!1}};return n.props={},n.props=new Proxy(n.props,r),n},as=(n,t)=>new Proxy(n,{get(e,o){return e[o]?e[o]:(...i)=>new Promise(a=>{i.forEach(p=>{Nt(p)||Lo.notSerializableRefCall(o,p)}),t.send(new F(({ref:p,propName:m,functionArgs:d,makeSerializable:g})=>{if(p){let f=p[m];return g(typeof f=="function"?p[m](...d):f,!0)}return null},{elementId:e.refConfig.selector,propName:o,functionArgs:i},p=>{a(p.content)}))})},set(e,o,r){return t.send(new F(({ref:i,propName:a,propValue:p})=>{i&&(i[a]=p)},{elementId:e.refConfig.selector,propValue:r,propName:o},i=>{})),!0}}),Vt=async(n,t,e,o)=>{let r=n.component;if(!r)throw new Error("cant createRefComponent with detached ref");return new Promise(async(i,a)=>{let p=new ve(t.type,r,o);e.push(p),await r.initiated();let m=setTimeout(()=>{a("timeout")},5e3);r.send(new Ie(n.refConfig,t,$(y({},o||{}),{id:p.id,_hasParent:!0}),async d=>{if(clearTimeout(m),d.failed){a("CreateRefComponentMessage failed");return}let g=e.find(f=>f.id==p.id);if(g!==p){r.refs[n.refConfig.name]=g,i(g);return}else p.setInitiated(),r.refs[n.refConfig.name]=p;d.nestedRefs.forEach(f=>{let u=t.instance.resolvedNestedComponents.find(E=>E.type.id===f.componentDefinitionId).type,h=new ve(u,p);h.setInitiated(),p.refs[f.refName]=h,e.push(h)});try{await qt(p,t,e,!0),r.setHeightBasedOnScrollHeight&&r.setHeightBasedOnScrollHeight(),i(p)}catch(f){a(f)}}))})},qt=async(n,t,e,o=!1)=>{n.refs||(n.refs={});let r=Object.values(n.componentDefinition.refs).map(i=>new Promise(async(a,p)=>{var m;if(i.behavior.type==le.component){if(o){a();return}let d=i.behavior.componentId;d||(d=i.behavior.instance.componentId);let g=(m=t.instance.resolvedNestedComponents)==null?void 0:m.find(u=>u.type.id===d);if(!g)throw new Error("componentConfig provided without nestedComponentConfig check the config object");let f=N.create("",i,n);try{let u=await Vt(f,g,e);n.refs[i.name]=u,a()}catch(u){p(u)}}else try{let d=N.create("",i,n);n.refs[i.name]=as(d,n),a()}catch(d){}}));try{await Promise.all(r)}catch(i){throw i}}});var ue,Wt=c(()=>{"use strict";Pe();x();$e();M();ue=class extends V{constructor(e,o,r,i,a){super(e,r,a);this.componentConfig=e;this.container=r;this.IframeElement=i;s(this,"cleanupInspect");s(this,"setHeightBasedOnDocumentElement",()=>{let e=this.send(new _(()=>window.document.documentElement.scrollHeight,o=>{this.IframeElement.style.height="".concat(o.content,"px"),e()}))});s(this,"observeSizeBasedOnDocumentElement",()=>this.send(new _(({send:o})=>{let{height:r,width:i}=document.documentElement.getBoundingClientRect(),a=new ResizeObserver(()=>{let{height:p,width:m}=document.documentElement.getBoundingClientRect();o({height:p,width:m})});return a.observe(document.documentElement),a.observe(document.body),{height:r,width:i}},o=>{this.IframeElement.style.width="".concat(o.content.width,"px"),this.IframeElement.style.height="".concat(o.content.height,"px")})));s(this,"setSizeBasedOnDocumentElement",()=>{let e=this.send(new _(()=>{let{height:o,width:r}=document.documentElement.getBoundingClientRect();return{height:o,width:r}},o=>{this.IframeElement.style.width="".concat(o.content.width,"px"),this.IframeElement.style.height="".concat(o.content.height,"px"),e()}))});s(this,"setHeightBasedOnScrollHeight",()=>{let e=this.send(new _(()=>{let r=0;return r++,r--,Math.max(Math.max(window.document.body.clientHeight,window.document.body.scrollHeight),window.document.body.offsetHeight)+r+"px"},o=>{this.IframeElement.style.height=o.content,e()}))});s(this,"send",e=>{var i,a;let o=y({},e);if(o.messageType===l.ExecuteComponentMethod)return this[o.method](),()=>{};o.direction=R.down;let r=super.send(o);return(a=(i=this.IframeElement)==null?void 0:i.contentWindow)==null||a.postMessage(o,"*"),r});s(this,"dispose",()=>{this.cleanupInspect&&this.cleanupInspect(),super.dispose(),this.IframeElement.parentNode.removeChild(this.IframeElement)});o.loader.autoHeight&&this.initiated().then(()=>{this.setHeightBasedOnScrollHeight()}),this.element=this.IframeElement}inspect(){return this.cleanupInspect?this.cleanupInspect:(this.cleanupInspect=Ae(this.id,"MyopIframeComponent",10,this.container,this.IframeElement,this.componentDefinition),()=>{this.cleanupInspect(),this.cleanupInspect=void 0})}hide(){this.IframeElement.style.opacity="0",this.IframeElement.style.position="absolute",this.IframeElement.style.pointerEvents="none",this.IframeElement.style.visibility="hidden"}show(){this.IframeElement.style.opacity="1",this.IframeElement.style.position="unset",this.IframeElement.style.pointerEvents="all",this.IframeElement.style.visibility="visible"}onMessageReceived(e){return e.messageType===l.In.MutationObserverMessage||e.messageType===l.In.ResizeObserverMessage?(this.setHeightBasedOnScrollHeight(),!0):super.onMessageReceived(e)}}});var q,Fe=c(()=>{"use strict";q=class{constructor(){s(this,"appendChild",(t,e,o)=>{var r;if(o!=null&&o.relative){if(o.relative.direction==="before")return t.insertBefore(e,o.relative.child);if(o.relative.direction==="after"){let i=(r=o.relative.child)==null?void 0:r.nextSibling;return t.insertBefore(e,i||null)}}else return t.appendChild(e)})}}});var ps,Ue,Fo=c(()=>{"use strict";Wt();Fe();Q();b();ps=(n,t,e)=>{let o=new URL(n);return o.searchParams.append(t,e),o.toString()},Ue=class extends q{constructor(){super(...arguments);s(this,"type",z.IframeLoader);s(this,"load",async(e,o,r,i)=>{let a,p=o.loader;if((r==null?void 0:r.nodeName)==="IFRAME")console.log("needs to load into an exsisting Iframe...",p.url,r),a=r,a.src=p.url;else{let m=T(),d="myop-comp-".concat(m);a=document.createElement("iframe"),r.querySelector('[id^="myop-comp-"]')||(r.innerHTML=""),i!=null&&i.hidden&&(a.style.visibility="hidden"),a=this.appendChild(r,a,i);let g=o.loader.url;i!=null&&i._hasParent&&(g=ps(g,"_myop-comp",m));let f="";i!=null&&i.elementAttributes&&(f=Object.entries(i==null?void 0:i.elementAttributes).map(([u,h])=>h===""||h===null||h===void 0?u:"".concat(u,'="').concat(String(h),'"')).join(" ")),a.outerHTML='<iframe \\n id="'.concat(d,'"\\n style="\\n padding: 0;\\n margin: 0;\\n height: ').concat(p.autoHeight||!p.height?"":p.height,"; \\n width : 100%;\\n overflow: hidden;\\n border: none;\\n opacity: ").concat(i!=null&&i.hidden?"0":"1",";\\n position: ").concat(i!=null&&i.hidden?"absolute":"static",";\\n pointer-events: ").concat(i!=null&&i.hidden?"none":"all",';\\n "\\n src="').concat(g,'"\\n ').concat(f,"\\n ></iframe>"),a=r.querySelector("#".concat(d))}return new ue(e,o,r,a,i)})}}});var ze,jt=c(()=>{"use strict";ze={webcomponent_message_key:"myop_webcomponent_message"}});var ye,Gt=c(()=>{"use strict";jt();Pe();$e();ye=class extends V{constructor(e,o,r,i,a){super(e,r,a);this.container=r;this.customElement=i;s(this,"cleanupInspect",()=>{});s(this,"send",e=>{let o=y({},e),r=super.send(o),i=new CustomEvent(ze.webcomponent_message_key,{detail:o});try{this.customElement.dispatchEvent(i)}catch(a){console.log("error while trying to dispatchEvent",a)}return r});s(this,"dispose",()=>{var e;super.dispose(),(e=this.customElement.parentNode)==null||e.removeChild(this.customElement)});this.element=i}inspect(){return this.cleanupInspect=Ae(this.id,"MyopWebComponent",0,this.container,this.customElement,this.componentDefinition),this.cleanupInspect}hide(){this.customElement.style.opacity="0",this.customElement.style.position="absolute",this.customElement.style.pointerEvents="none",this.customElement.style.visibility="hidden",this.customElement.style.height="0",this.customElement.style.width="0"}show(){this.customElement.style.opacity="1",this.customElement.style.position="unset",this.customElement.style.pointerEvents="all",this.customElement.style.visibility="visible",this.customElement.style.height="",this.customElement.style.width=""}}});var Jt,Ne,Uo=c(()=>{"use strict";Gt();Fe();Q();b();Jt={},Ne=class extends q{constructor(){super(...arguments);s(this,"type",z.WebComponentLoader);s(this,"load",async(e,o,r,i)=>{let a=o.loader;Jt[a.url]?console.log("Module alreday loaded or in loading process"):Jt[a.url]=new Promise((d,g)=>{let f=a.url,u=document.createElement("script");u.type="module",u.src=f,u.onload=()=>{d()},u.onerror=()=>{g()},document.head.appendChild(u)}),await Jt[a.url],await ro(1);let p="myop-comp-".concat(T()),m=document.createElement(a.tag);return r.querySelector('[id^="myop-comp-"]')||(r.innerHTML=""),m.id=p,i!=null&&i.hidden&&(m.style.opacity="0",m.style.position="absolute",m.style.height="0",m.style.width="0",m.style.pointerEvents="none",m.style.visibility="hidden"),i!=null&&i._environment&&(m._myopEnvironment=i==null?void 0:i._environment),this.appendChild(r,m,i),new ye(e,o,r,m,i)})}}});var S,A=c(()=>{"use strict";b();S=class extends Oe{constructor(e,o){super(e);this.context=o;s(this,"executor",e=>{if(e.destination){let o=e.destination;if(this.context[o].context){let r=(i,a)=>{this.messageToHost($(y({},i),{source:e.destination?e.destination:e.source,destination:e.source?e.source:e.destination}),a)};return this.innerExecutor(e,this.context[o].context,r)}else debugger}else debugger})}}});var D,W=c(()=>{"use strict";D={id:"myop-id"}});var w,zo,B=c(()=>{"use strict";W();w=(n,t)=>t.querySelectorAll("[".concat(D.id,"='").concat(n.refConfig.selector,"']")),zo=(n,t)=>{let e=w(n,t);return e.length?e.item(0):null}});var Ve,No=c(()=>{"use strict";M();x();A();B();Ve=class extends S{constructor(){super(...arguments);s(this,"messageType",l.BindClickMessage);s(this,"innerExecutor",(e,o,r)=>{let i=w(e.ref,o.shadowRoot),a=[];return i.forEach(p=>{let m=()=>{r(new Z(e.handlerUniqueId))};p.addEventListener("click",m),a.push(()=>{p.removeEventListener("click",m)})}),()=>{a.forEach(p=>p())}})}}});var qe,Vo=c(()=>{"use strict";M();A();B();qe=class extends S{constructor(){super(...arguments);s(this,"messageType",l.ChangeTextMessage);s(this,"innerExecutor",(e,o)=>{w(e.ref,o.shadowRoot).forEach(i=>{i.textContent=e.content})})}}});var We,qo=c(()=>{"use strict";b();We=class extends fe{constructor(e,o){super(e,o);this.container=e;this.shadowRoot=o}}});var je,Wo=c(()=>{"use strict";b();W();A();x();M();je=class extends S{constructor(){super(...arguments);s(this,"innerExecutor",(e,o)=>{let r=o.shadowRoot.querySelectorAll("[".concat(D.id,"]")),i=[];r.forEach(a=>{let p=a.getAttribute(D.id);p&&i.push(new de(p,a.tagName,a.getBoundingClientRect(),a.offsetTop,a.offsetLeft))}),this.messageToHost(new ne(e.handlerUniqueId,i))});s(this,"messageType",l.DetectMyopRefsMessage)}}});var Ge,jo=c(()=>{"use strict";M();A();B();Ge=class extends S{constructor(){super(...arguments);s(this,"messageType",l.SetAttributeMessage);s(this,"innerExecutor",(e,o)=>{w(e.ref,o.shadowRoot).forEach(i=>{i.setAttribute(e.name,e.value)})})}}});var Je,Go=c(()=>{"use strict";M();x();A();B();ie();Je=class extends S{constructor(){super(...arguments);s(this,"messageType",l.AddEventListenerMessage);s(this,"innerExecutor",(e,o,r)=>{let i=w(e.ref,o.shadowRoot),a=[];return i.forEach(p=>{let m=d=>{r(new ee(e.handlerUniqueId,L(d,e.serializableSkeleton)))};p.addEventListener(e.type,m),a.push(()=>{p.removeEventListener(e.type,m)})}),()=>{a.forEach(p=>p())}})}}});var Xe,Jo=c(()=>{"use strict";M();W();Re();Le();A();Xe=class extends S{constructor(){super(...arguments);s(this,"messageType",l.CreateRefComponentMessage);s(this,"innerExecutor",(e,o,r)=>{(async()=>{let a=o.shadowRoot.querySelectorAll("[".concat(D.id,"='").concat(e.refConfig.selector,"']"));if(a.length===1){let p=O.Instance(),m=p.components.find(u=>u.id===e.options.id);m&&m.dispose();let d=p.components.indexOf(m);d!==-1&&p.components.splice(d,1);let g=await p.loadComponent(e.nestedComponentConfig,a.item(0),e.options),f=[];Object.keys(g.refs).forEach(u=>{let h=g.refs[u];h=h.__nonProxied||h,h.componentDefinition&&f.push({refName:u,componentDefinitionId:h.componentDefinition.id})}),r(new U(e.handlerUniqueId,f))}else{console.error("CreateRefComponentMessageHandler - DOM element not found"),this.messageToHost(new U(e.handlerUniqueId,[],!0));debugger}})().then()})}}});var Qe,Xt=c(()=>{"use strict";ie();Qe=(n,t,e)=>{let o=n.scriptInputs?n.scriptInputs:{};o.makeSerializable=L,o.send=t,o.rootRef=e,o.__scriptInputs=o;let i=new Function("return (".concat(n.script,")(...arguments)"))(o);t(i)}});var Ze,Xo=c(()=>{"use strict";M();x();A();Xt();Ze=class extends S{constructor(){super(...arguments);s(this,"messageType",l.ExecuteScriptMessage);s(this,"innerExecutor",(e,o,r)=>{Qe(e,a=>{r(new Y(e.handlerUniqueId,a))},o)})}}});var Qo,Ye,Zo=c(()=>{"use strict";M();x();A();B();W();ie();Qo=n=>{if(!n)return null;if(n.tagName==="FORM"){let t=new FormData(n),e={formData:{},unmappedData:[]},o=n.querySelectorAll("input, select, textarea"),r=-1;return o.forEach(i=>{if(typeof i.value=="string"){let a=i.getAttribute(D.id),p=i.getAttribute("name"),m={id:i.id,name:p,value:Qo(i),required:i.required,validity:L(i.validity,!0),myopId:a};p?e.formData[p]?e.formData[p].value?e.unmappedData.push(m):(e.unmappedData.push(e.formData[p]),e.formData[p]=m):e.formData[p]=m:e.unmappedData.push(m)}}),e}return n.type==="checkbox"||n.type==="radio"?n.checked?n.value:null:n.tagName==="INPUT"||n.tagName==="TEXTAREA"||n.tagName==="SELECT"?n.value:n.isContentEditable?n.innerText||n.textContent:null},Ye=class extends S{constructor(){super(...arguments);s(this,"messageType",l.GetElementValueMessage);s(this,"innerExecutor",(e,o,r)=>{w(e.ref,o.shadowRoot).forEach(a=>{r(new te(Qo(a)),e)})})}}});var et,Yo=c(()=>{"use strict";M();A();B();et=class extends S{constructor(){super(...arguments);s(this,"messageType",l.SetInnerHtml);s(this,"innerExecutor",(e,o)=>{w(e.ref,o.shadowRoot).forEach(i=>{i.innerHTML=e.content})})}}});var en={};J(en,{WebComponentSDK:()=>he});var he,Qt=c(()=>{"use strict";b();M();jt();No();Vo();qo();Wo();X();x();jo();Go();Jo();Xo();Zo();Yo();he=class extends ce{constructor(){super(...arguments);s(this,"alwaysPassEnvelopesToHost",!0);s(this,"connectedCallback",(e,o)=>{e.addEventListener(ze.webcomponent_message_key,r=>{let i=r.data?r.data:r.detail;if(!i||!i.myop){debugger;throw new Error("recvied webcomponent_message with wrong type")}else{let a=i;if(this.handleIncomeMessages(r),a.messageType===l.InitMessage){let p=a.content.id;this.components[p].context=new We(e,o)}}}),setTimeout(()=>{this.messageToHost(new oe)},1)});s(this,"messageToHost",(e,o)=>{e.direction=R.up,!e.replayToHandler&&(o!=null&&o.handlerUniqueId)&&(e.replayToHandler=o.handlerUniqueId),window.myop.hostSDK.send(e)});s(this,"supportedHandlers",[new qe(this.messageToHost,this.components),new et(this.messageToHost,this.components),new Ve(this.messageToHost,this.components),new je(this.messageToHost,this.components),new Ge(this.messageToHost,this.components),new Je(this.messageToHost,this.components),new Ze(this.messageToHost,this.components),new Ye(this.messageToHost,this.components),new Xe(this.messageToHost,this.components)]);s(this,"init",()=>{})}};K("WebComponentSDK",he)});var tn=c(()=>{"use strict";Qt()});function ms(n,t){return class extends HTMLElement{connectedCallback(){let e=t===se.open?"open":"closed",o=this.attachShadow({mode:e});nn().then(r=>{r.connectedCallback(this,o),o.innerHTML=n})}}}var on,tt,nn,ds,cs,ls,ot,sn=c(()=>{"use strict";Gt();Fe();Q();b();tn();Wt();on=[],nn=async()=>(tt||(tt=new he,tt.init()),tt);ds=(n,t,e)=>{customElements.define(n,ms(t,e)),console.log("define('".concat(n,"') was called, web component ready to use"))},cs=n=>n.replace(/([a-z])([A-Z])/g,"$1-$2").replace(/(\\d+)/g,"-$1").toLowerCase(),ls=n=>(n=cs(n),n.replace(/_/g,"-")),ot=class extends q{constructor(){super(...arguments);s(this,"type",z.HTMLLoader);s(this,"load",async(e,o,r,i)=>{let a=o.loader,p="myop-comp-".concat(T()),m;if(a.shadowRootMode===se.localFrame){let d=T(),g="myop-comp-".concat(d),f=document.createElement("iframe");r.querySelector('[id^="myop-comp-"]')||(r.innerHTML=""),i!=null&&i.hidden&&(f.style.visibility="hidden"),f=this.appendChild(r,f,i),f.id=g,f.setAttribute("style","\\n display: block;\\n padding: 0;\\n margin: 0;\\n overflow: hidden;\\n border: none;\\n opacity: ".concat(i!=null&&i.hidden?"0":"1",";\\n width: 100%;\\n height: 100%;\\n position: ").concat(i!=null&&i.hidden?"absolute":"static",";\\n pointer-events: ").concat(i!=null&&i.hidden?"none":"all",";\\n ")),r.appendChild(f);let u=f.contentDocument||f.contentWindow.document;u.open();let h=a.HTML;if(i!=null&&i._inspection){let G=new DOMParser().parseFromString(a.HTML,"text/html"),bt=G.getElementById("myop_preview");bt==null||bt.removeAttribute("type");let eo=G.implementation.createHTMLDocument();eo.body.innerHTML="<script>\\n const beforeKeysWindow = new Set(Object.keys(window));\\n window.myopState = {\\n beforeKeysWindow,\\n };\\n <\\/script>";let to=eo.body.firstChild;to&&G.head&&G.head.insertBefore(G.importNode(to,!0),G.head.firstChild),h=G.documentElement.outerHTML}u.writeln(h),u.writeln('<script src="'.concat(window.myop.__ROOT_SDK_PUBLIC_URL__,'"><\\/script>\\n <script>\\n \\n window.__federation__.__public_path__ = window.__federation__.__public_path__;\\n \\n const __myop_init = async () => {\\n const {IframeSDK} = (await window.myop.rootSDK.getIframeModule());\\n const sdk = new IframeSDK()\\n sdk.init();\\n }\\n \\n __myop_init().then();\\n \\n <\\/script>')),u.close();let E=new ue(e,o,r,f,i);return a.autoHeight&&(f.onload=()=>{E.observeSizeBasedOnDocumentElement()}),E}if(a.shadowRootMode===se.none){let d=document.createElement("template");d.innerHTML=a.HTML,m=d.content.firstElementChild,nn().then(g=>{g.connectedCallback(m,m)})}else{let d=ls(e.name+o.id);on.includes(d)||(ds(d,a.HTML,a.shadowRootMode),on.push(d)),m=document.createElement(d)}return r.querySelector('[id^="myop-comp-"]')||(r.innerHTML=""),m.id=p,i!=null&&i.hidden&&(m.style.opacity="0",m.style.position="absolute",m.style.height="0",m.style.width="0",m.style.pointerEvents="none",m.style.visibility="hidden"),this.appendChild(r,m,i),new ye(e,o,r,m,i)})}}});var rn,an,pn=c(()=>{"use strict";Q();x();rn=(n,t,e)=>{let o="myop-css-".concat(T());return n.send(new _(({rootRef:r,_stylesheet:i,_tagId:a,_css:p})=>{let m=document.createElement("style");m.type="text/css";let d=p;for(let g in i){d+="".concat(g," { ");let f=i[g];for(let u in f)d+="".concat(u,": ").concat(f[u],"; ");d+="} "}m.appendChild(document.createTextNode(d)),m.id=a,(r.shadowRoot||r.container).appendChild(m)},()=>{},{_stylesheet:t,_css:e||"",_tagId:o})),()=>{n.send(new _(({rootRef:r,_tagId:i})=>{let a=(r.shadowRoot||document).getElementById(i);a&&a.remove()},()=>{},{_tagId:o}))}},an=(n,t)=>{let e="myop-css-".concat(T());return n.send(new _(({rootRef:o,_tagId:r,_link:i})=>{let a=document.createElement("link");a.id=r,a.rel="stylesheet",a.href=i,document.head.appendChild(a),(o.shadowRoot||o.container).appendChild(a)},()=>{},{_link:t,_tagId:e})),()=>{n.send(new _(({rootRef:o,_tagId:r})=>{let i=(o.shadowRoot||document).getElementById(r);i&&i.remove()},()=>{},{_tagId:e}))}}});var fs,Zt,mn,dn=c(()=>{"use strict";fs=(n,t)=>{let e=new RegExp(Object.keys(t).join("|"),"g");return n.replace(e,o=>(t[o]||o).toString())},Zt=(n,t)=>{let e=n.loader;if(e.type!=="IframeLoader")throw new Error('iframeSkinUrlTokenizer received skin with loader type "'.concat(e.type,'", currently only "IframeLoader" is supported'));return n.loader=y({},n.loader),n.loader.url=fs(n.loader.url,t),n},mn=n=>async t=>Zt(t,n)});var cn,ln,fn=c(()=>{"use strict";x();cn=(n,t,e)=>{n.send(new F(({ref:o,_className:r})=>{o==null||o.classList.add(r)},{elementId:e,_className:t}))},ln=(n,t,e)=>{n.send(new F(({ref:o,_className:r})=>{o==null||o.classList.remove(r)},{elementId:e,_className:t}))}});var rt,nt,it,st,gn=c(()=>{"use strict";Q();rt=class rt{constructor(){s(this,"_runTimeInstanceId","runtime-instance-id-"+T());s(this,"_runTimeId","runtime-id-"+T());s(this,"_runTimeName","runtime-name-"+T());s(this,"id",this._runTimeId);s(this,"name",this._runTimeName);s(this,"description","");s(this,"loader",null);s(this,"withLoader",t=>(this.loader=t,this));s(this,"withHTMLLoader",t=>(t.type="HTMLLoader",this.loader=t,this));s(this,"build",()=>this)}};s(rt,"create",()=>new rt);nt=rt,it=class it{constructor(){s(this,"_runTimeInstanceId","runtime-instance-id-"+T());s(this,"_runTimeId","runtime-id-"+T());s(this,"_runTimeName","runtime-name-"+T());s(this,"instance",{id:this._runTimeInstanceId,componentId:this._runTimeId,componentName:this._runTimeName,skinSelector:null});s(this,"name",this._runTimeName);s(this,"type",{id:this._runTimeId,name:this._runTimeName,description:"",props:[],refs:[],skins:[],defaultSkin:0});s(this,"withInstance",t=>(this.instance=t,this));s(this,"withType",t=>(this.type=t,this));s(this,"withName",t=>(this.name=t,this));s(this,"withDefaultSkin",t=>(this.type.skins.push(t),this.type.defaultSkin=this.type.skins.length-1,this.instance.skinSelector={type:"Dedicated",skin:{id:t.id}},this));s(this,"withRef",t=>(this.type.refs.push(t),this));s(this,"withBasicRef",t=>{let e={id:"",name:t,description:"",selectorType:"id-attribute",selector:t,behavior:{type:"code"}};return this.type.refs.push(e),this});s(this,"build",()=>JSON.parse(JSON.stringify(this)))}};s(it,"create",()=>new it);st=it});var gs,at,j,un,yn=c(()=>{"use strict";b();gs=n=>({instance:{id:"auto",componentId:n.componentId,componentName:n.name,skinSelector:{type:"Dedicated",skin:{id:"skin_auto_v2_converted"}}},type:{id:n.id,name:n.name,description:n.description,props:[{id:"in_auto_v2_converted",name:"myop_init_interface",type:"any",behavior:{type:ge.code}},{id:"out_auto_v2_converted",name:"myop_cta_handler",type:"any",behavior:{type:ge.code}}],refs:[],skins:[{id:"skin_auto_v2_converted",name:"auto_v2_converted",description:"",loader:n.consume_variant[0].loader}],defaultSkin:0},name:n.name}),at=class at{constructor(t="https://cloud.myop.dev"){this._baseUrl=t;s(this,"variants",{});s(this,"userFlows",{});s(this,"_defaultEnv","production")}setEnvironment(t){this._defaultEnv=t}getDefaultEnvironment(){return this._defaultEnv}isPreloaded(t,e,o){return"".concat(t,":").concat(e||this._defaultEnv,":").concat(o?"preview":"live")in this.variants}async fetchComponentV2(t,e,o){let r=e||this._defaultEnv,i="".concat(t,":").concat(r,":").concat(o?"preview":"live");return this.variants[i]||(this.variants[i]=new Promise(async(a,p)=>{try{let m="".concat(this._baseUrl,"/consume?id=").concat(t,"&env=").concat(r);o&&(m+="&preview=true");let f=(await(await fetch(m)).json()).item;if(!f){p(new Error('Component "'.concat(t,'" not found')));return}if(!f.consume_variant||!f.consume_variant.length){p(new Error('Component "'.concat(t,'" has no implementation for environment "').concat(r,'"')));return}let u=gs(f);a(u)}catch(m){p(m)}})),await this.variants[i]}async fetchComponentV1(t,e){return e?(await this.fetchFlow(e)).components.find(r=>r.type.id===t):(await this.fetchAutoFlow(t)).components[0]}async fetchAutoFlow(t){return this.userFlows[t]||(this.userFlows[t]=new Promise(async(e,o)=>{try{let i=await(await fetch("".concat(this._baseUrl,"/flow?id=").concat(t,"&auto=true"))).json();e(i.item)}catch(r){o(r)}})),await this.userFlows[t]}async fetchFlow(t){return this.userFlows[t]||(this.userFlows[t]=new Promise(async(e,o)=>{try{let i=await(await fetch("".concat(this._baseUrl,"/flow?id=").concat(t,"&resolve=components"))).json();e(i.item)}catch(r){o(r)}})),await this.userFlows[t]}async fetchComponent(t,e){return this.fetchComponentV1(t,e)}};s(at,"Main",new at);j=at,un=j});var hn,Mn=c(()=>{"use strict";hn=async n=>await n()});var Yt={};J(Yt,{CloudRepository:()=>j,ComponentConfig:()=>st,SkinConfig:()=>nt,addClass:()=>cn,applyStylesheet:()=>rn,applyStylesheetLink:()=>an,changeSkinUrlByTokenizer:()=>mn,createIframeSkinByTokenizer:()=>Zt,exec:()=>hn,removeClass:()=>ln,v2_CloudRepository:()=>un});var pt=c(()=>{"use strict";pn();dn();fn();gn();yn();Mn()});var In,Cn=c(()=>{"use strict";Et();pt();b();In=async n=>{try{let t=new URL(window.location.href),o=new URLSearchParams(t.search).get("myopOverride");if(o){let[r,...i]=St(o);switch(r){case"component":{let[a,p]=i,m=await j.Main.fetchComponent(a);if(m&&m.type.skins.find(g=>g.id===p))return m.instance.skinSelector={type:re.Dedicated,skin:{id:p}},m}break;default:{let[a,p]=St(o),d=(await j.Main.fetchFlow(a)).components.find(g=>g.type.id===n.type.id);if(d&&d.instance.skinSelector.type===re.Segmented&&d.instance.resolvedExperiences){let g=d.instance.resolvedExperiences.find(f=>f.id===p);if((g==null?void 0:g.type)===Ke.Segment){let f=g,h=d.instance.skinSelector.segments.find(E=>E.segmentId===f.segment.id);if(h)return d.instance.skinSelector=h==null?void 0:h.skinSelector,d}}}break}}}finally{return null}}});var wn={};J(wn,{HostSDK:()=>O,hostSDK:()=>bn});var xn,O,bn,Re=c(()=>{"use strict";X();M();x();Fo();Uo();$e();b();Be();sn();Cn();xn="https://cdn.myop.dev/sdk/next/myop_sdk.min.js",O=class{constructor(){s(this,"components2init",[]);s(this,"components",[]);s(this,"componentsLoaders",[]);s(this,"initiated",!1);s(this,"version",ae);s(this,"type2InstanceCount",{});s(this,"assignId",t=>(this.type2InstanceCount[t.id]||(this.type2InstanceCount[t.id]=0),"".concat(t.id,"_").concat(++this.type2InstanceCount[t.id])));s(this,"inspected",!1);s(this,"inspect",()=>{this.inspected||(this.inspected=!0,this.components.forEach(t=>{t.inspect&&t.inspect()}))});s(this,"incomingMessageHandler",t=>{if(t.origin,document.location.origin,t.data.myop){if(t.data.direction!==R.up&&t.data.messageType!==l.EnvelopedMessage)return;let e=t.data;if(e.messageType===l.InitRequest){this.components2init.forEach(r=>{r.send(new pe(r.id))});return}if(e.messageType===l.InitResponse){this.components2init=this.components2init.filter(i=>i.id!==e.content.id);let r=this.components.find(i=>{var a;return i.id===((a=e.content)==null?void 0:a.id)});r==null||r.setInitiated();return}if(e.messageType===l.EnvelopedMessage){let r=e,i=this.components.find(a=>a.id===r.destination);if(i){if(r.direction===R.down){r.message.messageType===P.name?i.onMessageReceived(r.message):(r.message.route=r.route,i.send(r.message));return}}else{let a=this.components.find(p=>p.id===r.message.destination);a&&a.send(r.message)}return}let o=this.components.find(r=>r.id===e.destination);if(!o){window.myop.IframeSDK&&window.myop.IframeSDK.messageToHost(e);return}if(o){if(o.onMessageReceived(e))return;window.myop.IframeSDK&&window.myop.IframeSDK.messageToHost(e)}}});s(this,"send",t=>{let e=new MessageEvent("",{data:t});this.incomingMessageHandler(e)});s(this,"init",t=>{if(this.initiated)throw new Error("hostSDK already initiated");let e=[new Ue,new Ne,new ot];if(this.componentsLoaders=[...e],t){let o={};t.forEach(r=>{let i=new r(this.componentsLoaders);o[i.type]=i}),this.componentsLoaders.forEach(r=>{o[r.type]||(o[r.type]=r)}),this.componentsLoaders=Object.values(o)}window.addEventListener("message",this.incomingMessageHandler,!1),console.log("myop hostSDK initiated",document.location.href),this.initiated=!0});s(this,"_getSkinIdBySkinSelector",async(t,e=[],o)=>{var i;async function r(a,p){for(let m of a)if(await p(m))return m}switch(t.type){case"DedicatedSkin":case re.Dedicated:return((i=t.skin)==null?void 0:i.id)||t.skins[0].id;case re.Segmented:{let p=await r(t.segments,async m=>{if(m.segmentId==="Default")return!0;let d=e.find(h=>h.type===Ke.Segment?h.segment.id===m.segmentId:!1);if(!d)throw new Error("experience not found");let f=d.segment,u=(o||{})[f.function];return u?await u():(console.warn("segmentId:".concat(m.segmentId,", ").concat(f.function," function not provided !")),!1)});if(p)return this._getSkinIdBySkinSelector(p.skinSelector,e);debugger}break;default:debugger}return""});s(this,"runSkinSelector",async(t,e)=>{let o=await this._getSkinIdBySkinSelector(t.instance.skinSelector,t.instance.resolvedExperiences,e);return t.type.skins.find(r=>r.id===o)});s(this,"loaderHooks");s(this,"loadComponent",async(t,e,o)=>{var g,f,u,h;if(!e){debugger;throw new Error("no container was found for this component")}let r=await In(t);r&&(t=r);let i=y(y({},(g=this.loaderHooks)!=null?g:{}),(f=o==null?void 0:o.hooks)!=null?f:{}),a=e;if(a.myop)if(a.component){t=y({},t),t.instance=y({},t.instance);let E=await this.runSkinSelector(t,i);if(!E)throw new Error("runSkinSelector failed to choose skin, check the provided config");return(u=o==null?void 0:o.hooks)!=null&&u.afterSkinSelected&&(E=await o.hooks.afterSkinSelected(y({},E))),t.instance.skinSelector={type:re.Dedicated,skin:E},o&&(o=y({},o),delete o.hooks),await Vt(a,t,this.components,o)}else throw new Error("load component got a detached ref.");e=e;let p=await this.runSkinSelector(t,i);if(!p)throw new Error("runSkinSelector failed to choose skin, check the provided config");(h=o==null?void 0:o.hooks)!=null&&h.afterSkinSelected&&(p=await o.hooks.afterSkinSelected(y({},p)));let m=this.componentsLoaders.find(E=>E.type===p.loader.type);if(!m){debugger;throw new Error('no loader "'.concat(p.loader.type,'" was found for component'))}let d=await m.load(t.type,p,e,o);d.isInitiated||this.components2init.push(d),d.bind("onDispose",()=>(this.components=this.components.filter(E=>E!==d),this.components2init=this.components2init.filter(E=>E!==d),!0)),this.components.push(d),(!o||o.connectProps!==!1)&&(d=$o(d,t.type.props,p));try{await qt(d,t,this.components)}catch(E){throw E}return o!=null&&o.skipInit||await d.initiated(),d});s(this,"navigate",async(t,e,o)=>{if(t.parent)throw new Error("Navigating on remote ref components is not implemented yet");if(o!=null&&o.staged){let r=await this.loadComponent(e,t.container,y({hidden:!0,relative:{direction:"after",child:t.element}},o));return o.init&&await o.init(r),r.show(),t.dispose(),r}else{let r=t.element.nextSibling;return t.dispose(),this.loadComponent(e,t.container,y({relative:{direction:"before",child:r}},o))}})}};s(O,"Instance",()=>window.myop.hostSDK);window.myop||(window.myop={__ROOT_SDK_PUBLIC_URL__:xn});if(!window.myop.hostSDK){let n=new O;n.init(),window.myop||(window.myop={__ROOT_SDK_PUBLIC_URL__:xn}),window.myop.hostSDK=n}bn=window.myop.hostSDK;K("hostSDK",bn)});var mt,Tn=c(()=>{"use strict";M();W();b();x();mt=class extends C{constructor(){super(...arguments);s(this,"messageType",l.DetectMyopRefsMessage);s(this,"executor",e=>{let o=document.querySelectorAll("[".concat(D.id,"]")),r=[];o.forEach(i=>{let a=i.getAttribute(D.id);a&&r.push(new de(a,i.tagName,i.getBoundingClientRect()))}),this.messageToHost(new ne(e.handlerUniqueId,r))})}}});var dt,Sn=c(()=>{"use strict";M();b();x();B();dt=class extends C{constructor(){super(...arguments);s(this,"messageType",l.BindClickMessage);s(this,"executor",e=>{let o=[];return w(e.ref,document).forEach(i=>{let a=()=>{this.messageToHost(new Z,e)};i.addEventListener("click",a);let p=()=>{i.removeEventListener("click",a)};o.push(p)}),()=>{o.forEach(i=>i())}})}}});var ct,En=c(()=>{"use strict";M();b();B();ct=class extends C{constructor(){super(...arguments);s(this,"messageType",l.ChangeTextMessage);s(this,"executor",e=>{w(e.ref,document).forEach(r=>{r.textContent=e.content})})}}});var lt,Rn=c(()=>{"use strict";M();x();b();Xt();lt=class extends C{constructor(){super(...arguments);s(this,"messageType",l.ExecuteScriptMessage);s(this,"executor",e=>{Qe(e,r=>{this.messageToHost(new Y(e.handlerUniqueId,r))},new fe(document.documentElement))})}}});var ft,vn=c(()=>{"use strict";M();b();x();ie();B();ft=class extends C{constructor(){super(...arguments);s(this,"messageType",l.AddEventListenerMessage);s(this,"executor",e=>{let o=w(e.ref,document),r=[];return o.forEach(i=>{let a=p=>{requestAnimationFrame(()=>{this.messageToHost(new ee(e.handlerUniqueId,L(p,e.serializableSkeleton)))})};i.addEventListener(e.type,a),r.push(()=>{i.removeEventListener(e.type,a)})}),()=>{r.forEach(i=>{i()})}})}}});var gt,kn=c(()=>{"use strict";M();b();B();gt=class extends C{constructor(){super(...arguments);s(this,"messageType",l.SetAttributeMessage);s(this,"executor",e=>{w(e.ref,document).forEach(r=>{r.setAttribute(e.name,e.value)})})}}});var ut,Hn=c(()=>{"use strict";M();W();b();Re();Le();ut=class extends C{constructor(){super(...arguments);s(this,"messageType",l.CreateRefComponentMessage);s(this,"executor",e=>{(async()=>{let r=document.querySelectorAll("[".concat(D.id,"='").concat(e.refConfig.selector,"']"));if(r.length===1){let a=await O.Instance().loadComponent(e.nestedComponentConfig,r.item(0),e.options),p=[];Object.keys(a.refs).forEach(m=>{let d=a.refs[m];d=d.__nonProxied||d,d.componentDefinition&&p.push({refName:m,componentDefinitionId:d.componentDefinition.id})}),this.messageToHost(new U(e.handlerUniqueId,p))}else{console.error("CreateRefComponentMessageHandler - DOM element not found"),this.messageToHost(new U(e.handlerUniqueId,[],!0));debugger}})().then()})}}});var _n,Dn=c(()=>{"use strict";_n=(n,t)=>{if(!n){console.log("n");return}let e=window.MutationObserver||window.WebKitMutationObserver;if(!(!n||n.nodeType!==1))if(e){let o=new e(t),r={attributes:!0,childList:!0,subtree:!0};return o.observe(n,r),o}else window.addEventListener&&(n.addEventListener("DOMNodeInserted",t,!1),n.addEventListener("DOMNodeRemoved",t,!1))}});var yt,Bn=c(()=>{"use strict";M();x();b();Dn();yt=class extends C{constructor(){super(...arguments);s(this,"messageType",l.SetMutationObserverMessage);s(this,"executor",e=>{e.source&&_n(document.body,()=>{this.messageToHost(new be)})})}}});var Ln,ht,Pn=c(()=>{"use strict";M();W();b();x();ie();B();Ln=n=>{if(!n)return null;if(n.tagName==="FORM"){let t=new FormData(n),e={formData:{},unmappedData:[]},o=n.querySelectorAll("input, select, textarea"),r=-1;return o.forEach(i=>{if(typeof i.value=="string"){let a=i.getAttribute(D.id),p=i.getAttribute("name"),m={id:i.id,name:p,value:Ln(i),required:i.required,validity:L(i.validity,!0),myopId:a};e.unmappedData.push(m),p&&(!e.formData[p]||!e.formData[p].value||m.value)&&(e.formData[p]=m)}}),e}return n.type==="checkbox"||n.type==="radio"?n.checked?n.value:null:n.tagName==="INPUT"||n.tagName==="TEXTAREA"||n.tagName==="SELECT"?n.value:n.isContentEditable?n.innerText||n.textContent:null},ht=class extends C{constructor(){super(...arguments);s(this,"messageType",l.GetElementValueMessage);s(this,"executor",e=>{w(e.ref,document).forEach(r=>{this.messageToHost(new te(Ln(r)),e)})})}}});var Mt,On=c(()=>{"use strict";M();b();x();B();Mt=class extends C{constructor(){super(...arguments);s(this,"messageType",l.GetAttributeMessage);s(this,"executor",e=>{let o=zo(e.ref,document);o&&this.messageToHost(new xe(o.getAttribute(e.name)),e)})}}});var It,Kn=c(()=>{"use strict";x();M();b();It=class extends C{constructor(){super(...arguments);s(this,"messageType",l.SetResizeObserverMessage);s(this,"executor",e=>{let o=new ResizeObserver(r=>{this.messageToHost(new Ee)});return o.observe(document.body),()=>{o.disconnect()}})}}});var Ct,An=c(()=>{"use strict";M();b();B();Ct=class extends C{constructor(){super(...arguments);s(this,"messageType",l.SetInnerHtml);s(this,"executor",e=>{w(e.ref,document).forEach(r=>{r.innerHTML=e.content})})}}});var $n={};J($n,{IframeSDK:()=>xt});var xt,Fn=c(()=>{"use strict";b();Tn();Sn();En();Rn();X();vn();kn();x();Hn();Bn();Pn();Be();On();Kn();An();xt=class extends ce{constructor(){super();s(this,"version",ae);s(this,"messageToHost",(e,o)=>{var i;!e.replayToHandler&&(o!=null&&o.handlerUniqueId)&&(e.replayToHandler=o.handlerUniqueId);let r=Object.keys(this.components);e.destination||(o!=null&&o.route?e.destination=o.route[o.route.length-1]:e.destination=r[0]),e.source||(e.source=r[0]),e.direction=R.up,(i=window.parent)==null||i.postMessage(y({},e),"*")});s(this,"supportedHandlers",[new ct(this.messageToHost),new Ct(this.messageToHost),new dt(this.messageToHost),new mt(this.messageToHost),new lt(this.messageToHost),new ft(this.messageToHost),new gt(this.messageToHost),new ht(this.messageToHost),new yt(this.messageToHost),new It(this.messageToHost),new Mt(this.messageToHost),new ut(this.messageToHost)]);s(this,"init",()=>{window.onmessage=this.handleIncomeMessages.bind(this),this.messageToHost(new oe)});window.myop||(window.myop={}),window.myop.IframeSDK=this}};K("IframeSDK",xt)});var ys={};var us,Un=c(()=>{"use strict";x();X();us=y({},me);K("MyopMessages",us)});var zn={};J(zn,{CloudRepository:()=>j,ComponentConfig:()=>st,SkinConfig:()=>nt,addClass:()=>cn,applyStylesheet:()=>rn,applyStylesheetLink:()=>an,changeSkinUrlByTokenizer:()=>mn,createIframeSkinByTokenizer:()=>Zt,exec:()=>hn,removeClass:()=>ln,v2_CloudRepository:()=>un});var Nn=c(()=>{"use strict";X();pt();pt();K("MyopHelpers",Yt)});var xs={};J(xs,{getHostModule:()=>Vn,getIframeModule:()=>qn,getWebcomponentModule:()=>Wn});X();var so;if(window.__federation__)console.log("__federation__ loaded more than once.");else{let n=(so=document.currentScript)==null?void 0:so.src,t=n?n.split("/").slice(0,-1).join("/"):"";window.__federation__={__public_auto_path__:t,__use_public_auto_path__:!0,__public_path__:void 0,__loading_timeout__:5*1e3}}window.__federation__.load__federation__=(n,t,e)=>{if(window.__federation__[t])console.log("__federation__ module ".concat(t," already loaded.")),e(window.__federation__[t][Tt]);else{let o;window.__federation__[t]={},window.__federation__[t][De]=r=>{o&&(document.head.removeChild(o),o=null),window.__federation__[t][Tt]=r,e(r)},o=document.createElement("script"),o.type="module",o.src=n,o.async=!0,document.head.appendChild(o)}};Be();console.log("myop root sdk - loaded",document.location.origin);var hs="https://cdn.myop.dev/sdk/next/myop_sdk.min.js",Vn=()=>Promise.resolve().then(()=>(Re(),wn)),qn=()=>Promise.resolve().then(()=>(Fn(),$n)),Wn=()=>Promise.resolve().then(()=>(Qt(),en)),Ms=()=>Promise.resolve().then(()=>(Un(),ys)),Is=()=>Promise.resolve().then(()=>(Nn(),zn)),ke=n=>async()=>(await n()).get(),Cs={version:ae,getHostModule:ke(Vn),getIframeModule:ke(qn),getWebcomponentModule:ke(Wn),getMyopMessages:ke(Ms),getMyopHelpers:ke(Is)};window.myop||(window.myop={__ROOT_SDK_PUBLIC_URL__:hs});window.myop.rootSDK?console.log("myop root host loaded more than once."):window.myop=y({rootSDK:Cs},window.myop);return es(xs);})();
6
+ const SDK_CONTENT = `"use strict";var MyopSDK=(()=>{var ze=Object.defineProperty,ds=Object.defineProperties,cs=Object.getOwnPropertyDescriptor,ms=Object.getOwnPropertyDescriptors,ls=Object.getOwnPropertyNames,gn=Object.getOwnPropertySymbols;var un=Object.prototype.hasOwnProperty,fs=Object.prototype.propertyIsEnumerable;var Dt=(o,t,e)=>t in o?ze(o,t,{enumerable:!0,configurable:!0,writable:!0,value:e}):o[t]=e,h=(o,t)=>{for(var e in t||(t={}))un.call(t,e)&&Dt(o,e,t[e]);if(gn)for(var e of gn(t))fs.call(t,e)&&Dt(o,e,t[e]);return o},N=(o,t)=>ds(o,ms(t));var m=(o,t)=>()=>(o&&(t=o(o=0)),t);var ee=(o,t)=>{for(var e in t)ze(o,e,{get:t[e],enumerable:!0})},gs=(o,t,e,n)=>{if(t&&typeof t=="object"||typeof t=="function")for(let r of ls(t))!un.call(o,r)&&r!==e&&ze(o,r,{get:()=>t[r],enumerable:!(n=cs(t,r))||n.enumerable});return o};var us=o=>gs(ze({},"__esModule",{value:!0}),o);var s=(o,t,e)=>Dt(o,typeof t!="symbol"?t+"":t,e);var $e,Ue,Bt,z,te=m(()=>{"use strict";$e="__federation__",Ue="onLoad",Bt="moduleInstance",z=(o,t)=>{window[$e]&&window[$e][o]&&window[$e][o][Ue]&&window[$e][o][Ue]({[o]:t})}});var ue,Ne=m(()=>{ue="0.3.14"});var l,I=m(()=>{"use strict";l={InitRequest:"InitRequest",InitResponse:"InitResponse",InitMessage:"InitMessage",DisposeMessage:"DisposeMessage",ChangeTextMessage:"ChangeTextMessage",BindClickMessage:"BindClickMessage",DetectMyopRefsMessage:"DetectMyopRefsMessage",ExecuteScriptMessage:"ExecuteScriptMessage",AddEventListenerMessage:"AddEventListenerMessage",SetAttributeMessage:"SetAttributeMessage",CreateRefComponentMessage:"CreateRefComponentMessage",EnvelopedMessage:"EnvelopedMessage",GetElementValueMessage:"GetElementValueMessage",GetAttributeMessage:"GetAttributeMessage",SetInnerHtml:"SetInnerHtml",ExecuteComponentMethod:"ExecuteComponentMethod",SetMutationObserverMessage:"SetMutationObserverMessage",SetResizeObserverMessage:"SetResizeObserverMessage",CleanupMessage:"CleanupMessage",In:{DetectedMyopRefsMessage:"DetectedMyopRefsMessage",ClickReplayMessage:"ClickReplayMessage",ExecuteScriptReplyMessage:"ExecuteScriptReplyMessage",EventListenerCallbackMessage:"EventListenerCallbackMessage",ElementValueReplayMessage:"ElementValueReplayMessage",GetAttributeReplayMessage:"GetAttributeReplayMessage",RefComponentCreatedMessage:"RefComponentCreatedMessage",EnvelopedMessage:"EnvelopedMessage",MutationObserverMessage:"MutationObserverMessage",CleanupReplayMessage:"CleanupReplayMessage",ResizeObserverMessage:"ResizeObserverMessage"}}});var T,ys,hs,Lt,Ot=m(()=>{"use strict";T=()=>"10000000-1000-4000-8000-100000000000".replace(/[018]/g,o=>(+o^crypto.getRandomValues(new Uint8Array(1))[0]&15>>+o/4).toString(16)),ys=o=>{let t=[...o].map(e=>e.toString(16).padStart(2,"0")).join("");return[t.slice(0,8),t.slice(8,12),t.slice(12,16),t.slice(16,20),t.slice(20)].join("-")},hs=o=>{let t=o.replace(/-/g,"+").replace(/_/g,"/");for(;t.length%4;)t+="=";let e=atob(t);return Uint8Array.from(e,n=>n.charCodeAt(0))},Lt=o=>{let t=hs(o);if(t.length%16!==0)throw new Error("Invalid input length");let e=[];for(let n=0;n<t.length;n+=16)e.push(ys(t.slice(n,n+16)));return e}});var hn,ne=m(()=>{"use strict";Ot();hn=o=>new Promise(t=>setTimeout(t,o))});var R,C,Pt,v,_,G,k=m(()=>{"use strict";ne();R=class{};s(R,"down","down"),s(R,"up","up");C=class{constructor(){s(this,"id",T());s(this,"myop",!0);s(this,"content");s(this,"source");s(this,"destination");s(this,"route");s(this,"ref");s(this,"direction");s(this,"cleanable",!1)}static create(...t){return new this(...t)}isTypeof(t){return t.messageType===this.messageType}},Pt=class extends C{constructor(e){super();this.ref=e}},v=class extends C{constructor(e){super();this.replayToHandler=e}},_=class extends C{constructor(e){super();this.handler=e;s(this,"handlerUniqueId",T())}},G=class o{constructor(t,e){this.refConfig=t;this.component=e;s(this,"myop",!0);s(this,"__nonProxied");this.__nonProxied=N(h({},this),{component:null})}static create(t,e,n){let r=e;return r||(r={id:"",name:"",description:"",selectorType:"id-attribute",selector:t,behavior:{type:"code"}}),new o(r,n)}}});var Mn,Kt,oe,In=m(()=>{"use strict";k();Mn="ClickReplayMessage",Kt=class extends _{constructor(e,n){super(n);this.ref=e;s(this,"replyMessageKey",Mn);s(this,"messageType","BindClickMessage");s(this,"cleanable",!0)}},oe=class extends v{constructor(){super(...arguments);s(this,"messageType",Mn)}}});var At,Cn=m(()=>{"use strict";k();At=class extends C{constructor(e,n){super();this.ref=e;s(this,"messageType","ChangeTextMessage");this.content=n}}});var xn,Ms,Is,wn,D,se,Ft=m(()=>{"use strict";k();xn="ExecuteScriptReplyMessage",Ms=/(?:function\\s*\\w*\\s*\\([^)]*\\)\\s*\\{([\\s\\S]*?)\\}|(\\([^)]*\\)\\s*=>\\s*\\{([\\s\\S]*?)\\}))\\s*$/,Is=/\\(\\s*[^)]+\\s*\\)\\s*=>\\s*(.+)/,wn=o=>{let t=o.match(Ms);if(t)return t[1]||t[3];{let e=o.match(Is);if(e)return e[1].trim()}},D=class extends _{constructor(e,n=()=>{},r){super(n);this.scriptInputs=r;s(this,"replyMessageKey",xn);s(this,"messageType","ExecuteScriptMessage");s(this,"script","");this.script=e.toString(),this.content=e.toString(),this.content=wn(this.content)}};s(D,"replierKey","send"),s(D,"completeStreamKey","completeStream");se=class extends v{constructor(e,n){super(e);this.replayToHandler=e;this.content=n;s(this,"messageType",xn)}}});var W,bn=m(()=>{"use strict";Ft();W=class extends D{constructor(e,n,r=()=>{}){super(({rootRef:i,elementId:a,_script:p,__scriptInputs:d})=>{let c=(i.shadowRoot||i.container).querySelectorAll("[myop-id='".concat(a,"']"));return c.length?(d.ref=c[0],new Function("return (".concat(p,")(...arguments)"))(d)):null},r);this.scriptInputs=n;this.scriptInputs=N(h({},n),{_script:e.toString()})}}});var Sn,zt,re,Tn=m(()=>{"use strict";k();Sn="EventListenerCallbackMessage",zt=class extends _{constructor(e,n,r){super(r);this.ref=e;this.type=n;this.handler=r;s(this,"replyMessageKey",Sn);s(this,"messageType","AddEventListenerMessage");s(this,"cleanable",!0);s(this,"serializableSkeleton",!1)}withSerializableSkeleton(e){return this.serializableSkeleton=e,this}},re=class extends v{constructor(e,n){super(e);this.replayToHandler=e;this.e=n;s(this,"messageType",Sn);this.content={e:n}}}});var $t,En=m(()=>{"use strict";k();$t=class extends C{constructor(e,n,r){super();this.ref=e;this.name=n;this.value=r;s(this,"messageType","SetAttributeMessage")}}});var Rn,Ut,ie,Nt=m(()=>{"use strict";k();Rn="ElementValueReplayMessage",Ut=class extends _{constructor(e,n){super(n);this.ref=e;s(this,"replyMessageKey",Rn);s(this,"messageType","GetElementValueMessage")}},ie=class extends v{constructor(e){super();this.content=e;s(this,"messageType",Rn)}}});var Wt,vn=m(()=>{"use strict";k();Wt=class extends C{constructor(e,n){super();this.ref=e;s(this,"messageType","SetInnerHtml");this.content=n}}});var ye,Re,ae,_n=m(()=>{"use strict";k();ye=class extends C{constructor(e){super();s(this,"messageType","InitMessage");this.content={id:e}}isTypeof(e){return e.messageType===this.messageType}},Re=class extends ye{constructor(){super(...arguments);s(this,"messageType","InitResponse")}},ae=class extends C{constructor(){super(...arguments);s(this,"messageType","InitRequest")}}});var kn,ve,V,We=m(()=>{"use strict";k();kn="RefComponentCreatedMessage",ve=class extends _{constructor(e,n,r,i){super(i);this.refConfig=e;this.nestedComponentConfig=n;this.options=r;s(this,"replyMessageKey",kn);s(this,"messageType","CreateRefComponentMessage")}},V=class extends v{constructor(e,n,r){super(e);this.replayToHandler=e;this.nestedRefs=n;this.failed=r;s(this,"messageType",kn)}}});var _e,Vt=m(()=>{"use strict";k();_e=class extends C{constructor(e,n){super();this.destination=e;this.message=n;s(this,"messageType","EnvelopedMessage");let r=n;this.route=[e,...r.route?r.route:[]]}}});var Hn,qt,pe,Dn=m(()=>{"use strict";k();Hn="DetectedMyopRefsMessage",qt=class extends _{constructor(){super(...arguments);s(this,"messageType","DetectMyopRefsMessage");s(this,"replyMessageKey",Hn)}},pe=class extends v{constructor(e,n){super(e);this.replayToHandler=e;s(this,"messageType",Hn);this.content=n}isTypeof(e){return e.messageType===this.messageType}}});var Bn,jt,ke,Ln=m(()=>{"use strict";k();Bn="GetAttributeReplayMessage",jt=class extends _{constructor(e,n,r){super(r);this.ref=e;this.name=n;s(this,"replyMessageKey",Bn);s(this,"messageType","GetAttributeMessage")}},ke=class extends v{constructor(e){super();this.content=e;s(this,"messageType",Bn)}}});var K,On=m(()=>{"use strict";k();K=class extends C{constructor(e){super();this.method=e;s(this,"messageType","ExecuteComponentMethod")}}});var Gt,He,Pn=m(()=>{"use strict";k();Gt=class extends C{constructor(){super(...arguments);s(this,"messageType","SetMutationObserverMessage")}},He=class extends C{constructor(){super(...arguments);s(this,"messageType","MutationObserverMessage")}}});var Kn,De,Be,An=m(()=>{"use strict";k();Kn="CleanupReplayMessage",De=class extends _{constructor(e,n){super(n);this.cleanupForMessageId=e;s(this,"replyMessageKey",Kn);s(this,"messageType","CleanupMessage")}},Be=class extends v{constructor(e){super();this.customCleanup=e;s(this,"messageType",Kn)}}});var Le,Fn=m(()=>{"use strict";k();Le=class extends C{constructor(){super(...arguments);s(this,"messageType","DisposeMessage")}}});var Jt,Oe,zn=m(()=>{"use strict";k();Jt=class extends C{constructor(){super(...arguments);s(this,"cleanable",!0);s(this,"messageType","SetResizeObserverMessage")}},Oe=class extends C{constructor(){super(...arguments);s(this,"messageType","ResizeObserverMessage")}}});var he={};ee(he,{AddEventListenerMessage:()=>zt,BaseMyopMessage:()=>C,BindClickMessage:()=>Kt,ChangeTextMessage:()=>At,CleanupMessage:()=>De,CleanupReplayMessage:()=>Be,ClickReplayMessage:()=>oe,CreateRefComponentMessage:()=>ve,CustomRefMessage:()=>W,DetectMyopRefsMessage:()=>qt,DetectedMyopRefsMessage:()=>pe,DisposeMessage:()=>Le,ElementValueReplayMessage:()=>ie,EnvelopedMessage:()=>_e,EventListenerCallbackMessage:()=>re,ExecuteComponentMethod:()=>K,ExecuteScriptMessage:()=>D,ExecuteScriptReplyMessage:()=>se,GetAttributeMessage:()=>jt,GetAttributeReplayMessage:()=>ke,GetElementValueMessage:()=>Ut,InitMessage:()=>ye,InitRequest:()=>ae,InitResponse:()=>Re,MessageDirection:()=>R,MutationObserverMessage:()=>He,MyopBindMessage:()=>_,MyopBindReplayMessage:()=>v,MyopElementMessage:()=>Pt,Ref:()=>G,RefComponentCreatedMessage:()=>V,ResizeObserverMessage:()=>Oe,SetAttributeMessage:()=>$t,SetInnerHtml:()=>Wt,SetMutationObserverMessage:()=>Gt,SetResizeObserverMessage:()=>Jt,stripFunction:()=>wn});var w=m(()=>{"use strict";k();In();Cn();Ft();bn();Tn();En();Nt();vn();_n();We();Vt();Dn();Nt();Ln();On();Pn();An();Fn();zn()});var J,Ve=m(()=>{"use strict";I();w();Pe();J=class{constructor(t,e,n){this.componentDefinition=t;this.container=e;s(this,"id","");s(this,"messageHandlers",{});s(this,"element");s(this,"_markedForDisposed",!1);s(this,"bind",(t,e)=>{this.messageHandlers[t]||(this.messageHandlers[t]=[]),this.messageHandlers[t].includes(e)||this.messageHandlers[t].push(e)});s(this,"bindWhen",(t,e,n)=>{if(!n)throw new Error("can't use component.bindWhen without an handler");this.messageHandlers[t]||(this.messageHandlers[t]=[]);let r=this.messageHandlers[t],i=a=>e(a)?(n(a),!0):!1;return r.push(i),()=>{let a=r.indexOf(i);a>-1&&r.splice(a,1)}});s(this,"setInitiated",()=>{this.isInitiated=!0,this._whenInitiatedResolve&&this._whenInitiatedResolve()});s(this,"isInitiated",!1);s(this,"_whenInitiatedResolve");s(this,"_whenInitiatedReject");s(this,"_whenInitiated",new Promise((t,e)=>{this._whenInitiatedResolve=t,this._whenInitiatedReject=e}));s(this,"initiated",()=>this._whenInitiated);s(this,"props",{});s(this,"refs",{});this.id=(n==null?void 0:n.id)||F.Instance().assignId(t);let r=n!=null&&n.timeout?n==null?void 0:n.timeout:5*1e3;setTimeout(()=>{!this.isInitiated&&this._whenInitiatedReject&&!this._markedForDisposed&&this._whenInitiatedReject("timeout_".concat(r," ").concat(this.id))},r),this.initiated().then(()=>{window.myop.hostSDK.inspected&&this.inspect()})}get markedForDisposed(){return this._markedForDisposed}set markedForDisposed(t){if(this._markedForDisposed)throw new Error("InvalidOperationException: The component is already in the process of being disposed. Dispose operation cannot be performed again until the current disposal process is complete.");this._markedForDisposed=t}onMessageReceived(t){if(t.messageType===l.ExecuteComponentMethod){let n=t;return this[n.method]?this[n.method](n.content):console.log("method not found ".concat(n.method," on component"),this),!0}let e=this.messageHandlers[t.messageType];if(e&&e.length){let n=!1;return e.forEach(r=>{n=n||r(t)}),n}return!1}sendCleanupMessage(t){t.source=this.id,t.destination=this.id,t.direction=R.down;let e=this.bindWhen(t.replyMessageKey,r=>r.replayToHandler===t.handlerUniqueId,r=>{t.handler(r),e()}),n=t.handler;delete t.handler,this.send(t),t.handler=n}send(t){t.source||(t.source=this.id),t.destination||(t.destination=this.id),t.direction=R.down;let e;if(t.handler){let n=t;e=this.bindWhen(n.replyMessageKey,r=>r.replayToHandler===n.handlerUniqueId,n.handler),delete t.handler}return t.ref&&(t.ref=t.ref.__nonProxied||t.ref),t.cleanable?()=>{this.sendCleanupMessage(new De(t.id,n=>{})),e&&e()}:()=>{}}dispose(){if(this.markedForDisposed=!0,!this.isInitiated)return;console.log("disposing component",this.id),this.send(new Le);let t=this.messageHandlers.onDispose;t&&t.forEach(e=>{e(null)}),this.messageHandlers={},this.id+="_disposed",this.isInitiated=!1}}});var Me,$n=m(()=>{"use strict";Me=class{constructor(t,e,n,r,i){this.myopId=t;this.htmlTagName=e;this.BoundingRect=n;this.offsetTop=r;this.offsetLeft=i;s(this,"type","MyopElementRef")}}});var Un,x,qe,Nn=m(()=>{"use strict";Un=async o=>{if(typeof o=="function")o();else if(o instanceof Promise){let t=await o;typeof t=="function"&&t()}},x=class{constructor(t){this.messageToHost=t}},qe=class extends x{constructor(e,n){super(e);this.messageToHost=e;this.context=n}}});var Yt,Ie,Wn=m(()=>{"use strict";I();b();w();Yt=class{constructor(t,e){this.id=t;this.context=e;s(this,"send",t=>{})}},Ie=class{constructor(){s(this,"messageToHandleAfterInit",[]);s(this,"components",{});s(this,"alwaysPassEnvelopesToHost",!1);s(this,"messageCleanupCache",{})}handleIncomeMessages(t){let e=t.data?t.data:t.detail;if(!(!e||!e.myop)){let n=e;if(n.direction!==R.down)return;if(n.messageType===l.DisposeMessage){n.destination&&delete this.components[n.destination];return}if(n.messageType===l.InitMessage){let r=n.content.id;if(this.components[r])return;this.components[r]=new Yt(r),this.messageToHost(new Re(r));return}if(n.messageType===l.EnvelopedMessage){let r=n,i=r.message;if(n=i,this.alwaysPassEnvelopesToHost||this.components[n.destination]){let a=myop.hostSDK.components.find(d=>d.id===i.destination);if(a){a.send(i);return}let p=myop.hostSDK.components.find(d=>d.id===r.destination);if(p){p.send(i);return}}else return}if(n.messageType){if(n.messageType===l.CleanupMessage){let i=n,a=this.messageCleanupCache[i.cleanupForMessageId],p=new Be(!!a);p.destination=n.destination,a?(delete this.messageCleanupCache[i.cleanupForMessageId],Un(a).then(()=>{this.messageToHost(p,i)}).catch(()=>{})):this.messageToHost(p,i);return}let r=!1;this.supportedHandlers.forEach(i=>{if(i.messageType===n.messageType){r=!0;let a=i.executor(n);if(n.cleanable&&a&&(this.messageCleanupCache[n.id]=a),a&&!n.cleanable)throw new Error("Cleanup handler generated for non-cleanable message. \\nmessageType - ".concat(n.messageType,", handler executor was - ").concat(i.executor,"\\n\\nPlease review the message definition object & message handler.\\nTo ensure cleanup properly set 'cleanable' true at message definition and return IMessageExecutorCleanup from your handlers."));if(!a&&n.cleanable)throw new Error("No cleanup handler generated for a cleanable message. \\nmessageType - ".concat(n.messageType,", handler executor was - ").concat(i.executor,"\\n\\nPlease review the message definition object & message handler.\\nTo ensure cleanup properly set 'cleanable' true at message definition and return IMessageExecutorCleanup from your handlers."))}})}else console.log("unsupported message type")}}}});var q,de,we,Ce,ce,je,xe,b=m(()=>{"use strict";$n();Nn();Wn();q={IframeLoader:"IframeLoader",WebComponentLoader:"WebComponentLoader",HTMLLoader:"HTMLLoader",MinimizedLoader:"MinimizedLoader"},de={open:"open",closed:"closed",none:"none",localFrame:"localFrame"},we={message:"message",code:"code"},Ce=class{};s(Ce,"code","code"),s(Ce,"component","component");ce={Segmented:"Segmented",Dedicated:"Dedicated",Default:"Default"},je={Segment:"Segment",Promo:"Promo",AB:"AB"},xe=class{constructor(t,e){this.container=t;this.shadowRoot=e;s(this,"getRootDiv",()=>(this.shadowRoot||this.container).querySelector("div"));s(this,"getRoot",()=>this.shadowRoot||this.container)}}});var Xt,Cs,Qt,P,me=m(()=>{"use strict";Xt=o=>o!==Object(o),Cs=o=>typeof o=="function",Qt=o=>{if(Xt(o))return!0;if(Cs(o)||Object.getPrototypeOf(o))return!1;for(let t in o){let e=o[t];if(typeof e=="object"){if(!Qt(e))return!1}else{if(Xt(e))continue;return!1}}return!0},P=(o,t={},e=!0,n=new WeakMap)=>{if(Xt(o))return o;if(Array.isArray(o)){if(n.has(o))return n.get(o);let r=[];n.set(o,r);for(let i=0;i<o.length;i++){let a=o[i];r[i]=P(a,t,e,n)}return r}if(o!==null&&typeof o=="object"){if(n.has(o))return n.get(o);let r={};n.set(o,r);for(let i in o){let a=typeof t=="boolean"?t:t[i];a&&(a===!0?(e?o[i]!==void 0:o[i])&&(r[i]=P(o[i],!0,e,n)):typeof a=="object"&&(r[i]=P(o[i],a,e,n)))}return r}return{}}});var Vn,qn=m(()=>{"use strict";Vn={notSerializableRefCall:(o,t)=>{throw new Error("\\nThe input provided to '".concat(o.toString(),"' is not serializable. Serialization is required to ensure that the data can be safely transferred to the skin implementation. \\nThe following types of data are considered non-serializable and cannot be processed:\\n\\n- Functions\\n- DOM elements\\n- Class instances\\n- Circular references\\n- Symbols\\n- BigInt values\\n\\nIn the following execution we detected :\\n~~~~~~~~\\n").concat(t," \\n~~~~~~~~\\nas not serializable.\\n\\nTo resolve this issue, please ensure that all inputs passed to '").concat(o.toString(),"' are in a serializable format.\\nThis typically includes primitive types (strings, numbers, booleans), arrays, and plain objects. \\nIf you need to include complex data types, consider converting them to a serializable structure before passing them to the function.\\nOr use Myop message that support it: CustomRefMessage, AddEventListenerMessage or ExecuteScriptMessage.\\n\\nSuggested Fix:\\n1. Remove or replace non-serializable values from your input.\\n2. If using objects, ensure they do not contain any functions or circular references.\\n3. Convert any class instances to plain objects or JSON-compatible formats.\\n4. Use dedicated Myop message.\\n\\nFor more details on serialization and Myop message examples, refer to https://docs.myop.dev.\\n\\n"))}}});var Ke,jn=m(()=>{"use strict";Ve();w();Vt();Ke=class extends J{constructor(e,n,r){super(e,n.container,r);this.componentDefinition=e;this.parent=n;s(this,"send",e=>{let n=e.handler,r=super.send(e);return this.parent.send(new _e(this.id,e)),e.handler=n,r});s(this,"dispose",()=>{this.isInitiated&&this.send(new K("dispose")),super.dispose()})}hide(){this.send(new K("hide"))}show(){this.send(new K("show"))}inspect(){return this.send(new K("inspect"))}setHeightBasedOnDocumentElement(){this.send(new K("setHeightBasedOnDocumentElement"))}setHeightBasedOnScrollHeight(){this.send(new K("setHeightBasedOnScrollHeight"))}onMessageReceived(e){return super.onMessageReceived(e)}}});var xs,Ge,Gn,Jn,Yn,ws,Zt,en,Je=m(()=>{"use strict";w();w();b();me();qn();jn();xs=(o,t,e)=>{let n=document.createElement("a");return n.textContent=o,n.style.position="relative",n.style.padding="0 5px",n.style.fontSize="14px",n.style.top="0",n.style.top="".concat(t,"px"),n.style.transform="translateX(-50%)",n.target="_blank",n.href="https://dashboard.myop.dev/dashboard/component/".concat(e.id),n},Ge=(o,t,e,n,r,i)=>{let a=xs("".concat(i.name," : ").concat(t),e,i);return n.insertBefore(a,r),r.style.border="1px solid #007BFF",r.style.display="block",()=>{r.style.border="unset",n.removeChild(a)}},Gn=(o,t,e)=>o?!1:(console.error("Error: Undefined Prop\\n\\nIt looks like you've tried to use a prop that hasn't been defined.\\nPlease check the prop name for any typos or ensure that it is properly defined in the component's prop list.\\n\\n"+"Prop Name: ".concat(t,"\\n")+"Component: ".concat(e.componentDefinition.name,", ID: ").concat(e.componentDefinition.id,"\\n\\n")+"For more information, refer to the component page https://dashboard.myop.dev/dashboard/component/".concat(e.componentDefinition.id," or consult the developer guide.")),!0),Jn=(o,t,e)=>{console.error("Error: Code Prop Not Supported\\n\\nCurrently, code props are only supported in local frame components.\\n\\u26A0\\uFE0F This is a work in progress feature \\u2014 code props will be supported in upcoming versions.\\n\\nIn the meantime, you can use message props.\\n\\n"+"Prop Name: ".concat(t,"\\n")+"Component: ".concat(e.componentDefinition.name,", ID: ").concat(e.componentDefinition.id,"\\n\\n")+"For more information, refer to the component page https://dashboard.myop.dev/dashboard/component/".concat(e.componentDefinition.id," or consult the developer guide."))},Yn=(o,t,e)=>{let n=t.reduce((i,a)=>N(h({},i),{[a.name]:h({},a)}),{}),r={get:(i,a)=>{let p=n[a];if(Gn(p,a,o))return!1;if(p.behavior.type===we.code){if(e.loader.type===q.HTMLLoader&&e.loader.shadowRootMode===de.localFrame){let c=p.behavior;return o.element.contentWindow[c.remap||a]}return Jn(p,a,o),!1}return p.mode==="output"?new Promise(d=>{let c=[];p.behavior.ref&&c.push(G.create(p.behavior.ref)),c.push(f=>{d(f)}),p.behavior.params&&c.push(...p.behavior.params);let g=he[p.behavior.message];o.send(new g(...c))}):null},set:(i,a,p)=>{let d=n[a];if(Gn(d,a,o))return!1;if(d.behavior.type===we.code){if(e.loader.type===q.HTMLLoader&&e.loader.shadowRootMode===de.localFrame){let g=d.behavior,f=o.element.contentWindow,u=g.remap||a;if(f[u]=p,u==="myop_cta_handler"&&f.__myop_cta_queue){let y=f.__myop_cta_queue;f.__myop_cta_queue=null,y.forEach(M=>{o.markedForDisposed||p(M.action,M.payload)})}return!0}return Jn(d,a,o),!1}else if(d.mode==="input")if(d.behavior.type==="message"){let c=[];d.behavior.ref&&c.push(G.create(d.behavior.ref)),c.push(p),d.behavior.params&&c.push(...d.behavior.params);let g=he[d.behavior.message];return o.send(new g(...c)),!0}else throw new Error("Error: Unsupported Behavior\\n\\nThe 'behavior' field provided is not supported.\\n"+"Component: ".concat(o.componentDefinition.name,", ID: ").concat(o.componentDefinition.id,"\\n\\n")+"Prop Name: ".concat(a,"\\n")+"Behavior Field: ".concat(d.behavior.type,"\\n\\n")+"Check the documentation for valid behavior options.");return!1}};return o.props={},o.props=new Proxy(o.props,r),o},ws=(o,t)=>new Proxy(o,{get(e,n){return e[n]?e[n]:(...i)=>new Promise(a=>{i.forEach(p=>{Qt(p)||Vn.notSerializableRefCall(n,p)}),t.send(new W(({ref:p,propName:d,functionArgs:c,makeSerializable:g})=>{if(p){let f=p[d];return g(typeof f=="function"?p[d](...c):f,!0)}return null},{elementId:e.refConfig.selector,propName:n,functionArgs:i},p=>{a(p.content)}))})},set(e,n,r){return t.send(new W(({ref:i,propName:a,propValue:p})=>{i&&(i[a]=p)},{elementId:e.refConfig.selector,propValue:r,propName:n},i=>{})),!0}}),Zt=async(o,t,e,n)=>{let r=o.component;if(!r)throw new Error("cant createRefComponent with detached ref");return new Promise(async(i,a)=>{let p=new Ke(t.type,r,n);e.push(p),await r.initiated();let d=setTimeout(()=>{a("timeout")},5e3);r.send(new ve(o.refConfig,t,N(h({},n||{}),{id:p.id,_hasParent:!0}),async c=>{if(clearTimeout(d),c.failed){a("CreateRefComponentMessage failed");return}let g=e.find(f=>f.id==p.id);if(g!==p){r.refs[o.refConfig.name]=g,i(g);return}else p.setInitiated(),r.refs[o.refConfig.name]=p;c.nestedRefs.forEach(f=>{let u=t.instance.resolvedNestedComponents.find(M=>M.type.id===f.componentDefinitionId).type,y=new Ke(u,p);y.setInitiated(),p.refs[f.refName]=y,e.push(y)});try{await en(p,t,e,!0),r.setHeightBasedOnScrollHeight&&r.setHeightBasedOnScrollHeight(),i(p)}catch(f){a(f)}}))})},en=async(o,t,e,n=!1)=>{o.refs||(o.refs={});let r=Object.values(o.componentDefinition.refs).map(i=>new Promise(async(a,p)=>{var d;if(i.behavior.type==Ce.component){if(n){a();return}let c=i.behavior.componentId;c||(c=i.behavior.instance.componentId);let g=(d=t.instance.resolvedNestedComponents)==null?void 0:d.find(u=>u.type.id===c);if(!g)throw new Error("componentConfig provided without nestedComponentConfig check the config object");let f=G.create("",i,o);try{let u=await Zt(f,g,e);o.refs[i.name]=u,a()}catch(u){p(u)}}else try{let c=G.create("",i,o);o.refs[i.name]=ws(c,o),a()}catch(c){}}));try{await Promise.all(r)}catch(i){throw i}}});var be,tn=m(()=>{"use strict";Ve();w();Je();I();be=class extends J{constructor(e,n,r,i,a){super(e,r,a);this.componentConfig=e;this.container=r;this.IframeElement=i;s(this,"cleanupInspect");s(this,"setHeightBasedOnDocumentElement",()=>{let e=this.send(new D(()=>window.document.documentElement.scrollHeight,n=>{this.IframeElement.style.height="".concat(n.content,"px"),e()}))});s(this,"observeSizeBasedOnDocumentElement",()=>this.send(new D(({send:n})=>{let{height:r,width:i}=document.documentElement.getBoundingClientRect(),a=new ResizeObserver(()=>{let{height:p,width:d}=document.documentElement.getBoundingClientRect();n({height:p,width:d})});return a.observe(document.documentElement),a.observe(document.body),{height:r,width:i}},n=>{this.IframeElement.style.width="".concat(n.content.width,"px"),this.IframeElement.style.height="".concat(n.content.height,"px")})));s(this,"observeAutoSize",e=>{var Ee;let n=this.IframeElement,r=n.contentDocument;if(!r)return console.warn("[MyopIframeComponent] Cannot observe auto size: contentDocument not accessible"),()=>{};let i=(O,U,ge)=>U!==void 0&&O<U?U:ge!==void 0&&O>ge?ge:O,a=O=>{if(O===void 0)return;if(typeof O=="number")return O;let U=parseFloat(O);return isNaN(U)?void 0:U},p=a(e==null?void 0:e.minWidth),d=a(e==null?void 0:e.maxWidth),c=a(e==null?void 0:e.minHeight),g=a(e==null?void 0:e.maxHeight),f=(Ee=e==null?void 0:e.loaderMinHeight)!=null?Ee:50,u=(e==null?void 0:e.explicitWidth)!==void 0,y=(e==null?void 0:e.explicitHeight)!==void 0,M=this.container.getBoundingClientRect(),le=M.width===0,Fe=M.height===0||M.height===f,j=(e!=null&&e.forceAutoSize||le)&&!u,H=(e!=null&&e.forceAutoSize||Fe)&&!y;if(!j&&!H)return()=>{};let A=()=>{var U;let O=n.contentDocument;if(O){let ge=O.documentElement.getBoundingClientRect(),cn=Math.ceil(ge.width),mn=Math.ceil(ge.height),ln=i(cn,p,d),fn=i(mn,c,g);j&&(n.style.width="".concat(ln,"px")),H&&(n.style.height="".concat(fn,"px"));let as=j&&d!==void 0&&cn>d,ps=H&&g!==void 0&&mn>g;O.documentElement.style.overflowX=as?"auto":"hidden",O.documentElement.style.overflowY=ps?"auto":"hidden",(U=e==null?void 0:e.onSizeChange)==null||U.call(e,{width:ln,height:fn,autoSizingWidth:j,autoSizingHeight:H})}};A();let fe=new ResizeObserver(A);return fe.observe(r.body),fe.observe(r.documentElement),()=>{fe.disconnect()}});s(this,"setSizeBasedOnDocumentElement",()=>{let e=this.send(new D(()=>{let{height:n,width:r}=document.documentElement.getBoundingClientRect();return{height:n,width:r}},n=>{this.IframeElement.style.width="".concat(n.content.width,"px"),this.IframeElement.style.height="".concat(n.content.height,"px"),e()}))});s(this,"setHeightBasedOnScrollHeight",()=>{let e=this.send(new D(()=>{let r=0;return r++,r--,Math.max(Math.max(window.document.body.clientHeight,window.document.body.scrollHeight),window.document.body.offsetHeight)+r+"px"},n=>{this.IframeElement.style.height=n.content,e()}))});s(this,"send",e=>{var i,a;let n=h({},e);if(n.messageType===l.ExecuteComponentMethod)return this[n.method](),()=>{};n.direction=R.down;let r=super.send(n);return(a=(i=this.IframeElement)==null?void 0:i.contentWindow)==null||a.postMessage(n,"*"),r});s(this,"dispose",()=>{this.cleanupInspect&&this.cleanupInspect(),super.dispose(),this.IframeElement.parentNode.removeChild(this.IframeElement)});n.loader.autoHeight&&this.initiated().then(()=>{this.setHeightBasedOnScrollHeight()}),this.element=this.IframeElement}inspect(){return this.cleanupInspect?this.cleanupInspect:(this.cleanupInspect=Ge(this.id,"MyopIframeComponent",10,this.container,this.IframeElement,this.componentDefinition),()=>{this.cleanupInspect(),this.cleanupInspect=void 0})}hide(){this.IframeElement.style.opacity="0",this.IframeElement.style.position="absolute",this.IframeElement.style.pointerEvents="none",this.IframeElement.style.visibility="hidden"}show(){this.IframeElement.style.opacity="1",this.IframeElement.style.position="unset",this.IframeElement.style.pointerEvents="all",this.IframeElement.style.visibility="visible"}onMessageReceived(e){return e.messageType===l.In.MutationObserverMessage||e.messageType===l.In.ResizeObserverMessage?(this.setHeightBasedOnScrollHeight(),!0):super.onMessageReceived(e)}}});var Y,Ye=m(()=>{"use strict";Y=class{constructor(){s(this,"appendChild",(t,e,n)=>{var r;if(n!=null&&n.relative){if(n.relative.direction==="before")return t.insertBefore(e,n.relative.child);if(n.relative.direction==="after"){let i=(r=n.relative.child)==null?void 0:r.nextSibling;return t.insertBefore(e,i||null)}}else return t.appendChild(e)})}}});var bs,Xe,Xn=m(()=>{"use strict";tn();Ye();ne();b();bs=(o,t,e)=>{let n=new URL(o);return n.searchParams.append(t,e),n.toString()},Xe=class extends Y{constructor(){super(...arguments);s(this,"type",q.IframeLoader);s(this,"load",async(e,n,r,i)=>{let a,p=n.loader;if((r==null?void 0:r.nodeName)==="IFRAME")console.log("needs to load into an exsisting Iframe...",p.url,r),a=r,a.src=p.url;else{let d=T(),c="myop-comp-".concat(d);a=document.createElement("iframe"),a.id=c;let g="\\n padding: 0;\\n margin: 0;\\n position: absolute;\\n inset: 0;\\n height: ".concat(p.autoHeight||!p.height?"100%":p.height,";\\n width: 100%;\\n overflow: hidden;\\n border: none;\\n opacity: ").concat(i!=null&&i.hidden?"0":"1",";\\n pointer-events: ").concat(i!=null&&i.hidden?"none":"all",";\\n ");a.style.cssText=g,i!=null&&i.elementAttributes&&Object.entries(i.elementAttributes).forEach(([u,y])=>{y===""||y===null||y===void 0?a.setAttribute(u,""):a.setAttribute(u,String(y))});let f=n.loader.url;i!=null&&i._hasParent&&(f=bs(f,"_myop-comp",d)),a.src=f,r.querySelector('[id^="myop-comp-"]')||(r.innerHTML=""),a=this.appendChild(r,a,i)}return new be(e,n,r,a,i)})}}});var Qe,nn=m(()=>{"use strict";Qe={webcomponent_message_key:"myop_webcomponent_message"}});var Se,on=m(()=>{"use strict";nn();Ve();Je();Se=class extends J{constructor(e,n,r,i,a){super(e,r,a);this.container=r;this.customElement=i;s(this,"cleanupInspect",()=>{});s(this,"send",e=>{let n=h({},e),r=super.send(n),i=new CustomEvent(Qe.webcomponent_message_key,{detail:n});try{this.customElement.dispatchEvent(i)}catch(a){console.log("error while trying to dispatchEvent",a)}return r});s(this,"dispose",()=>{var e;super.dispose(),(e=this.customElement.parentNode)==null||e.removeChild(this.customElement)});this.element=i}inspect(){return this.cleanupInspect=Ge(this.id,"MyopWebComponent",0,this.container,this.customElement,this.componentDefinition),this.cleanupInspect}hide(){this.customElement.style.opacity="0",this.customElement.style.position="absolute",this.customElement.style.pointerEvents="none",this.customElement.style.visibility="hidden",this.customElement.style.height="0",this.customElement.style.width="0"}show(){this.customElement.style.opacity="1",this.customElement.style.position="unset",this.customElement.style.pointerEvents="all",this.customElement.style.visibility="visible",this.customElement.style.height="",this.customElement.style.width=""}}});var sn,Ze,Qn=m(()=>{"use strict";on();Ye();ne();b();sn={},Ze=class extends Y{constructor(){super(...arguments);s(this,"type",q.WebComponentLoader);s(this,"load",async(e,n,r,i)=>{let a=n.loader;sn[a.url]?console.log("Module alreday loaded or in loading process"):sn[a.url]=new Promise((c,g)=>{let f=a.url,u=document.createElement("script");u.type="module",u.src=f,u.onload=()=>{c()},u.onerror=()=>{g()},document.head.appendChild(u)}),await sn[a.url],await hn(1);let p="myop-comp-".concat(T()),d=document.createElement(a.tag);return r.querySelector('[id^="myop-comp-"]')||(r.innerHTML=""),d.id=p,i!=null&&i.hidden&&(d.style.opacity="0",d.style.position="absolute",d.style.height="0",d.style.width="0",d.style.pointerEvents="none",d.style.visibility="hidden"),i!=null&&i._environment&&(d._myopEnvironment=i==null?void 0:i._environment),this.appendChild(r,d,i),new Se(e,n,r,d,i)})}}});var E,$=m(()=>{"use strict";b();E=class extends qe{constructor(e,n){super(e);this.context=n;s(this,"executor",e=>{if(e.destination){let n=e.destination;if(this.context[n].context){let r=(i,a)=>{this.messageToHost(N(h({},i),{source:e.destination?e.destination:e.source,destination:e.source?e.source:e.destination}),a)};return this.innerExecutor(e,this.context[n].context,r)}else debugger}else debugger})}}});var B,X=m(()=>{"use strict";B={id:"myop-id"}});var S,Zn,L=m(()=>{"use strict";X();S=(o,t)=>t.querySelectorAll("[".concat(B.id,"='").concat(o.refConfig.selector,"']")),Zn=(o,t)=>{let e=S(o,t);return e.length?e.item(0):null}});var et,eo=m(()=>{"use strict";I();w();$();L();et=class extends E{constructor(){super(...arguments);s(this,"messageType",l.BindClickMessage);s(this,"innerExecutor",(e,n,r)=>{let i=S(e.ref,n.shadowRoot),a=[];return i.forEach(p=>{let d=()=>{r(new oe(e.handlerUniqueId))};p.addEventListener("click",d),a.push(()=>{p.removeEventListener("click",d)})}),()=>{a.forEach(p=>p())}})}}});var tt,to=m(()=>{"use strict";I();$();L();tt=class extends E{constructor(){super(...arguments);s(this,"messageType",l.ChangeTextMessage);s(this,"innerExecutor",(e,n)=>{S(e.ref,n.shadowRoot).forEach(i=>{i.textContent=e.content})})}}});var nt,no=m(()=>{"use strict";b();nt=class extends xe{constructor(e,n){super(e,n);this.container=e;this.shadowRoot=n}}});var ot,oo=m(()=>{"use strict";b();X();$();w();I();ot=class extends E{constructor(){super(...arguments);s(this,"innerExecutor",(e,n)=>{let r=n.shadowRoot.querySelectorAll("[".concat(B.id,"]")),i=[];r.forEach(a=>{let p=a.getAttribute(B.id);p&&i.push(new Me(p,a.tagName,a.getBoundingClientRect(),a.offsetTop,a.offsetLeft))}),this.messageToHost(new pe(e.handlerUniqueId,i))});s(this,"messageType",l.DetectMyopRefsMessage)}}});var st,so=m(()=>{"use strict";I();$();L();st=class extends E{constructor(){super(...arguments);s(this,"messageType",l.SetAttributeMessage);s(this,"innerExecutor",(e,n)=>{S(e.ref,n.shadowRoot).forEach(i=>{i.setAttribute(e.name,e.value)})})}}});var rt,ro=m(()=>{"use strict";I();w();$();L();me();rt=class extends E{constructor(){super(...arguments);s(this,"messageType",l.AddEventListenerMessage);s(this,"innerExecutor",(e,n,r)=>{let i=S(e.ref,n.shadowRoot),a=[];return i.forEach(p=>{let d=c=>{r(new re(e.handlerUniqueId,P(c,e.serializableSkeleton)))};p.addEventListener(e.type,d),a.push(()=>{p.removeEventListener(e.type,d)})}),()=>{a.forEach(p=>p())}})}}});var it,io=m(()=>{"use strict";I();X();Pe();We();$();it=class extends E{constructor(){super(...arguments);s(this,"messageType",l.CreateRefComponentMessage);s(this,"innerExecutor",(e,n,r)=>{(async()=>{let a=n.shadowRoot.querySelectorAll("[".concat(B.id,"='").concat(e.refConfig.selector,"']"));if(a.length===1){let p=F.Instance(),d=p.components.find(u=>u.id===e.options.id);d&&d.dispose();let c=p.components.indexOf(d);c!==-1&&p.components.splice(c,1);let g=await p.loadComponent(e.nestedComponentConfig,a.item(0),e.options),f=[];Object.keys(g.refs).forEach(u=>{let y=g.refs[u];y=y.__nonProxied||y,y.componentDefinition&&f.push({refName:u,componentDefinitionId:y.componentDefinition.id})}),r(new V(e.handlerUniqueId,f))}else{console.error("CreateRefComponentMessageHandler - DOM element not found"),this.messageToHost(new V(e.handlerUniqueId,[],!0));debugger}})().then()})}}});var at,rn=m(()=>{"use strict";me();at=(o,t,e)=>{let n=o.scriptInputs?o.scriptInputs:{};n.makeSerializable=P,n.send=t,n.rootRef=e,n.__scriptInputs=n;let i=new Function("return (".concat(o.script,")(...arguments)"))(n);t(i)}});var pt,ao=m(()=>{"use strict";I();w();$();rn();pt=class extends E{constructor(){super(...arguments);s(this,"messageType",l.ExecuteScriptMessage);s(this,"innerExecutor",(e,n,r)=>{at(e,a=>{r(new se(e.handlerUniqueId,a))},n)})}}});var po,dt,co=m(()=>{"use strict";I();w();$();L();X();me();po=o=>{if(!o)return null;if(o.tagName==="FORM"){let t=new FormData(o),e={formData:{},unmappedData:[]},n=o.querySelectorAll("input, select, textarea"),r=-1;return n.forEach(i=>{if(typeof i.value=="string"){let a=i.getAttribute(B.id),p=i.getAttribute("name"),d={id:i.id,name:p,value:po(i),required:i.required,validity:P(i.validity,!0),myopId:a};p?e.formData[p]?e.formData[p].value?e.unmappedData.push(d):(e.unmappedData.push(e.formData[p]),e.formData[p]=d):e.formData[p]=d:e.unmappedData.push(d)}}),e}return o.type==="checkbox"||o.type==="radio"?o.checked?o.value:null:o.tagName==="INPUT"||o.tagName==="TEXTAREA"||o.tagName==="SELECT"?o.value:o.isContentEditable?o.innerText||o.textContent:null},dt=class extends E{constructor(){super(...arguments);s(this,"messageType",l.GetElementValueMessage);s(this,"innerExecutor",(e,n,r)=>{S(e.ref,n.shadowRoot).forEach(a=>{r(new ie(po(a)),e)})})}}});var ct,mo=m(()=>{"use strict";I();$();L();ct=class extends E{constructor(){super(...arguments);s(this,"messageType",l.SetInnerHtml);s(this,"innerExecutor",(e,n)=>{S(e.ref,n.shadowRoot).forEach(i=>{i.innerHTML=e.content})})}}});var lo={};ee(lo,{WebComponentSDK:()=>Te});var Te,an=m(()=>{"use strict";b();I();nn();eo();to();no();oo();te();w();so();ro();io();ao();co();mo();Te=class extends Ie{constructor(){super(...arguments);s(this,"alwaysPassEnvelopesToHost",!0);s(this,"connectedCallback",(e,n)=>{e.addEventListener(Qe.webcomponent_message_key,r=>{let i=r.data?r.data:r.detail;if(!i||!i.myop){debugger;throw new Error("recvied webcomponent_message with wrong type")}else{let a=i;if(this.handleIncomeMessages(r),a.messageType===l.InitMessage){let p=a.content.id;this.components[p].context=new nt(e,n)}}}),setTimeout(()=>{this.messageToHost(new ae)},1)});s(this,"messageToHost",(e,n)=>{e.direction=R.up,!e.replayToHandler&&(n!=null&&n.handlerUniqueId)&&(e.replayToHandler=n.handlerUniqueId),window.myop.hostSDK.send(e)});s(this,"supportedHandlers",[new tt(this.messageToHost,this.components),new ct(this.messageToHost,this.components),new et(this.messageToHost,this.components),new ot(this.messageToHost,this.components),new st(this.messageToHost,this.components),new rt(this.messageToHost,this.components),new pt(this.messageToHost,this.components),new dt(this.messageToHost,this.components),new it(this.messageToHost,this.components)]);s(this,"init",()=>{})}};z("WebComponentSDK",Te)});var fo=m(()=>{"use strict";an()});var go,uo=m(()=>{"use strict";go=""});function Ss(o,t){return class extends HTMLElement{connectedCallback(){let e=t===de.open?"open":"closed",n=this.attachShadow({mode:e});Mo().then(r=>{r.connectedCallback(this,n),n.innerHTML=o})}}}var ho,mt,Mo,Ts,Es,Rs,lt,Io=m(()=>{"use strict";on();Ye();ne();b();fo();tn();uo();ho=[],Mo=async()=>(mt||(mt=new Te,mt.init()),mt);Ts=(o,t,e)=>{customElements.define(o,Ss(t,e)),console.log("define('".concat(o,"') was called, web component ready to use"))},Es=o=>o.replace(/([a-z])([A-Z])/g,"$1-$2").replace(/(\\d+)/g,"-$1").toLowerCase(),Rs=o=>(o=Es(o),o.replace(/_/g,"-")),lt=class extends Y{constructor(){super(...arguments);s(this,"type",q.HTMLLoader);s(this,"load",async(e,n,r,i)=>{let a=n.loader,p="myop-comp-".concat(T()),d;if(a.shadowRootMode===de.localFrame){let c=T(),g="myop-comp-".concat(c),f=document.createElement("iframe");f.id=g,f.style.cssText="\\n display: block;\\n padding: 0;\\n margin: 0;\\n position: absolute;\\n inset: 0;\\n overflow: hidden;\\n border: none;\\n opacity: ".concat(i!=null&&i.hidden?"0":"1",";\\n width: 100%;\\n height: 100%;\\n pointer-events: ").concat(i!=null&&i.hidden?"none":"all",";\\n "),r.querySelector('[id^="myop-comp-"]')||(r.innerHTML=""),f=this.appendChild(r,f,i);let u=f.contentDocument||f.contentWindow.document;u.open();let y=a.HTML;if(i!=null&&i._inspection){let H=new DOMParser().parseFromString(a.HTML,"text/html"),A=H.getElementById("myop_preview");A==null||A.removeAttribute("type");let fe=H.implementation.createHTMLDocument();fe.body.innerHTML="<script>\\n const beforeKeysWindow = new Set(Object.keys(window));\\n window.myopState = {\\n beforeKeysWindow,\\n };\\n <\\/script>";let Ee=fe.body.firstChild;Ee&&H.head&&H.head.insertBefore(H.importNode(Ee,!0),H.head.firstChild),y=H.documentElement.outerHTML}else{let H=new DOMParser().parseFromString(a.HTML,"text/html"),A=H.getElementById("myop_preview");A&&(A.remove(),y=H.documentElement.outerHTML)}u.writeln(y);let M='<script src="'.concat(window.myop.__ROOT_SDK_PUBLIC_URL__,'"><\\/script>'),le="<script>\\n window.__federation__.__public_path__ = window.__federation__.__public_path__;\\n const __myop_init = async () => {\\n const {IframeSDK} = (await window.myop.rootSDK.getIframeModule());\\n const sdk = new IframeSDK();\\n sdk.init();\\n }\\n __myop_init().then();\\n <\\/script>";if(u.writeln("".concat(M).concat(le)),(i==null?void 0:i.data)!==void 0){let j="<script>\\n window.__myop_cta_queue = [];\\n window.myop_cta_handler = function(action, payload) {\\n window.__myop_cta_queue.push({action: action, payload: payload});\\n };\\n <\\/script>",H=JSON.stringify(i.data).replace(/<\\/script/gi,"\\\\u003c/script"),A='<script id="__myop_init_data_script">\\n (function() {\\n var data = '.concat(H,";\\n var scriptEl = document.getElementById('__myop_init_data_script');\\n\\n var callInitInterface = function(fn) {\\n var startTime = performance.now();\\n // Mark as pre-injected data call for extension tracking\\n window.__myop_init_preinjected = true;\\n try {\\n fn(data);\\n } finally {\\n window.__myop_init_preinjected = false;\\n }\\n var duration = performance.now() - startTime;\\n\\n // Notify extension via postMessage (init* = pre-injected)\\n try {\\n window.parent.postMessage({\\n type: 'MYOP_PREINJECTED_INIT',\\n payload: {\\n data: data,\\n duration: duration,\\n timestamp: Date.now()\\n }\\n }, '*');\\n } catch (e) {}\\n\\n // Cleanup: remove script tag and stored data\\n if (scriptEl && scriptEl.parentNode) {\\n scriptEl.parentNode.removeChild(scriptEl);\\n }\\n delete window.__myop_init_data;\\n };\\n\\n if (typeof window.myop_init_interface === 'function') {\\n // Function already exists - call immediately\\n callInitInterface(window.myop_init_interface);\\n } else {\\n // Function not yet defined - store data and watch for definition\\n window.__myop_init_data = data;\\n\\n var _original;\\n Object.defineProperty(window, 'myop_init_interface', {\\n configurable: true,\\n enumerable: true,\\n set: function(fn) {\\n _original = fn;\\n if (window.__myop_init_data !== undefined) {\\n var storedData = window.__myop_init_data;\\n delete window.__myop_init_data;\\n callInitInterface(fn);\\n }\\n },\\n get: function() {\\n return _original;\\n }\\n });\\n }\\n })();\\n <\\/script>");u.writeln(j+A)}u.close();let Fe=new be(e,n,r,f,i);return a.autoHeight&&(f.onload=()=>{Fe.observeSizeBasedOnDocumentElement()}),Fe}if(a.shadowRootMode===de.none){let c=document.createElement("template");c.innerHTML=a.HTML,d=c.content.firstElementChild,Mo().then(g=>{g.connectedCallback(d,d)})}else{let c=Rs(e.name+n.id);ho.includes(c)||(Ts(c,a.HTML,a.shadowRootMode),ho.push(c)),d=document.createElement(c)}return r.querySelector('[id^="myop-comp-"]')||(r.innerHTML=""),d.id=p,i!=null&&i.hidden&&(d.style.opacity="0",d.style.position="absolute",d.style.height="0",d.style.width="0",d.style.pointerEvents="none",d.style.visibility="hidden"),this.appendChild(r,d,i),new Se(e,n,r,d,i)})}}});var Co,xo,wo=m(()=>{"use strict";ne();w();Co=(o,t,e)=>{let n="myop-css-".concat(T());return o.send(new D(({rootRef:r,_stylesheet:i,_tagId:a,_css:p})=>{let d=document.createElement("style");d.type="text/css";let c=p;for(let g in i){c+="".concat(g," { ");let f=i[g];for(let u in f)c+="".concat(u,": ").concat(f[u],"; ");c+="} "}d.appendChild(document.createTextNode(c)),d.id=a,(r.shadowRoot||r.container).appendChild(d)},()=>{},{_stylesheet:t,_css:e||"",_tagId:n})),()=>{o.send(new D(({rootRef:r,_tagId:i})=>{let a=(r.shadowRoot||document).getElementById(i);a&&a.remove()},()=>{},{_tagId:n}))}},xo=(o,t)=>{let e="myop-css-".concat(T());return o.send(new D(({rootRef:n,_tagId:r,_link:i})=>{let a=document.createElement("link");a.id=r,a.rel="stylesheet",a.href=i,document.head.appendChild(a),(n.shadowRoot||n.container).appendChild(a)},()=>{},{_link:t,_tagId:e})),()=>{o.send(new D(({rootRef:n,_tagId:r})=>{let i=(n.shadowRoot||document).getElementById(r);i&&i.remove()},()=>{},{_tagId:e}))}}});var vs,pn,bo,So=m(()=>{"use strict";vs=(o,t)=>{let e=new RegExp(Object.keys(t).join("|"),"g");return o.replace(e,n=>(t[n]||n).toString())},pn=(o,t)=>{let e=o.loader;if(e.type!=="IframeLoader")throw new Error('iframeSkinUrlTokenizer received skin with loader type "'.concat(e.type,'", currently only "IframeLoader" is supported'));return o.loader=h({},o.loader),o.loader.url=vs(o.loader.url,t),o},bo=o=>async t=>pn(t,o)});var To,Eo,Ro=m(()=>{"use strict";w();To=(o,t,e)=>{o.send(new W(({ref:n,_className:r})=>{n==null||n.classList.add(r)},{elementId:e,_className:t}))},Eo=(o,t,e)=>{o.send(new W(({ref:n,_className:r})=>{n==null||n.classList.remove(r)},{elementId:e,_className:t}))}});var ut,ft,yt,gt,vo=m(()=>{"use strict";ne();ut=class ut{constructor(){s(this,"_runTimeInstanceId","runtime-instance-id-"+T());s(this,"_runTimeId","runtime-id-"+T());s(this,"_runTimeName","runtime-name-"+T());s(this,"id",this._runTimeId);s(this,"name",this._runTimeName);s(this,"description","");s(this,"loader",null);s(this,"withLoader",t=>(this.loader=t,this));s(this,"withHTMLLoader",t=>(t.type="HTMLLoader",this.loader=t,this));s(this,"build",()=>this)}};s(ut,"create",()=>new ut);ft=ut,yt=class yt{constructor(){s(this,"_runTimeInstanceId","runtime-instance-id-"+T());s(this,"_runTimeId","runtime-id-"+T());s(this,"_runTimeName","runtime-name-"+T());s(this,"instance",{id:this._runTimeInstanceId,componentId:this._runTimeId,componentName:this._runTimeName,skinSelector:null});s(this,"name",this._runTimeName);s(this,"type",{id:this._runTimeId,name:this._runTimeName,description:"",props:[],refs:[],skins:[],defaultSkin:0});s(this,"withInstance",t=>(this.instance=t,this));s(this,"withType",t=>(this.type=t,this));s(this,"withName",t=>(this.name=t,this));s(this,"withDefaultSkin",t=>(this.type.skins.push(t),this.type.defaultSkin=this.type.skins.length-1,this.instance.skinSelector={type:"Dedicated",skin:{id:t.id}},this));s(this,"withRef",t=>(this.type.refs.push(t),this));s(this,"withBasicRef",t=>{let e={id:"",name:t,description:"",selectorType:"id-attribute",selector:t,behavior:{type:"code"}};return this.type.refs.push(e),this});s(this,"build",()=>JSON.parse(JSON.stringify(this)))}};s(yt,"create",()=>new yt);gt=yt});var _s,ht,ks,Hs,Q,Z,_o,ko=m(()=>{"use strict";b();_s=o=>({instance:{id:"auto",componentId:o.componentId,componentName:o.name,skinSelector:{type:"Dedicated",skin:{id:"skin_auto_v2_converted"}}},type:{id:o.id,name:o.name,description:o.description,props:[{id:"in_auto_v2_converted",name:"myop_init_interface",type:"any",behavior:{type:we.code}},{id:"out_auto_v2_converted",name:"myop_cta_handler",type:"any",behavior:{type:we.code}}],refs:[],skins:[{id:"skin_auto_v2_converted",name:"auto_v2_converted",description:"",loader:o.consume_variant[0].loader}],defaultSkin:0},name:o.name}),ht="__MYOP_CLOUD_REPOSITORY_MAIN__",ks=()=>{if(typeof window<"u")return window[ht];if(typeof globalThis<"u")return globalThis[ht]},Hs=o=>{typeof window<"u"&&(window[ht]=o),typeof globalThis<"u"&&(globalThis[ht]=o)},Q=class Q{constructor(t="https://cloud.myop.dev"){this._baseUrl=t;s(this,"variants",{});s(this,"preloadedComponents",{});s(this,"userFlows",{});s(this,"_defaultEnv","production")}static get Main(){let t=ks();return t||(Q._main||(Q._main=new Q,Hs(Q._main)),Q._main)}setEnvironment(t){this._defaultEnv=t}getDefaultEnvironment(){return this._defaultEnv}isPreloaded(t,e,n){return e!==void 0||n!==void 0?"".concat(t,":").concat(e||this._defaultEnv,":").concat(n?"preview":"live")in this.variants:t in this.preloadedComponents}getPreloadedParams(t){return this.preloadedComponents[t]}async fetchComponentV2(t,e,n){let r=this.preloadedComponents[t],i=e!==void 0||n!==void 0,a,p;!i&&r?(a=r.env,p=r.preview):(a=e||this._defaultEnv,p=n===!0?!0:n===!1?!1:!e);let d="".concat(t,":").concat(a,":").concat(p?"preview":"live");return console.log("[CloudRepository] fetchComponentV2",{componentId:t.slice(0,8)+"...",env:a,usePreview:p,cacheKey:d,cached:d in this.variants}),this.variants[d]||(this.preloadedComponents[t]||(this.preloadedComponents[t]={env:a,preview:p}),this.variants[d]=new Promise(async(c,g)=>{try{let f="".concat(this._baseUrl,"/consume?id=").concat(t,"&env=").concat(a);p&&(f+="&preview=true");let M=(await(await fetch(f)).json()).item;if(!M){g(new Error('Component "'.concat(t,'" not found')));return}if(!M.consume_variant||!M.consume_variant.length){g(new Error('Component "'.concat(t,'" has no implementation for environment "').concat(a,'"')));return}let le=_s(M);c(le)}catch(f){g(f)}})),await this.variants[d]}async fetchComponentV1(t,e){return e?(await this.fetchFlow(e)).components.find(r=>r.type.id===t):(await this.fetchAutoFlow(t)).components[0]}async fetchAutoFlow(t){return this.userFlows[t]||(this.userFlows[t]=new Promise(async(e,n)=>{try{let i=await(await fetch("".concat(this._baseUrl,"/flow?id=").concat(t,"&auto=true"))).json();e(i.item)}catch(r){n(r)}})),await this.userFlows[t]}async fetchFlow(t){return this.userFlows[t]||(this.userFlows[t]=new Promise(async(e,n)=>{try{let i=await(await fetch("".concat(this._baseUrl,"/flow?id=").concat(t,"&resolve=components"))).json();e(i.item)}catch(r){n(r)}})),await this.userFlows[t]}async fetchComponent(t,e){return this.fetchComponentV1(t,e)}};s(Q,"_main",null);Z=Q,_o=Z});var Ho,Do=m(()=>{"use strict";Ho=async o=>await o()});var dn={};ee(dn,{CloudRepository:()=>Z,ComponentConfig:()=>gt,SkinConfig:()=>ft,addClass:()=>To,applyStylesheet:()=>Co,applyStylesheetLink:()=>xo,changeSkinUrlByTokenizer:()=>bo,createIframeSkinByTokenizer:()=>pn,exec:()=>Ho,removeClass:()=>Eo,v2_CloudRepository:()=>_o});var Mt=m(()=>{"use strict";wo();So();Ro();vo();ko();Do()});var Bo,Lo=m(()=>{"use strict";Ot();Mt();b();Bo=async o=>{try{let t=new URL(window.location.href),n=new URLSearchParams(t.search).get("myopOverride");if(n){let[r,...i]=Lt(n);switch(r){case"component":{let[a,p]=i,d=await Z.Main.fetchComponent(a);if(d&&d.type.skins.find(g=>g.id===p))return d.instance.skinSelector={type:ce.Dedicated,skin:{id:p}},d}break;default:{let[a,p]=Lt(n),c=(await Z.Main.fetchFlow(a)).components.find(g=>g.type.id===o.type.id);if(c&&c.instance.skinSelector.type===ce.Segmented&&c.instance.resolvedExperiences){let g=c.instance.resolvedExperiences.find(f=>f.id===p);if((g==null?void 0:g.type)===je.Segment){let f=g,y=c.instance.skinSelector.segments.find(M=>M.segmentId===f.segment.id);if(y)return c.instance.skinSelector=y==null?void 0:y.skinSelector,c}}}break}}}finally{return null}}});var Ko={};ee(Ko,{HostSDK:()=>F,hostSDK:()=>Po});var Oo,F,Po,Pe=m(()=>{"use strict";te();I();w();Xn();Qn();Je();b();Ne();Io();Lo();Oo="https://cdn.myop.dev/sdk/next/myop_sdk.min.js",F=class{constructor(){s(this,"components2init",[]);s(this,"components",[]);s(this,"componentsLoaders",[]);s(this,"initiated",!1);s(this,"version",ue);s(this,"type2InstanceCount",{});s(this,"assignId",t=>(this.type2InstanceCount[t.id]||(this.type2InstanceCount[t.id]=0),"".concat(t.id,"_").concat(++this.type2InstanceCount[t.id])));s(this,"inspected",!1);s(this,"inspect",()=>{this.inspected||(this.inspected=!0,this.components.forEach(t=>{t.inspect&&t.inspect()}))});s(this,"incomingMessageHandler",t=>{if(t.origin,document.location.origin,t.data.myop){if(t.data.direction!==R.up&&t.data.messageType!==l.EnvelopedMessage)return;let e=t.data;if(e.messageType===l.InitRequest){this.components2init.forEach(r=>{r.send(new ye(r.id))});return}if(e.messageType===l.InitResponse){this.components2init=this.components2init.filter(i=>i.id!==e.content.id);let r=this.components.find(i=>{var a;return i.id===((a=e.content)==null?void 0:a.id)});r==null||r.setInitiated();return}if(e.messageType===l.EnvelopedMessage){let r=e,i=this.components.find(a=>a.id===r.destination);if(i){if(r.direction===R.down){r.message.messageType===K.name?i.onMessageReceived(r.message):(r.message.route=r.route,i.send(r.message));return}}else{let a=this.components.find(p=>p.id===r.message.destination);a&&a.send(r.message)}return}let n=this.components.find(r=>r.id===e.destination);if(!n){window.myop.IframeSDK&&window.myop.IframeSDK.messageToHost(e);return}if(n){if(n.onMessageReceived(e))return;window.myop.IframeSDK&&window.myop.IframeSDK.messageToHost(e)}}});s(this,"send",t=>{let e=new MessageEvent("",{data:t});this.incomingMessageHandler(e)});s(this,"init",t=>{if(this.initiated)throw new Error("hostSDK already initiated");let e=[new Xe,new Ze,new lt];if(this.componentsLoaders=[...e],t){let n={};t.forEach(r=>{let i=new r(this.componentsLoaders);n[i.type]=i}),this.componentsLoaders.forEach(r=>{n[r.type]||(n[r.type]=r)}),this.componentsLoaders=Object.values(n)}window.addEventListener("message",this.incomingMessageHandler,!1),console.log("myop hostSDK initiated",document.location.href),this.initiated=!0});s(this,"_getSkinIdBySkinSelector",async(t,e=[],n)=>{var i;async function r(a,p){for(let d of a)if(await p(d))return d}switch(t.type){case"DedicatedSkin":case ce.Dedicated:return((i=t.skin)==null?void 0:i.id)||t.skins[0].id;case ce.Segmented:{let p=await r(t.segments,async d=>{if(d.segmentId==="Default")return!0;let c=e.find(y=>y.type===je.Segment?y.segment.id===d.segmentId:!1);if(!c)throw new Error("experience not found");let f=c.segment,u=(n||{})[f.function];return u?await u():(console.warn("segmentId:".concat(d.segmentId,", ").concat(f.function," function not provided !")),!1)});if(p)return this._getSkinIdBySkinSelector(p.skinSelector,e);debugger}break;default:debugger}return""});s(this,"runSkinSelector",async(t,e)=>{let n=await this._getSkinIdBySkinSelector(t.instance.skinSelector,t.instance.resolvedExperiences,e);return t.type.skins.find(r=>r.id===n)});s(this,"loaderHooks");s(this,"loadComponent",async(t,e,n)=>{var g,f,u,y;if(!e){debugger;throw new Error("no container was found for this component")}let r=await Bo(t);r&&(t=r);let i=h(h({},(g=this.loaderHooks)!=null?g:{}),(f=n==null?void 0:n.hooks)!=null?f:{}),a=e;if(a.myop)if(a.component){t=h({},t),t.instance=h({},t.instance);let M=await this.runSkinSelector(t,i);if(!M)throw new Error("runSkinSelector failed to choose skin, check the provided config");return(u=n==null?void 0:n.hooks)!=null&&u.afterSkinSelected&&(M=await n.hooks.afterSkinSelected(h({},M))),t.instance.skinSelector={type:ce.Dedicated,skin:M},n&&(n=h({},n),delete n.hooks),await Zt(a,t,this.components,n)}else throw new Error("load component got a detached ref.");e=e;let p=await this.runSkinSelector(t,i);if(!p)throw new Error("runSkinSelector failed to choose skin, check the provided config");(y=n==null?void 0:n.hooks)!=null&&y.afterSkinSelected&&(p=await n.hooks.afterSkinSelected(h({},p)));let d=this.componentsLoaders.find(M=>M.type===p.loader.type);if(!d){debugger;throw new Error('no loader "'.concat(p.loader.type,'" was found for component'))}let c=await d.load(t.type,p,e,n);c.isInitiated||this.components2init.push(c),c.bind("onDispose",()=>(this.components=this.components.filter(M=>M!==c),this.components2init=this.components2init.filter(M=>M!==c),!0)),this.components.push(c),(!n||n.connectProps!==!1)&&(c=Yn(c,t.type.props,p));try{await en(c,t,this.components)}catch(M){throw M}return n!=null&&n.skipInit||await c.initiated(),c});s(this,"navigate",async(t,e,n)=>{if(t.parent)throw new Error("Navigating on remote ref components is not implemented yet");if(n!=null&&n.staged){let r=await this.loadComponent(e,t.container,h({hidden:!0,relative:{direction:"after",child:t.element}},n));return n.init&&await n.init(r),r.show(),t.dispose(),r}else{let r=t.element.nextSibling;return t.dispose(),this.loadComponent(e,t.container,h({relative:{direction:"before",child:r}},n))}})}};s(F,"Instance",()=>window.myop.hostSDK);window.myop||(window.myop={__ROOT_SDK_PUBLIC_URL__:Oo});if(!window.myop.hostSDK){let o=new F;o.init(),window.myop||(window.myop={__ROOT_SDK_PUBLIC_URL__:Oo}),window.myop.hostSDK=o}Po=window.myop.hostSDK;z("hostSDK",Po)});var It,Ao=m(()=>{"use strict";I();X();b();w();It=class extends x{constructor(){super(...arguments);s(this,"messageType",l.DetectMyopRefsMessage);s(this,"executor",e=>{let n=document.querySelectorAll("[".concat(B.id,"]")),r=[];n.forEach(i=>{let a=i.getAttribute(B.id);a&&r.push(new Me(a,i.tagName,i.getBoundingClientRect()))}),this.messageToHost(new pe(e.handlerUniqueId,r))})}}});var Ct,Fo=m(()=>{"use strict";I();b();w();L();Ct=class extends x{constructor(){super(...arguments);s(this,"messageType",l.BindClickMessage);s(this,"executor",e=>{let n=[];return S(e.ref,document).forEach(i=>{let a=()=>{this.messageToHost(new oe,e)};i.addEventListener("click",a);let p=()=>{i.removeEventListener("click",a)};n.push(p)}),()=>{n.forEach(i=>i())}})}}});var xt,zo=m(()=>{"use strict";I();b();L();xt=class extends x{constructor(){super(...arguments);s(this,"messageType",l.ChangeTextMessage);s(this,"executor",e=>{S(e.ref,document).forEach(r=>{r.textContent=e.content})})}}});var wt,$o=m(()=>{"use strict";I();w();b();rn();wt=class extends x{constructor(){super(...arguments);s(this,"messageType",l.ExecuteScriptMessage);s(this,"executor",e=>{at(e,r=>{this.messageToHost(new se(e.handlerUniqueId,r))},new xe(document.documentElement))})}}});var bt,Uo=m(()=>{"use strict";I();b();w();me();L();bt=class extends x{constructor(){super(...arguments);s(this,"messageType",l.AddEventListenerMessage);s(this,"executor",e=>{let n=S(e.ref,document),r=[];return n.forEach(i=>{let a=p=>{requestAnimationFrame(()=>{this.messageToHost(new re(e.handlerUniqueId,P(p,e.serializableSkeleton)))})};i.addEventListener(e.type,a),r.push(()=>{i.removeEventListener(e.type,a)})}),()=>{r.forEach(i=>{i()})}})}}});var St,No=m(()=>{"use strict";I();b();L();St=class extends x{constructor(){super(...arguments);s(this,"messageType",l.SetAttributeMessage);s(this,"executor",e=>{S(e.ref,document).forEach(r=>{r.setAttribute(e.name,e.value)})})}}});var Tt,Wo=m(()=>{"use strict";I();X();b();Pe();We();Tt=class extends x{constructor(){super(...arguments);s(this,"messageType",l.CreateRefComponentMessage);s(this,"executor",e=>{(async()=>{let r=document.querySelectorAll("[".concat(B.id,"='").concat(e.refConfig.selector,"']"));if(r.length===1){let a=await F.Instance().loadComponent(e.nestedComponentConfig,r.item(0),e.options),p=[];Object.keys(a.refs).forEach(d=>{let c=a.refs[d];c=c.__nonProxied||c,c.componentDefinition&&p.push({refName:d,componentDefinitionId:c.componentDefinition.id})}),this.messageToHost(new V(e.handlerUniqueId,p))}else{console.error("CreateRefComponentMessageHandler - DOM element not found"),this.messageToHost(new V(e.handlerUniqueId,[],!0));debugger}})().then()})}}});var Vo,qo=m(()=>{"use strict";Vo=(o,t)=>{if(!o){console.log("n");return}let e=window.MutationObserver||window.WebKitMutationObserver;if(!(!o||o.nodeType!==1))if(e){let n=new e(t),r={attributes:!0,childList:!0,subtree:!0};return n.observe(o,r),n}else window.addEventListener&&(o.addEventListener("DOMNodeInserted",t,!1),o.addEventListener("DOMNodeRemoved",t,!1))}});var Et,jo=m(()=>{"use strict";I();w();b();qo();Et=class extends x{constructor(){super(...arguments);s(this,"messageType",l.SetMutationObserverMessage);s(this,"executor",e=>{e.source&&Vo(document.body,()=>{this.messageToHost(new He)})})}}});var Go,Rt,Jo=m(()=>{"use strict";I();X();b();w();me();L();Go=o=>{if(!o)return null;if(o.tagName==="FORM"){let t=new FormData(o),e={formData:{},unmappedData:[]},n=o.querySelectorAll("input, select, textarea"),r=-1;return n.forEach(i=>{if(typeof i.value=="string"){let a=i.getAttribute(B.id),p=i.getAttribute("name"),d={id:i.id,name:p,value:Go(i),required:i.required,validity:P(i.validity,!0),myopId:a};e.unmappedData.push(d),p&&(!e.formData[p]||!e.formData[p].value||d.value)&&(e.formData[p]=d)}}),e}return o.type==="checkbox"||o.type==="radio"?o.checked?o.value:null:o.tagName==="INPUT"||o.tagName==="TEXTAREA"||o.tagName==="SELECT"?o.value:o.isContentEditable?o.innerText||o.textContent:null},Rt=class extends x{constructor(){super(...arguments);s(this,"messageType",l.GetElementValueMessage);s(this,"executor",e=>{S(e.ref,document).forEach(r=>{this.messageToHost(new ie(Go(r)),e)})})}}});var vt,Yo=m(()=>{"use strict";I();b();w();L();vt=class extends x{constructor(){super(...arguments);s(this,"messageType",l.GetAttributeMessage);s(this,"executor",e=>{let n=Zn(e.ref,document);n&&this.messageToHost(new ke(n.getAttribute(e.name)),e)})}}});var _t,Xo=m(()=>{"use strict";w();I();b();_t=class extends x{constructor(){super(...arguments);s(this,"messageType",l.SetResizeObserverMessage);s(this,"executor",e=>{let n=new ResizeObserver(r=>{this.messageToHost(new Oe)});return n.observe(document.body),()=>{n.disconnect()}})}}});var kt,Qo=m(()=>{"use strict";I();b();L();kt=class extends x{constructor(){super(...arguments);s(this,"messageType",l.SetInnerHtml);s(this,"executor",e=>{S(e.ref,document).forEach(r=>{r.innerHTML=e.content})})}}});var Zo={};ee(Zo,{IframeSDK:()=>Ht});var Ht,es=m(()=>{"use strict";b();Ao();Fo();zo();$o();te();Uo();No();w();Wo();jo();Jo();Ne();Yo();Xo();Qo();Ht=class extends Ie{constructor(){super();s(this,"version",ue);s(this,"messageToHost",(e,n)=>{var i;!e.replayToHandler&&(n!=null&&n.handlerUniqueId)&&(e.replayToHandler=n.handlerUniqueId);let r=Object.keys(this.components);e.destination||(n!=null&&n.route?e.destination=n.route[n.route.length-1]:e.destination=r[0]),e.source||(e.source=r[0]),e.direction=R.up,(i=window.parent)==null||i.postMessage(h({},e),"*")});s(this,"supportedHandlers",[new xt(this.messageToHost),new kt(this.messageToHost),new Ct(this.messageToHost),new It(this.messageToHost),new wt(this.messageToHost),new bt(this.messageToHost),new St(this.messageToHost),new Rt(this.messageToHost),new Et(this.messageToHost),new _t(this.messageToHost),new vt(this.messageToHost),new Tt(this.messageToHost)]);s(this,"init",()=>{window.onmessage=this.handleIncomeMessages.bind(this),this.messageToHost(new ae)});window.myop||(window.myop={}),window.myop.IframeSDK=this}};z("IframeSDK",Ht)});var Bs={};var Ds,ts=m(()=>{"use strict";w();te();Ds=h({},he);z("MyopMessages",Ds)});var ns={};ee(ns,{CloudRepository:()=>Z,ComponentConfig:()=>gt,SkinConfig:()=>ft,addClass:()=>To,applyStylesheet:()=>Co,applyStylesheetLink:()=>xo,changeSkinUrlByTokenizer:()=>bo,createIframeSkinByTokenizer:()=>pn,exec:()=>Ho,removeClass:()=>Eo,v2_CloudRepository:()=>_o});var os=m(()=>{"use strict";te();Mt();Mt();z("MyopHelpers",dn)});var As={};ee(As,{getHostModule:()=>ss,getIframeModule:()=>rs,getWebcomponentModule:()=>is});te();var yn;if(window.__federation__)console.log("__federation__ loaded more than once.");else{let o=(yn=document.currentScript)==null?void 0:yn.src,t=o?o.split("/").slice(0,-1).join("/"):"";window.__federation__={__public_auto_path__:t,__use_public_auto_path__:!0,__public_path__:void 0,__loading_timeout__:5*1e3}}window.__federation__.load__federation__=(o,t,e)=>{if(window.__federation__[t])console.log("__federation__ module ".concat(t," already loaded.")),e(window.__federation__[t][Bt]);else{let n;window.__federation__[t]={},window.__federation__[t][Ue]=r=>{n&&(document.head.removeChild(n),n=null),window.__federation__[t][Bt]=r,e(r)},n=document.createElement("script"),n.type="module",n.src=o,n.async=!0,document.head.appendChild(n)}};Ne();console.log("myop root sdk - loaded",document.location.origin);var Ls="https://cdn.myop.dev/sdk/next/myop_sdk.min.js",ss=()=>Promise.resolve().then(()=>(Pe(),Ko)),rs=()=>Promise.resolve().then(()=>(es(),Zo)),is=()=>Promise.resolve().then(()=>(an(),lo)),Os=()=>Promise.resolve().then(()=>(ts(),Bs)),Ps=()=>Promise.resolve().then(()=>(os(),ns)),Ae=o=>async()=>(await o()).get(),Ks={version:ue,getHostModule:Ae(ss),getIframeModule:Ae(rs),getWebcomponentModule:Ae(is),getMyopMessages:Ae(Os),getMyopHelpers:Ae(Ps)};window.myop||(window.myop={__ROOT_SDK_PUBLIC_URL__:Ls});window.myop.rootSDK?console.log("myop root host loaded more than once."):window.myop=h({rootSDK:Ks},window.myop);return us(As);})();
7
7
  `;
8
8
  exports.HTML = `
9
9
  <!DOCTYPE html>
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@myop/react-native",
3
- "version": "0.0.5",
3
+ "version": "0.0.7",
4
4
  "description": "React Native component for embedding Myop components via WebView",
5
5
  "main": "./dist/index.js",
6
6
  "types": "./dist/index.d.ts",
@@ -30,10 +30,20 @@
30
30
  "typescript": "~5.9.2"
31
31
  },
32
32
  "keywords": [
33
- "react-native",
34
33
  "myop",
34
+ "react-native",
35
35
  "webview",
36
- "component"
36
+ "components",
37
+ "dynamic-ui",
38
+ "real-time",
39
+ "no-deploy",
40
+ "remote-components",
41
+ "micro-frontend",
42
+ "ab-testing",
43
+ "feature-flags",
44
+ "sandboxed",
45
+ "ai-components",
46
+ "mobile"
37
47
  ],
38
48
  "author": "",
39
49
  "license": "MIT",
@@ -42,6 +52,6 @@
42
52
  "url": ""
43
53
  },
44
54
  "dependencies": {
45
- "@myop/sdk": "^0.2.6"
55
+ "@myop/sdk": "^0.3.13"
46
56
  }
47
57
  }