@swishapp/sdk 0.56.0 → 0.58.0
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.
|
@@ -10,6 +10,7 @@ export declare class FetchCache {
|
|
|
10
10
|
private readonly revalidationPromises;
|
|
11
11
|
private readonly inFlightRequests;
|
|
12
12
|
private readonly keyPrefix;
|
|
13
|
+
private clearCachePromise;
|
|
13
14
|
constructor(cacheName: string, defaultCacheControl: CacheControl | string, keyPrefix?: string);
|
|
14
15
|
/**
|
|
15
16
|
* Get a cached response by key
|
package/dist/index.d.ts
CHANGED
|
@@ -5,5 +5,5 @@ export type * from "./storefront-api/storefront-api-client";
|
|
|
5
5
|
export type * from "./intents/types";
|
|
6
6
|
export { SwishApp } from "./swish";
|
|
7
7
|
export type { Ref, SwishUiElement } from "./swish-ui/swish-ui-element";
|
|
8
|
-
export type { Toast, ToastManager, UnsaveAlertSubmitData, ListSelectSubmitData, VariantSelectSubmitData, UnsaveAlertOptions, ListSelectOptions, VariantSelectOptions, } from "./swish-ui/swish-ui-utils";
|
|
8
|
+
export type { Toast, ToastManager, UnsaveAlertSubmitData, ListSelectSubmitData, VariantSelectSubmitData, UnsaveAlertOptions, ListSelectOptions, VariantSelectOptions, QuickBuySubmitData, QuickBuyOptions, } from "./swish-ui/swish-ui-utils";
|
|
9
9
|
export type { ShopBridge } from "./utils/shop-bridge";
|
|
@@ -0,0 +1,18 @@
|
|
|
1
|
+
import * as v from "valibot";
|
|
2
|
+
import { QuickBuySubmitData } from "../../swish-ui/swish-ui-utils";
|
|
3
|
+
import { IntentHandler } from "../intent-handler";
|
|
4
|
+
import { IntentBase, IntentResponse, SuccessIntentResponse } from "../types";
|
|
5
|
+
export declare const OpenQuickBuyIntentDataSchema: v.ObjectSchema<{
|
|
6
|
+
readonly productId: v.StringSchema<undefined>;
|
|
7
|
+
readonly variantId: v.OptionalSchema<v.StringSchema<undefined>, undefined>;
|
|
8
|
+
}, undefined>;
|
|
9
|
+
export interface OpenQuickBuyIntent extends IntentBase {
|
|
10
|
+
action: "open";
|
|
11
|
+
type: "swish/QuickBuy";
|
|
12
|
+
data: OpenQuickBuyIntentData;
|
|
13
|
+
}
|
|
14
|
+
export type OpenQuickBuyIntentData = v.InferOutput<typeof OpenQuickBuyIntentDataSchema>;
|
|
15
|
+
export type OpenQuickBuySuccessResponse = SuccessIntentResponse<QuickBuySubmitData>;
|
|
16
|
+
export declare class OpenQuickBuyHandler extends IntentHandler<OpenQuickBuyIntent> {
|
|
17
|
+
invoke(intent: OpenQuickBuyIntent): Promise<IntentResponse<OpenQuickBuyIntent>>;
|
|
18
|
+
}
|
package/dist/intents/types.d.ts
CHANGED
|
@@ -8,13 +8,14 @@ import { CreateListIntent, CreateListSuccessResponse } from "./handlers/create-l
|
|
|
8
8
|
import { OpenHomeIntent, OpenHomeSuccessResponse } from "./handlers/open-home-handler";
|
|
9
9
|
import { OpenListMenuIntent, OpenListMenuSuccessResponse } from "./handlers/open-list-menu-handler";
|
|
10
10
|
import { OpenSignInIntent, OpenSignInSuccessResponse } from "./handlers/open-sign-in-handler";
|
|
11
|
+
import { OpenQuickBuyIntent, OpenQuickBuySuccessResponse } from "./handlers/open-quick-buy-handler";
|
|
11
12
|
export type { DeleteItemSuccessResponse, EditItemVariantSuccessResponse, EditItemListsSuccessResponse, CreateItemSuccessResponse, EditListSuccessResponse, DeleteListSuccessResponse, CreateListSuccessResponse, };
|
|
12
13
|
export type IntentAction = "create" | "edit" | "delete" | "open";
|
|
13
|
-
export type IntentType = "swish/Item" | "swish/ItemVariant" | "swish/ItemLists" | "swish/List" | "swish/Home" | "swish/ListMenu" | "swish/SignIn";
|
|
14
|
+
export type IntentType = "swish/Item" | "swish/ItemVariant" | "swish/ItemLists" | "swish/List" | "swish/Home" | "swish/ListMenu" | "swish/SignIn" | "swish/QuickBuy";
|
|
14
15
|
export type IntentQuery = `${IntentAction}:${IntentType}`;
|
|
15
16
|
export type IntentQueryParam = `${string}=${string}`;
|
|
16
17
|
export type IntentQueryWithParams = `${IntentQuery},${IntentQueryParam}`;
|
|
17
|
-
export type Intent = CreateItemIntent | EditItemVariantIntent | EditItemListsIntent | DeleteItemIntent | EditListIntent | DeleteListIntent | CreateListIntent | OpenHomeIntent | OpenListMenuIntent | OpenSignInIntent;
|
|
18
|
+
export type Intent = CreateItemIntent | EditItemVariantIntent | EditItemListsIntent | DeleteItemIntent | EditListIntent | DeleteListIntent | CreateListIntent | OpenHomeIntent | OpenListMenuIntent | OpenSignInIntent | OpenQuickBuyIntent;
|
|
18
19
|
export type IntentResponse<I extends Intent = Intent> = ClosedIntentResponse | ErrorIntentResponse | IntentToSuccessResponse<I>;
|
|
19
20
|
export type IntentQueryResponse<I extends IntentQuery = IntentQuery> = ClosedIntentResponse | ErrorIntentResponse | IntentQueryToSuccessResponse<I>;
|
|
20
21
|
export type IntentResponseEvent<I extends IntentQuery = IntentQuery> = CustomEvent<IntentQueryResponse<I>>;
|
|
@@ -53,6 +54,7 @@ export interface IntentSuccessResponseMap {
|
|
|
53
54
|
"open:swish/Home": OpenHomeSuccessResponse;
|
|
54
55
|
"open:swish/ListMenu": OpenListMenuSuccessResponse;
|
|
55
56
|
"open:swish/SignIn": OpenSignInSuccessResponse;
|
|
57
|
+
"open:swish/QuickBuy": OpenQuickBuySuccessResponse;
|
|
56
58
|
}
|
|
57
59
|
export type IntentToSuccessResponse<I extends {
|
|
58
60
|
action: IntentAction;
|
|
@@ -1,9 +1,9 @@
|
|
|
1
1
|
import type { SwishUiManifest, SwishUiOptions } from "../types";
|
|
2
2
|
import type { ShopBridge } from "../utils/shop-bridge";
|
|
3
3
|
import type { Ref, SwishUiElement } from "./swish-ui-element";
|
|
4
|
-
import "../utils/shop-bridge";
|
|
5
4
|
import { Item, ItemDetail, List } from "@swishapp/api-client";
|
|
6
5
|
import { GetProductCardDataWithVariantQuery, GetSelectedVariantQuery } from "../storefront-api/storefront-api-client";
|
|
6
|
+
import "../utils/shop-bridge";
|
|
7
7
|
export interface ToastManager {
|
|
8
8
|
show(toast: Toast): string;
|
|
9
9
|
hide(id: string): void;
|
|
@@ -85,6 +85,19 @@ export interface VariantSelectSubmitData {
|
|
|
85
85
|
variant: VariantSelectVariant;
|
|
86
86
|
}
|
|
87
87
|
export declare const showVariantSelect: (options?: VariantSelectOptions) => Promise<void>;
|
|
88
|
+
export interface QuickBuyOptions {
|
|
89
|
+
productId?: string;
|
|
90
|
+
variantId?: string;
|
|
91
|
+
onSubmit: (data: QuickBuySubmitData) => void;
|
|
92
|
+
onClose: () => void;
|
|
93
|
+
}
|
|
94
|
+
export type QuickBuyProduct = VariantSelectProduct;
|
|
95
|
+
export type QuickBuyVariant = VariantSelectVariant;
|
|
96
|
+
export interface QuickBuySubmitData {
|
|
97
|
+
product: QuickBuyProduct;
|
|
98
|
+
variant: QuickBuyVariant;
|
|
99
|
+
}
|
|
100
|
+
export declare const showQuickBuy: (options?: QuickBuyOptions) => Promise<void>;
|
|
88
101
|
export interface ListEditorOptions {
|
|
89
102
|
listId?: string;
|
|
90
103
|
onSubmit: (data: ListEditorSubmitData) => void | Promise<void>;
|
package/dist/swish.js
CHANGED
|
@@ -1,13 +1,13 @@
|
|
|
1
|
-
var
|
|
1
|
+
var Tr=Object.create;var it=Object.defineProperty;var Or=Object.getOwnPropertyDescriptor;var Lr=Object.getOwnPropertyNames;var $r=Object.getPrototypeOf,Vr=Object.prototype.hasOwnProperty;var i=(t,e)=>it(t,"name",{value:e,configurable:!0});var qr=(t,e)=>()=>(e||t((e={exports:{}}).exports,e),e.exports);var Br=(t,e,n,r)=>{if(e&&typeof e=="object"||typeof e=="function")for(let s of Lr(e))!Vr.call(t,s)&&s!==n&&it(t,s,{get:()=>e[s],enumerable:!(r=Or(e,s))||r.enumerable});return t};var Nr=(t,e,n)=>(n=t!=null?Tr($r(t)):{},Br(e||!t||!t.__esModule?it(n,"default",{value:t,enumerable:!0}):n,t));var Dr=qr((Ul,Ar)=>{"use strict";var hs=(function(){function t(n,r){if(typeof n!="function")throw new TypeError("DataLoader must be constructed with a function which accepts "+("Array<key> and returns Promise<Array<value>>, but got: "+n+"."));this._batchLoadFn=n,this._maxBatchSize=gs(r),this._batchScheduleFn=Is(r),this._cacheKeyFn=bs(r),this._cacheMap=ws(r),this._batch=null,this.name=Es(r)}i(t,"DataLoader");var e=t.prototype;return e.load=i(function(r){if(r==null)throw new TypeError("The loader.load() function must be called with a value, "+("but got: "+String(r)+"."));var s=ms(this),o=this._cacheMap,a;if(o){a=this._cacheKeyFn(r);var u=o.get(a);if(u){var l=s.cacheHits||(s.cacheHits=[]);return new Promise(function(p){l.push(function(){p(u)})})}}s.keys.push(r);var c=new Promise(function(p,d){s.callbacks.push({resolve:p,reject:d})});return o&&o.set(a,c),c},"load"),e.loadMany=i(function(r){if(!xr(r))throw new TypeError("The loader.loadMany() function must be called with Array<key> "+("but got: "+r+"."));for(var s=[],o=0;o<r.length;o++)s.push(this.load(r[o]).catch(function(a){return a}));return Promise.all(s)},"loadMany"),e.clear=i(function(r){var s=this._cacheMap;if(s){var o=this._cacheKeyFn(r);s.delete(o)}return this},"clear"),e.clearAll=i(function(){var r=this._cacheMap;return r&&r.clear(),this},"clearAll"),e.prime=i(function(r,s){var o=this._cacheMap;if(o){var a=this._cacheKeyFn(r);if(o.get(a)===void 0){var u;s instanceof Error?(u=Promise.reject(s),u.catch(function(){})):u=Promise.resolve(s),o.set(a,u)}}return this},"prime"),t})(),ys=typeof process=="object"&&typeof process.nextTick=="function"?function(t){Ut||(Ut=Promise.resolve()),Ut.then(function(){process.nextTick(t)})}:typeof setImmediate=="function"?function(t){setImmediate(t)}:function(t){setTimeout(t)},Ut;function ms(t){var e=t._batch;if(e!==null&&!e.hasDispatched&&e.keys.length<t._maxBatchSize)return e;var n={hasDispatched:!1,keys:[],callbacks:[]};return t._batch=n,t._batchScheduleFn(function(){vs(t,n)}),n}i(ms,"getCurrentBatch");function vs(t,e){if(e.hasDispatched=!0,e.keys.length===0){Ft(e);return}var n;try{n=t._batchLoadFn(e.keys)}catch(r){return Mt(t,e,new TypeError("DataLoader must be constructed with a function which accepts Array<key> and returns Promise<Array<value>>, but the function "+("errored synchronously: "+String(r)+".")))}if(!n||typeof n.then!="function")return Mt(t,e,new TypeError("DataLoader must be constructed with a function which accepts Array<key> and returns Promise<Array<value>>, but the function did "+("not return a Promise: "+String(n)+".")));n.then(function(r){if(!xr(r))throw new TypeError("DataLoader must be constructed with a function which accepts Array<key> and returns Promise<Array<value>>, but the function did "+("not return a Promise of an Array: "+String(r)+"."));if(r.length!==e.keys.length)throw new TypeError("DataLoader must be constructed with a function which accepts Array<key> and returns Promise<Array<value>>, but the function did not return a Promise of an Array of the same length as the Array of keys."+(`
|
|
2
2
|
|
|
3
3
|
Keys:
|
|
4
4
|
`+String(e.keys))+(`
|
|
5
5
|
|
|
6
6
|
Values:
|
|
7
|
-
`+String(n)));Mt(e);for(var s=0;s<e.callbacks.length;s++){var o=n[s];o instanceof Error?e.callbacks[s].reject(o):e.callbacks[s].resolve(o)}}).catch(function(n){Ut(t,e,n)})}i(hs,"dispatchBatch");function Ut(t,e,r){Mt(e);for(var n=0;n<e.keys.length;n++)t.clear(e.keys[n]),e.callbacks[n].reject(r)}i(Ut,"failedDispatch");function Mt(t){if(t.cacheHits)for(var e=0;e<t.cacheHits.length;e++)t.cacheHits[e]()}i(Mt,"resolveCacheHits");function ys(t){var e=!t||t.batch!==!1;if(!e)return 1;var r=t&&t.maxBatchSize;if(r===void 0)return 1/0;if(typeof r!="number"||r<1)throw new TypeError("maxBatchSize must be a positive number: "+r);return r}i(ys,"getValidMaxBatchSize");function ms(t){var e=t&&t.batchScheduleFn;if(e===void 0)return fs;if(typeof e!="function")throw new TypeError("batchScheduleFn must be a function: "+e);return e}i(ms,"getValidBatchScheduleFn");function vs(t){var e=t&&t.cacheKeyFn;if(e===void 0)return function(r){return r};if(typeof e!="function")throw new TypeError("cacheKeyFn must be a function: "+e);return e}i(vs,"getValidCacheKeyFn");function gs(t){var e=!t||t.cache!==!1;if(!e)return null;var r=t&&t.cacheMap;if(r===void 0)return new Map;if(r!==null){var n=["get","set","delete","clear"],s=n.filter(function(o){return r&&typeof r[o]!="function"});if(s.length!==0)throw new TypeError("Custom cacheMap missing methods: "+s.join(", "))}return r}i(gs,"getValidCacheMap");function Is(t){return t&&t.name?t.name:null}i(Is,"getValidName");function Cn(t){return typeof t=="object"&&t!==null&&typeof t.length=="number"&&(t.length===0||t.length>0&&Object.prototype.hasOwnProperty.call(t,t.length-1))}i(Cn,"isArrayLike");Sn.exports=ps});var P=i(t=>t.split("/").pop()??"","shopifyGidToId"),w=i((t,e)=>`gid://shopify/${t}/${e}`,"shopifyIdToGid");var X=class{constructor(e,r,n=""){this.revalidationPromises=new Map;this.inFlightRequests=new Map;this.cacheName=e,this.defaultCacheControl=r,this.keyPrefix=n}static{i(this,"FetchCache")}async get(e){try{let r=await caches.open(this.cacheName),n=await r.match(e);if(n&&this.isExpired(n)){await r.delete(e);return}return n}catch(r){console.warn("Cache get error:",r);return}}async set(e,r,n){try{if(n?.includes("no-cache"))return;let s=this.createCacheableResponse(r,n);await(await caches.open(this.cacheName)).put(e,s)}catch(s){console.warn("Cache set error:",s)}}async fetchWithCache(e,r,n){let s=await this.getCacheKey(e,r);if(this.inFlightRequests.has(s))return this.inFlightRequests.get(s).then(a=>a.clone());let o=(async()=>{let a=await this.get(s);if(a)return this.isStaleButRevalidatable(a)&&this.revalidateInBackground(s,e,r,n),a.clone();let u=await fetch(e,r);return u.ok&&await this.set(s,u.clone(),n??this.defaultCacheControl),u})().finally(()=>{this.inFlightRequests.delete(s)});return this.inFlightRequests.set(s,o),o}async delete(e){try{return await(await caches.open(this.cacheName)).delete(e)}catch(r){return console.warn("Cache delete error:",r),!1}}async clear(){try{let e=await caches.open(this.cacheName),r=await e.keys();await Promise.all(r.map(n=>e.delete(n)))}catch(e){console.warn("Cache clear error:",e)}}async keys(){try{return(await(await caches.open(this.cacheName)).keys()).map(n=>n.url)}catch(e){return console.warn("Cache keys error:",e),[]}}async has(e){try{let r=await caches.open(this.cacheName),n=await r.match(e);return n&&this.isExpired(n)?(await r.delete(e),!1):n!==void 0}catch(r){return console.warn("Cache has error:",r),!1}}async getStats(){try{return{total:(await(await caches.open(this.cacheName)).keys()).length}}catch(e){return console.warn("Cache stats error:",e),{total:0}}}async cleanupExpiredEntries(){try{let e=await caches.open(this.cacheName),r=await e.keys(),n=0;for(let o of r){let a=await e.match(o);a&&this.isExpired(a)&&(await e.delete(o),n++)}let s=r.length-n;return{removed:n,remaining:s}}catch(e){return console.warn("Cache cleanup error:",e),{removed:0,remaining:0}}}async getCacheKey(e,r){let n=this.getInputUrl(e),s=`${this.keyPrefix}${n}/${JSON.stringify(r)}`,a=new TextEncoder().encode(s),u=await crypto.subtle.digest("SHA-256",a);return`/${Array.from(new Uint8Array(u)).map(p=>p.toString(16).padStart(2,"0")).join("")}`}getInputUrl(e){return e instanceof URL?e.toString():typeof e=="string"?e:e.url}isExpired(e){let r=e.headers.get("Cache-Control");if(!r)return!1;let n=this.parseMaxAge(r),s=this.parseStaleWhileRevalidate(r);if(n===null)return!1;let o=e.headers.get("Date");if(!o)return!1;let a=new Date(o).getTime(),l=(Date.now()-a)/1e3,c=n+(s??0);return l>c}isStaleButRevalidatable(e){let r=e.headers.get("Cache-Control");if(!r)return!1;let n=this.parseMaxAge(r),s=this.parseStaleWhileRevalidate(r);if(n===null||s===null)return!1;let o=e.headers.get("Date");if(!o)return!1;let a=new Date(o).getTime(),l=(Date.now()-a)/1e3;return l>n&&l<=n+s}async revalidateInBackground(e,r,n,s){if(this.revalidationPromises.has(e))return;let o=(async()=>{try{let a=await fetch(r,n);a.ok&&await this.set(e,a.clone(),s??this.defaultCacheControl)}catch(a){console.warn("Background revalidation error:",a)}finally{this.revalidationPromises.delete(e)}})();this.revalidationPromises.set(e,o)}parseMaxAge(e){let r=new RegExp(/max-age=(\d+)/).exec(e);return r?parseInt(r[1],10):null}parseStaleWhileRevalidate(e){let r=new RegExp(/stale-while-revalidate=(\d+)/).exec(e);return r?parseInt(r[1],10):null}createCacheableResponse(e,r){let n=new Headers(e.headers);return n.set("Cache-Control",r),n.has("Date")||n.set("Date",new Date().toUTCString()),new Response(e.body,{status:e.status,statusText:e.statusText,headers:n})}};var Ce=class{static{i(this,"AjaxApiClient")}constructor(e){this.config=e,this.cache=new X("ajax-api","max-age=60, stale-while-revalidate=3600"),this.cache.cleanupExpiredEntries().catch(r=>{console.warn("Ajax API cache initialization cleanup error:",r)})}patchFetch(){if(!window.fetch||typeof window.fetch!="function")return;let e=window.fetch,r=this.config.responseInterceptor,n=this.getFetchRequest.bind(this);window.fetch=function(...s){let o=e.apply(this,s);if(typeof r=="function"){let a=n(s[0]);o.then(u=>r(u,a))}return o}}getFetchRequest(e){return e instanceof Request?e:new Request(e)}getBaseUrl(){if(!this.config?.storeDomain)throw new Error("Cart API client not initialized - missing store domain");return`https://${this.config.storeDomain}`}fetch(e,r){return r?.method==="OPTIONS"?fetch(e,r):(e instanceof Request?e.method:r?.method??"GET")==="GET"?this.cache.fetchWithCache(e,r):fetch(e,r)}async request(e,r={}){let n=`${this.getBaseUrl()}${e}`,s={"Content-Type":"application/json",Accept:"application/json"};if(r.method==="GET"||!r.method){let a=await this.cache.fetchWithCache(n,{...r,headers:{...s,...r.headers}});if(!a.ok){let u;try{u=await a.json()}catch{u={message:`HTTP ${a.status}: ${a.statusText}`,status:a.status.toString(),description:a.statusText}}throw new Error(u.message||u.description)}return a.json()}let o=await this.fetch(n,{...r,headers:{...s,...r.headers}});if(!o.ok){let a;try{a=await o.json()}catch{a={message:`HTTP ${o.status}: ${o.statusText}`,status:o.status.toString(),description:o.statusText}}throw new Error(a.message||a.description)}return o.json()}async fetchCart(){return this.request("/cart.js")}async addToCart(e){let r={...e,items:e.items.map(n=>{let s=P(n.id);if(!s)throw new Error(`Invalid Shopify GID format: ${n.id}`);let o=parseInt(s,10);if(isNaN(o))throw new Error(`Invalid numeric ID extracted from GID: ${n.id}`);return{...n,id:o}})};return this.request("/cart/add.js",{method:"POST",body:JSON.stringify(r)})}async clearCache(){await this.cache.clear()}};var Se=class{constructor(e){this.eventMap={"/cart/add":"cart-add","/cart/update":"cart-update","/cart/change":"cart-change","/cart/clear":"cart-clear"};this.eventBus=e,this.processFetchResponse=this.processFetchResponse.bind(this)}static{i(this,"AjaxApiPublisher")}async processFetchResponse(e,r){try{let n=this.getEventName(r.url);if(n){let s=await e.clone().json();this.eventBus.publish(n,s)}}catch(n){console.warn(n)}}getEventName(e){for(let[r,n]of Object.entries(this.eventMap))if(e.includes(r))return n;return null}};function Nn(){let t=document.body||document.documentElement;return t?Promise.resolve(t):new Promise(e=>{window.addEventListener("DOMContentLoaded",()=>e(t))})}i(Nn,"waitForDOM");function ge({onElementFound:t,selector:e,observerOptions:r}){let n=new WeakSet,s=new MutationObserver(l=>{let c=!1;for(let p of l)if(p.addedNodes.length>0){c=!0;break}c&&o()}),o=i(()=>{document.querySelectorAll(e).forEach(l=>{n.has(l)||(a(l),n.add(l))})},"locateElements"),a=i(l=>{if(!r){t(l);return}let c=new IntersectionObserver(p=>{for(let d of p)d.isIntersecting&&(c.disconnect(),t(l))},r);c.observe(l)},"observeElement");return i(async()=>{let l=await Nn();o(),s.observe(l,{childList:!0,subtree:!0})},"locateAndObserveElements")(),s}i(ge,"createElementLocator");function pe({onLocationChange:t,fireOnInit:e=!1}){let r=i(()=>{t(window.location)},"handleChange");window.addEventListener("popstate",r);let n=history.pushState,s=history.replaceState;return history.pushState=function(...o){n.apply(this,o),r()},history.replaceState=function(...o){s.apply(this,o),r()},e&&r(),()=>{window.removeEventListener("popstate",r),history.pushState=n,history.replaceState=s}}i(pe,"createLocationObserver");function Kt({element:t,onHrefChange:e}){let r=i(()=>{e(t.href)},"handleChange"),n=new MutationObserver(()=>{r()});return n.observe(t,{attributes:!0,attributeFilter:["href"]}),()=>{n.disconnect()}}i(Kt,"createHrefObserver");var xe=class{constructor(){this.eventBus=new EventTarget}static{i(this,"EventBus")}subscribe(e,r,n){return Array.isArray(e)||(e=[e]),e.forEach(s=>{this.eventBus.addEventListener(s,r,n)}),()=>{e.forEach(s=>{this.eventBus.removeEventListener(s,r,n)})}}unsubscribe(e,r,n){this.eventBus.removeEventListener(e,r,n)}publish(e,r){this.eventBus.dispatchEvent(new CustomEvent(e,{detail:r}))}};var it;function ot(t){return{lang:t?.lang??it?.lang,message:t?.message,abortEarly:t?.abortEarly??it?.abortEarly,abortPipeEarly:t?.abortPipeEarly??it?.abortPipeEarly}}i(ot,"getGlobalConfig");var Gn;function jn(t){return Gn?.get(t)}i(jn,"getGlobalMessage");var Bn;function Un(t){return Bn?.get(t)}i(Un,"getSchemaMessage");var Mn;function Fn(t,e){return Mn?.get(t)?.get(e)}i(Fn,"getSpecificMessage");function st(t){let e=typeof t;return e==="string"?`"${t}"`:e==="number"||e==="bigint"||e==="boolean"?`${t}`:e==="object"||e==="function"?(t&&Object.getPrototypeOf(t)?.constructor?.name)??"null":e}i(st,"_stringify");function J(t,e,r,n,s){let o=s&&"input"in s?s.input:r.value,a=s?.expected??t.expects??null,u=s?.received??st(o),l={kind:t.kind,type:t.type,input:o,expected:a,received:u,message:`Invalid ${e}: ${a?`Expected ${a} but r`:"R"}eceived ${u}`,requirement:t.requirement,path:s?.path,issues:s?.issues,lang:n.lang,abortEarly:n.abortEarly,abortPipeEarly:n.abortPipeEarly},c=t.kind==="schema",p=s?.message??t.message??Fn(t.reference,l.lang)??(c?Un(l.lang):null)??n.message??jn(l.lang);p!==void 0&&(l.message=typeof p=="function"?p(l):p),c&&(r.typed=!1),r.issues?r.issues.push(l):r.issues=[l]}i(J,"_addIssue");function ne(t){return{version:1,vendor:"valibot",validate(e){return t["~run"]({value:e},ot())}}}i(ne,"_getStandardProps");function Hn(t,e){let r=[...new Set(t)];return r.length>1?`(${r.join(` ${e} `)})`:r[0]??"never"}i(Hn,"_joinExpects");var Qn=class extends Error{static{i(this,"ValiError")}constructor(t){super(t[0].message),this.name="ValiError",this.issues=t}};function at(t,e){return{kind:"validation",type:"min_value",reference:at,async:!1,expects:`>=${t instanceof Date?t.toJSON():st(t)}`,requirement:t,message:e,"~run"(r,n){return r.typed&&!(r.value>=this.requirement)&&J(this,"value",r,n,{received:r.value instanceof Date?r.value.toJSON():st(r.value)}),r}}}i(at,"minValue");function N(t){return{kind:"transformation",type:"transform",reference:N,async:!1,operation:t,"~run"(e){return e.value=this.operation(e.value),e}}}i(N,"transform");function zn(t,e,r){return typeof t.fallback=="function"?t.fallback(e,r):t.fallback}i(zn,"getFallback");function Jt(t,e,r){return typeof t.default=="function"?t.default(e,r):t.default}i(Jt,"getDefault");function ut(t,e){return{kind:"schema",type:"array",reference:ut,expects:"Array",async:!1,item:t,message:e,get"~standard"(){return ne(this)},"~run"(r,n){let s=r.value;if(Array.isArray(s)){r.typed=!0,r.value=[];for(let o=0;o<s.length;o++){let a=s[o],u=this.item["~run"]({value:a},n);if(u.issues){let l={type:"array",origin:"value",input:s,key:o,value:a};for(let c of u.issues)c.path?c.path.unshift(l):c.path=[l],r.issues?.push(c);if(r.issues||(r.issues=u.issues),n.abortEarly){r.typed=!1;break}}u.typed||(r.typed=!1),r.value.push(u.value)}}else J(this,"type",r,n);return r}}}i(ut,"array");function U(t){return{kind:"schema",type:"number",reference:U,expects:"number",async:!1,message:t,get"~standard"(){return ne(this)},"~run"(e,r){return typeof e.value=="number"&&!isNaN(e.value)?e.typed=!0:J(this,"type",e,r),e}}}i(U,"number");function A(t,e){return{kind:"schema",type:"object",reference:A,expects:"Object",async:!1,entries:t,message:e,get"~standard"(){return ne(this)},"~run"(r,n){let s=r.value;if(s&&typeof s=="object"){r.typed=!0,r.value={};for(let o in this.entries){let a=this.entries[o];if(o in s||(a.type==="exact_optional"||a.type==="optional"||a.type==="nullish")&&a.default!==void 0){let u=o in s?s[o]:Jt(a),l=a["~run"]({value:u},n);if(l.issues){let c={type:"object",origin:"value",input:s,key:o,value:u};for(let p of l.issues)p.path?p.path.unshift(c):p.path=[c],r.issues?.push(p);if(r.issues||(r.issues=l.issues),n.abortEarly){r.typed=!1;break}}l.typed||(r.typed=!1),r.value[o]=l.value}else if(a.fallback!==void 0)r.value[o]=zn(a);else if(a.type!=="exact_optional"&&a.type!=="optional"&&a.type!=="nullish"&&(J(this,"key",r,n,{input:void 0,expected:`"${o}"`,path:[{type:"object",origin:"key",input:s,key:o,value:s[o]}]}),n.abortEarly))break}}else J(this,"type",r,n);return r}}}i(A,"object");function M(t,e){return{kind:"schema",type:"optional",reference:M,expects:`(${t.expects} | undefined)`,async:!1,wrapped:t,default:e,get"~standard"(){return ne(this)},"~run"(r,n){return r.value===void 0&&(this.default!==void 0&&(r.value=Jt(this,r,n)),r.value===void 0)?(r.typed=!0,r):this.wrapped["~run"](r,n)}}}i(M,"optional");function E(t){return{kind:"schema",type:"string",reference:E,expects:"string",async:!1,message:t,get"~standard"(){return ne(this)},"~run"(e,r){return typeof e.value=="string"?e.typed=!0:J(this,"type",e,r),e}}}i(E,"string");function Yt(t){let e;if(t)for(let r of t)e?e.push(...r.issues):e=r.issues;return e}i(Yt,"_subIssues");function ie(t,e){return{kind:"schema",type:"union",reference:ie,expects:Hn(t.map(r=>r.expects),"|"),async:!1,options:t,message:e,get"~standard"(){return ne(this)},"~run"(r,n){let s,o,a;for(let u of this.options){let l=u["~run"]({value:r.value},n);if(l.typed)if(l.issues)o?o.push(l):o=[l];else{s=l;break}else a?a.push(l):a=[l]}if(s)return s;if(o){if(o.length===1)return o[0];J(this,"type",r,n,{issues:Yt(o)}),r.typed=!0}else{if(a?.length===1)return a[0];J(this,"type",r,n,{issues:Yt(a)})}return r}}}i(ie,"union");function Zt(t,e,r){let n=t["~run"]({value:e},ot(r));if(n.issues)throw new Qn(n.issues);return n.value}i(Zt,"parse");function L(...t){return{...t[0],pipe:t,get"~standard"(){return ne(this)},"~run"(e,r){for(let n of t)if(n.kind!=="metadata"){if(e.issues&&(n.kind==="schema"||n.kind==="transformation")){e.typed=!1;break}(!e.issues||!r.abortEarly&&!r.abortPipeEarly)&&(e=n["~run"](e,r))}return e}}}i(L,"pipe");function G(t,e,r){let n=t["~run"]({value:e},ot(r));return{typed:n.typed,success:!n.issues,output:n.value,issues:n.issues}}i(G,"safeParse");var C=class{constructor(e,r,n){this.swish=e;this.eventBus=r;this.options=n}static{i(this,"IntentHandler")}};var Wn=".swish-shop-bridge{position:absolute!important;top:0!important;left:0!important;padding:0!important;border:0!important;margin:0!important;pointer-events:none!important}.swish-shop-bridge input{appearance:none!important;border:none!important;width:1px!important;height:1px!important;padding:0!important;margin:0!important;background:rgba(0,0,0,0)!important}",Xn=`<form class=swish-shop-bridge data-login-with-shop-sign-in=true id=customer_login><input name=customer[email] id=customer_login_email> <input name=return_url type=hidden value=${window.location.pathname}></form>`,lt=class extends HTMLElement{constructor(){super();this.swish=window.swish;this.emailInput=this.querySelector('form[data-login-with-shop-sign-in] input[type="email"],form[data-login-with-shop-sign-in] input[name="customer[email]"'),this.emailInput||(this.innerHTML=`
|
|
8
|
-
<style>${
|
|
9
|
-
${
|
|
10
|
-
`,this.emailInput=this.querySelector("#customer_login_email")),this.shopModalObserver=new MutationObserver(
|
|
7
|
+
`+String(r)));Ft(e);for(var s=0;s<e.callbacks.length;s++){var o=r[s];o instanceof Error?e.callbacks[s].reject(o):e.callbacks[s].resolve(o)}}).catch(function(r){Mt(t,e,r)})}i(vs,"dispatchBatch");function Mt(t,e,n){Ft(e);for(var r=0;r<e.keys.length;r++)t.clear(e.keys[r]),e.callbacks[r].reject(n)}i(Mt,"failedDispatch");function Ft(t){if(t.cacheHits)for(var e=0;e<t.cacheHits.length;e++)t.cacheHits[e]()}i(Ft,"resolveCacheHits");function gs(t){var e=!t||t.batch!==!1;if(!e)return 1;var n=t&&t.maxBatchSize;if(n===void 0)return 1/0;if(typeof n!="number"||n<1)throw new TypeError("maxBatchSize must be a positive number: "+n);return n}i(gs,"getValidMaxBatchSize");function Is(t){var e=t&&t.batchScheduleFn;if(e===void 0)return ys;if(typeof e!="function")throw new TypeError("batchScheduleFn must be a function: "+e);return e}i(Is,"getValidBatchScheduleFn");function bs(t){var e=t&&t.cacheKeyFn;if(e===void 0)return function(n){return n};if(typeof e!="function")throw new TypeError("cacheKeyFn must be a function: "+e);return e}i(bs,"getValidCacheKeyFn");function ws(t){var e=!t||t.cache!==!1;if(!e)return null;var n=t&&t.cacheMap;if(n===void 0)return new Map;if(n!==null){var r=["get","set","delete","clear"],s=r.filter(function(o){return n&&typeof n[o]!="function"});if(s.length!==0)throw new TypeError("Custom cacheMap missing methods: "+s.join(", "))}return n}i(ws,"getValidCacheMap");function Es(t){return t&&t.name?t.name:null}i(Es,"getValidName");function xr(t){return typeof t=="object"&&t!==null&&typeof t.length=="number"&&(t.length===0||t.length>0&&Object.prototype.hasOwnProperty.call(t,t.length-1))}i(xr,"isArrayLike");Ar.exports=hs});var P=i(t=>t.split("/").pop()??"","shopifyGidToId"),E=i((t,e)=>`gid://shopify/${t}/${e}`,"shopifyIdToGid");var K=class{constructor(e,n,r=""){this.revalidationPromises=new Map;this.inFlightRequests=new Map;this.clearCachePromise=null;this.cacheName=e,this.defaultCacheControl=n,this.keyPrefix=r}static{i(this,"FetchCache")}async get(e){try{let n=await caches.open(this.cacheName),r=await n.match(e);if(r&&this.isExpired(r)){await n.delete(e);return}return r}catch(n){console.warn("Cache get error:",n);return}}async set(e,n,r){try{if(r?.includes("no-cache"))return;let s=this.createCacheableResponse(n,r);await(await caches.open(this.cacheName)).put(e,s)}catch(s){console.warn("Cache set error:",s)}}async fetchWithCache(e,n,r){let s=await this.getCacheKey(e,n);if(this.clearCachePromise&&await this.clearCachePromise,this.inFlightRequests.has(s))return this.inFlightRequests.get(s).then(a=>a.clone());let o=(async()=>{let a=await this.get(s);if(a)return this.isStaleButRevalidatable(a)&&this.revalidateInBackground(s,e,n,r),a.clone();let u=await fetch(e,n);return u.ok&&await this.set(s,u.clone(),r??this.defaultCacheControl),u})().finally(()=>{this.inFlightRequests.delete(s)});return this.inFlightRequests.set(s,o),o}async delete(e){try{return await(await caches.open(this.cacheName)).delete(e)}catch(n){return console.warn("Cache delete error:",n),!1}}async clear(){return this.clearCachePromise?this.clearCachePromise:(this.clearCachePromise=new Promise(async(e,n)=>{try{let r=await caches.open(this.cacheName),s=await r.keys();await Promise.all(s.map(o=>r.delete(o))),e()}catch(r){console.warn("Cache clear error:",r),n(r)}}),this.clearCachePromise.then(()=>{this.clearCachePromise=null}).catch(e=>{console.warn("Cache clear error:",e)}))}async keys(){try{return(await(await caches.open(this.cacheName)).keys()).map(r=>r.url)}catch(e){return console.warn("Cache keys error:",e),[]}}async has(e){try{let n=await caches.open(this.cacheName),r=await n.match(e);return r&&this.isExpired(r)?(await n.delete(e),!1):r!==void 0}catch(n){return console.warn("Cache has error:",n),!1}}async getStats(){try{return{total:(await(await caches.open(this.cacheName)).keys()).length}}catch(e){return console.warn("Cache stats error:",e),{total:0}}}async cleanupExpiredEntries(){try{let e=await caches.open(this.cacheName),n=await e.keys(),r=0;for(let o of n){let a=await e.match(o);a&&this.isExpired(a)&&(await e.delete(o),r++)}let s=n.length-r;return{removed:r,remaining:s}}catch(e){return console.warn("Cache cleanup error:",e),{removed:0,remaining:0}}}async getCacheKey(e,n){let r=this.getInputUrl(e),s=`${this.keyPrefix}${r}/${JSON.stringify(n)}`,a=new TextEncoder().encode(s),u=await crypto.subtle.digest("SHA-256",a);return`/${Array.from(new Uint8Array(u)).map(p=>p.toString(16).padStart(2,"0")).join("")}`}getInputUrl(e){return e instanceof URL?e.toString():typeof e=="string"?e:e.url}isExpired(e){let n=e.headers.get("Cache-Control");if(!n)return!1;let r=this.parseMaxAge(n),s=this.parseStaleWhileRevalidate(n);if(r===null)return!1;let o=e.headers.get("Date");if(!o)return!1;let a=new Date(o).getTime(),l=(Date.now()-a)/1e3,c=r+(s??0);return l>c}isStaleButRevalidatable(e){let n=e.headers.get("Cache-Control");if(!n)return!1;let r=this.parseMaxAge(n),s=this.parseStaleWhileRevalidate(n);if(r===null||s===null)return!1;let o=e.headers.get("Date");if(!o)return!1;let a=new Date(o).getTime(),l=(Date.now()-a)/1e3;return l>r&&l<=r+s}async revalidateInBackground(e,n,r,s){if(this.revalidationPromises.has(e))return;let o=(async()=>{try{let a=await fetch(n,r);a.ok&&await this.set(e,a.clone(),s??this.defaultCacheControl)}catch(a){console.warn("Background revalidation error:",a)}finally{this.revalidationPromises.delete(e)}})();this.revalidationPromises.set(e,o)}parseMaxAge(e){let n=new RegExp(/max-age=(\d+)/).exec(e);return n?parseInt(n[1],10):null}parseStaleWhileRevalidate(e){let n=new RegExp(/stale-while-revalidate=(\d+)/).exec(e);return n?parseInt(n[1],10):null}createCacheableResponse(e,n){let r=new Headers(e.headers);return r.set("Cache-Control",n),r.has("Date")||r.set("Date",new Date().toUTCString()),new Response(e.body,{status:e.status,statusText:e.statusText,headers:r})}};var Ce=class{static{i(this,"AjaxApiClient")}constructor(e){this.config=e,this.cache=new K("ajax-api","max-age=60, stale-while-revalidate=3600"),this.cache.cleanupExpiredEntries().catch(n=>{console.warn("Ajax API cache initialization cleanup error:",n)})}patchFetch(){if(!window.fetch||typeof window.fetch!="function")return;let e=window.fetch,n=this.config.responseInterceptor,r=this.getFetchRequest.bind(this);window.fetch=function(...s){let o=e.apply(this,s);if(typeof n=="function"){let a=r(s[0]);o.then(u=>n(u,a))}return o}}getFetchRequest(e){return e instanceof Request?e:new Request(e)}getBaseUrl(){if(!this.config?.storeDomain)throw new Error("Cart API client not initialized - missing store domain");return`https://${this.config.storeDomain}`}fetch(e,n){return(e instanceof Request?e.method:n?.method??"GET")==="GET"?this.cache.fetchWithCache(e,n):fetch(e,n)}async request(e,n={}){let r=`${this.getBaseUrl()}${e}`,s={"Content-Type":"application/json",Accept:"application/json"},o=await this.fetch(r,{...n,headers:{...s,...n.headers}});if(!o.ok){let a;try{a=await o.json()}catch{a={message:`HTTP ${o.status}: ${o.statusText}`,status:o.status.toString(),description:o.statusText}}throw new Error(a.message||a.description)}return o.json()}async fetchCart(){return this.request("/cart.js")}async addToCart(e){let n={...e,items:e.items.map(r=>{let s=P(r.id);if(!s)throw new Error(`Invalid Shopify GID format: ${r.id}`);let o=parseInt(s,10);if(isNaN(o))throw new Error(`Invalid numeric ID extracted from GID: ${r.id}`);return{...r,id:o}})};return this.request("/cart/add.js",{method:"POST",body:JSON.stringify(n)})}async clearCache(){await this.cache.clear()}};var Se=class{constructor(e){this.eventMap={"/cart/add":"cart-add","/cart/update":"cart-update","/cart/change":"cart-change","/cart/clear":"cart-clear"};this.eventBus=e,this.processFetchResponse=this.processFetchResponse.bind(this)}static{i(this,"AjaxApiPublisher")}async processFetchResponse(e,n){try{let r=this.getEventName(n.url);if(r){let s=await e.clone().json();this.eventBus.publish(r,s)}}catch(r){console.warn(r)}}getEventName(e){for(let[n,r]of Object.entries(this.eventMap))if(e.includes(n))return r;return null}};function Gr(){let t=document.body||document.documentElement;return t?Promise.resolve(t):new Promise(e=>{window.addEventListener("DOMContentLoaded",()=>e(t))})}i(Gr,"waitForDOM");function ge({onElementFound:t,selector:e,observerOptions:n}){let r=new WeakSet,s=new MutationObserver(l=>{let c=!1;for(let p of l)if(p.addedNodes.length>0){c=!0;break}c&&o()}),o=i(()=>{document.querySelectorAll(e).forEach(l=>{r.has(l)||(a(l),r.add(l))})},"locateElements"),a=i(l=>{if(!n){t(l);return}let c=new IntersectionObserver(p=>{for(let d of p)d.isIntersecting&&(c.disconnect(),t(l))},n);c.observe(l)},"observeElement");return i(async()=>{let l=await Gr();o(),s.observe(l,{childList:!0,subtree:!0})},"locateAndObserveElements")(),s}i(ge,"createElementLocator");function fe({onLocationChange:t,fireOnInit:e=!1}){let n=i(()=>{t(window.location)},"handleChange");window.addEventListener("popstate",n);let r=history.pushState,s=history.replaceState;return history.pushState=function(...o){r.apply(this,o),n()},history.replaceState=function(...o){s.apply(this,o),n()},e&&n(),()=>{window.removeEventListener("popstate",n),history.pushState=r,history.replaceState=s}}i(fe,"createLocationObserver");function Yt({element:t,onHrefChange:e}){let n=i(()=>{e(t.href)},"handleChange"),r=new MutationObserver(()=>{n()});return r.observe(t,{attributes:!0,attributeFilter:["href"]}),()=>{r.disconnect()}}i(Yt,"createHrefObserver");var xe=class{constructor(){this.eventBus=new EventTarget}static{i(this,"EventBus")}subscribe(e,n,r){return Array.isArray(e)||(e=[e]),e.forEach(s=>{this.eventBus.addEventListener(s,n,r)}),()=>{e.forEach(s=>{this.eventBus.removeEventListener(s,n,r)})}}unsubscribe(e,n,r){this.eventBus.removeEventListener(e,n,r)}publish(e,n){this.eventBus.dispatchEvent(new CustomEvent(e,{detail:n}))}};var st;function at(t){return{lang:t?.lang??st?.lang,message:t?.message,abortEarly:t?.abortEarly??st?.abortEarly,abortPipeEarly:t?.abortPipeEarly??st?.abortPipeEarly}}i(at,"getGlobalConfig");var jr;function Ur(t){return jr?.get(t)}i(Ur,"getGlobalMessage");var Mr;function Fr(t){return Mr?.get(t)}i(Fr,"getSchemaMessage");var Hr;function Qr(t,e){return Hr?.get(t)?.get(e)}i(Qr,"getSpecificMessage");function ot(t){let e=typeof t;return e==="string"?`"${t}"`:e==="number"||e==="bigint"||e==="boolean"?`${t}`:e==="object"||e==="function"?(t&&Object.getPrototypeOf(t)?.constructor?.name)??"null":e}i(ot,"_stringify");function J(t,e,n,r,s){let o=s&&"input"in s?s.input:n.value,a=s?.expected??t.expects??null,u=s?.received??ot(o),l={kind:t.kind,type:t.type,input:o,expected:a,received:u,message:`Invalid ${e}: ${a?`Expected ${a} but r`:"R"}eceived ${u}`,requirement:t.requirement,path:s?.path,issues:s?.issues,lang:r.lang,abortEarly:r.abortEarly,abortPipeEarly:r.abortPipeEarly},c=t.kind==="schema",p=s?.message??t.message??Qr(t.reference,l.lang)??(c?Fr(l.lang):null)??r.message??Ur(l.lang);p!==void 0&&(l.message=typeof p=="function"?p(l):p),c&&(n.typed=!1),n.issues?n.issues.push(l):n.issues=[l]}i(J,"_addIssue");function re(t){return{version:1,vendor:"valibot",validate(e){return t["~run"]({value:e},at())}}}i(re,"_getStandardProps");function zr(t,e){let n=[...new Set(t)];return n.length>1?`(${n.join(` ${e} `)})`:n[0]??"never"}i(zr,"_joinExpects");var Wr=class extends Error{static{i(this,"ValiError")}constructor(t){super(t[0].message),this.name="ValiError",this.issues=t}};function ut(t,e){return{kind:"validation",type:"min_value",reference:ut,async:!1,expects:`>=${t instanceof Date?t.toJSON():ot(t)}`,requirement:t,message:e,"~run"(n,r){return n.typed&&!(n.value>=this.requirement)&&J(this,"value",n,r,{received:n.value instanceof Date?n.value.toJSON():ot(n.value)}),n}}}i(ut,"minValue");function N(t){return{kind:"transformation",type:"transform",reference:N,async:!1,operation:t,"~run"(e){return e.value=this.operation(e.value),e}}}i(N,"transform");function Xr(t,e,n){return typeof t.fallback=="function"?t.fallback(e,n):t.fallback}i(Xr,"getFallback");function Zt(t,e,n){return typeof t.default=="function"?t.default(e,n):t.default}i(Zt,"getDefault");function lt(t,e){return{kind:"schema",type:"array",reference:lt,expects:"Array",async:!1,item:t,message:e,get"~standard"(){return re(this)},"~run"(n,r){let s=n.value;if(Array.isArray(s)){n.typed=!0,n.value=[];for(let o=0;o<s.length;o++){let a=s[o],u=this.item["~run"]({value:a},r);if(u.issues){let l={type:"array",origin:"value",input:s,key:o,value:a};for(let c of u.issues)c.path?c.path.unshift(l):c.path=[l],n.issues?.push(c);if(n.issues||(n.issues=u.issues),r.abortEarly){n.typed=!1;break}}u.typed||(n.typed=!1),n.value.push(u.value)}}else J(this,"type",n,r);return n}}}i(lt,"array");function F(t){return{kind:"schema",type:"number",reference:F,expects:"number",async:!1,message:t,get"~standard"(){return re(this)},"~run"(e,n){return typeof e.value=="number"&&!isNaN(e.value)?e.typed=!0:J(this,"type",e,n),e}}}i(F,"number");function S(t,e){return{kind:"schema",type:"object",reference:S,expects:"Object",async:!1,entries:t,message:e,get"~standard"(){return re(this)},"~run"(n,r){let s=n.value;if(s&&typeof s=="object"){n.typed=!0,n.value={};for(let o in this.entries){let a=this.entries[o];if(o in s||(a.type==="exact_optional"||a.type==="optional"||a.type==="nullish")&&a.default!==void 0){let u=o in s?s[o]:Zt(a),l=a["~run"]({value:u},r);if(l.issues){let c={type:"object",origin:"value",input:s,key:o,value:u};for(let p of l.issues)p.path?p.path.unshift(c):p.path=[c],n.issues?.push(p);if(n.issues||(n.issues=l.issues),r.abortEarly){n.typed=!1;break}}l.typed||(n.typed=!1),n.value[o]=l.value}else if(a.fallback!==void 0)n.value[o]=Xr(a);else if(a.type!=="exact_optional"&&a.type!=="optional"&&a.type!=="nullish"&&(J(this,"key",n,r,{input:void 0,expected:`"${o}"`,path:[{type:"object",origin:"key",input:s,key:o,value:s[o]}]}),r.abortEarly))break}}else J(this,"type",n,r);return n}}}i(S,"object");function G(t,e){return{kind:"schema",type:"optional",reference:G,expects:`(${t.expects} | undefined)`,async:!1,wrapped:t,default:e,get"~standard"(){return re(this)},"~run"(n,r){return n.value===void 0&&(this.default!==void 0&&(n.value=Zt(this,n,r)),n.value===void 0)?(n.typed=!0,n):this.wrapped["~run"](n,r)}}}i(G,"optional");function b(t){return{kind:"schema",type:"string",reference:b,expects:"string",async:!1,message:t,get"~standard"(){return re(this)},"~run"(e,n){return typeof e.value=="string"?e.typed=!0:J(this,"type",e,n),e}}}i(b,"string");function Jt(t){let e;if(t)for(let n of t)e?e.push(...n.issues):e=n.issues;return e}i(Jt,"_subIssues");function ie(t,e){return{kind:"schema",type:"union",reference:ie,expects:zr(t.map(n=>n.expects),"|"),async:!1,options:t,message:e,get"~standard"(){return re(this)},"~run"(n,r){let s,o,a;for(let u of this.options){let l=u["~run"]({value:n.value},r);if(l.typed)if(l.issues)o?o.push(l):o=[l];else{s=l;break}else a?a.push(l):a=[l]}if(s)return s;if(o){if(o.length===1)return o[0];J(this,"type",n,r,{issues:Jt(o)}),n.typed=!0}else{if(a?.length===1)return a[0];J(this,"type",n,r,{issues:Jt(a)})}return n}}}i(ie,"union");function en(t,e,n){let r=t["~run"]({value:e},at(n));if(r.issues)throw new Wr(r.issues);return r.value}i(en,"parse");function V(...t){return{...t[0],pipe:t,get"~standard"(){return re(this)},"~run"(e,n){for(let r of t)if(r.kind!=="metadata"){if(e.issues&&(r.kind==="schema"||r.kind==="transformation")){e.typed=!1;break}(!e.issues||!n.abortEarly&&!n.abortPipeEarly)&&(e=r["~run"](e,n))}return e}}}i(V,"pipe");function O(t,e,n){let r=t["~run"]({value:e},at(n));return{typed:r.typed,success:!r.issues,output:r.value,issues:r.issues}}i(O,"safeParse");var C=class{constructor(e,n,r){this.swish=e;this.eventBus=n;this.options=r}static{i(this,"IntentHandler")}};var Kr=".swish-shop-bridge{position:absolute!important;top:0!important;left:0!important;padding:0!important;border:0!important;margin:0!important;pointer-events:none!important}.swish-shop-bridge input{appearance:none!important;border:none!important;width:1px!important;height:1px!important;padding:0!important;margin:0!important;background:rgba(0,0,0,0)!important}",Yr=`<form class=swish-shop-bridge data-login-with-shop-sign-in=true id=customer_login><input name=customer[email] id=customer_login_email> <input name=return_url type=hidden value=${window.location.pathname}></form>`,ct=class extends HTMLElement{constructor(){super();this.swish=window.swish;this.emailInput=this.querySelector('form[data-login-with-shop-sign-in] input[type="email"],form[data-login-with-shop-sign-in] input[name="customer[email]"'),this.emailInput||(this.innerHTML=`
|
|
8
|
+
<style>${Kr}</style>
|
|
9
|
+
${Yr}
|
|
10
|
+
`,this.emailInput=this.querySelector("#customer_login_email")),this.shopModalObserver=new MutationObserver(n=>{n.forEach(r=>{r.attributeName==="style"&&document.documentElement.style.overflow==="hidden"&&this.dispatchEvent(new CustomEvent("shop-modal-open"))})}),this.shopModalObserver.observe(document.documentElement,{attributes:!0,attributeFilter:["style"]})}static{i(this,"ShopBridge")}disconnectedCallback(){this.shopModalObserver?.disconnect()}async load(){try{(window.Shopify?.featureAssets?.["shop-js"]?.["init-customer-accounts"]?.[0]??"").includes("init-customer-accounts")&&(await Promise.all(window.Shopify?.featureAssets?.["shop-js"]?.["init-customer-accounts"]?.map(r=>import(`/cdn/shopifycloud/shop-js/${r}`))??[]),window.Shopify?.SignInWithShop?.initCustomerAccounts?.(!0,{fedCMEnabled:!0,windoidEnabled:!1}))}catch(n){console.warn("Failed to initialize Shop JS",n)}}update(n){if(n.email&&(this.emailInput.value=n.email,this.emailInput.dispatchEvent(new Event("input"))),n.returnTo){let r=this.querySelector("input[name='return_url']");r&&(r.value=n.returnTo)}}};customElements.define("swish-shop-bridge",ct);var se={baseUrl:"/apps/wishlist",version:"0.0.0"},Ae,De,Re,nn=i(t=>{se=t},"setConfig"),Z=new Map,rn=i(async t=>{if(Z.has(t))return Z.get(t);let e=(async()=>{typeof t=="string"&&(t=await U(t)),!(!t||t.getAttribute("open")!=="true")&&t.setAttribute("open","false")})().finally(()=>{Z.delete(t)});return ti(),Z.set(t,e),e},"hideModal"),Q=i(async t=>{if(Z.has(t))return Z.get(t);let e=(async()=>{typeof t=="string"&&(t=await U(t)),!(!t||t.getAttribute("open")==="true")&&t.setAttribute("open","true")})().finally(()=>{Z.delete(t)});return ei(),Z.set(t,e),e},"showModal"),sn=i(async t=>{let e=await U("sign-in",{listeners:{close:i(()=>{t?.onClose?.()},"close")}});e.setAttribute("return-to",t?.returnTo??window.location.pathname),await Q(e)},"showSignIn"),on=i(async t=>{if(!t.itemId)throw new Error("An itemId is required to show the unsave alert");oe();let e=await U("unsave-alert",{listeners:{submit:i(n=>{n instanceof CustomEvent?t.onSubmit?.(n.detail):console.warn("Unsave alert submitted without detail",n)},"submit"),close:i(()=>{t.onClose?.()},"close")}});e.setAttribute("item-id",t.itemId),await Q(e)},"showUnsaveAlert"),an=i(async t=>{if(!t.listId)throw new Error("A listId is required to show the delete list alert");oe();let e=await U("delete-list-alert",{listeners:{submit:i(()=>{t.onSubmit?.()},"submit"),close:i(()=>{t.onClose?.()},"close")}});e.setAttribute("list-id",t.listId),await Q(e)},"showDeleteListAlert"),Pe=i(async t=>{oe();let e=await U("drawer",{listeners:{close:i(()=>{t?.onClose?.()},"close")}});e.setAttribute("account-url",h.routes.accountUrl),h.customer.id&&e.setAttribute("customer-id",h.customer.id),await Q(e)},"showDrawer"),un=i(async t=>{if(!t.listId)throw new Error("listId is required");oe();let e=await U("list-menu",{listeners:{close:i(n=>{t.onClose?.()},"close"),edit:i(n=>{n instanceof CustomEvent?t.onEdit?.(n.detail):console.warn("List menu submitted without detail",n)},"edit"),delete:i(n=>{n instanceof CustomEvent?t.onDelete?.():console.warn("List menu deleted without detail",n)},"delete")}});e.setAttribute("list-id",t.listId),await Q(e)},"showListMenu"),ln=i(async t=>{if(!t.itemId)throw new Error("itemId is required");oe();let e=await U("list-select",{listeners:{submit:i(async n=>{"detail"in n&&n.detail?t?.onSubmit?.(n.detail):console.warn("List select form submitted without detail",n)},"submit"),close:i(()=>{t.onClose?.()},"close"),unsave:i(n=>{n instanceof CustomEvent?t.onUnsave?.(n.detail):console.warn("List select unsave without detail",n)},"unsave")}});e.setAttribute("item-id",t.itemId),await Q(e)},"showListSelect"),cn=i(async t=>{await U("toast-manager",{onHydrated:i(e=>{e.current.show(t)},"onHydrated")})},"showToast"),oe=i(async()=>{pt("toast-manager")&&await U("toast-manager",{onHydrated:i(t=>{t.current.clear()},"onHydrated")})},"hideAllToasts"),pn=i(async t=>{oe();let e=await U("variant-select",{listeners:{submit:i(async n=>{"detail"in n&&n.detail?t?.onSubmit?.(n.detail):console.warn("Variant select form submitted without detail",n)},"submit"),close:i(()=>{t?.onClose?.()},"close")}});if(t?.productId)e.setAttribute("product-id",t.productId);else if(t?.productHandle)e.setAttribute("product-handle",t.productHandle);else throw new Error("Either productId or productHandle must be provided");t?.variantId&&e.setAttribute("variant-id",t.variantId),t?.displayType&&e.setAttribute("display-type",t.displayType),await Q(e)},"showVariantSelect"),fn=i(async t=>{oe();let e=await U("quick-buy",{listeners:{submit:i(async n=>{"detail"in n&&n.detail?t?.onSubmit?.(n.detail):console.warn("Quick buy form submitted without detail",n)},"submit"),close:i(()=>{t?.onClose?.()},"close")}});if(t?.productId)e.setAttribute("product-id",t.productId);else throw new Error("ProductId must be provided");t?.variantId&&e.setAttribute("variant-id",t.variantId),await Q(e)},"showQuickBuy"),_e=i(async t=>{let e=await U("list-editor",{listeners:{submit:i(async n=>{"detail"in n&&n.detail?t?.onSubmit?.(n.detail):console.warn("List editor form submitted without detail",n)},"submit"),close:i(()=>{t?.onClose?.()},"close")}});t?.listId&&e.setAttribute("list-id",t.listId),await Q(e)},"showListEditor"),dn=i(async({onShopModalOpen:t})=>{let e=document.querySelector("swish-shop-bridge");if(e||(document.body.insertAdjacentHTML("beforeend","<swish-shop-bridge></swish-shop-bridge>"),e=document.querySelector("swish-shop-bridge")),!e)throw new Error("Failed to initialize Shop Bridge");return e.addEventListener("shop-modal-open",()=>t(),{once:!0}),await e.load(),e},"initShopBridge"),be=i(async()=>Re||(Re=fetch(`${se?.baseUrl??""}/ui@${se.version}/manifest.json`).then(t=>t.json()),Re),"loadManifest"),tn=new Map,U=i(async(t,e)=>{let n=await be(),r=n.prerender[t],s=`${se?.baseUrl??""}/ui@${se?.version}/${n.scripts[t]}`,o=e?.instance,a=e?.listeners,u=pt(t,o)??await Zr({name:t,template:r,refElement:document.body,position:"beforeend",instance:o});u.shadowRoot&&!u.hasAttribute("hydrated")?Promise.all([Jr(),import(s)]).then(([l,{hydrate:c}])=>{u.shadowRoot&&l&&(u.shadowRoot.adoptedStyleSheets=[...u.shadowRoot.adoptedStyleSheets,l]),c(u),u.setAttribute("hydrated",""),e?.onHydrated?.(u.getComponentRef())}):u.hasAttribute("hydrated")&&e?.onHydrated?.(u.getComponentRef());for(let{event:l,listener:c}of tn.values())u.removeEventListener(l,c);for(let[l,c]of Object.entries(a??{}))tn.set(`${t}-${o}-${l}`,{event:l,listener:c}),u.addEventListener(l,c);return u},"requireUiComponent");async function Jr(){return De||(De=new Promise((t,e)=>be().then(n=>n.stylesheets.nonCritical?fetch(`${se?.baseUrl??""}/ui@${se?.version}/${n.stylesheets.nonCritical}`):new Response("")).then(n=>n.text()).then(n=>{let r=new CSSStyleSheet;r.replaceSync(n),t(r)}).catch(e)),De)}i(Jr,"loadNonCriticalStylesheet");var Zr=i(async({name:t,instance:e,template:n,position:r,refElement:s})=>{s.insertAdjacentHTML(r,n.replace(' shadowrootmode="open"',""));let o=pt(t,e);if(!o)throw new Error(`Element ${t} not found in DOM`);if(!Ae){let a=await be();Ae=new CSSStyleSheet,Ae.replaceSync(a.css.critical)}return o.shadowRoot&&(o.shadowRoot.adoptedStyleSheets=[Ae]),o},"insertComponent"),pt=i((t,e)=>{let n=`swish-ui[ref="${t}${e?`-${e}`:""}"]`;return document.querySelector(n)},"queryComponent"),de,Ie=0,ke=0,ei=i(()=>{Ie++,Ie===1&&(ke=window.scrollY,de||(de=new CSSStyleSheet,document.adoptedStyleSheets=[...document.adoptedStyleSheets,de]),de.replaceSync(`
|
|
11
11
|
html[locked] body {
|
|
12
12
|
overflow: hidden;
|
|
13
13
|
position: fixed;
|
|
@@ -15,8 +15,8 @@ Values:
|
|
|
15
15
|
left: 0px;
|
|
16
16
|
right: 0px;
|
|
17
17
|
}
|
|
18
|
-
`),document.documentElement.setAttribute("locked",""))},"lockScroll"),Zn=i(()=>{Ie>0&&Ie--,Ie===0&&(fe&&fe.replaceSync(""),window.scrollTo({top:ke,behavior:"instant"}),ke=0,document.documentElement.removeAttribute("locked"))},"unlockScroll");typeof requestIdleCallback=="function"?requestIdleCallback(()=>{be()}):setTimeout(()=>{be()},1e3);var ei=A({itemId:M(L(E())),productId:L(ie([L(E(),N(P)),U()]),N(t=>Number(t)),U()),variantId:M(L(ie([L(E(),N(P)),U()]),N(t=>Number(t)),U()))}),he=class extends C{static{i(this,"EditItemVariantHandler")}async invoke(e,r=!1){return new Promise(n=>{let s=e.data,o=G(ei,s);if(!o.success){n({code:"error",message:"Invalid intent data",issues:o.issues.map(c=>c.message)});return}let{itemId:a,productId:u,variantId:l}=o.output;lr({productId:u.toString(),variantId:l?.toString(),onClose:i(()=>{n({code:"closed"})},"onClose"),onSubmit:i(async c=>{let{item:p,product:d,variant:v}=c,y={code:"ok",data:{item:p,product:d,variant:v}};r||this.eventBus.dispatchEvent(new CustomEvent("edit:swish/ItemVariant",{detail:y})),n(y)},"onSubmit")})})}};var ti=A({productId:L(ie([L(E(),N(P)),U()]),N(t=>Number(t)),U()),variantId:M(L(ie([L(E(),N(P)),U()]),N(Number),U())),quantity:M(L(U(),at(1))),tags:M(ut(E()))}),_e=class extends C{static{i(this,"CreateItemHandler")}async invoke(e){let r=e.data,n=G(ti,r);if(!n.success)return{code:"error",message:"Invalid intent data",issues:n.issues.map(v=>v.message)};let{productId:s,variantId:o,quantity:a,tags:u}=n.output,l=await this.swish.storefront.loadSaveIntentData({productId:w("Product",s),variantId:o?w("ProductVariant",o):void 0});if(l.errors)return{code:"error",message:l.errors.message??"Failed to load save intent data",issues:l.errors.graphQLErrors?.map(v=>v.message)??[]};if(!l.data||!l.data.product)return{code:"error",message:"Failed to load save intent data",issues:["API response missing data"]};let{product:c}=l.data,p=c.variantsCount?.count&&c.variantsCount.count>1;if(!p||this.options.allowSaveWithoutVariant){let v=i(()=>!p&&c.selectedOrFirstAvailableVariant?Number(P(c.selectedOrFirstAvailableVariant.id)):o,"variantIdToUse"),y=await this.swish.api.items.create({productId:s,variantId:v(),quantity:a,tags:u});if("error"in y)return{code:"error",message:"Failed to create item",issues:[y.error.message]};if(!y.data)return{code:"error",message:"Could not complete item creation",issues:["API response missing data"]};let k="variant"in l.data?l.data.variant:void 0,m={code:"ok",data:{item:y.data,product:c,variant:p?k:c.selectedOrFirstAvailableVariant}};return this.eventBus.dispatchEvent(new CustomEvent("create:swish/Item",{detail:m})),m}let d=await new he(this.swish,this.eventBus,this.options).invoke({action:"edit",type:"swish/ItemVariant",data:{productId:s,variantId:o}});return this.eventBus.dispatchEvent(new CustomEvent("create:swish/Item",{detail:d})),d}};var Oe=class extends C{static{i(this,"CreateListHandler")}async invoke(e){return new Promise(r=>{Te({onClose:i(()=>{r({code:"closed"})},"onClose"),onSubmit:i(async n=>{let{list:s}=n;r({code:"ok",data:{list:s}})},"onSubmit")})})}};var ri=A({itemId:E()}),$e=class extends C{static{i(this,"DeleteItemHandler")}async invoke(e){return new Promise(r=>{let n=G(ri,e.data);if(!n.success){r({code:"error",message:"Invalid intent data",issues:n.issues.map(o=>o.message)});return}let{itemId:s}=n.output;ir({itemId:s,onClose:i(()=>{r({code:"closed"})},"onClose"),onSubmit:i(()=>{r({code:"ok",data:{itemId:s}})},"onSubmit")})})}};var ni=A({listId:E()}),Le=class extends C{static{i(this,"DeleteListHandler")}async invoke(e){return new Promise(r=>{let n=e.data,s=G(ni,n);if(!s.success){r({code:"error",message:"Invalid intent data",issues:s.issues.map(a=>a.message)});return}let{listId:o}=s.output;sr({listId:o,onClose:i(()=>{r({code:"closed"})},"onClose"),onSubmit:i(async()=>{r({code:"ok",data:{listId:o}})},"onSubmit")})})}};var ii=A({itemId:E()}),Ve=class extends C{static{i(this,"EditItemListsHandler")}async invoke(e,r=!1){return new Promise(n=>{let s=e.data,o=G(ii,s);if(!o.success){n({code:"error",message:"Invalid intent data",issues:o.issues.map(u=>u.message)});return}let{itemId:a}=o.output;ar({itemId:a,onClose:i(()=>{n({code:"closed"})},"onClose"),onSubmit:i(async u=>{let{item:l,product:c,variant:p}=u,d={code:"ok",data:{item:l,product:c,variant:p}};r||this.eventBus.dispatchEvent(new CustomEvent("edit:swish/ItemLists",{detail:d})),n(d)},"onSubmit"),onUnsave(u){let l={code:"ok",data:{itemId:u.itemId}};n(l)}})})}};var si=A({listId:E()}),qe=class extends C{static{i(this,"EditListHandler")}async invoke(e){return new Promise(r=>{let n=e.data,s=G(si,n);if(!s.success){r({code:"error",message:"Invalid intent data",issues:s.issues.map(a=>a.message)});return}let{listId:o}=s.output;Te({listId:o,onClose:i(()=>{r({code:"closed"})},"onClose"),onSubmit:i(async a=>{let{list:u}=a;r({code:"ok",data:{list:u}})},"onSubmit")})})}};var Ne=class extends C{static{i(this,"OpenHomeHandler")}async invoke(e){return new Promise(r=>{Pe({onClose:i(()=>{r({code:"closed"})},"onClose")})})}};var oi=A({listId:E()}),Ge=class extends C{static{i(this,"OpenListMenuHandler")}async invoke(e){return new Promise(r=>{let n=e.data,s=G(oi,n);if(!s.success){r({code:"error",message:"Invalid intent data",issues:s.issues.map(a=>a.message)});return}let{listId:o}=s.output;or({listId:o,onClose:i(()=>{r({code:"closed"})},"onClose"),onEdit:i(a=>{r({code:"ok",data:a})},"onEdit"),onDelete:i(()=>{r({code:"ok",data:{listId:o}})},"onDelete")})})}};var $o=A({returnTo:M(E())}),je=class extends C{static{i(this,"OpenSignInHandler")}async invoke(e){return new Promise(r=>{nr({returnTo:e.data?.returnTo,onClose:i(()=>{r({code:"closed"})},"onClose")})})}};var ye=class{constructor(e,r){this.swish=e;this.options=r}static{i(this,"IntentHook")}};var Be=class extends ye{static{i(this,"AfterCreateItemHook")}async invoke(e){if(this.options.showToastAfterSave&&e.code==="ok"){let{item:r,product:n,variant:s}=e.data;n&&this.swish.ui.showToast({title:"Saved",text:n.title,image:s?.image?.url??n.featuredImage?.url,action:{label:"Add to List",onClick:i(()=>{this.swish.intents.invoke({action:"edit",type:"swish/ItemLists",data:{itemId:r.id}})},"onClick")}})}}};var Ue=class extends ye{static{i(this,"AfterEditItemListsHook")}async invoke(e){if(this.options.showToastAfterSave&&e.code==="ok"){if("itemId"in e.data)return;let{item:r,product:n,variant:s}=e.data;n&&this.swish.ui.showToast({title:"Saved",text:n.title,image:s?.image?.url??n.featuredImage?.url,action:{label:"View",onClick:i(()=>{Pe()},"onClick")}})}}};var Me=class{static{i(this,"Intents")}constructor(e,r){this.swish=e,this.eventBus=new EventTarget,this.options=r,this.initIntentHooks(),this.initIntentWatcher()}async invoke(e){let r=this.parseIntent(e);return{intent:r,complete:this.handleIntent(r)}}listen(e,r){let n=this.getIntentQuery(e),s=i(a=>{"detail"in a&&a.detail?r(a.detail):console.warn("Intent response event without detail",a)},"eventListener"),o=i(()=>{this.eventBus.removeEventListener(n,s)},"unsubscribe");return this.eventBus.addEventListener(n,s),o}getIntentQuery(e){return`${e.action}:${e.type}`}parseIntent(e){if(typeof e=="string"){let[r,...n]=e.split(","),[s,o]=r.split(":"),a=n.reduce((u,l)=>{let[c,p]=l.split("=");return u[c]=p,u},{});return{action:s,type:o,data:a}}return e}async handleIntent(e){return e.action==="create"&&e.type==="swish/Item"?new _e(this.swish,this.eventBus,this.options).invoke(e):e.action==="delete"&&e.type==="swish/Item"?new $e(this.swish,this.eventBus,this.options).invoke(e):e.action==="edit"&&e.type==="swish/ItemVariant"?new he(this.swish,this.eventBus,this.options).invoke(e):e.action==="edit"&&e.type==="swish/ItemLists"?new Ve(this.swish,this.eventBus,this.options).invoke(e):e.action==="create"&&e.type==="swish/List"?new Oe(this.swish,this.eventBus,this.options).invoke(e):e.action==="edit"&&e.type==="swish/List"?new qe(this.swish,this.eventBus,this.options).invoke(e):e.action==="delete"&&e.type==="swish/List"?new Le(this.swish,this.eventBus,this.options).invoke(e):e.action==="open"&&e.type==="swish/Home"?new Ne(this.swish,this.eventBus,this.options).invoke(e):e.action==="open"&&e.type==="swish/ListMenu"?new Ge(this.swish,this.eventBus,this.options).invoke(e):e.action==="open"&&e.type==="swish/SignIn"?new je(this.swish,this.eventBus,this.options).invoke(e):{code:"error",message:"Invalid intent",issues:["Invalid intent"]}}initIntentHooks(){this.eventBus.addEventListener("create:swish/Item",e=>{new Be(this.swish,this.options).invoke(e.detail)}),this.eventBus.addEventListener("edit:swish/ItemLists",e=>{new Ue(this.swish,this.options).invoke(e.detail)})}initIntentWatcher(){ge({selector:"[swish-intent]",onElementFound:i(e=>{let r=this.parseIntent(e.getAttribute("swish-intent"));r&&e.addEventListener("click",()=>{this.handleIntent(r)})},"onElementFound")}),ge({selector:"a[href*='swish-intent=']",onElementFound:i(e=>{e instanceof HTMLAnchorElement&&e.addEventListener("click",r=>{if(!r.metaKey&&!r.ctrlKey&&!r.shiftKey&&!r.altKey){let s=new URL(e.href).searchParams.get("swish-intent");if(s){let o=this.parseIntent(s);o&&(r.preventDefault(),r.stopPropagation(),this.handleIntent(o))}}})},"onElementFound")}),pe({fireOnInit:!0,onLocationChange:i(e=>{let r=new URLSearchParams(window.location.search).get("swish-intent");if(r){let n=this.parseIntent(r);if(n){this.handleIntent(n);let s=new URL(window.location.href);s.searchParams.delete("swish-intent"),window.history.replaceState({},document.title,s.toString())}}},"onLocationChange")})}};var ai=Symbol.for("preact-signals");function He(){if(ee>1)ee--;else{for(var t,e=!1;we!==void 0;){var r=we;for(we=void 0,pt++;r!==void 0;){var n=r.o;if(r.o=void 0,r.f&=-3,!(8&r.f)&&dr(r))try{r.c()}catch(s){e||(t=s,e=!0)}r=n}}if(pt=0,ee--,e)throw t}}i(He,"t");function te(t){if(ee>0)return t();ee++;try{return t()}finally{He()}}i(te,"r");var I=void 0;function pr(t){var e=I;I=void 0;try{return t()}finally{I=e}}i(pr,"n");var we=void 0,ee=0,pt=0,Fe=0;function fr(t){if(I!==void 0){var e=t.n;if(e===void 0||e.t!==I)return e={i:0,S:t,p:I.s,n:void 0,t:I,e:void 0,x:void 0,r:e},I.s!==void 0&&(I.s.n=e),I.s=e,t.n=e,32&I.f&&t.S(e),e;if(e.i===-1)return e.i=0,e.n!==void 0&&(e.n.p=e.p,e.p!==void 0&&(e.p.n=e.n),e.p=I.s,e.n=void 0,I.s.n=e,I.s=e),e}}i(fr,"e");function V(t,e){this.v=t,this.i=0,this.n=void 0,this.t=void 0,this.W=e?.watched,this.Z=e?.unwatched,this.name=e?.name}i(V,"u");V.prototype.brand=ai;V.prototype.h=function(){return!0};V.prototype.S=function(t){var e=this,r=this.t;r!==t&&t.e===void 0&&(t.x=r,this.t=t,r!==void 0?r.e=t:pr(function(){var n;(n=e.W)==null||n.call(e)}))};V.prototype.U=function(t){var e=this;if(this.t!==void 0){var r=t.e,n=t.x;r!==void 0&&(r.x=n,t.e=void 0),n!==void 0&&(n.e=r,t.x=void 0),t===this.t&&(this.t=n,n===void 0&&pr(function(){var s;(s=e.Z)==null||s.call(e)}))}};V.prototype.subscribe=function(t){var e=this;return B(function(){var r=e.value,n=I;I=void 0;try{t(r)}finally{I=n}},{name:"sub"})};V.prototype.valueOf=function(){return this.value};V.prototype.toString=function(){return this.value+""};V.prototype.toJSON=function(){return this.value};V.prototype.peek=function(){var t=I;I=void 0;try{return this.value}finally{I=t}};Object.defineProperty(V.prototype,"value",{get:i(function(){var t=fr(this);return t!==void 0&&(t.i=this.i),this.v},"get"),set:i(function(t){if(t!==this.v){if(pt>100)throw new Error("Cycle detected");this.v=t,this.i++,Fe++,ee++;try{for(var e=this.t;e!==void 0;e=e.x)e.t.N()}finally{He()}}},"set")});function S(t,e){return new V(t,e)}i(S,"d");function dr(t){for(var e=t.s;e!==void 0;e=e.n)if(e.S.i!==e.i||!e.S.h()||e.S.i!==e.i)return!0;return!1}i(dr,"c");function hr(t){for(var e=t.s;e!==void 0;e=e.n){var r=e.S.n;if(r!==void 0&&(e.r=r),e.S.n=e,e.i=-1,e.n===void 0){t.s=e;break}}}i(hr,"a");function yr(t){for(var e=t.s,r=void 0;e!==void 0;){var n=e.p;e.i===-1?(e.S.U(e),n!==void 0&&(n.n=e.n),e.n!==void 0&&(e.n.p=n)):r=e,e.S.n=e.r,e.r!==void 0&&(e.r=void 0),e=n}t.s=r}i(yr,"l");function oe(t,e){V.call(this,void 0),this.x=t,this.s=void 0,this.g=Fe-1,this.f=4,this.W=e?.watched,this.Z=e?.unwatched,this.name=e?.name}i(oe,"y");oe.prototype=new V;oe.prototype.h=function(){if(this.f&=-3,1&this.f)return!1;if((36&this.f)==32||(this.f&=-5,this.g===Fe))return!0;if(this.g=Fe,this.f|=1,this.i>0&&!dr(this))return this.f&=-2,!0;var t=I;try{hr(this),I=this;var e=this.x();(16&this.f||this.v!==e||this.i===0)&&(this.v=e,this.f&=-17,this.i++)}catch(r){this.v=r,this.f|=16,this.i++}return I=t,yr(this),this.f&=-2,!0};oe.prototype.S=function(t){if(this.t===void 0){this.f|=36;for(var e=this.s;e!==void 0;e=e.n)e.S.S(e)}V.prototype.S.call(this,t)};oe.prototype.U=function(t){if(this.t!==void 0&&(V.prototype.U.call(this,t),this.t===void 0)){this.f&=-33;for(var e=this.s;e!==void 0;e=e.n)e.S.U(e)}};oe.prototype.N=function(){if(!(2&this.f)){this.f|=6;for(var t=this.t;t!==void 0;t=t.x)t.t.N()}};Object.defineProperty(oe.prototype,"value",{get:i(function(){if(1&this.f)throw new Error("Cycle detected");var t=fr(this);if(this.h(),t!==void 0&&(t.i=this.i),16&this.f)throw this.v;return this.v},"get")});function j(t,e){return new oe(t,e)}i(j,"w");function mr(t){var e=t.u;if(t.u=void 0,typeof e=="function"){ee++;var r=I;I=void 0;try{e()}catch(n){throw t.f&=-2,t.f|=8,ft(t),n}finally{I=r,He()}}}i(mr,"_");function ft(t){for(var e=t.s;e!==void 0;e=e.n)e.S.U(e);t.x=void 0,t.s=void 0,mr(t)}i(ft,"b");function ui(t){if(I!==this)throw new Error("Out-of-order effect");yr(this),I=t,this.f&=-2,8&this.f&&ft(this),He()}i(ui,"g");function me(t,e){this.x=t,this.u=void 0,this.s=void 0,this.o=void 0,this.f=32,this.name=e?.name}i(me,"p");me.prototype.c=function(){var t=this.S();try{if(8&this.f||this.x===void 0)return;var e=this.x();typeof e=="function"&&(this.u=e)}finally{t()}};me.prototype.S=function(){if(1&this.f)throw new Error("Cycle detected");this.f|=1,this.f&=-9,mr(this),hr(this),ee++;var t=I;return I=this,ui.bind(this,t)};me.prototype.N=function(){2&this.f||(this.f|=2,this.o=we,we=this)};me.prototype.d=function(){this.f|=8,1&this.f||ft(this)};me.prototype.dispose=function(){this.d()};function B(t,e){var r=new me(t,e);try{r.c()}catch(s){throw r.d(),s}var n=r.d.bind(r);return n[Symbol.dispose]=n,n}i(B,"E");var li=/^(?:https?:\/\/[^/]+)?(?:\/[a-z]{2})?\/products\/([^/?#]+)(?:\?variant=(\d+))?/,dt=i(t=>{let e=t.match(li);return e?{productHandle:e[1],variantId:e[2]}:null},"parseProductUrl"),vr=i(({source:t,onProductUrlChange:e})=>{let r=i(n=>{let s=dt(n);s?.productHandle&&e(s)},"handleChange");if(t instanceof HTMLAnchorElement)return Kt({element:t,onHrefChange:i(n=>r(n),"onHrefChange")});if(t instanceof Location)return pe({onLocationChange:i(n=>r(n.href),"onLocationChange")});throw new Error("Invalid source for observing product url")},"observeProductUrl");var gr=i(t=>e=>{let{productHandle:r,productId:n,variantId:s,itemId:o}=e?.dataset??{},l=!!(n||r)||!!o,c=S({loading:!1,productId:n,variantId:s,itemId:o});if(!l){let p=e instanceof HTMLAnchorElement?e:window.location,d=dt(p.href);d?.productHandle&&d.productHandle!==c.value.productHandle&&(c.value={...c.value,...d,productId:void 0},vr({source:p,onProductUrlChange:i(v=>{c.value={...c.value,...v,productId:v.productHandle!==c.value.productHandle?void 0:c.value.productId}},"onProductUrlChange")}))}return B(()=>{c.value.loading||!c.value.productId&&c.value.productHandle&&(c.value={...c.value,loading:!0},t.storefront.loadProductId({productHandle:c.value.productHandle}).then(p=>{p.errors&&console.error("Error loading product id",p.errors),c.value={...c.value,productId:p.data?.product?.id?P(p.data.product.id):void 0,loading:!1}}))}),c},"itemContextSignal");var Ir=i(t=>e=>{let r=j(()=>{let{productId:b,variantId:g,loading:T}=e.value;return!b||T?null:g?`variant:${P(g)}`:`product:${P(b)}`}),n=j(()=>e.value.loading||!!e.value.itemId||!e.value.productId),s=j(()=>({limit:1,query:r.value??void 0})),o=S(!n.value),a=S(null),u=S(!1),l=S(!1),{data:c,loading:p,error:d,refetching:v}=t.state.swishQuery(b=>t.api.items.list(b),{refetch:["item-create","item-update","item-delete"],variables:s,skip:n}),y=S(e.value.itemId??null);B(()=>{te(()=>{if(o.value=p.value,a.value=d.value,!e.value.itemId){let b=c.value?.[0]?.id??null;b!==y.value&&(y.value=b)}})});async function k(){if(!y.value)return;u.value=!0,(await(await t.intents.invoke({action:"delete",type:"swish/Item",data:{itemId:y.value}})).complete).code==="ok"&&(y.value=null),u.value=!1}i(k,"unsave");async function m(){if(!y.value)return;u.value=!0;let g=await(await t.intents.invoke({action:"edit",type:"swish/ItemLists",data:{itemId:y.value}})).complete;g.code==="ok"&&"itemId"in g.data&&(y.value=null),u.value=!1}i(m,"update");async function x(){let{productId:b,variantId:g}=e.value;if(!b)return;u.value=!0,l.value=!0;let _=await(await t.intents.invoke({action:"create",type:"swish/Item",data:{productId:b,variantId:g}})).complete;if(_.code==="ok"){let ve=_.data;y.value=ve.item.id,u.value=!1}else _.code==="error"&&console.warn("Failed to create item",_),te(()=>{u.value=!1,l.value=!1})}i(x,"save");let $=j(()=>o.value||u.value||e.value.loading);B(()=>{l.value&&!u.value&&!v.value&&(l.value=!1)});let R=j(()=>{let b=v.value&&l.value,g=!!y.value,T=!g&&(u.value||b),_=g&&(u.value||b),ve=j(()=>T?"saving":_?"unsaving":g?"saved":"unsaved");return{error:a.value,status:ve.value,savedItemId:y.value,loading:$.value,submitting:u.value,saved:g,saving:T,unsaving:_}});async function Q(){$.value||(R.value.saved&&R.value.savedItemId?m():R.value.saved||await x())}return i(Q,"toggle"),Object.assign(R,{save:x,unsave:k,update:m,toggle:Q})},"itemStateSignal");var br=i(t=>()=>{let{data:e,loading:r,error:n}=t.state.swishQuery(()=>t.api.items.count(),{refetch:["item-create","item-delete"]}),s=S(0),o=S(!0),a=S(null);return B(()=>{te(()=>{o.value=r.value,a.value=n.value,s.value=e.value?.count??0})}),j(()=>({count:s.value,loading:o.value,error:a.value}))},"itemCountSignal");var wr=i(t=>(e,r)=>{let n=S(null),s=S(null),o=S(null),a=S(!r?.skip),u=S(!1),l=j(()=>a.value&&u.value);async function c(){if(!r?.skip?.value)try{a.value=!0;let p=await e(r?.variables?.value);te(()=>{o.value="error"in p?p.error:null,n.value="data"in p?p.data:null,s.value="pageInfo"in p?p.pageInfo:null,a.value=!1,u.value=!0})}catch(p){te(()=>{o.value=p,a.value=!1,u.value=!0})}}return i(c,"executeFetch"),B(()=>{if(c(),r?.refetch?.length)return t.events.subscribe(r.refetch,c)}),{data:n,pageInfo:s,error:o,loading:a,refetching:l}},"swishQuerySignals");var ae="GraphQL Client";var ht="An error occurred while fetching from the API. Review 'graphQLErrors' for details.",yt="Response returned unexpected Content-Type:",mt="An unknown error has occurred. The API did not return a data object or any errors in its response.",Qe={json:"application/json",multipart:"multipart/mixed"},vt="X-SDK-Variant",gt="X-SDK-Version",Cr="shopify-graphql-client",Sr="1.4.1",ze=1e3,xr=[429,503],It=/@(defer)\b/i,Er=`\r
|
|
19
|
-
`,
|
|
18
|
+
`),document.documentElement.setAttribute("locked",""))},"lockScroll"),ti=i(()=>{Ie>0&&Ie--,Ie===0&&(de&&de.replaceSync(""),window.scrollTo({top:ke,behavior:"instant"}),ke=0,document.documentElement.removeAttribute("locked"))},"unlockScroll");typeof requestIdleCallback=="function"?requestIdleCallback(()=>{be()}):setTimeout(()=>{be()},1e3);var ni=S({itemId:G(V(b())),productId:V(ie([V(b(),N(P)),F()]),N(t=>Number(t)),F()),variantId:G(V(ie([V(b(),N(P)),F()]),N(t=>Number(t)),F()))}),he=class extends C{static{i(this,"EditItemVariantHandler")}async invoke(e,n=!1){return new Promise(r=>{let s=e.data,o=O(ni,s);if(!o.success){r({code:"error",message:"Invalid intent data",issues:o.issues.map(c=>c.message)});return}let{itemId:a,productId:u,variantId:l}=o.output;pn({productId:u.toString(),variantId:l?.toString(),onClose:i(()=>{r({code:"closed"})},"onClose"),onSubmit:i(async c=>{let{item:p,product:d,variant:v}=c,y={code:"ok",data:{item:p,product:d,variant:v}};n||this.eventBus.dispatchEvent(new CustomEvent("edit:swish/ItemVariant",{detail:y})),r(y)},"onSubmit")})})}};var ri=S({productId:V(ie([V(b(),N(P)),F()]),N(t=>Number(t)),F()),variantId:G(V(ie([V(b(),N(P)),F()]),N(Number),F())),quantity:G(V(F(),ut(1))),tags:G(lt(b()))}),Te=class extends C{static{i(this,"CreateItemHandler")}async invoke(e){let n=e.data,r=O(ri,n);if(!r.success)return{code:"error",message:"Invalid intent data",issues:r.issues.map(v=>v.message)};let{productId:s,variantId:o,quantity:a,tags:u}=r.output,l=await this.swish.storefront.loadSaveIntentData({productId:E("Product",s),variantId:o?E("ProductVariant",o):void 0});if(l.errors)return{code:"error",message:l.errors.message??"Failed to load save intent data",issues:l.errors.graphQLErrors?.map(v=>v.message)??[]};if(!l.data||!l.data.product)return{code:"error",message:"Failed to load save intent data",issues:["API response missing data"]};let{product:c}=l.data,p=c.variantsCount?.count&&c.variantsCount.count>1;if(!p||this.options.allowSaveWithoutVariant){let v=i(()=>!p&&c.selectedOrFirstAvailableVariant?Number(P(c.selectedOrFirstAvailableVariant.id)):o,"variantIdToUse"),y=await this.swish.api.items.create({productId:s,variantId:v(),quantity:a,tags:u});if("error"in y)return{code:"error",message:"Failed to create item",issues:[y.error.message]};if(!y.data)return{code:"error",message:"Could not complete item creation",issues:["API response missing data"]};let k="variant"in l.data?l.data.variant:void 0,m={code:"ok",data:{item:y.data,product:c,variant:p?k:c.selectedOrFirstAvailableVariant}};return this.eventBus.dispatchEvent(new CustomEvent("create:swish/Item",{detail:m})),m}let d=await new he(this.swish,this.eventBus,this.options).invoke({action:"edit",type:"swish/ItemVariant",data:{productId:s,variantId:o}});return this.eventBus.dispatchEvent(new CustomEvent("create:swish/Item",{detail:d})),d}};var Oe=class extends C{static{i(this,"CreateListHandler")}async invoke(e){return new Promise(n=>{_e({onClose:i(()=>{n({code:"closed"})},"onClose"),onSubmit:i(async r=>{let{list:s}=r;n({code:"ok",data:{list:s}})},"onSubmit")})})}};var ii=S({itemId:b()}),Le=class extends C{static{i(this,"DeleteItemHandler")}async invoke(e){return new Promise(n=>{let r=O(ii,e.data);if(!r.success){n({code:"error",message:"Invalid intent data",issues:r.issues.map(o=>o.message)});return}let{itemId:s}=r.output;on({itemId:s,onClose:i(()=>{n({code:"closed"})},"onClose"),onSubmit:i(()=>{n({code:"ok",data:{itemId:s}})},"onSubmit")})})}};var si=S({listId:b()}),$e=class extends C{static{i(this,"DeleteListHandler")}async invoke(e){return new Promise(n=>{let r=e.data,s=O(si,r);if(!s.success){n({code:"error",message:"Invalid intent data",issues:s.issues.map(a=>a.message)});return}let{listId:o}=s.output;an({listId:o,onClose:i(()=>{n({code:"closed"})},"onClose"),onSubmit:i(async()=>{n({code:"ok",data:{listId:o}})},"onSubmit")})})}};var oi=S({itemId:b()}),Ve=class extends C{static{i(this,"EditItemListsHandler")}async invoke(e,n=!1){return new Promise(r=>{let s=e.data,o=O(oi,s);if(!o.success){r({code:"error",message:"Invalid intent data",issues:o.issues.map(u=>u.message)});return}let{itemId:a}=o.output;ln({itemId:a,onClose:i(()=>{r({code:"closed"})},"onClose"),onSubmit:i(async u=>{let{item:l,product:c,variant:p}=u,d={code:"ok",data:{item:l,product:c,variant:p}};n||this.eventBus.dispatchEvent(new CustomEvent("edit:swish/ItemLists",{detail:d})),r(d)},"onSubmit"),onUnsave(u){let l={code:"ok",data:{itemId:u.itemId}};r(l)}})})}};var ai=S({listId:b()}),qe=class extends C{static{i(this,"EditListHandler")}async invoke(e){return new Promise(n=>{let r=e.data,s=O(ai,r);if(!s.success){n({code:"error",message:"Invalid intent data",issues:s.issues.map(a=>a.message)});return}let{listId:o}=s.output;_e({listId:o,onClose:i(()=>{n({code:"closed"})},"onClose"),onSubmit:i(async a=>{let{list:u}=a;n({code:"ok",data:{list:u}})},"onSubmit")})})}};var Be=class extends C{static{i(this,"OpenHomeHandler")}async invoke(e){return new Promise(n=>{Pe({onClose:i(()=>{n({code:"closed"})},"onClose")})})}};var ui=S({listId:b()}),Ne=class extends C{static{i(this,"OpenListMenuHandler")}async invoke(e){return new Promise(n=>{let r=e.data,s=O(ui,r);if(!s.success){n({code:"error",message:"Invalid intent data",issues:s.issues.map(a=>a.message)});return}let{listId:o}=s.output;un({listId:o,onClose:i(()=>{n({code:"closed"})},"onClose"),onEdit:i(a=>{n({code:"ok",data:a})},"onEdit"),onDelete:i(()=>{n({code:"ok",data:{listId:o}})},"onDelete")})})}};var qo=S({returnTo:G(b())}),Ge=class extends C{static{i(this,"OpenSignInHandler")}async invoke(e){return new Promise(n=>{sn({returnTo:e.data?.returnTo,onClose:i(()=>{n({code:"closed"})},"onClose")})})}};var li=S({productId:b(),variantId:G(b())}),je=class extends C{static{i(this,"OpenQuickBuyHandler")}async invoke(e){return new Promise(n=>{let r=O(li,e.data);if(!r.success){n({code:"error",message:"Invalid intent data",issues:r.issues.map(a=>a.message)});return}let{productId:s,variantId:o}=r.output;fn({productId:s,variantId:o,onClose:i(()=>{n({code:"closed"})},"onClose"),onSubmit:i(a=>{n({code:"ok",data:a})},"onSubmit")})})}};var ye=class{constructor(e,n){this.swish=e;this.options=n}static{i(this,"IntentHook")}};var Ue=class extends ye{static{i(this,"AfterCreateItemHook")}async invoke(e){if(this.options.showToastAfterSave&&e.code==="ok"){let{item:n,product:r,variant:s}=e.data;r&&this.swish.ui.showToast({title:"Saved",text:r.title,image:s?.image?.url??r.featuredImage?.url,action:{label:"Add to List",onClick:i(()=>{this.swish.intents.invoke({action:"edit",type:"swish/ItemLists",data:{itemId:n.id}})},"onClick")}})}}};var Me=class extends ye{static{i(this,"AfterEditItemListsHook")}async invoke(e){if(this.options.showToastAfterSave&&e.code==="ok"){if("itemId"in e.data)return;let{item:n,product:r,variant:s}=e.data;r&&this.swish.ui.showToast({title:"Saved",text:r.title,image:s?.image?.url??r.featuredImage?.url,action:{label:"View",onClick:i(()=>{Pe()},"onClick")}})}}};var Fe=class{static{i(this,"Intents")}constructor(e,n){this.swish=e,this.eventBus=new EventTarget,this.options=n,this.initIntentHooks(),this.initIntentWatcher()}async invoke(e){let n=this.parseIntent(e);return{intent:n,complete:this.handleIntent(n)}}listen(e,n){let r=this.getIntentQuery(e),s=i(a=>{"detail"in a&&a.detail?n(a.detail):console.warn("Intent response event without detail",a)},"eventListener"),o=i(()=>{this.eventBus.removeEventListener(r,s)},"unsubscribe");return this.eventBus.addEventListener(r,s),o}getIntentQuery(e){return`${e.action}:${e.type}`}parseIntent(e){if(typeof e=="string"){let[n,...r]=e.split(","),[s,o]=n.split(":"),a=r.reduce((u,l)=>{let[c,p]=l.split("=");return u[c]=p,u},{});return{action:s,type:o,data:a}}return e}async handleIntent(e){return e.action==="create"&&e.type==="swish/Item"?new Te(this.swish,this.eventBus,this.options).invoke(e):e.action==="delete"&&e.type==="swish/Item"?new Le(this.swish,this.eventBus,this.options).invoke(e):e.action==="edit"&&e.type==="swish/ItemVariant"?new he(this.swish,this.eventBus,this.options).invoke(e):e.action==="edit"&&e.type==="swish/ItemLists"?new Ve(this.swish,this.eventBus,this.options).invoke(e):e.action==="create"&&e.type==="swish/List"?new Oe(this.swish,this.eventBus,this.options).invoke(e):e.action==="edit"&&e.type==="swish/List"?new qe(this.swish,this.eventBus,this.options).invoke(e):e.action==="delete"&&e.type==="swish/List"?new $e(this.swish,this.eventBus,this.options).invoke(e):e.action==="open"&&e.type==="swish/Home"?new Be(this.swish,this.eventBus,this.options).invoke(e):e.action==="open"&&e.type==="swish/ListMenu"?new Ne(this.swish,this.eventBus,this.options).invoke(e):e.action==="open"&&e.type==="swish/SignIn"?new Ge(this.swish,this.eventBus,this.options).invoke(e):e.action==="open"&&e.type==="swish/QuickBuy"?new je(this.swish,this.eventBus,this.options).invoke(e):{code:"error",message:"Invalid intent",issues:["Invalid intent"]}}initIntentHooks(){this.eventBus.addEventListener("create:swish/Item",e=>{new Ue(this.swish,this.options).invoke(e.detail)}),this.eventBus.addEventListener("edit:swish/ItemLists",e=>{new Me(this.swish,this.options).invoke(e.detail)})}initIntentWatcher(){ge({selector:"[swish-intent]",onElementFound:i(e=>{let n=this.parseIntent(e.getAttribute("swish-intent"));n&&e.addEventListener("click",()=>{this.handleIntent(n)})},"onElementFound")}),ge({selector:"a[href*='swish-intent=']",onElementFound:i(e=>{e instanceof HTMLAnchorElement&&e.addEventListener("click",n=>{if(!n.metaKey&&!n.ctrlKey&&!n.shiftKey&&!n.altKey){let s=new URL(e.href).searchParams.get("swish-intent");if(s){let o=this.parseIntent(s);o&&(n.preventDefault(),n.stopPropagation(),this.handleIntent(o))}}})},"onElementFound")}),fe({fireOnInit:!0,onLocationChange:i(e=>{let n=new URLSearchParams(window.location.search).get("swish-intent");if(n){let r=this.parseIntent(n);if(r){this.handleIntent(r);let s=new URL(window.location.href);s.searchParams.delete("swish-intent"),window.history.replaceState({},document.title,s.toString())}}},"onLocationChange")})}};var ci=Symbol.for("preact-signals");function Qe(){if(ee>1)ee--;else{for(var t,e=!1;we!==void 0;){var n=we;for(we=void 0,ft++;n!==void 0;){var r=n.o;if(n.o=void 0,n.f&=-3,!(8&n.f)&&mn(n))try{n.c()}catch(s){e||(t=s,e=!0)}n=r}}if(ft=0,ee--,e)throw t}}i(Qe,"t");function te(t){if(ee>0)return t();ee++;try{return t()}finally{Qe()}}i(te,"r");var I=void 0;function hn(t){var e=I;I=void 0;try{return t()}finally{I=e}}i(hn,"n");var we=void 0,ee=0,ft=0,He=0;function yn(t){if(I!==void 0){var e=t.n;if(e===void 0||e.t!==I)return e={i:0,S:t,p:I.s,n:void 0,t:I,e:void 0,x:void 0,r:e},I.s!==void 0&&(I.s.n=e),I.s=e,t.n=e,32&I.f&&t.S(e),e;if(e.i===-1)return e.i=0,e.n!==void 0&&(e.n.p=e.p,e.p!==void 0&&(e.p.n=e.n),e.p=I.s,e.n=void 0,I.s.n=e,I.s=e),e}}i(yn,"e");function q(t,e){this.v=t,this.i=0,this.n=void 0,this.t=void 0,this.W=e?.watched,this.Z=e?.unwatched,this.name=e?.name}i(q,"u");q.prototype.brand=ci;q.prototype.h=function(){return!0};q.prototype.S=function(t){var e=this,n=this.t;n!==t&&t.e===void 0&&(t.x=n,this.t=t,n!==void 0?n.e=t:hn(function(){var r;(r=e.W)==null||r.call(e)}))};q.prototype.U=function(t){var e=this;if(this.t!==void 0){var n=t.e,r=t.x;n!==void 0&&(n.x=r,t.e=void 0),r!==void 0&&(r.e=n,t.x=void 0),t===this.t&&(this.t=r,r===void 0&&hn(function(){var s;(s=e.Z)==null||s.call(e)}))}};q.prototype.subscribe=function(t){var e=this;return M(function(){var n=e.value,r=I;I=void 0;try{t(n)}finally{I=r}},{name:"sub"})};q.prototype.valueOf=function(){return this.value};q.prototype.toString=function(){return this.value+""};q.prototype.toJSON=function(){return this.value};q.prototype.peek=function(){var t=I;I=void 0;try{return this.value}finally{I=t}};Object.defineProperty(q.prototype,"value",{get:i(function(){var t=yn(this);return t!==void 0&&(t.i=this.i),this.v},"get"),set:i(function(t){if(t!==this.v){if(ft>100)throw new Error("Cycle detected");this.v=t,this.i++,He++,ee++;try{for(var e=this.t;e!==void 0;e=e.x)e.t.N()}finally{Qe()}}},"set")});function x(t,e){return new q(t,e)}i(x,"d");function mn(t){for(var e=t.s;e!==void 0;e=e.n)if(e.S.i!==e.i||!e.S.h()||e.S.i!==e.i)return!0;return!1}i(mn,"c");function vn(t){for(var e=t.s;e!==void 0;e=e.n){var n=e.S.n;if(n!==void 0&&(e.r=n),e.S.n=e,e.i=-1,e.n===void 0){t.s=e;break}}}i(vn,"a");function gn(t){for(var e=t.s,n=void 0;e!==void 0;){var r=e.p;e.i===-1?(e.S.U(e),r!==void 0&&(r.n=e.n),e.n!==void 0&&(e.n.p=r)):n=e,e.S.n=e.r,e.r!==void 0&&(e.r=void 0),e=r}t.s=n}i(gn,"l");function ae(t,e){q.call(this,void 0),this.x=t,this.s=void 0,this.g=He-1,this.f=4,this.W=e?.watched,this.Z=e?.unwatched,this.name=e?.name}i(ae,"y");ae.prototype=new q;ae.prototype.h=function(){if(this.f&=-3,1&this.f)return!1;if((36&this.f)==32||(this.f&=-5,this.g===He))return!0;if(this.g=He,this.f|=1,this.i>0&&!mn(this))return this.f&=-2,!0;var t=I;try{vn(this),I=this;var e=this.x();(16&this.f||this.v!==e||this.i===0)&&(this.v=e,this.f&=-17,this.i++)}catch(n){this.v=n,this.f|=16,this.i++}return I=t,gn(this),this.f&=-2,!0};ae.prototype.S=function(t){if(this.t===void 0){this.f|=36;for(var e=this.s;e!==void 0;e=e.n)e.S.S(e)}q.prototype.S.call(this,t)};ae.prototype.U=function(t){if(this.t!==void 0&&(q.prototype.U.call(this,t),this.t===void 0)){this.f&=-33;for(var e=this.s;e!==void 0;e=e.n)e.S.U(e)}};ae.prototype.N=function(){if(!(2&this.f)){this.f|=6;for(var t=this.t;t!==void 0;t=t.x)t.t.N()}};Object.defineProperty(ae.prototype,"value",{get:i(function(){if(1&this.f)throw new Error("Cycle detected");var t=yn(this);if(this.h(),t!==void 0&&(t.i=this.i),16&this.f)throw this.v;return this.v},"get")});function j(t,e){return new ae(t,e)}i(j,"w");function In(t){var e=t.u;if(t.u=void 0,typeof e=="function"){ee++;var n=I;I=void 0;try{e()}catch(r){throw t.f&=-2,t.f|=8,dt(t),r}finally{I=n,Qe()}}}i(In,"_");function dt(t){for(var e=t.s;e!==void 0;e=e.n)e.S.U(e);t.x=void 0,t.s=void 0,In(t)}i(dt,"b");function pi(t){if(I!==this)throw new Error("Out-of-order effect");gn(this),I=t,this.f&=-2,8&this.f&&dt(this),Qe()}i(pi,"g");function me(t,e){this.x=t,this.u=void 0,this.s=void 0,this.o=void 0,this.f=32,this.name=e?.name}i(me,"p");me.prototype.c=function(){var t=this.S();try{if(8&this.f||this.x===void 0)return;var e=this.x();typeof e=="function"&&(this.u=e)}finally{t()}};me.prototype.S=function(){if(1&this.f)throw new Error("Cycle detected");this.f|=1,this.f&=-9,In(this),vn(this),ee++;var t=I;return I=this,pi.bind(this,t)};me.prototype.N=function(){2&this.f||(this.f|=2,this.o=we,we=this)};me.prototype.d=function(){this.f|=8,1&this.f||dt(this)};me.prototype.dispose=function(){this.d()};function M(t,e){var n=new me(t,e);try{n.c()}catch(s){throw n.d(),s}var r=n.d.bind(n);return r[Symbol.dispose]=r,r}i(M,"E");var fi=/^(?:https?:\/\/[^/]+)?(?:\/[a-z]{2})?\/products\/([^/?#]+)(?:\?variant=(\d+))?/,ht=i(t=>{let e=t.match(fi);return e?{productHandle:e[1],variantId:e[2]}:null},"parseProductUrl"),bn=i(({source:t,onProductUrlChange:e})=>{let n=i(r=>{let s=ht(r);s?.productHandle&&e(s)},"handleChange");if(t instanceof HTMLAnchorElement)return Yt({element:t,onHrefChange:i(r=>n(r),"onHrefChange")});if(t instanceof Location)return fe({onLocationChange:i(r=>n(r.href),"onLocationChange")});throw new Error("Invalid source for observing product url")},"observeProductUrl");var wn=i(t=>e=>{let{productHandle:n,productId:r,variantId:s,itemId:o}=e?.dataset??{},l=!!(r||n)||!!o,c=x({loading:!1,productId:r,variantId:s,itemId:o});if(!l){let p=e instanceof HTMLAnchorElement?e:window.location,d=ht(p.href);d?.productHandle&&d.productHandle!==c.value.productHandle&&(c.value={...c.value,...d,productId:void 0},bn({source:p,onProductUrlChange:i(v=>{c.value={...c.value,...v,productId:v.productHandle!==c.value.productHandle?void 0:c.value.productId}},"onProductUrlChange")}))}return M(()=>{c.value.loading||!c.value.productId&&c.value.productHandle&&(c.value={...c.value,loading:!0},t.storefront.loadProductId({productHandle:c.value.productHandle}).then(p=>{p.errors&&console.error("Error loading product id",p.errors),c.value={...c.value,productId:p.data?.product?.id?P(p.data.product.id):void 0,loading:!1}}))}),c},"itemContextSignal");var En=i(t=>e=>{let n=j(()=>{let{productId:w,variantId:g,loading:_}=e.value;return!w||_?null:g?`variant:${P(g)}`:`product:${P(w)}`}),r=j(()=>e.value.loading||!!e.value.itemId||!e.value.productId),s=j(()=>({limit:1,query:n.value??void 0})),o=x(!r.value),a=x(null),u=x(!1),l=x(!1),{data:c,loading:p,error:d,refetching:v}=t.state.swishQuery(w=>t.api.items.list(w),{refetch:["item-create","item-update","item-delete"],variables:s,skip:r}),y=x(e.value.itemId??null);M(()=>{te(()=>{if(o.value=p.value,a.value=d.value,!e.value.itemId){let w=c.value?.[0]?.id??null;w!==y.value&&(y.value=w)}})});async function k(){if(!y.value)return;u.value=!0,(await(await t.intents.invoke({action:"delete",type:"swish/Item",data:{itemId:y.value}})).complete).code==="ok"&&(y.value=null),u.value=!1}i(k,"unsave");async function m(){if(!y.value)return;u.value=!0;let g=await(await t.intents.invoke({action:"edit",type:"swish/ItemLists",data:{itemId:y.value}})).complete;g.code==="ok"&&"itemId"in g.data&&(y.value=null),u.value=!1}i(m,"update");async function A(){let{productId:w,variantId:g}=e.value;if(!w)return;u.value=!0,l.value=!0;let T=await(await t.intents.invoke({action:"create",type:"swish/Item",data:{productId:w,variantId:g}})).complete;if(T.code==="ok"){let ve=T.data;y.value=ve.item.id,u.value=!1}else T.code==="error"&&console.warn("Failed to create item",T),te(()=>{u.value=!1,l.value=!1})}i(A,"save");let $=j(()=>o.value||u.value||e.value.loading);M(()=>{l.value&&!u.value&&!v.value&&(l.value=!1)});let R=j(()=>{let w=v.value&&l.value,g=!!y.value,_=!g&&(u.value||w),T=g&&(u.value||w),ve=j(()=>_?"saving":T?"unsaving":g?"saved":"unsaved");return{error:a.value,status:ve.value,savedItemId:y.value,loading:$.value,submitting:u.value,saved:g,saving:_,unsaving:T}});async function z(){$.value||(R.value.saved&&R.value.savedItemId?m():R.value.saved||await A())}return i(z,"toggle"),Object.assign(R,{save:A,unsave:k,update:m,toggle:z})},"itemStateSignal");var Cn=i(t=>()=>{let{data:e,loading:n,error:r}=t.state.swishQuery(()=>t.api.items.count(),{refetch:["item-create","item-delete"]}),s=x(0),o=x(!0),a=x(null);return M(()=>{te(()=>{o.value=n.value,a.value=r.value,s.value=e.value?.count??0})}),j(()=>({count:s.value,loading:o.value,error:a.value}))},"itemCountSignal");var Sn=i(t=>(e,n)=>{let r=x(null),s=x(null),o=x(null),a=x(!n?.skip),u=x(!1),l=j(()=>a.value&&u.value);async function c(){if(!n?.skip?.value)try{a.value=!0;let p=await e(n?.variables?.value);te(()=>{o.value="error"in p?p.error:null,r.value="data"in p?p.data:null,s.value="pageInfo"in p?p.pageInfo:null,a.value=!1,u.value=!0})}catch(p){te(()=>{o.value=p,a.value=!1,u.value=!0})}}return i(c,"executeFetch"),M(()=>{if(c(),n?.refetch?.length)return t.events.subscribe(n.refetch,c)}),{data:r,pageInfo:s,error:o,loading:a,refetching:l}},"swishQuerySignals");var ue="GraphQL Client";var yt="An error occurred while fetching from the API. Review 'graphQLErrors' for details.",mt="Response returned unexpected Content-Type:",vt="An unknown error has occurred. The API did not return a data object or any errors in its response.",ze={json:"application/json",multipart:"multipart/mixed"},gt="X-SDK-Variant",It="X-SDK-Version",An="shopify-graphql-client",Dn="1.4.1",We=1e3,Rn=[429,503],bt=/@(defer)\b/i,xn=`\r
|
|
19
|
+
`,kn=/boundary="?([^=";]+)"?/i,wt=xn+xn;function X(t,e=ue){return t.startsWith(`${e}`)?t:`${e}: ${t}`}i(X,"formatErrorMessage");function Y(t){return t instanceof Error?t.message:JSON.stringify(t)}i(Y,"getErrorMessage");function Et(t){return t instanceof Error&&t.cause?t.cause:void 0}i(Et,"getErrorCause");function Ct(t){return t.flatMap(({errors:e})=>e??[])}i(Ct,"combineErrors");function Xe({client:t,retries:e}){if(e!==void 0&&(typeof e!="number"||e<0||e>3))throw new Error(`${t}: The provided "retries" value (${e}) is invalid - it cannot be less than ${0} or greater than ${3}`)}i(Xe,"validateRetries");function B(t,e){return e&&(typeof e!="object"||Array.isArray(e)||typeof e=="object"&&Object.keys(e).length>0)?{[t]:e}:{}}i(B,"getKeyValueIfValid");function St(t,e){if(t.length===0)return e;let r={[t.pop()]:e};return t.length===0?r:St(t,r)}i(St,"buildDataObjectByPath");function Tn(t,e){return Object.keys(e||{}).reduce((n,r)=>(typeof e[r]=="object"||Array.isArray(e[r]))&&t[r]?(n[r]=Tn(t[r],e[r]),n):(n[r]=e[r],n),Array.isArray(t)?[...t]:{...t})}i(Tn,"combineObjects");function xt([t,...e]){return e.reduce(Tn,{...t})}i(xt,"buildCombinedDataObject");function At({clientLogger:t,customFetchApi:e=fetch,client:n=ue,defaultRetryWaitTime:r=We,retriableCodes:s=Rn}){let o=i(async(a,u,l)=>{let c=u+1,p=l+1,d;try{if(d=await e(...a),t({type:"HTTP-Response",content:{requestParams:a,response:d}}),!d.ok&&s.includes(d.status)&&c<=p)throw new Error;let v=d?.headers.get("X-Shopify-API-Deprecated-Reason")||"";return v&&t({type:"HTTP-Response-GraphQL-Deprecation-Notice",content:{requestParams:a,deprecationNotice:v}}),d}catch(v){if(c<=p){let y=d?.headers.get("Retry-After");return await di(y?parseInt(y,10):r),t({type:"HTTP-Retry",content:{requestParams:a,lastResponse:d,retryAttempt:u,maxRetries:l}}),o(a,c,l)}throw new Error(X(`${l>0?`Attempted maximum number of ${l} network retries. Last message - `:""}${Y(v)}`,n))}},"httpFetch");return o}i(At,"generateHttpFetch");async function di(t){return new Promise(e=>setTimeout(e,t))}i(di,"sleep");function Dt({headers:t,url:e,customFetchApi:n=fetch,retries:r=0,logger:s}){Xe({client:ue,retries:r});let o={headers:t,url:e,retries:r},a=hi(s),u=At({customFetchApi:n,clientLogger:a,defaultRetryWaitTime:We}),l=yi(u,o),c=mi(l),p=Ci(l);return{config:o,fetch:l,request:c,requestStream:p}}i(Dt,"createGraphQLClient");function hi(t){return e=>{t&&t(e)}}i(hi,"generateClientLogger");async function On(t){let{errors:e,data:n,extensions:r}=await t.json();return{...B("data",n),...B("extensions",r),headers:t.headers,...e||!n?{errors:{networkStatusCode:t.status,message:X(e?yt:vt),...B("graphQLErrors",e),response:t}}:{}}}i(On,"processJSONResponse");function yi(t,{url:e,headers:n,retries:r}){return async(s,o={})=>{let{variables:a,headers:u,url:l,retries:c,keepalive:p,signal:d}=o,v=JSON.stringify({query:s,variables:a});Xe({client:ue,retries:c});let y=Object.entries({...n,...u}).reduce((m,[A,$])=>(m[A]=Array.isArray($)?$.join(", "):$.toString(),m),{});return!y[gt]&&!y[It]&&(y[gt]=An,y[It]=Dn),t([l??e,{method:"POST",headers:y,body:v,signal:d,keepalive:p}],1,c??r)}}i(yi,"generateFetch");function mi(t){return async(...e)=>{if(bt.test(e[0]))throw new Error(X("This operation will result in a streamable response - use requestStream() instead."));let n=null;try{n=await t(...e);let{status:r,statusText:s}=n,o=n.headers.get("content-type")||"";return n.ok?o.includes(ze.json)?await On(n):{errors:{networkStatusCode:r,message:X(`${mt} ${o}`),response:n}}:{errors:{networkStatusCode:r,message:X(s),response:n}}}catch(r){return{errors:{message:Y(r),...n==null?{}:{networkStatusCode:n.status,response:n}}}}}}i(mi,"generateRequest");async function*vi(t){let e=new TextDecoder;if(t.body[Symbol.asyncIterator])for await(let n of t.body)yield e.decode(n);else{let n=t.body.getReader(),r;try{for(;!(r=await n.read()).done;)yield e.decode(r.value)}finally{n.cancel()}}}i(vi,"getStreamBodyIterator");function gi(t,e){return{async*[Symbol.asyncIterator](){try{let n="";for await(let r of t)if(n+=r,n.indexOf(e)>-1){let s=n.lastIndexOf(e),a=n.slice(0,s).split(e).filter(u=>u.trim().length>0).map(u=>u.slice(u.indexOf(wt)+wt.length).trim());a.length>0&&(yield a),n=n.slice(s+e.length),n.trim()==="--"&&(n="")}}catch(n){throw new Error(`Error occured while processing stream payload - ${Y(n)}`)}}}}i(gi,"readStreamChunk");function Ii(t){return{async*[Symbol.asyncIterator](){yield{...await On(t),hasNext:!1}}}}i(Ii,"createJsonResponseAsyncIterator");function bi(t){return t.map(e=>{try{return JSON.parse(e)}catch(n){throw new Error(`Error in parsing multipart response - ${Y(n)}`)}}).map(e=>{let{data:n,incremental:r,hasNext:s,extensions:o,errors:a}=e;if(!r)return{data:n||{},...B("errors",a),...B("extensions",o),hasNext:s};let u=r.map(({data:l,path:c,errors:p})=>({data:l&&c?St(c,l):{},...B("errors",p)}));return{data:u.length===1?u[0].data:xt([...u.map(({data:l})=>l)]),...B("errors",Ct(u)),hasNext:s}})}i(bi,"getResponseDataFromChunkBodies");function wi(t,e){if(t.length>0)throw new Error(yt,{cause:{graphQLErrors:t}});if(Object.keys(e).length===0)throw new Error(vt)}i(wi,"validateResponseData");function Ei(t,e){let n=(e??"").match(kn),r=`--${n?n[1]:"-"}`;if(!t.body?.getReader&&!t.body?.[Symbol.asyncIterator])throw new Error("API multipart response did not return an iterable body",{cause:t});let s=vi(t),o={},a;return{async*[Symbol.asyncIterator](){try{let u=!0;for await(let l of gi(s,r)){let c=bi(l);a=c.find(d=>d.extensions)?.extensions??a;let p=Ct(c);o=xt([o,...c.map(({data:d})=>d)]),u=c.slice(-1)[0].hasNext,wi(p,o),yield{...B("data",o),...B("extensions",a),hasNext:u}}if(u)throw new Error("Response stream terminated unexpectedly")}catch(u){let l=Et(u);yield{...B("data",o),...B("extensions",a),errors:{message:X(Y(u)),networkStatusCode:t.status,...B("graphQLErrors",l?.graphQLErrors),response:t},hasNext:!1}}}}}i(Ei,"createMultipartResponseAsyncInterator");function Ci(t){return async(...e)=>{if(!bt.test(e[0]))throw new Error(X("This operation does not result in a streamable response - use request() instead."));try{let n=await t(...e),{statusText:r}=n;if(!n.ok)throw new Error(r,{cause:n});let s=n.headers.get("content-type")||"";switch(!0){case s.includes(ze.json):return Ii(n);case s.includes(ze.multipart):return Ei(n,s);default:throw new Error(`${mt} ${s}`,{cause:n})}}catch(n){return{async*[Symbol.asyncIterator](){let r=Et(n);yield{errors:{message:X(Y(n)),...B("networkStatusCode",r?.status),...B("response",r)},hasNext:!1}}}}}}i(Ci,"generateRequestStream");function Rt({client:t,storeDomain:e}){try{if(!e||typeof e!="string")throw new Error;let n=e.trim(),r=n.match(/^https?:/)?n:`https://${n}`,s=new URL(r);return s.protocol="https",s.origin}catch(n){throw new Error(`${t}: a valid store domain ("${e}") must be provided`,{cause:n})}}i(Rt,"validateDomainAndGetStoreUrl");function Ke({client:t,currentSupportedApiVersions:e,apiVersion:n,logger:r}){let s=`${t}: the provided apiVersion ("${n}")`,o=`Currently supported API versions: ${e.join(", ")}`;if(!n||typeof n!="string")throw new Error(`${s} is invalid. ${o}`);let a=n.trim();e.includes(a)||(r?r({type:"Unsupported_Api_Version",content:{apiVersion:n,supportedApiVersions:e}}):console.warn(`${s} is likely deprecated or not supported. ${o}`))}i(Ke,"validateApiVersion");function Ye(t){let e=t*3-2;return e===10?e:`0${e}`}i(Ye,"getQuarterMonth");function kt(t,e,n){let r=e-n;return r<=0?`${t-1}-${Ye(r+4)}`:`${t}-${Ye(r)}`}i(kt,"getPrevousVersion");function Ln(){let t=new Date,e=t.getUTCMonth(),n=t.getUTCFullYear(),r=Math.floor(e/3+1);return{year:n,quarter:r,version:`${n}-${Ye(r)}`}}i(Ln,"getCurrentApiVersion");function Pt(){let{year:t,quarter:e,version:n}=Ln(),r=e===4?`${t+1}-01`:`${t}-${Ye(e+1)}`;return[kt(t,e,3),kt(t,e,2),kt(t,e,1),n,r,"unstable"]}i(Pt,"getCurrentSupportedApiVersions");function _t(t){return e=>({...e??{},...t.headers})}i(_t,"generateGetHeaders");function Tt({getHeaders:t,getApiUrl:e}){return(n,r)=>{let s=[n];if(r&&Object.keys(r).length>0){let{variables:o,apiVersion:a,headers:u,retries:l,signal:c}=r;s.push({...o?{variables:o}:{},...u?{headers:t(u)}:{},...a?{url:e(a)}:{},...l?{retries:l}:{},...c?{signal:c}:{}})}return s}}i(Tt,"generateGetGQLClientParams");var Ot="application/json",$n="storefront-api-client",Vn="1.0.9",qn="X-Shopify-Storefront-Access-Token",Bn="Shopify-Storefront-Private-Token",Nn="X-SDK-Variant",Gn="X-SDK-Version",jn="X-SDK-Variant-Source",le="Storefront API Client";function Un(t){if(t&&typeof window<"u")throw new Error(`${le}: private access tokens and headers should only be used in a server-to-server implementation. Use the public API access token in nonserver environments.`)}i(Un,"validatePrivateAccessTokenUsage");function Mn(t,e){if(!t&&!e)throw new Error(`${le}: a public or private access token must be provided`);if(t&&e)throw new Error(`${le}: only provide either a public or private access token`)}i(Mn,"validateRequiredAccessTokens");function Lt({storeDomain:t,apiVersion:e,publicAccessToken:n,privateAccessToken:r,clientName:s,retries:o=0,customFetchApi:a,logger:u}){let l=Pt(),c=Rt({client:le,storeDomain:t}),p={client:le,currentSupportedApiVersions:l,logger:u};Ke({...p,apiVersion:e}),Mn(n,r),Un(r);let d=Si(c,e,p),v={storeDomain:c,apiVersion:e,...n?{publicAccessToken:n}:{privateAccessToken:r},headers:{"Content-Type":Ot,Accept:Ot,[Nn]:$n,[Gn]:Vn,...s?{[jn]:s}:{},...n?{[qn]:n}:{[Bn]:r}},apiUrl:d(),clientName:s},y=Dt({headers:v.headers,url:v.apiUrl,retries:o,customFetchApi:a,logger:u}),k=_t(v),m=xi(v,d),A=Tt({getHeaders:k,getApiUrl:m});return Object.freeze({config:v,getHeaders:k,getApiUrl:m,fetch:i((...R)=>y.fetch(...A(...R)),"fetch"),request:i((...R)=>y.request(...A(...R)),"request"),requestStream:i((...R)=>y.requestStream(...A(...R)),"requestStream")})}i(Lt,"createStorefrontApiClient");function Si(t,e,n){return r=>{r&&Ke({...n,apiVersion:r});let s=(r??e).trim();return`${t}/api/${s}/graphql.json`}}i(Si,"generateApiUrlFormatter");function xi(t,e){return n=>n?e(n):t.apiUrl}i(xi,"generateGetApiUrl");var L=`
|
|
20
20
|
fragment productImageFields on Image {
|
|
21
21
|
id
|
|
22
22
|
altText
|
|
@@ -48,7 +48,7 @@ Values:
|
|
|
48
48
|
}
|
|
49
49
|
title
|
|
50
50
|
}
|
|
51
|
-
`,
|
|
51
|
+
`,ce=`
|
|
52
52
|
fragment productCardDataFields on Product {
|
|
53
53
|
id
|
|
54
54
|
availableForSale
|
|
@@ -97,7 +97,7 @@ Values:
|
|
|
97
97
|
value
|
|
98
98
|
}
|
|
99
99
|
}
|
|
100
|
-
`,
|
|
100
|
+
`,Vt=`
|
|
101
101
|
fragment productVariantDataFields on ProductVariant {
|
|
102
102
|
id
|
|
103
103
|
availableForSale
|
|
@@ -126,7 +126,7 @@ Values:
|
|
|
126
126
|
value
|
|
127
127
|
}
|
|
128
128
|
}
|
|
129
|
-
`,
|
|
129
|
+
`,qt=`
|
|
130
130
|
fragment productOptionsVariantFields on ProductVariant {
|
|
131
131
|
id
|
|
132
132
|
selectedOptions {
|
|
@@ -134,7 +134,7 @@ Values:
|
|
|
134
134
|
value
|
|
135
135
|
}
|
|
136
136
|
}
|
|
137
|
-
`,
|
|
137
|
+
`,Bt=`
|
|
138
138
|
fragment selectedVariantFields on Product {
|
|
139
139
|
id
|
|
140
140
|
availableForSale
|
|
@@ -165,7 +165,7 @@ Values:
|
|
|
165
165
|
}
|
|
166
166
|
}
|
|
167
167
|
}
|
|
168
|
-
`,
|
|
168
|
+
`,pe=`
|
|
169
169
|
fragment productOptionsFields on Product {
|
|
170
170
|
id
|
|
171
171
|
availableForSale
|
|
@@ -209,7 +209,7 @@ Values:
|
|
|
209
209
|
}
|
|
210
210
|
}
|
|
211
211
|
}
|
|
212
|
-
`;var
|
|
212
|
+
`;var Fn=`
|
|
213
213
|
query GetSaveIntentData(
|
|
214
214
|
$productId: ID!
|
|
215
215
|
$country: CountryCode!
|
|
@@ -220,8 +220,8 @@ Values:
|
|
|
220
220
|
}
|
|
221
221
|
}
|
|
222
222
|
${$t}
|
|
223
|
-
${
|
|
224
|
-
`,
|
|
223
|
+
${L}
|
|
224
|
+
`,Hn=`
|
|
225
225
|
query GetSaveIntentDataWithVariant(
|
|
226
226
|
$productId: ID!
|
|
227
227
|
$variantId: ID!
|
|
@@ -236,8 +236,8 @@ Values:
|
|
|
236
236
|
}
|
|
237
237
|
}
|
|
238
238
|
${$t}
|
|
239
|
-
${
|
|
240
|
-
`,
|
|
239
|
+
${L}
|
|
240
|
+
`,Qn=`
|
|
241
241
|
query GetProductCardData(
|
|
242
242
|
$productId: ID!
|
|
243
243
|
$productMetafields: [HasMetafieldsIdentifier!]!
|
|
@@ -248,9 +248,9 @@ Values:
|
|
|
248
248
|
...productCardDataFields
|
|
249
249
|
}
|
|
250
250
|
}
|
|
251
|
-
${
|
|
252
|
-
${
|
|
253
|
-
`,
|
|
251
|
+
${ce}
|
|
252
|
+
${L}
|
|
253
|
+
`,zn=`
|
|
254
254
|
query GetProductCardDataWithVariant(
|
|
255
255
|
$productId: ID!
|
|
256
256
|
$variantId: ID!
|
|
@@ -266,10 +266,10 @@ Values:
|
|
|
266
266
|
...productVariantDataFields
|
|
267
267
|
}
|
|
268
268
|
}
|
|
269
|
-
${
|
|
270
|
-
${
|
|
271
|
-
${
|
|
272
|
-
`,
|
|
269
|
+
${ce}
|
|
270
|
+
${Vt}
|
|
271
|
+
${L}
|
|
272
|
+
`,Wn=`
|
|
273
273
|
query GetProductOptions(
|
|
274
274
|
$productId: ID!
|
|
275
275
|
$country: CountryCode!
|
|
@@ -279,9 +279,9 @@ Values:
|
|
|
279
279
|
...productOptionsFields
|
|
280
280
|
}
|
|
281
281
|
}
|
|
282
|
-
${
|
|
283
|
-
${
|
|
284
|
-
`,
|
|
282
|
+
${pe}
|
|
283
|
+
${L}
|
|
284
|
+
`,Xn=`
|
|
285
285
|
query GetProductOptionsByHandle(
|
|
286
286
|
$handle: String!
|
|
287
287
|
$country: CountryCode!
|
|
@@ -291,9 +291,9 @@ Values:
|
|
|
291
291
|
...productOptionsFields
|
|
292
292
|
}
|
|
293
293
|
}
|
|
294
|
-
${
|
|
295
|
-
${
|
|
296
|
-
`,
|
|
294
|
+
${pe}
|
|
295
|
+
${L}
|
|
296
|
+
`,Kn=`
|
|
297
297
|
query GetProductOptionsWithVariant(
|
|
298
298
|
$productId: ID!
|
|
299
299
|
$variantId: ID!
|
|
@@ -307,10 +307,10 @@ Values:
|
|
|
307
307
|
...productOptionsVariantFields
|
|
308
308
|
}
|
|
309
309
|
}
|
|
310
|
-
${
|
|
311
|
-
${
|
|
312
|
-
${
|
|
313
|
-
`,
|
|
310
|
+
${pe}
|
|
311
|
+
${qt}
|
|
312
|
+
${L}
|
|
313
|
+
`,Yn=`
|
|
314
314
|
query GetProductOptionsByHandleWithVariant(
|
|
315
315
|
$handle: String!
|
|
316
316
|
$variantId: ID!
|
|
@@ -324,10 +324,10 @@ Values:
|
|
|
324
324
|
...productOptionsVariantFields
|
|
325
325
|
}
|
|
326
326
|
}
|
|
327
|
-
${
|
|
328
|
-
${
|
|
329
|
-
${
|
|
330
|
-
`,
|
|
327
|
+
${pe}
|
|
328
|
+
${qt}
|
|
329
|
+
${L}
|
|
330
|
+
`,Jn=`
|
|
331
331
|
query GetSelectedVariant(
|
|
332
332
|
$productId: ID!
|
|
333
333
|
$selectedOptions: [SelectedOptionInput!]!
|
|
@@ -338,9 +338,9 @@ Values:
|
|
|
338
338
|
...selectedVariantFields
|
|
339
339
|
}
|
|
340
340
|
}
|
|
341
|
-
${
|
|
342
|
-
${
|
|
343
|
-
`,
|
|
341
|
+
${Bt}
|
|
342
|
+
${L}
|
|
343
|
+
`,Zn=`
|
|
344
344
|
query GetSelectedVariantByHandle(
|
|
345
345
|
$handle: String!
|
|
346
346
|
$selectedOptions: [SelectedOptionInput!]!
|
|
@@ -351,9 +351,9 @@ Values:
|
|
|
351
351
|
...selectedVariantFields
|
|
352
352
|
}
|
|
353
353
|
}
|
|
354
|
-
${
|
|
355
|
-
${
|
|
356
|
-
`,
|
|
354
|
+
${Bt}
|
|
355
|
+
${L}
|
|
356
|
+
`,er=`
|
|
357
357
|
query GetProductDetailData(
|
|
358
358
|
$productId: ID!
|
|
359
359
|
$productMetafields: [HasMetafieldsIdentifier!]!
|
|
@@ -366,11 +366,11 @@ Values:
|
|
|
366
366
|
...productImagesFields
|
|
367
367
|
}
|
|
368
368
|
}
|
|
369
|
-
${le}
|
|
370
369
|
${ce}
|
|
370
|
+
${pe}
|
|
371
371
|
${Nt}
|
|
372
|
-
${
|
|
373
|
-
`,
|
|
372
|
+
${L}
|
|
373
|
+
`,tr=`
|
|
374
374
|
query GetProductDetailDataWithVariant(
|
|
375
375
|
$productId: ID!
|
|
376
376
|
$variantId: ID!
|
|
@@ -388,12 +388,12 @@ Values:
|
|
|
388
388
|
...productVariantDataFields
|
|
389
389
|
}
|
|
390
390
|
}
|
|
391
|
-
${le}
|
|
392
391
|
${ce}
|
|
393
|
-
${
|
|
392
|
+
${pe}
|
|
393
|
+
${Vt}
|
|
394
394
|
${Nt}
|
|
395
|
-
${
|
|
396
|
-
`,
|
|
395
|
+
${L}
|
|
396
|
+
`,nr=`
|
|
397
397
|
query GetProductImagesById(
|
|
398
398
|
$ids: [ID!]!
|
|
399
399
|
$country: CountryCode!
|
|
@@ -417,8 +417,8 @@ Values:
|
|
|
417
417
|
}
|
|
418
418
|
}
|
|
419
419
|
}
|
|
420
|
-
${
|
|
421
|
-
`,
|
|
420
|
+
${L}
|
|
421
|
+
`,rr=`
|
|
422
422
|
query GetProductRecommendationsById(
|
|
423
423
|
$productId: ID!
|
|
424
424
|
$intent: ProductRecommendationIntent
|
|
@@ -430,9 +430,9 @@ Values:
|
|
|
430
430
|
...productCardDataFields
|
|
431
431
|
}
|
|
432
432
|
}
|
|
433
|
-
${
|
|
434
|
-
${
|
|
435
|
-
`,
|
|
433
|
+
${ce}
|
|
434
|
+
${L}
|
|
435
|
+
`,ir=`
|
|
436
436
|
query GetProductRecommendationsByHandle(
|
|
437
437
|
$handle: String!
|
|
438
438
|
$intent: ProductRecommendationIntent
|
|
@@ -444,16 +444,16 @@ Values:
|
|
|
444
444
|
...productCardDataFields
|
|
445
445
|
}
|
|
446
446
|
}
|
|
447
|
-
${
|
|
448
|
-
${
|
|
449
|
-
`,
|
|
447
|
+
${ce}
|
|
448
|
+
${L}
|
|
449
|
+
`,sr=`
|
|
450
450
|
query GetProductIdByHandle($handle: String!) {
|
|
451
451
|
product(handle: $handle) {
|
|
452
452
|
id
|
|
453
453
|
}
|
|
454
454
|
}
|
|
455
|
-
`;var
|
|
455
|
+
`;var or=i(async(t,{productId:e,variantId:n,productMetafields:r=[],variantMetafields:s=[]})=>{if(!e)throw new Error("A productId must be provided");let o=i(()=>{if(e&&!n)return Qn;if(e&&n)return zn},"getProductOptionsQuery"),a=i(()=>{if(e&&!n)return{productId:E("Product",e),productMetafields:r,country:h.localization.country.toUpperCase(),language:h.localization.language.toUpperCase()};if(e&&n)return{productId:E("Product",e),variantId:E("ProductVariant",n),productMetafields:r,variantMetafields:s,country:h.localization.country.toUpperCase(),language:h.localization.language.toUpperCase()}},"getVariables"),u=o(),l=a();if(!l||!u)throw new Error("Invalid query arguments");return t.query(u,l)},"loadProductCardData");var ar=i(async(t,{productId:e,variantId:n,productMetafields:r=[],variantMetafields:s=[]})=>{if(!e)throw new Error("A productId must be provided");let o=i(()=>{if(e&&!n)return er;if(e&&n)return tr},"getProductOptionsQuery"),a=i(()=>{if(e&&!n)return{productId:E("Product",e),productMetafields:r,country:h.localization.country.toUpperCase(),language:h.localization.language.toUpperCase()};if(e&&n)return{productId:E("Product",e),variantId:E("ProductVariant",n),productMetafields:r,variantMetafields:s,country:h.localization.country.toUpperCase(),language:h.localization.language.toUpperCase()}},"getVariables"),u=o(),l=a();if(!l||!u)throw new Error("Invalid query arguments");return t.query(u,l)},"loadProductDetailData");var ur=i(async(t,{productHandle:e})=>{if(!e)throw new Error("A product handle must be provided");return t.query(sr,{handle:e})},"loadProductId");var lr=i(async(t,{items:e})=>{if(!e?.length)throw new Error("A list of items must be provided");let n={ids:e.map(r=>r.variantId?E("ProductVariant",r.variantId.toString()):E("Product",r.productId.toString())),country:h.localization.country.toUpperCase(),language:h.localization.language.toUpperCase()};try{return{data:(await t.query(nr,n)).data?.nodes.map(o=>o===null?null:"image"in o?o.image:"featuredImage"in o?o.featuredImage:null).filter(o=>o!==null)??[],error:null}}catch(r){return console.error(r),{data:null,error:r}}},"loadProductImages");var cr=i(async(t,{productId:e,productHandle:n,variantId:r})=>{if(!e&&!n)throw new Error("Either productId or handle must be provided");let s=i(()=>{if(e&&!r)return Wn;if(n&&!r)return Xn;if(e&&r)return Kn;if(n&&r)return Yn},"getProductOptionsQuery"),o=i(()=>{if(e&&!r)return{productId:E("Product",e),country:h.localization.country.toUpperCase(),language:h.localization.language.toUpperCase()};if(n&&!r)return{handle:n,country:h.localization.country.toUpperCase(),language:h.localization.language.toUpperCase()};if(e&&r)return{productId:E("Product",e),variantId:E("ProductVariant",r),country:h.localization.country.toUpperCase(),language:h.localization.language.toUpperCase()};if(n&&r)return{handle:n,variantId:E("ProductVariant",r),country:h.localization.country.toUpperCase(),language:h.localization.language.toUpperCase()}},"getVariables"),a=s(),u=o();if(!u||!a)throw new Error("Invalid query arguments");return t.query(a,u)},"loadProductOptions");var pr=i(async(t,{productId:e,productHandle:n,intent:r,productMetafields:s=[]})=>{if(!e&&!n)throw new Error("Either productId or productHandle must be provided");let o=h.localization.country.toUpperCase(),a=h.localization.language.toUpperCase();if(e){let l={productId:E("Product",e),intent:r,productMetafields:s,country:o,language:a};return t.query(rr,l)}let u={handle:n,intent:r,productMetafields:s,country:o,language:a};return t.query(ir,u)},"loadProductRecommendations");var Ai=S({productId:V(b(),N(P)),variantId:G(V(b(),N(P)))}),fr=i(async(t,e)=>{let{productId:n,variantId:r}=en(Ai,e),s=i(()=>{if(n&&!r)return Fn;if(n&&r)return Hn},"getProductOptionsQuery"),o=i(()=>{if(n&&!r)return{productId:E("Product",n),country:h.localization.country.toUpperCase(),language:h.localization.language.toUpperCase()};if(n&&r)return{productId:E("Product",n),variantId:E("ProductVariant",r),country:h.localization.country.toUpperCase(),language:h.localization.language.toUpperCase()}},"getVariables"),a=s(),u=o();if(!u||!a)throw new Error("Invalid query arguments");return t.query(a,u)},"loadSaveIntentData");var dr=i(async(t,{productId:e,productHandle:n,selectedOptions:r})=>{if(!e&&!n)throw new Error("Either productId or handle must be provided");let s=e?Jn:Zn,o=e?{productId:`gid://shopify/Product/${e}`,selectedOptions:r,country:h.localization.country.toUpperCase(),language:h.localization.language.toUpperCase()}:{handle:n,selectedOptions:r,country:h.localization.country.toUpperCase(),language:h.localization.language.toUpperCase()};return t.query(s,o)},"loadSelectedVariant");var Di="2025-07",Ri=["GetProductIdByHandle"],Je=class{constructor(e){this.client=null;this.query=i(async(e,n)=>{if(!this.client)throw new Error("Storefront API client not initialized");let r=await this.client.request(e,{variables:n});return{data:r.data,errors:r.errors??null}},"query");this.loadProductOptions=i(async e=>cr(this,e),"loadProductOptions");this.loadSelectedVariant=i(async e=>dr(this,e),"loadSelectedVariant");this.loadProductCardData=i(async e=>or(this,e),"loadProductCardData");this.loadProductDetailData=i(async e=>ar(this,e),"loadProductDetailData");this.loadProductImages=i(async e=>lr(this,e),"loadProductImages");this.loadProductRecommendations=i(async e=>pr(this,e),"loadProductRecommendations");this.loadProductId=i(async e=>ur(this,e),"loadProductId");this.loadSaveIntentData=i(async e=>fr(this,e),"loadSaveIntentData");this.shortCache=new K("storefront-api-short","max-age=60, stale-while-revalidate=3600"),this.longCache=new K("storefront-api-long","max-age=3600, stale-while-revalidate=86400"),this.shortCache.cleanupExpiredEntries().catch(n=>{console.warn("Storefront API cache initialization cleanup error:",n)}),this.longCache.cleanupExpiredEntries().catch(n=>{console.warn("Storefront API cache initialization cleanup error:",n)}),this.client=Lt({apiVersion:Di,customFetchApi:i((n,r)=>r?.method==="OPTIONS"?this.fetch(n,r):Ri.some(s=>r?.body?.toString().includes(`query ${s}`))?this.longCache.fetchWithCache(n,r):this.shortCache.fetchWithCache(n,r),"customFetchApi"),publicAccessToken:e.accessToken,storeDomain:e.storeDomain})}static{i(this,"StorefrontApiClient")}fetch(e,n){return n?.method==="OPTIONS"?fetch(e,n):this.shortCache.fetchWithCache(e,n)}async clearCache(){await this.shortCache.clear()}};var ki=Object.defineProperty,f=i((t,e)=>ki(t,"name",{value:e,configurable:!0}),"n"),Pi={bodySerializer:f(t=>JSON.stringify(t,(e,n)=>typeof n=="bigint"?n.toString():n),"bodySerializer")},_i={$body_:"body",$headers_:"headers",$path_:"path",$query_:"query"},ql=Object.entries(_i),Ti=f(({onRequest:t,onSseError:e,onSseEvent:n,responseTransformer:r,responseValidator:s,sseDefaultRetryDelay:o,sseMaxRetryAttempts:a,sseMaxRetryDelay:u,sseSleepFn:l,url:c,...p})=>{let d,v=l??(y=>new Promise(k=>setTimeout(k,y)));return{stream:f(async function*(){let y=o??3e3,k=0,m=p.signal??new AbortController().signal;for(;!m.aborted;){k++;let A=p.headers instanceof Headers?p.headers:new Headers(p.headers);d!==void 0&&A.set("Last-Event-ID",d);try{let $={redirect:"follow",...p,body:p.serializedBody,headers:A,signal:m},R=new Request(c,$);t&&(R=await t(c,$));let z=await(p.fetch??globalThis.fetch)(R);if(!z.ok)throw new Error(`SSE failed: ${z.status} ${z.statusText}`);if(!z.body)throw new Error("No body in SSE response");let w=z.body.pipeThrough(new TextDecoderStream).getReader(),g="",_=f(()=>{try{w.cancel()}catch{}},"abortHandler");m.addEventListener("abort",_);try{for(;;){let{done:T,value:ve}=await w.read();if(T)break;g+=ve;let Qt=g.split(`
|
|
456
456
|
|
|
457
|
-
`);g=
|
|
458
|
-
`),Ee=[],
|
|
459
|
-
`);try{re=JSON.parse(H),zt=!0}catch{re=H}}zt&&(s&&await s(re),n&&(re=await n(re))),r?.({data:re,event:Qt,id:d,retry:y}),Ee.length&&(yield re)}}}finally{m.removeEventListener("abort",T),b.releaseLock()}break}catch($){if(e?.($),a!==void 0&&k>=a)break;let R=Math.min(y*2**(k-1),u??3e4);await v(R)}}},"createStream")()}},"createSseClient"),Pi=f(t=>{switch(t){case"label":return".";case"matrix":return";";case"simple":return",";default:return"&"}},"separatorArrayExplode"),Ti=f(t=>{switch(t){case"form":return",";case"pipeDelimited":return"|";case"spaceDelimited":return"%20";default:return","}},"separatorArrayNoExplode"),_i=f(t=>{switch(t){case"label":return".";case"matrix":return";";case"simple":return",";default:return"&"}},"separatorObjectExplode"),hn=f(({allowReserved:t,explode:e,name:r,style:n,value:s})=>{if(!e){let u=(t?s:s.map(l=>encodeURIComponent(l))).join(Ti(n));switch(n){case"label":return`.${u}`;case"matrix":return`;${r}=${u}`;case"simple":return u;default:return`${r}=${u}`}}let o=Pi(n),a=s.map(u=>n==="label"||n==="simple"?t?u:encodeURIComponent(u):Je({allowReserved:t,name:r,value:u})).join(o);return n==="label"||n==="matrix"?o+a:a},"serializeArrayParam"),Je=f(({allowReserved:t,name:e,value:r})=>{if(r==null)return"";if(typeof r=="object")throw new Error("Deeply-nested arrays/objects aren\u2019t supported. Provide your own `querySerializer()` to handle these.");return`${e}=${t?r:encodeURIComponent(r)}`},"serializePrimitiveParam"),yn=f(({allowReserved:t,explode:e,name:r,style:n,value:s,valueOnly:o})=>{if(s instanceof Date)return o?s.toISOString():`${r}=${s.toISOString()}`;if(n!=="deepObject"&&!e){let l=[];Object.entries(s).forEach(([p,d])=>{l=[...l,p,t?d:encodeURIComponent(d)]});let c=l.join(",");switch(n){case"form":return`${r}=${c}`;case"label":return`.${c}`;case"matrix":return`;${r}=${c}`;default:return c}}let a=_i(n),u=Object.entries(s).map(([l,c])=>Je({allowReserved:t,name:n==="deepObject"?`${r}[${l}]`:l,value:c})).join(a);return n==="label"||n==="matrix"?a+u:u},"serializeObjectParam"),Oi=/\{[^{}]+\}/g,$i=f(({path:t,url:e})=>{let r=e,n=e.match(Oi);if(n)for(let s of n){let o=!1,a=s.substring(1,s.length-1),u="simple";a.endsWith("*")&&(o=!0,a=a.substring(0,a.length-1)),a.startsWith(".")?(a=a.substring(1),u="label"):a.startsWith(";")&&(a=a.substring(1),u="matrix");let l=t[a];if(l==null)continue;if(Array.isArray(l)){r=r.replace(s,hn({explode:o,name:a,style:u,value:l}));continue}if(typeof l=="object"){r=r.replace(s,yn({explode:o,name:a,style:u,value:l,valueOnly:!0}));continue}if(u==="matrix"){r=r.replace(s,`;${Je({name:a,value:l})}`);continue}let c=encodeURIComponent(u==="label"?`.${l}`:l);r=r.replace(s,c)}return r},"defaultPathSerializer"),Li=f(({baseUrl:t,path:e,query:r,querySerializer:n,url:s})=>{let o=s.startsWith("/")?s:`/${s}`,a=(t??"")+o;e&&(a=$i({path:e,url:a}));let u=r?n(r):"";return u.startsWith("?")&&(u=u.substring(1)),u&&(a+=`?${u}`),a},"getUrl");function mn(t){let e=t.body!==void 0;if(e&&t.bodySerializer)return"serializedBody"in t?t.serializedBody!==void 0&&t.serializedBody!==""?t.serializedBody:null:t.body!==""?t.body:null;if(e)return t.body}i(mn,"G");f(mn,"getValidRequestBody");var Vi=f(async(t,e)=>{let r=typeof e=="function"?await e(t):e;if(r)return t.scheme==="bearer"?`Bearer ${r}`:t.scheme==="basic"?`Basic ${btoa(r)}`:r},"getAuthToken"),vn=f(({allowReserved:t,array:e,object:r}={})=>f(n=>{let s=[];if(n&&typeof n=="object")for(let o in n){let a=n[o];if(a!=null)if(Array.isArray(a)){let u=hn({allowReserved:t,explode:!0,name:o,style:"form",value:a,...e});u&&s.push(u)}else if(typeof a=="object"){let u=yn({allowReserved:t,explode:!0,name:o,style:"deepObject",value:a,...r});u&&s.push(u)}else{let u=Je({allowReserved:t,name:o,value:a});u&&s.push(u)}}return s.join("&")},"querySerializer"),"createQuerySerializer"),qi=f(t=>{var e;if(!t)return"stream";let r=(e=t.split(";")[0])==null?void 0:e.trim();if(r){if(r.startsWith("application/json")||r.endsWith("+json"))return"json";if(r==="multipart/form-data")return"formData";if(["application/","audio/","image/","video/"].some(n=>r.startsWith(n)))return"blob";if(r.startsWith("text/"))return"text"}},"getParseAs"),Ni=f((t,e)=>{var r,n;return e?!!(t.headers.has(e)||(r=t.query)!=null&&r[e]||(n=t.headers.get("Cookie"))!=null&&n.includes(`${e}=`)):!1},"checkForExistence"),Gi=f(async({security:t,...e})=>{for(let r of t){if(Ni(e,r.name))continue;let n=await Vi(r,e.auth);if(!n)continue;let s=r.name??"Authorization";switch(r.in){case"query":e.query||(e.query={}),e.query[s]=n;break;case"cookie":e.headers.append("Cookie",`${s}=${n}`);break;case"header":default:e.headers.set(s,n);break}}},"setAuthParams"),fn=f(t=>Li({baseUrl:t.baseUrl,path:t.path,query:t.query,querySerializer:typeof t.querySerializer=="function"?t.querySerializer:vn(t.querySerializer),url:t.url}),"buildUrl"),dn=f((t,e)=>{var r;let n={...t,...e};return(r=n.baseUrl)!=null&&r.endsWith("/")&&(n.baseUrl=n.baseUrl.substring(0,n.baseUrl.length-1)),n.headers=gn(t.headers,e.headers),n},"mergeConfigs"),ji=f(t=>{let e=[];return t.forEach((r,n)=>{e.push([n,r])}),e},"headersEntries"),gn=f((...t)=>{let e=new Headers;for(let r of t){if(!r)continue;let n=r instanceof Headers?ji(r):Object.entries(r);for(let[s,o]of n)if(o===null)e.delete(s);else if(Array.isArray(o))for(let a of o)e.append(s,a);else o!==void 0&&e.set(s,typeof o=="object"?JSON.stringify(o):o)}return e},"mergeHeaders"),In=class{static{i(this,"$")}constructor(){this.fns=[]}clear(){this.fns=[]}eject(e){let r=this.getInterceptorIndex(e);this.fns[r]&&(this.fns[r]=null)}exists(e){let r=this.getInterceptorIndex(e);return!!this.fns[r]}getInterceptorIndex(e){return typeof e=="number"?this.fns[e]?e:-1:this.fns.indexOf(e)}update(e,r){let n=this.getInterceptorIndex(e);return this.fns[n]?(this.fns[n]=r,e):!1}use(e){return this.fns.push(e),this.fns.length-1}};f(In,"Interceptors");var Gt=In,Bi=f(()=>({error:new Gt,request:new Gt,response:new Gt}),"createInterceptors"),Ui=vn({allowReserved:!1,array:{explode:!0,style:"form"},object:{explode:!0,style:"deepObject"}}),Mi={"Content-Type":"application/json"},jt=f((t={})=>({...Di,headers:Mi,parseAs:"auto",querySerializer:Ui,...t}),"createConfig"),bn=f((t={})=>{let e=dn(jt(),t),r=f(()=>({...e}),"getConfig"),n=f(c=>(e=dn(e,c),r()),"setConfig"),s=Bi(),o=f(async c=>{let p={...e,...c,fetch:c.fetch??e.fetch??globalThis.fetch,headers:gn(e.headers,c.headers),serializedBody:void 0};p.security&&await Gi({...p,security:p.security}),p.requestValidator&&await p.requestValidator(p),p.body!==void 0&&p.bodySerializer&&(p.serializedBody=p.bodySerializer(p.body)),(p.body===void 0||p.serializedBody==="")&&p.headers.delete("Content-Type");let d=fn(p);return{opts:p,url:d}},"beforeRequest"),a=f(async c=>{let{opts:p,url:d}=await o(c),v={redirect:"follow",...p,body:mn(p)},y=new Request(d,v);for(let g of s.request.fns)g&&(y=await g(y,p));let k=p.fetch,m=await k(y);for(let g of s.response.fns)g&&(m=await g(m,y,p));let x={request:y,response:m};if(m.ok){let g=(p.parseAs==="auto"?qi(m.headers.get("Content-Type")):p.parseAs)??"json";if(m.status===204||m.headers.get("Content-Length")==="0"){let _;switch(g){case"arrayBuffer":case"blob":case"text":_=await m[g]();break;case"formData":_=new FormData;break;case"stream":_=m.body;break;case"json":default:_={};break}return p.responseStyle==="data"?_:{data:_,...x}}let T;switch(g){case"arrayBuffer":case"blob":case"formData":case"json":case"text":T=await m[g]();break;case"stream":return p.responseStyle==="data"?m.body:{data:m.body,...x}}return g==="json"&&(p.responseValidator&&await p.responseValidator(T),p.responseTransformer&&(T=await p.responseTransformer(T))),p.responseStyle==="data"?T:{data:T,...x}}let $=await m.text(),R;try{R=JSON.parse($)}catch{}let Q=R??$,b=Q;for(let g of s.error.fns)g&&(b=await g(Q,m,y,p));if(b=b||{},p.throwOnError)throw b;return p.responseStyle==="data"?void 0:{error:b,...x}},"request"),u=f(c=>p=>a({...p,method:c}),"makeMethodFn"),l=f(c=>async p=>{let{opts:d,url:v}=await o(p);return ki({...d,body:d.body,headers:d.headers,method:c,onRequest:f(async(y,k)=>{let m=new Request(y,k);for(let x of s.request.fns)x&&(m=await x(m,d));return m},"onRequest"),url:v})},"makeSseFn");return{buildUrl:fn,connect:u("CONNECT"),delete:u("DELETE"),get:u("GET"),getConfig:r,head:u("HEAD"),interceptors:s,options:u("OPTIONS"),patch:u("PATCH"),post:u("POST"),put:u("PUT"),request:a,setConfig:n,sse:{connect:l("CONNECT"),delete:l("DELETE"),get:l("GET"),head:l("HEAD"),options:l("OPTIONS"),patch:l("PATCH"),post:l("POST"),put:l("PUT"),trace:l("TRACE")},trace:u("TRACE")}},"createClient"),D=bn(jt({baseUrl:"https://swish.app/api/2025-10"})),Fi=f(t=>(t?.client??D).get({security:[{scheme:"bearer",type:"http"}],url:"/lists",...t}),"listControllerFind"),Hi=f(t=>(t.client??D).post({security:[{scheme:"bearer",type:"http"}],url:"/lists",...t,headers:{"Content-Type":"application/json",...t.headers}}),"listControllerCreate"),Qi=f(t=>(t.client??D).delete({security:[{scheme:"bearer",type:"http"}],url:"/lists/{listId}",...t}),"listControllerDeleteById"),zi=f(t=>(t.client??D).get({security:[{scheme:"bearer",type:"http"}],url:"/lists/{listId}",...t}),"listControllerFindById"),Wi=f(t=>(t.client??D).patch({security:[{scheme:"bearer",type:"http"}],url:"/lists/{listId}",...t,headers:{"Content-Type":"application/json",...t.headers}}),"listControllerUpdateById"),Xi=f(t=>(t.client??D).put({security:[{scheme:"bearer",type:"http"}],url:"/lists/{listId}/items/order",...t,headers:{"Content-Type":"application/json",...t.headers}}),"listControllerSetListItemsOrder"),Ki=f(t=>(t.client??D).post({security:[{scheme:"bearer",type:"http"}],url:"/lists/{listId}/items",...t,headers:{"Content-Type":"application/json",...t.headers}}),"listControllerAddItemsToList"),Yi=f(t=>(t.client??D).delete({security:[{scheme:"bearer",type:"http"}],url:"/lists/{listId}/items/{itemId}",...t}),"listControllerRemoveItemFromList"),Ji=f(t=>(t.client??D).delete({security:[{scheme:"bearer",type:"http"}],url:"/items",...t,headers:{"Content-Type":"application/json",...t.headers}}),"itemControllerDelete"),Zi=f(t=>(t?.client??D).get({security:[{scheme:"bearer",type:"http"}],url:"/items",...t}),"itemControllerFind"),es=f(t=>(t.client??D).post({security:[{scheme:"bearer",type:"http"}],url:"/items",...t,headers:{"Content-Type":"application/json",...t.headers}}),"itemControllerCreate"),ts=f(t=>(t?.client??D).get({security:[{scheme:"bearer",type:"http"}],url:"/items/count",...t}),"itemControllerCount"),rs=f(t=>(t.client??D).delete({security:[{scheme:"bearer",type:"http"}],url:"/items/{itemId}",...t}),"itemControllerDeleteById"),ns=f(t=>(t.client??D).get({security:[{scheme:"bearer",type:"http"}],url:"/items/{itemId}",...t}),"itemControllerFindById"),is=f(t=>(t.client??D).patch({security:[{scheme:"bearer",type:"http"}],url:"/items/{itemId}",...t,headers:{"Content-Type":"application/json",...t.headers}}),"itemControllerUpdateById"),ss=f(t=>(t.client??D).put({security:[{scheme:"bearer",type:"http"}],url:"/items/{itemId}/lists",...t,headers:{"Content-Type":"application/json",...t.headers}}),"itemControllerSetListsById"),os=f(t=>(t?.client??D).get({security:[{scheme:"bearer",type:"http"}],url:"/profiles/accounts-version",...t}),"profileControllerCustomerAccountsVersion"),as=f(t=>(t.client??D).post({security:[{scheme:"bearer",type:"http"}],url:"/profiles/identify",...t,headers:{"Content-Type":"application/json",...t.headers}}),"profileControllerIdentify"),us=f(t=>(t.client??D).post({security:[{scheme:"bearer",type:"http"}],url:"/profiles/token",...t,headers:{"Content-Type":"application/json",...t.headers}}),"profileControllerCreateToken"),Ze="2025-10",ls=`https://swish.app/api/${Ze}`,wn=f(t=>new cs(t),"createApiClient"),En=class{static{i(this,"H")}constructor(e){this.client=bn(jt({baseUrl:ls})),this.items={list:f(r=>this.handlePaginatedRequest(Zi({query:r,client:this.client})),"list"),create:f(r=>this.handleRequest(es({body:r,client:this.client})),"create"),delete:f(r=>this.handleRequest(Ji({body:{itemIds:r},client:this.client})),"delete"),findById:f(r=>this.handleRequest(ns({path:{itemId:r},client:this.client})),"findById"),updateById:f((r,n)=>this.handleRequest(is({body:n,path:{itemId:r},client:this.client})),"updateById"),deleteById:f(r=>this.handleRequest(rs({path:{itemId:r},client:this.client})),"deleteById"),setListsById:f((r,n)=>this.handleRequest(ss({body:{listIds:n},path:{itemId:r},client:this.client})),"setListsById"),count:f(()=>this.handleRequest(ts({client:this.client})),"count")},this.lists={list:f(r=>this.handlePaginatedRequest(Fi({query:r,client:this.client})),"list"),create:f(r=>this.handleRequest(Hi({body:r,client:this.client})),"create"),findById:f(r=>this.handleRequest(zi({path:{listId:r},client:this.client})),"findById"),updateById:f((r,n)=>this.handleRequest(Wi({body:n,path:{listId:r},client:this.client})),"updateById"),deleteById:f(r=>this.handleRequest(Qi({path:{listId:r},client:this.client})),"deleteById"),orderItems:f((r,n)=>this.handleRequest(Xi({body:{itemIds:n},path:{listId:r},client:this.client})),"orderItems"),addItemsToList:f((r,n)=>this.handleRequest(Ki({body:{itemIds:n},path:{listId:r},client:this.client})),"addItemsToList"),removeItemFromList:f((r,n)=>this.handleRequest(Yi({path:{listId:r,itemId:n},client:this.client})),"removeItemFromList")},this.profiles={customerAccountsVersion:f(()=>this.handleRequest(os({client:this.client})),"customerAccountsVersion"),createToken:f((r={})=>this.handleRequest(us({body:r,client:this.client})),"createToken"),identify:f(r=>this.handleRequest(as({body:r,client:this.client})),"identify")},this.handleRequest=f(async r=>{let{data:n,error:s}=await r;return s!=null&&s.error?{error:s.error}:{data:n?.data}},"handleRequest"),this.handlePaginatedRequest=f(async r=>{var n;let{data:s,error:o}=await r;return o!=null&&o.error?{error:o.error}:{data:s?.data??[],pageInfo:s?.pageInfo??{next:null,previous:null,totalCount:((n=s?.data)==null?void 0:n.length)??0}}},"handlePaginatedRequest"),this.profile=e.profile,e.authToken&&(this.authToken=e.authToken),e.config&&this.client.setConfig(e.config),this.client.interceptors.request.use(this.requestInterceptor.bind(this)),e.requestInterceptor&&this.client.interceptors.request.use(e.requestInterceptor),e.responseInterceptor&&this.client.interceptors.response.use(e.responseInterceptor)}setProfile(e){this.profile=e}getProfile(){return this.profile}setAuthToken(e){this.authToken=e}setConfig(e){this.client.setConfig(e)}requestInterceptor(e){return this.authToken&&e.headers.set("Authorization",`Bearer ${this.authToken}`),this.profile&&e.headers.set("Profile",this.profile),e}};f(En,"SwishClient");var cs=En;var An=qn(xn(),1);var Dn=i(t=>new An.default(async e=>{let r=[...new Set(e)].sort((s,o)=>s.localeCompare(o)),n=await t.items.list({query:r.join(" "),limit:200});return"error"in n?(console.error("Failed to load items",n.error),e.map(()=>({data:[],pageInfo:{next:null,previous:null,totalCount:0}}))):e.map(s=>{let o=n.data.find(a=>s===`variant:${a.variantId}`||s===`product:${a.productId}`);return{data:o?[o]:[],pageInfo:{next:null,previous:null,totalCount:o?1:0}}})},{batchScheduleFn:i(e=>setTimeout(e,50),"batchScheduleFn"),cache:!1,maxBatchSize:200}),"createItemsBatchLoader");var et=class{static{i(this,"SwishApi")}constructor(e,r){this.config=e,this.cache=new X("swish-api","max-age=60, stale-while-revalidate=3600",r+Ze),this.cache.cleanupExpiredEntries().catch(s=>{console.warn("Swish API cache initialization cleanup error:",s)});let n=this.config.loadProfile?.();this.apiClient=wn({profile:n,config:{...e,fetch:i((s,o)=>(s instanceof Request?s.method:o?.method??"GET")==="GET"?this.cache.fetchWithCache(s,o):fetch(s,o),"fetch")},requestInterceptor:i(async s=>(s.headers.set("Swish-Api-Version",Ze),s),"requestInterceptor"),responseInterceptor:i(async(s,o)=>(this.processProfileHeader(s),o.method!=="GET"&&await this.cache.clear(),await this.config.responseInterceptor?.(s,o),s),"responseInterceptor")}),this.itemsLoader=Dn(this)}processProfileHeader(e){let r=e.headers.get("Set-Profile");r?(this.apiClient.setProfile(r),this.config.storeProfile?.(r)):r===""&&this.config.deleteProfile?.()}get items(){return{...this.apiClient.items,list:i(async(e,r)=>{if(!h.customer.id&&!this.apiClient.getProfile())return{data:[],pageInfo:{next:null,previous:null,totalCount:0}};if(r?.batch&&e?.query){e.limit!==1&&console.warn("Batching will always limit to 1 item");let n=e.query.split(" ");n.length>1&&console.warn("Batching will only support one query parameter");let s=n[0];if(!s.match(/^product:\d+$/)&&!s.match(/^variant:\d+$/))console.warn("Batching will only support product:<id> or variant:<id>");else return this.itemsLoader?.load(s)}return this.apiClient.items.list(e)},"list"),findById:i(async e=>!h.customer.id&&!this.apiClient.getProfile()?{data:null}:this.apiClient.items.findById(e),"findById")}}get lists(){return{...this.apiClient.lists,list:i(async e=>!h.customer.id&&!this.apiClient.getProfile()?{data:[],pageInfo:{next:null,previous:null,totalCount:0}}:this.apiClient.lists.list(e),"list"),findById:i(async e=>!h.customer.id&&!this.apiClient.getProfile()?{data:null}:this.apiClient.lists.findById(e),"findById")}}get profiles(){return this.apiClient.profiles}async clearCache(){await this.cache.clear()}};var tt=class{constructor(e){this.eventMap={"POST /items\\/?$":"item-create","DELETE /items\\/?$":"item-delete","PATCH /items\\/([^/]+)\\/?$":"item-update","DELETE /items\\/([^/]+)\\/?$":"item-delete","PUT /items\\/([^/]+)\\/lists\\/?$":"item-lists-update","POST /lists\\/?$":"list-create","DELETE /lists\\/?$":"list-delete","PATCH /lists\\/([^/]+)\\/?$":"list-update","DELETE /lists\\/([^/]+)\\/?$":"list-delete"};this.eventBus=e,this.processFetchResponse=this.processFetchResponse.bind(this)}static{i(this,"SwishApiPublisher")}async processFetchResponse(e,r){try{let n=this.getEventName(r.method,e.status,r.url);if(!n)return;let s=await e.clone().text();if(e.headers.get("Content-Type")?.includes("application/json"))try{s=JSON.parse(s).data}catch(o){console.warn(o)}this.eventBus.publish(n,s)}catch(n){console.warn(n)}}getEventName(e,r,n){e=e.toUpperCase();let s=new URL(n).pathname;return e==="GET"||r<200||r>=300?void 0:Object.entries(this.eventMap).find(([a])=>{let[u,l]=a.split(" ");return u!==e?!1:new RegExp(l).test(s)})?.[1]}};var rt=class extends HTMLElement{constructor(){super();this.getComponentRef=i(()=>this.componentRef,"getComponentRef");this.setComponentRef=i(r=>{this.componentRef=r},"setComponentRef");this.shadowRoot||this.attachShadow({mode:"open"});let r=this.querySelector("template");r&&this.shadowRoot&&(this.shadowRoot.appendChild(r.content),r.remove())}static{i(this,"SwishUiElement")}};var bs="0.56.0",h={customer:{id:null,email:null,firstName:null,lastName:null,b2b:null},localization:{country:"",language:"",market:0},routes:{accountUrl:"/account",accountLoginUrl:"/account/login",rootUrl:"/"}},dc=i(async t=>{if(typeof window>"u")throw new Error("Swish is not supported in this environment");if(window.swish)return window.swish;try{let n=localStorage.getItem("wk_session_id");n&&(localStorage.setItem("swish-profile",`gid://swish/Session/${n}`),localStorage.removeItem("wk_session_id"))}catch(n){console.warn("Failed to migrate legacy session id to Swish profile",{cause:n})}try{let n=document.getElementById("swishEmbedData");if(!n)throw new Error("Swish embed data not found");Object.assign(h,JSON.parse(n.innerText))}catch(n){console.warn("Could not read Swish embed data.",{cause:n})}let e=t.proxy?.baseUrl??"/apps/wishlist",r=new Ft({loadProfile:i(()=>localStorage.getItem("swish-profile")??void 0,"loadProfile"),storeProfile:i(n=>localStorage.setItem("swish-profile",n),"storeProfile"),deleteProfile:i(()=>localStorage.removeItem("swish-profile"),"deleteProfile"),proxy:{baseUrl:e},ui:t.ui,storefront:t.storefront});try{let n=localStorage.getItem("swish-profile");n&&h.customer.id?await r.api.clearCache():!n&&!h.customer.id&&await r.api.clearCache()}catch(n){console.warn("Could not check if customer logged out.",{cause:n})}return window.swish=r,document.dispatchEvent(new Event("swish-ready")),r},"swishApp"),Ft=class{constructor(e){this.ui={hideModal:rr,showModal:z,initShopBridge:cr,showToast:ur};this.dom={createElementLocator:ge,createQueryParamsObserver:pe};this.state={itemContext:gr(this),itemState:Ir(this),itemCount:br(this),swishQuery:wr(this),effect:B,signal:S,computed:j};this.options=e,this.events=new xe;let r={baseUrl:`${this.options.proxy.baseUrl}/api`,...this.options.swishApi??{}};this.swishApiPublisher=new tt(this.events);let n=[bs,e.ui?.version].join("-");this.swishApi=new et({...r,responseInterceptor:this.swishApiPublisher.processFetchResponse,loadProfile:e.loadProfile,storeProfile:e.storeProfile,deleteProfile:e.deleteProfile},n),this.ajaxApiPublisher=new Se(this.events),this.ajaxApi=new Ce({storeDomain:this.options.storefront.storeDomain,responseInterceptor:this.ajaxApiPublisher.processFetchResponse}),this.storefrontApi=new Ye(this.options.storefront),this.options.ui&&tr(this.options.ui),this.events.subscribe(["cart-add","cart-update","cart-change","cart-clear"],()=>{this.ajaxApi.clearCache()}),customElements.get("swish-ui")||customElements.define("swish-ui",rt),this.intents=new Me(this,{allowSaveWithoutVariant:!1,deleteSavedItemsWithoutEdit:!1,showToastAfterSave:!0,showToastAfterDelete:!0})}static{i(this,"SwishApp")}get customer(){return h.customer}get localization(){return h.localization}get shopifyRoutes(){return h.routes}get api(){return this.swishApi}get storefront(){return this.storefrontApi}get ajax(){return this.ajaxApi}get shopUrl(){return`https://${this.options.storefront.storeDomain}`}};export{Ft as SwishApp,bs as VERSION,dc as swishApp,h as swishEmbedData};
|
|
457
|
+
`);g=Qt.pop()??"";for(let Pr of Qt){let _r=Pr.split(`
|
|
458
|
+
`),Ee=[],zt;for(let H of _r)if(H.startsWith("data:"))Ee.push(H.replace(/^data:\s*/,""));else if(H.startsWith("event:"))zt=H.replace(/^event:\s*/,"");else if(H.startsWith("id:"))d=H.replace(/^id:\s*/,"");else if(H.startsWith("retry:")){let Xt=Number.parseInt(H.replace(/^retry:\s*/,""),10);Number.isNaN(Xt)||(y=Xt)}let ne,Wt=!1;if(Ee.length){let H=Ee.join(`
|
|
459
|
+
`);try{ne=JSON.parse(H),Wt=!0}catch{ne=H}}Wt&&(s&&await s(ne),r&&(ne=await r(ne))),n?.({data:ne,event:zt,id:d,retry:y}),Ee.length&&(yield ne)}}}finally{m.removeEventListener("abort",_),w.releaseLock()}break}catch($){if(e?.($),a!==void 0&&k>=a)break;let R=Math.min(y*2**(k-1),u??3e4);await v(R)}}},"createStream")()}},"createSseClient"),Oi=f(t=>{switch(t){case"label":return".";case"matrix":return";";case"simple":return",";default:return"&"}},"separatorArrayExplode"),Li=f(t=>{switch(t){case"form":return",";case"pipeDelimited":return"|";case"spaceDelimited":return"%20";default:return","}},"separatorArrayNoExplode"),$i=f(t=>{switch(t){case"label":return".";case"matrix":return";";case"simple":return",";default:return"&"}},"separatorObjectExplode"),mr=f(({allowReserved:t,explode:e,name:n,style:r,value:s})=>{if(!e){let u=(t?s:s.map(l=>encodeURIComponent(l))).join(Li(r));switch(r){case"label":return`.${u}`;case"matrix":return`;${n}=${u}`;case"simple":return u;default:return`${n}=${u}`}}let o=Oi(r),a=s.map(u=>r==="label"||r==="simple"?t?u:encodeURIComponent(u):Ze({allowReserved:t,name:n,value:u})).join(o);return r==="label"||r==="matrix"?o+a:a},"serializeArrayParam"),Ze=f(({allowReserved:t,name:e,value:n})=>{if(n==null)return"";if(typeof n=="object")throw new Error("Deeply-nested arrays/objects aren\u2019t supported. Provide your own `querySerializer()` to handle these.");return`${e}=${t?n:encodeURIComponent(n)}`},"serializePrimitiveParam"),vr=f(({allowReserved:t,explode:e,name:n,style:r,value:s,valueOnly:o})=>{if(s instanceof Date)return o?s.toISOString():`${n}=${s.toISOString()}`;if(r!=="deepObject"&&!e){let l=[];Object.entries(s).forEach(([p,d])=>{l=[...l,p,t?d:encodeURIComponent(d)]});let c=l.join(",");switch(r){case"form":return`${n}=${c}`;case"label":return`.${c}`;case"matrix":return`;${n}=${c}`;default:return c}}let a=$i(r),u=Object.entries(s).map(([l,c])=>Ze({allowReserved:t,name:r==="deepObject"?`${n}[${l}]`:l,value:c})).join(a);return r==="label"||r==="matrix"?a+u:u},"serializeObjectParam"),Vi=/\{[^{}]+\}/g,qi=f(({path:t,url:e})=>{let n=e,r=e.match(Vi);if(r)for(let s of r){let o=!1,a=s.substring(1,s.length-1),u="simple";a.endsWith("*")&&(o=!0,a=a.substring(0,a.length-1)),a.startsWith(".")?(a=a.substring(1),u="label"):a.startsWith(";")&&(a=a.substring(1),u="matrix");let l=t[a];if(l==null)continue;if(Array.isArray(l)){n=n.replace(s,mr({explode:o,name:a,style:u,value:l}));continue}if(typeof l=="object"){n=n.replace(s,vr({explode:o,name:a,style:u,value:l,valueOnly:!0}));continue}if(u==="matrix"){n=n.replace(s,`;${Ze({name:a,value:l})}`);continue}let c=encodeURIComponent(u==="label"?`.${l}`:l);n=n.replace(s,c)}return n},"defaultPathSerializer"),Bi=f(({baseUrl:t,path:e,query:n,querySerializer:r,url:s})=>{let o=s.startsWith("/")?s:`/${s}`,a=(t??"")+o;e&&(a=qi({path:e,url:a}));let u=n?r(n):"";return u.startsWith("?")&&(u=u.substring(1)),u&&(a+=`?${u}`),a},"getUrl");function gr(t){let e=t.body!==void 0;if(e&&t.bodySerializer)return"serializedBody"in t?t.serializedBody!==void 0&&t.serializedBody!==""?t.serializedBody:null:t.body!==""?t.body:null;if(e)return t.body}i(gr,"G");f(gr,"getValidRequestBody");var Ni=f(async(t,e)=>{let n=typeof e=="function"?await e(t):e;if(n)return t.scheme==="bearer"?`Bearer ${n}`:t.scheme==="basic"?`Basic ${btoa(n)}`:n},"getAuthToken"),Ir=f(({allowReserved:t,array:e,object:n}={})=>f(r=>{let s=[];if(r&&typeof r=="object")for(let o in r){let a=r[o];if(a!=null)if(Array.isArray(a)){let u=mr({allowReserved:t,explode:!0,name:o,style:"form",value:a,...e});u&&s.push(u)}else if(typeof a=="object"){let u=vr({allowReserved:t,explode:!0,name:o,style:"deepObject",value:a,...n});u&&s.push(u)}else{let u=Ze({allowReserved:t,name:o,value:a});u&&s.push(u)}}return s.join("&")},"querySerializer"),"createQuerySerializer"),Gi=f(t=>{var e;if(!t)return"stream";let n=(e=t.split(";")[0])==null?void 0:e.trim();if(n){if(n.startsWith("application/json")||n.endsWith("+json"))return"json";if(n==="multipart/form-data")return"formData";if(["application/","audio/","image/","video/"].some(r=>n.startsWith(r)))return"blob";if(n.startsWith("text/"))return"text"}},"getParseAs"),ji=f((t,e)=>{var n,r;return e?!!(t.headers.has(e)||(n=t.query)!=null&&n[e]||(r=t.headers.get("Cookie"))!=null&&r.includes(`${e}=`)):!1},"checkForExistence"),Ui=f(async({security:t,...e})=>{for(let n of t){if(ji(e,n.name))continue;let r=await Ni(n,e.auth);if(!r)continue;let s=n.name??"Authorization";switch(n.in){case"query":e.query||(e.query={}),e.query[s]=r;break;case"cookie":e.headers.append("Cookie",`${s}=${r}`);break;case"header":default:e.headers.set(s,r);break}}},"setAuthParams"),hr=f(t=>Bi({baseUrl:t.baseUrl,path:t.path,query:t.query,querySerializer:typeof t.querySerializer=="function"?t.querySerializer:Ir(t.querySerializer),url:t.url}),"buildUrl"),yr=f((t,e)=>{var n;let r={...t,...e};return(n=r.baseUrl)!=null&&n.endsWith("/")&&(r.baseUrl=r.baseUrl.substring(0,r.baseUrl.length-1)),r.headers=br(t.headers,e.headers),r},"mergeConfigs"),Mi=f(t=>{let e=[];return t.forEach((n,r)=>{e.push([r,n])}),e},"headersEntries"),br=f((...t)=>{let e=new Headers;for(let n of t){if(!n)continue;let r=n instanceof Headers?Mi(n):Object.entries(n);for(let[s,o]of r)if(o===null)e.delete(s);else if(Array.isArray(o))for(let a of o)e.append(s,a);else o!==void 0&&e.set(s,typeof o=="object"?JSON.stringify(o):o)}return e},"mergeHeaders"),wr=class{static{i(this,"$")}constructor(){this.fns=[]}clear(){this.fns=[]}eject(e){let n=this.getInterceptorIndex(e);this.fns[n]&&(this.fns[n]=null)}exists(e){let n=this.getInterceptorIndex(e);return!!this.fns[n]}getInterceptorIndex(e){return typeof e=="number"?this.fns[e]?e:-1:this.fns.indexOf(e)}update(e,n){let r=this.getInterceptorIndex(e);return this.fns[r]?(this.fns[r]=n,e):!1}use(e){return this.fns.push(e),this.fns.length-1}};f(wr,"Interceptors");var Gt=wr,Fi=f(()=>({error:new Gt,request:new Gt,response:new Gt}),"createInterceptors"),Hi=Ir({allowReserved:!1,array:{explode:!0,style:"form"},object:{explode:!0,style:"deepObject"}}),Qi={"Content-Type":"application/json"},jt=f((t={})=>({...Pi,headers:Qi,parseAs:"auto",querySerializer:Hi,...t}),"createConfig"),Er=f((t={})=>{let e=yr(jt(),t),n=f(()=>({...e}),"getConfig"),r=f(c=>(e=yr(e,c),n()),"setConfig"),s=Fi(),o=f(async c=>{let p={...e,...c,fetch:c.fetch??e.fetch??globalThis.fetch,headers:br(e.headers,c.headers),serializedBody:void 0};p.security&&await Ui({...p,security:p.security}),p.requestValidator&&await p.requestValidator(p),p.body!==void 0&&p.bodySerializer&&(p.serializedBody=p.bodySerializer(p.body)),(p.body===void 0||p.serializedBody==="")&&p.headers.delete("Content-Type");let d=hr(p);return{opts:p,url:d}},"beforeRequest"),a=f(async c=>{let{opts:p,url:d}=await o(c),v={redirect:"follow",...p,body:gr(p)},y=new Request(d,v);for(let g of s.request.fns)g&&(y=await g(y,p));let k=p.fetch,m=await k(y);for(let g of s.response.fns)g&&(m=await g(m,y,p));let A={request:y,response:m};if(m.ok){let g=(p.parseAs==="auto"?Gi(m.headers.get("Content-Type")):p.parseAs)??"json";if(m.status===204||m.headers.get("Content-Length")==="0"){let T;switch(g){case"arrayBuffer":case"blob":case"text":T=await m[g]();break;case"formData":T=new FormData;break;case"stream":T=m.body;break;case"json":default:T={};break}return p.responseStyle==="data"?T:{data:T,...A}}let _;switch(g){case"arrayBuffer":case"blob":case"formData":case"json":case"text":_=await m[g]();break;case"stream":return p.responseStyle==="data"?m.body:{data:m.body,...A}}return g==="json"&&(p.responseValidator&&await p.responseValidator(_),p.responseTransformer&&(_=await p.responseTransformer(_))),p.responseStyle==="data"?_:{data:_,...A}}let $=await m.text(),R;try{R=JSON.parse($)}catch{}let z=R??$,w=z;for(let g of s.error.fns)g&&(w=await g(z,m,y,p));if(w=w||{},p.throwOnError)throw w;return p.responseStyle==="data"?void 0:{error:w,...A}},"request"),u=f(c=>p=>a({...p,method:c}),"makeMethodFn"),l=f(c=>async p=>{let{opts:d,url:v}=await o(p);return Ti({...d,body:d.body,headers:d.headers,method:c,onRequest:f(async(y,k)=>{let m=new Request(y,k);for(let A of s.request.fns)A&&(m=await A(m,d));return m},"onRequest"),url:v})},"makeSseFn");return{buildUrl:hr,connect:u("CONNECT"),delete:u("DELETE"),get:u("GET"),getConfig:n,head:u("HEAD"),interceptors:s,options:u("OPTIONS"),patch:u("PATCH"),post:u("POST"),put:u("PUT"),request:a,setConfig:r,sse:{connect:l("CONNECT"),delete:l("DELETE"),get:l("GET"),head:l("HEAD"),options:l("OPTIONS"),patch:l("PATCH"),post:l("POST"),put:l("PUT"),trace:l("TRACE")},trace:u("TRACE")}},"createClient"),D=Er(jt({baseUrl:"https://swish.app/api/2025-10"})),zi=f(t=>(t?.client??D).get({security:[{scheme:"bearer",type:"http"}],url:"/lists",...t}),"listControllerFind"),Wi=f(t=>(t.client??D).post({security:[{scheme:"bearer",type:"http"}],url:"/lists",...t,headers:{"Content-Type":"application/json",...t.headers}}),"listControllerCreate"),Xi=f(t=>(t.client??D).delete({security:[{scheme:"bearer",type:"http"}],url:"/lists/{listId}",...t}),"listControllerDeleteById"),Ki=f(t=>(t.client??D).get({security:[{scheme:"bearer",type:"http"}],url:"/lists/{listId}",...t}),"listControllerFindById"),Yi=f(t=>(t.client??D).patch({security:[{scheme:"bearer",type:"http"}],url:"/lists/{listId}",...t,headers:{"Content-Type":"application/json",...t.headers}}),"listControllerUpdateById"),Ji=f(t=>(t.client??D).put({security:[{scheme:"bearer",type:"http"}],url:"/lists/{listId}/items/order",...t,headers:{"Content-Type":"application/json",...t.headers}}),"listControllerSetListItemsOrder"),Zi=f(t=>(t.client??D).post({security:[{scheme:"bearer",type:"http"}],url:"/lists/{listId}/items",...t,headers:{"Content-Type":"application/json",...t.headers}}),"listControllerAddItemsToList"),es=f(t=>(t.client??D).delete({security:[{scheme:"bearer",type:"http"}],url:"/lists/{listId}/items/{itemId}",...t}),"listControllerRemoveItemFromList"),ts=f(t=>(t.client??D).delete({security:[{scheme:"bearer",type:"http"}],url:"/items",...t,headers:{"Content-Type":"application/json",...t.headers}}),"itemControllerDelete"),ns=f(t=>(t?.client??D).get({security:[{scheme:"bearer",type:"http"}],url:"/items",...t}),"itemControllerFind"),rs=f(t=>(t.client??D).post({security:[{scheme:"bearer",type:"http"}],url:"/items",...t,headers:{"Content-Type":"application/json",...t.headers}}),"itemControllerCreate"),is=f(t=>(t?.client??D).get({security:[{scheme:"bearer",type:"http"}],url:"/items/count",...t}),"itemControllerCount"),ss=f(t=>(t.client??D).delete({security:[{scheme:"bearer",type:"http"}],url:"/items/{itemId}",...t}),"itemControllerDeleteById"),os=f(t=>(t.client??D).get({security:[{scheme:"bearer",type:"http"}],url:"/items/{itemId}",...t}),"itemControllerFindById"),as=f(t=>(t.client??D).patch({security:[{scheme:"bearer",type:"http"}],url:"/items/{itemId}",...t,headers:{"Content-Type":"application/json",...t.headers}}),"itemControllerUpdateById"),us=f(t=>(t.client??D).put({security:[{scheme:"bearer",type:"http"}],url:"/items/{itemId}/lists",...t,headers:{"Content-Type":"application/json",...t.headers}}),"itemControllerSetListsById"),ls=f(t=>(t?.client??D).get({security:[{scheme:"bearer",type:"http"}],url:"/profiles/accounts-version",...t}),"profileControllerCustomerAccountsVersion"),cs=f(t=>(t.client??D).post({security:[{scheme:"bearer",type:"http"}],url:"/profiles/identify",...t,headers:{"Content-Type":"application/json",...t.headers}}),"profileControllerIdentify"),ps=f(t=>(t.client??D).post({security:[{scheme:"bearer",type:"http"}],url:"/profiles/token",...t,headers:{"Content-Type":"application/json",...t.headers}}),"profileControllerCreateToken"),et="2025-10",fs=`https://swish.app/api/${et}`,Cr=f(t=>new ds(t),"createApiClient"),Sr=class{static{i(this,"H")}constructor(e){this.client=Er(jt({baseUrl:fs})),this.items={list:f(n=>this.handlePaginatedRequest(ns({query:n,client:this.client})),"list"),create:f(n=>this.handleRequest(rs({body:n,client:this.client})),"create"),delete:f(n=>this.handleRequest(ts({body:{itemIds:n},client:this.client})),"delete"),findById:f(n=>this.handleRequest(os({path:{itemId:n},client:this.client})),"findById"),updateById:f((n,r)=>this.handleRequest(as({body:r,path:{itemId:n},client:this.client})),"updateById"),deleteById:f(n=>this.handleRequest(ss({path:{itemId:n},client:this.client})),"deleteById"),setListsById:f((n,r)=>this.handleRequest(us({body:{listIds:r},path:{itemId:n},client:this.client})),"setListsById"),count:f(()=>this.handleRequest(is({client:this.client})),"count")},this.lists={list:f(n=>this.handlePaginatedRequest(zi({query:n,client:this.client})),"list"),create:f(n=>this.handleRequest(Wi({body:n,client:this.client})),"create"),findById:f(n=>this.handleRequest(Ki({path:{listId:n},client:this.client})),"findById"),updateById:f((n,r)=>this.handleRequest(Yi({body:r,path:{listId:n},client:this.client})),"updateById"),deleteById:f(n=>this.handleRequest(Xi({path:{listId:n},client:this.client})),"deleteById"),orderItems:f((n,r)=>this.handleRequest(Ji({body:{itemIds:r},path:{listId:n},client:this.client})),"orderItems"),addItemsToList:f((n,r)=>this.handleRequest(Zi({body:{itemIds:r},path:{listId:n},client:this.client})),"addItemsToList"),removeItemFromList:f((n,r)=>this.handleRequest(es({path:{listId:n,itemId:r},client:this.client})),"removeItemFromList")},this.profiles={customerAccountsVersion:f(()=>this.handleRequest(ls({client:this.client})),"customerAccountsVersion"),createToken:f((n={})=>this.handleRequest(ps({body:n,client:this.client})),"createToken"),identify:f(n=>this.handleRequest(cs({body:n,client:this.client})),"identify")},this.handleRequest=f(async n=>{let{data:r,error:s}=await n;return s!=null&&s.error?{error:s.error}:{data:r?.data}},"handleRequest"),this.handlePaginatedRequest=f(async n=>{var r;let{data:s,error:o}=await n;return o!=null&&o.error?{error:o.error}:{data:s?.data??[],pageInfo:s?.pageInfo??{next:null,previous:null,totalCount:((r=s?.data)==null?void 0:r.length)??0}}},"handlePaginatedRequest"),this.profile=e.profile,e.authToken&&(this.authToken=e.authToken),e.config&&this.client.setConfig(e.config),this.client.interceptors.request.use(this.requestInterceptor.bind(this)),e.requestInterceptor&&this.client.interceptors.request.use(e.requestInterceptor),e.responseInterceptor&&this.client.interceptors.response.use(e.responseInterceptor)}setProfile(e){this.profile=e}getProfile(){return this.profile}setAuthToken(e){this.authToken=e}setConfig(e){this.client.setConfig(e)}requestInterceptor(e){return this.authToken&&e.headers.set("Authorization",`Bearer ${this.authToken}`),this.profile&&e.headers.set("Profile",this.profile),e}};f(Sr,"SwishClient");var ds=Sr;var Rr=Nr(Dr(),1);var kr=i(t=>new Rr.default(async e=>{let n=[...new Set(e)].sort((s,o)=>s.localeCompare(o)),r=await t.items.list({query:n.join(" "),limit:200});return"error"in r?(console.error("Failed to load items",r.error),e.map(()=>({data:[],pageInfo:{next:null,previous:null,totalCount:0}}))):e.map(s=>{let o=r.data.find(a=>s===`variant:${a.variantId}`||s===`product:${a.productId}`);return{data:o?[o]:[],pageInfo:{next:null,previous:null,totalCount:o?1:0}}})},{batchScheduleFn:i(e=>setTimeout(e,50),"batchScheduleFn"),cache:!1,maxBatchSize:200}),"createItemsBatchLoader");var tt=class{static{i(this,"SwishApi")}constructor(e,n){this.config=e,this.cache=new K("swish-api","max-age=60, stale-while-revalidate=3600",n+et),this.cache.cleanupExpiredEntries().catch(s=>{console.warn("Swish API cache initialization cleanup error:",s)});let r=this.config.loadProfile?.();this.apiClient=Cr({profile:r,config:{...e,fetch:i((s,o)=>(s instanceof Request?s.method:o?.method??"GET")==="GET"?this.cache.fetchWithCache(s,o):fetch(s,o),"fetch")},requestInterceptor:i(async s=>(s.headers.set("Swish-Api-Version",et),s),"requestInterceptor"),responseInterceptor:i(async(s,o)=>(this.processProfileHeader(s),o.method!=="GET"&&await this.cache.clear(),await this.config.responseInterceptor?.(s,o),s),"responseInterceptor")}),this.itemsLoader=kr(this)}processProfileHeader(e){let n=e.headers.get("Set-Profile");n?(this.apiClient.setProfile(n),this.config.storeProfile?.(n)):n===""&&this.config.deleteProfile?.()}get items(){return{...this.apiClient.items,list:i(async(e,n)=>{if(!h.customer.id&&!this.apiClient.getProfile())return{data:[],pageInfo:{next:null,previous:null,totalCount:0}};if(n?.batch&&e?.query){e.limit!==1&&console.warn("Batching will always limit to 1 item");let r=e.query.split(" ");r.length>1&&console.warn("Batching will only support one query parameter");let s=r[0];if(!s.match(/^product:\d+$/)&&!s.match(/^variant:\d+$/))console.warn("Batching will only support product:<id> or variant:<id>");else return this.itemsLoader?.load(s)}return this.apiClient.items.list(e)},"list"),findById:i(async e=>!h.customer.id&&!this.apiClient.getProfile()?{data:null}:this.apiClient.items.findById(e),"findById")}}get lists(){return{...this.apiClient.lists,list:i(async e=>!h.customer.id&&!this.apiClient.getProfile()?{data:[],pageInfo:{next:null,previous:null,totalCount:0}}:this.apiClient.lists.list(e),"list"),findById:i(async e=>!h.customer.id&&!this.apiClient.getProfile()?{data:null}:this.apiClient.lists.findById(e),"findById")}}get profiles(){return this.apiClient.profiles}async clearCache(){await this.cache.clear()}};var nt=class{constructor(e){this.eventMap={"POST /items\\/?$":"item-create","DELETE /items\\/?$":"item-delete","PATCH /items\\/([^/]+)\\/?$":"item-update","DELETE /items\\/([^/]+)\\/?$":"item-delete","PUT /items\\/([^/]+)\\/lists\\/?$":"item-lists-update","POST /lists\\/?$":"list-create","DELETE /lists\\/?$":"list-delete","PATCH /lists\\/([^/]+)\\/?$":"list-update","DELETE /lists\\/([^/]+)\\/?$":"list-delete"};this.eventBus=e,this.processFetchResponse=this.processFetchResponse.bind(this)}static{i(this,"SwishApiPublisher")}async processFetchResponse(e,n){try{let r=this.getEventName(n.method,e.status,n.url);if(!r)return;let s=await e.clone().text();if(e.headers.get("Content-Type")?.includes("application/json"))try{s=JSON.parse(s).data}catch(o){console.warn(o)}this.eventBus.publish(r,s)}catch(r){console.warn(r)}}getEventName(e,n,r){e=e.toUpperCase();let s=new URL(r).pathname;return e==="GET"||n<200||n>=300?void 0:Object.entries(this.eventMap).find(([a])=>{let[u,l]=a.split(" ");return u!==e?!1:new RegExp(l).test(s)})?.[1]}};var rt=class extends HTMLElement{constructor(){super();this.getComponentRef=i(()=>this.componentRef,"getComponentRef");this.setComponentRef=i(n=>{this.componentRef=n},"setComponentRef");this.shadowRoot||this.attachShadow({mode:"open"});let n=this.querySelector("template");n&&this.shadowRoot&&(this.shadowRoot.appendChild(n.content),n.remove())}static{i(this,"SwishUiElement")}};var Cs="0.58.0",h={customer:{id:null,email:null,firstName:null,lastName:null,b2b:null},localization:{country:"",language:"",market:0},routes:{accountUrl:"/account",accountLoginUrl:"/account/login",rootUrl:"/"}},Ec=i(async t=>{if(typeof window>"u")throw new Error("Swish is not supported in this environment");if(window.swish)return window.swish;try{let r=localStorage.getItem("wk_session_id");r&&(localStorage.setItem("swish-profile",`gid://swish/Session/${r}`),localStorage.removeItem("wk_session_id"))}catch(r){console.warn("Failed to migrate legacy session id to Swish profile",{cause:r})}try{let r=document.getElementById("swishEmbedData");if(!r)throw new Error("Swish embed data not found");Object.assign(h,JSON.parse(r.innerText))}catch(r){console.warn("Could not read Swish embed data.",{cause:r})}let e=t.proxy?.baseUrl??"/apps/wishlist",n=new Ht({loadProfile:i(()=>localStorage.getItem("swish-profile")??void 0,"loadProfile"),storeProfile:i(r=>localStorage.setItem("swish-profile",r),"storeProfile"),deleteProfile:i(()=>localStorage.removeItem("swish-profile"),"deleteProfile"),proxy:{baseUrl:e},ui:t.ui,storefront:t.storefront});try{let r=localStorage.getItem("swish-profile");r&&h.customer.id?await n.api.clearCache():!r&&!h.customer.id&&await n.api.clearCache()}catch(r){console.warn("Could not check if customer logged out.",{cause:r})}return window.swish=n,document.dispatchEvent(new Event("swish-ready")),n},"swishApp"),Ht=class{constructor(e){this.ui={hideModal:rn,showModal:Q,initShopBridge:dn,showToast:cn};this.dom={createElementLocator:ge,createQueryParamsObserver:fe};this.state={itemContext:wn(this),itemState:En(this),itemCount:Cn(this),swishQuery:Sn(this),effect:M,signal:x,computed:j};this.options=e,this.events=new xe;let n={baseUrl:`${this.options.proxy.baseUrl}/api`,...this.options.swishApi??{}};this.swishApiPublisher=new nt(this.events);let r=[Cs,e.ui?.version].join("-");this.swishApi=new tt({...n,responseInterceptor:this.swishApiPublisher.processFetchResponse,loadProfile:e.loadProfile,storeProfile:e.storeProfile,deleteProfile:e.deleteProfile},r),this.ajaxApiPublisher=new Se(this.events),this.ajaxApi=new Ce({storeDomain:this.options.storefront.storeDomain,responseInterceptor:this.ajaxApiPublisher.processFetchResponse}),this.ajaxApi.patchFetch(),this.storefrontApi=new Je(this.options.storefront),this.options.ui&&nn(this.options.ui),this.events.subscribe(["cart-add","cart-update","cart-change","cart-clear"],()=>{this.ajaxApi.clearCache()}),customElements.get("swish-ui")||customElements.define("swish-ui",rt),this.intents=new Fe(this,{allowSaveWithoutVariant:!1,deleteSavedItemsWithoutEdit:!1,showToastAfterSave:!0,showToastAfterDelete:!0})}static{i(this,"SwishApp")}get customer(){return h.customer}get localization(){return h.localization}get shopifyRoutes(){return h.routes}get api(){return this.swishApi}get storefront(){return this.storefrontApi}get ajax(){return this.ajaxApi}get shopUrl(){return`https://${this.options.storefront.storeDomain}`}};export{Ht as SwishApp,Cs as VERSION,Ec as swishApp,h as swishEmbedData};
|