@fluid-topics/ft-i18n 1.3.25 → 1.3.26

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.
@@ -1,6 +1,10 @@
1
1
  import { FtLocalizableLabel } from "@fluid-topics/public-api";
2
2
  import { I18nAttributeValue } from "./i18nAttribute";
3
- export declare class I18nAttributeConverter {
3
+ import { ComplexAttributeConverter } from "lit";
4
+ export declare class I18nAttributeConverter implements ComplexAttributeConverter<I18nAttributeValue | undefined, string> {
4
5
  fromLocalizableLabel(label: FtLocalizableLabel): I18nAttributeValue;
6
+ fromAttribute(value: string | null): I18nAttributeValue | undefined;
7
+ toAttribute(value: I18nAttributeValue): string | undefined;
8
+ isI18nKey(value: string): RegExpMatchArray | null;
5
9
  }
6
10
  export declare const i18nAttributeConverter: I18nAttributeConverter;
@@ -12,5 +12,29 @@ export class I18nAttributeConverter {
12
12
  message: label.key,
13
13
  };
14
14
  }
15
+ fromAttribute(value) {
16
+ if (value == null) {
17
+ return undefined;
18
+ }
19
+ try {
20
+ return JSON.parse(value);
21
+ }
22
+ catch (_error) {
23
+ if (this.isI18nKey(value)) {
24
+ const [context, key] = value.split(".");
25
+ return { context, key, message: "" };
26
+ }
27
+ return { message: value };
28
+ }
29
+ }
30
+ toAttribute(value) {
31
+ if (value == null) {
32
+ return undefined;
33
+ }
34
+ return JSON.stringify(value);
35
+ }
36
+ isI18nKey(value) {
37
+ return value.match(/^[\w-]+\.[\w-]+$/);
38
+ }
15
39
  }
16
40
  export const i18nAttributeConverter = new I18nAttributeConverter();
@@ -0,0 +1,7 @@
1
+ import { I18nAttributeValue } from "./i18nAttribute";
2
+ import { ComplexAttributeConverter } from "lit";
3
+ export declare class I18nListAttributeConverter implements ComplexAttributeConverter<I18nAttributeValue[], string> {
4
+ fromAttribute(value: string | null): I18nAttributeValue[];
5
+ toAttribute(value: I18nAttributeValue[]): string | undefined;
6
+ }
7
+ export declare const i18nListAttributeConverter: I18nListAttributeConverter;
@@ -0,0 +1,28 @@
1
+ import { i18nAttributeConverter } from "./I18nAttributeConverter";
2
+ export class I18nListAttributeConverter {
3
+ fromAttribute(value) {
4
+ if (!value) {
5
+ return [];
6
+ }
7
+ try {
8
+ const parsed = JSON.parse(value);
9
+ return Array.isArray(parsed) ? parsed
10
+ .map((v) => {
11
+ if (typeof v === "string") {
12
+ return i18nAttributeConverter.fromAttribute(v);
13
+ }
14
+ return v;
15
+ }) : [];
16
+ }
17
+ catch {
18
+ return [];
19
+ }
20
+ }
21
+ toAttribute(value) {
22
+ if (value == null) {
23
+ return undefined;
24
+ }
25
+ return JSON.stringify(value);
26
+ }
27
+ }
28
+ export const i18nListAttributeConverter = new I18nListAttributeConverter();
@@ -8,6 +8,5 @@ export type I18nAttributeValue = {
8
8
  custom?: boolean;
9
9
  message: string;
10
10
  };
11
- export declare function isI18nKey(value: string): RegExpMatchArray | null;
12
11
  export declare const i18nAttribute: <E extends FtLitElement = FtLitElement>(init?: I18nAttributeInit<E> | undefined, options?: PropertyDeclaration) => (proto: FtLitElementWithI18nInterface & FtLitElement, name: string) => void;
13
12
  export declare const i18nListAttribute: <E extends FtLitElement = FtLitElement>(init?: I18nAttributeInit<E> | undefined, options?: PropertyDeclaration) => (proto: FtLitElementWithI18nInterface & FtLitElement, name: string) => void;
@@ -1,26 +1,14 @@
1
1
  import { i18nAttributes, i18nListAttributes } from "../lit/i18n";
2
2
  import { hasChanged } from "@fluid-topics/ft-wc-utils";
3
- export function isI18nKey(value) {
4
- return value.match(/^[\w-]+\.[\w-]+$/);
5
- }
6
- const processMessage = (value) => {
7
- if (isI18nKey(value)) {
8
- const [context, key] = value.split(".");
9
- return { context, key, message: "" };
10
- }
11
- else {
12
- return { message: value };
13
- }
14
- };
3
+ import { i18nAttributeConverter } from "./I18nAttributeConverter";
4
+ import { i18nListAttributeConverter } from "./I18nListAttributeConverter";
15
5
  export const i18nAttribute = (init, options) => {
16
6
  return (proto, name) => {
17
7
  var _a;
18
8
  proto.constructor.createProperty(name, {
19
9
  type: Object,
20
10
  hasChanged,
21
- converter: (value) => {
22
- return processMessage(value !== null && value !== void 0 ? value : "");
23
- },
11
+ converter: i18nAttributeConverter,
24
12
  ...options,
25
13
  });
26
14
  proto[i18nAttributes] = (_a = proto[i18nAttributes]) !== null && _a !== void 0 ? _a : new Map();
@@ -33,18 +21,7 @@ export const i18nListAttribute = (init, options) => {
33
21
  proto.constructor.createProperty(name, {
34
22
  type: Object,
35
23
  hasChanged,
36
- converter: (value) => {
37
- if (!value) {
38
- return [];
39
- }
40
- try {
41
- const parsed = JSON.parse(value);
42
- return Array.isArray(parsed) ? parsed.filter((v) => typeof v === "string").map(processMessage) : [];
43
- }
44
- catch {
45
- return [];
46
- }
47
- },
24
+ converter: i18nListAttributeConverter,
48
25
  ...options,
49
26
  });
50
27
  proto[i18nListAttributes] = (_a = proto[i18nListAttributes]) !== null && _a !== void 0 ? _a : new Map();
@@ -1,13 +1,13 @@
1
- "use strict";(()=>{var jn=Object.create;var $t=Object.defineProperty;var Bn=Object.getOwnPropertyDescriptor;var Hn=Object.getOwnPropertyNames;var Vn=Object.getPrototypeOf,Kn=Object.prototype.hasOwnProperty;var Ne=(e,t)=>()=>(t||e((t={exports:{}}).exports,t),t.exports);var qn=(e,t,r,n)=>{if(t&&typeof t=="object"||typeof t=="function")for(let i of Hn(t))!Kn.call(e,i)&&i!==r&&$t(e,i,{get:()=>t[i],enumerable:!(n=Bn(t,i))||n.enumerable});return e};var T=(e,t,r)=>(r=e!=null?jn(Vn(e)):{},qn(t||!e||!e.__esModule?$t(r,"default",{value:e,enumerable:!0}):r,e));var U=Ne((qi,zt)=>{zt.exports=ftGlobals.wcUtils});var me=Ne((Gi,Wt)=>{Wt.exports=ftGlobals.lit});var J=Ne(($i,Xt)=>{Xt.exports=ftGlobals.litDecorators});var nr=Ne((Q,rr)=>{var Ve=typeof globalThis<"u"&&globalThis||typeof self<"u"&&self||typeof global<"u"&&global,Ke=function(){function e(){this.fetch=!1,this.DOMException=Ve.DOMException}return e.prototype=Ve,new e}();(function(e){var t=function(r){var n=typeof e<"u"&&e||typeof self<"u"&&self||typeof global<"u"&&global||{},i={searchParams:"URLSearchParams"in n,iterable:"Symbol"in n&&"iterator"in Symbol,blob:"FileReader"in n&&"Blob"in n&&function(){try{return new Blob,!0}catch{return!1}}(),formData:"FormData"in n,arrayBuffer:"ArrayBuffer"in n};function s(c){return c&&DataView.prototype.isPrototypeOf(c)}if(i.arrayBuffer)var a=["[object Int8Array]","[object Uint8Array]","[object Uint8ClampedArray]","[object Int16Array]","[object Uint16Array]","[object Int32Array]","[object Uint32Array]","[object Float32Array]","[object Float64Array]"],o=ArrayBuffer.isView||function(c){return c&&a.indexOf(Object.prototype.toString.call(c))>-1};function u(c){if(typeof c!="string"&&(c=String(c)),/[^a-z0-9\-#$%&'*+.^_`|~!]/i.test(c)||c==="")throw new TypeError('Invalid character in header field name: "'+c+'"');return c.toLowerCase()}function l(c){return typeof c!="string"&&(c=String(c)),c}function d(c){var f={next:function(){var b=c.shift();return{done:b===void 0,value:b}}};return i.iterable&&(f[Symbol.iterator]=function(){return f}),f}function h(c){this.map={},c instanceof h?c.forEach(function(f,b){this.append(b,f)},this):Array.isArray(c)?c.forEach(function(f){if(f.length!=2)throw new TypeError("Headers constructor: expected name/value pair to be length 2, found"+f.length);this.append(f[0],f[1])},this):c&&Object.getOwnPropertyNames(c).forEach(function(f){this.append(f,c[f])},this)}h.prototype.append=function(c,f){c=u(c),f=l(f);var b=this.map[c];this.map[c]=b?b+", "+f:f},h.prototype.delete=function(c){delete this.map[u(c)]},h.prototype.get=function(c){return c=u(c),this.has(c)?this.map[c]:null},h.prototype.has=function(c){return this.map.hasOwnProperty(u(c))},h.prototype.set=function(c,f){this.map[u(c)]=l(f)},h.prototype.forEach=function(c,f){for(var b in this.map)this.map.hasOwnProperty(b)&&c.call(f,this.map[b],b,this)},h.prototype.keys=function(){var c=[];return this.forEach(function(f,b){c.push(b)}),d(c)},h.prototype.values=function(){var c=[];return this.forEach(function(f){c.push(f)}),d(c)},h.prototype.entries=function(){var c=[];return this.forEach(function(f,b){c.push([b,f])}),d(c)},i.iterable&&(h.prototype[Symbol.iterator]=h.prototype.entries);function p(c){if(!c._noBody){if(c.bodyUsed)return Promise.reject(new TypeError("Already read"));c.bodyUsed=!0}}function v(c){return new Promise(function(f,b){c.onload=function(){f(c.result)},c.onerror=function(){b(c.error)}})}function y(c){var f=new FileReader,b=v(f);return f.readAsArrayBuffer(c),b}function m(c){var f=new FileReader,b=v(f),O=/charset=([A-Za-z0-9_-]+)/.exec(c.type),I=O?O[1]:"utf-8";return f.readAsText(c,I),b}function w(c){for(var f=new Uint8Array(c),b=new Array(f.length),O=0;O<f.length;O++)b[O]=String.fromCharCode(f[O]);return b.join("")}function A(c){if(c.slice)return c.slice(0);var f=new Uint8Array(c.byteLength);return f.set(new Uint8Array(c)),f.buffer}function S(){return this.bodyUsed=!1,this._initBody=function(c){this.bodyUsed=this.bodyUsed,this._bodyInit=c,c?typeof c=="string"?this._bodyText=c:i.blob&&Blob.prototype.isPrototypeOf(c)?this._bodyBlob=c:i.formData&&FormData.prototype.isPrototypeOf(c)?this._bodyFormData=c:i.searchParams&&URLSearchParams.prototype.isPrototypeOf(c)?this._bodyText=c.toString():i.arrayBuffer&&i.blob&&s(c)?(this._bodyArrayBuffer=A(c.buffer),this._bodyInit=new Blob([this._bodyArrayBuffer])):i.arrayBuffer&&(ArrayBuffer.prototype.isPrototypeOf(c)||o(c))?this._bodyArrayBuffer=A(c):this._bodyText=c=Object.prototype.toString.call(c):(this._noBody=!0,this._bodyText=""),this.headers.get("content-type")||(typeof c=="string"?this.headers.set("content-type","text/plain;charset=UTF-8"):this._bodyBlob&&this._bodyBlob.type?this.headers.set("content-type",this._bodyBlob.type):i.searchParams&&URLSearchParams.prototype.isPrototypeOf(c)&&this.headers.set("content-type","application/x-www-form-urlencoded;charset=UTF-8"))},i.blob&&(this.blob=function(){var c=p(this);if(c)return c;if(this._bodyBlob)return Promise.resolve(this._bodyBlob);if(this._bodyArrayBuffer)return Promise.resolve(new Blob([this._bodyArrayBuffer]));if(this._bodyFormData)throw new Error("could not read FormData body as blob");return Promise.resolve(new Blob([this._bodyText]))}),this.arrayBuffer=function(){if(this._bodyArrayBuffer){var c=p(this);return c||(ArrayBuffer.isView(this._bodyArrayBuffer)?Promise.resolve(this._bodyArrayBuffer.buffer.slice(this._bodyArrayBuffer.byteOffset,this._bodyArrayBuffer.byteOffset+this._bodyArrayBuffer.byteLength)):Promise.resolve(this._bodyArrayBuffer))}else{if(i.blob)return this.blob().then(y);throw new Error("could not read as ArrayBuffer")}},this.text=function(){var c=p(this);if(c)return c;if(this._bodyBlob)return m(this._bodyBlob);if(this._bodyArrayBuffer)return Promise.resolve(w(this._bodyArrayBuffer));if(this._bodyFormData)throw new Error("could not read FormData body as text");return Promise.resolve(this._bodyText)},i.formData&&(this.formData=function(){return this.text().then(q)}),this.json=function(){return this.text().then(JSON.parse)},this}var C=["CONNECT","DELETE","GET","HEAD","OPTIONS","PATCH","POST","PUT","TRACE"];function x(c){var f=c.toUpperCase();return C.indexOf(f)>-1?f:c}function L(c,f){if(!(this instanceof L))throw new TypeError('Please use the "new" operator, this DOM object constructor cannot be called as a function.');f=f||{};var b=f.body;if(c instanceof L){if(c.bodyUsed)throw new TypeError("Already read");this.url=c.url,this.credentials=c.credentials,f.headers||(this.headers=new h(c.headers)),this.method=c.method,this.mode=c.mode,this.signal=c.signal,!b&&c._bodyInit!=null&&(b=c._bodyInit,c.bodyUsed=!0)}else this.url=String(c);if(this.credentials=f.credentials||this.credentials||"same-origin",(f.headers||!this.headers)&&(this.headers=new h(f.headers)),this.method=x(f.method||this.method||"GET"),this.mode=f.mode||this.mode||null,this.signal=f.signal||this.signal||function(){if("AbortController"in n){var E=new AbortController;return E.signal}}(),this.referrer=null,(this.method==="GET"||this.method==="HEAD")&&b)throw new TypeError("Body not allowed for GET or HEAD requests");if(this._initBody(b),(this.method==="GET"||this.method==="HEAD")&&(f.cache==="no-store"||f.cache==="no-cache")){var O=/([?&])_=[^&]*/;if(O.test(this.url))this.url=this.url.replace(O,"$1_="+new Date().getTime());else{var I=/\?/;this.url+=(I.test(this.url)?"&":"?")+"_="+new Date().getTime()}}}L.prototype.clone=function(){return new L(this,{body:this._bodyInit})};function q(c){var f=new FormData;return c.trim().split("&").forEach(function(b){if(b){var O=b.split("="),I=O.shift().replace(/\+/g," "),E=O.join("=").replace(/\+/g," ");f.append(decodeURIComponent(I),decodeURIComponent(E))}}),f}function se(c){var f=new h,b=c.replace(/\r?\n[\t ]+/g," ");return b.split("\r").map(function(O){return O.indexOf(`
2
- `)===0?O.substr(1,O.length):O}).forEach(function(O){var I=O.split(":"),E=I.shift().trim();if(E){var Me=I.join(":").trim();try{f.append(E,Me)}catch(ht){console.warn("Response "+ht.message)}}}),f}S.call(L.prototype);function F(c,f){if(!(this instanceof F))throw new TypeError('Please use the "new" operator, this DOM object constructor cannot be called as a function.');if(f||(f={}),this.type="default",this.status=f.status===void 0?200:f.status,this.status<200||this.status>599)throw new RangeError("Failed to construct 'Response': The status provided (0) is outside the range [200, 599].");this.ok=this.status>=200&&this.status<300,this.statusText=f.statusText===void 0?"":""+f.statusText,this.headers=new h(f.headers),this.url=f.url||"",this._initBody(c)}S.call(F.prototype),F.prototype.clone=function(){return new F(this._bodyInit,{status:this.status,statusText:this.statusText,headers:new h(this.headers),url:this.url})},F.error=function(){var c=new F(null,{status:200,statusText:""});return c.ok=!1,c.status=0,c.type="error",c};var ae=[301,302,303,307,308];F.redirect=function(c,f){if(ae.indexOf(f)===-1)throw new RangeError("Invalid status code");return new F(null,{status:f,headers:{location:c}})},r.DOMException=n.DOMException;try{new r.DOMException}catch{r.DOMException=function(f,b){this.message=f,this.name=b;var O=Error(f);this.stack=O.stack},r.DOMException.prototype=Object.create(Error.prototype),r.DOMException.prototype.constructor=r.DOMException}function ye(c,f){return new Promise(function(b,O){var I=new L(c,f);if(I.signal&&I.signal.aborted)return O(new r.DOMException("Aborted","AbortError"));var E=new XMLHttpRequest;function Me(){E.abort()}E.onload=function(){var k={statusText:E.statusText,headers:se(E.getAllResponseHeaders()||"")};I.url.indexOf("file://")===0&&(E.status<200||E.status>599)?k.status=200:k.status=E.status,k.url="responseURL"in E?E.responseURL:k.headers.get("X-Request-URL");var oe="response"in E?E.response:E.responseText;setTimeout(function(){b(new F(oe,k))},0)},E.onerror=function(){setTimeout(function(){O(new TypeError("Network request failed"))},0)},E.ontimeout=function(){setTimeout(function(){O(new TypeError("Network request timed out"))},0)},E.onabort=function(){setTimeout(function(){O(new r.DOMException("Aborted","AbortError"))},0)};function ht(k){try{return k===""&&n.location.href?n.location.href:k}catch{return k}}if(E.open(I.method,ht(I.url),!0),I.credentials==="include"?E.withCredentials=!0:I.credentials==="omit"&&(E.withCredentials=!1),"responseType"in E&&(i.blob?E.responseType="blob":i.arrayBuffer&&(E.responseType="arraybuffer")),f&&typeof f.headers=="object"&&!(f.headers instanceof h||n.Headers&&f.headers instanceof n.Headers)){var Gt=[];Object.getOwnPropertyNames(f.headers).forEach(function(k){Gt.push(u(k)),E.setRequestHeader(k,l(f.headers[k]))}),I.headers.forEach(function(k,oe){Gt.indexOf(oe)===-1&&E.setRequestHeader(oe,k)})}else I.headers.forEach(function(k,oe){E.setRequestHeader(oe,k)});I.signal&&(I.signal.addEventListener("abort",Me),E.onreadystatechange=function(){E.readyState===4&&I.signal.removeEventListener("abort",Me)}),E.send(typeof I._bodyInit>"u"?null:I._bodyInit)})}return ye.polyfill=!0,n.fetch||(n.fetch=ye,n.Headers=h,n.Request=L,n.Response=F),r.Headers=h,r.Request=L,r.Response=F,r.fetch=ye,r}({})})(Ke);Ke.fetch.ponyfill=!0;delete Ke.fetch.polyfill;var be=Ve.fetch?Ve:Ke;Q=be.fetch;Q.default=be.fetch;Q.fetch=be.fetch;Q.Headers=be.Headers;Q.Request=be.Request;Q.Response=be.Response;rr.exports=Q});var Fn=T(U());var dt=T(me()),ft=T(J()),pt=T(U());var Yt=T(me()),zi={},Jt=Yt.css`
3
- `;var lt=T(U());var In=T(U());var Fr=T(me()),M=T(J()),G=T(U());var Qt=T(me());var Zt=Qt.css`
4
- `;var Ue=T(U()),Gn="ft-app-info",ue=class e extends CustomEvent{constructor(t){super(e.eventName,{detail:t})}};ue.eventName="authentication-change";var $n={session:(e,t)=>{(0,Ue.deepEqual)(e.session,t.payload)||(e.session=t.payload,setTimeout(()=>g.dispatchEvent(new ue(t.payload)),0))}},g=Ue.FtReduxStore.get({name:Gn,reducers:$n,initialState:{baseUrl:void 0,apiIntegrationIdentifier:void 0,apiIntegrationAppVersion:void 0,uiLocale:document.documentElement.lang||"en-US",availableUiLocales:[],availableContentLocales:[],defaultLocales:void 0,searchInAllLanguagesAllowed:!1,metadataConfiguration:void 0,privacyPolicyConfiguration:void 0,editorMode:!1,noCustom:!1,noCustomComponent:!1,session:void 0,openExternalDocumentInNewTab:!1,navigatorOnline:!0,forcedOffline:!1,authenticationRequired:!1}});var yt=T(U());var ce=class e{static get(t){let{baseUrl:r,apiIntegrationIdentifier:n}=g.getState(),i=t??n;if(r&&i&&window.fluidtopics)return new window.fluidtopics.FluidTopicsApi(r,i,!0)}static await(t){return new Promise(r=>{let n=e.get(t);if(n)r(n);else{let i=g.subscribe(()=>{n=e.get(t),n&&(i(),r(n))})}})}};var Fe=class{constructor(t){this.overrideApi=t}get api(){var t;return(t=this.overrideApi)!==null&&t!==void 0?t:ce.get()}get awaitApi(){return this.overrideApi?Promise.resolve(this.overrideApi):ce.await()}};var j=class extends Fe{constructor(t=!0,r){var n;super(r),this.sortObjectFields=(s,a)=>typeof a!="object"||a==null||Array.isArray(a)?a:Object.fromEntries(Object.entries(a).sort(([o],[u])=>o.localeCompare(u)));let i=this.constructor;i.commonCache=(n=i.commonCache)!==null&&n!==void 0?n:new yt.CacheRegistry,this.cache=t?i.commonCache:new yt.CacheRegistry}clearCache(){this.cache.clearAll()}hash(t){return String(Array.from(JSON.stringify(t,this.sortObjectFields)).reduce((r,n)=>0|31*r+n.charCodeAt(0),0))}};var je=class extends j{async listMyBookmarks(){let t=g.getState().session;return t?.sessionAuthenticated?this.cache.get("my-bookmarks",async()=>(await this.awaitApi).listMyBookmarks(t.profile.userId),5*60*1e3):[]}};var mt=class{addCommand(t,r=!1){g.commands.add(t,r)}consumeCommand(t){return g.commands.consume(t)}};window.FluidTopicsAppInfoStoreService=new mt;var V=T(U());var er,ve=class extends CustomEvent{constructor(t){super("ft-i18n-context-loaded",{detail:t})}},zn=Symbol("clearAfterUnitTest"),Be=class extends(0,V.withEventBus)(j){constructor(t){super(),this.messageContextProvider=t,this.defaultMessages={},this.listeners={},this.currentUiLocale="",this[er]=()=>{this.defaultMessages={},this.cache=new V.CacheRegistry,this.listeners={}},this.currentUiLocale=g.getState().uiLocale,g.subscribe(()=>this.clearWhenUiLocaleChanges())}clearWhenUiLocaleChanges(){let{uiLocale:t}=g.getState();this.currentUiLocale!==t&&(this.currentUiLocale=t,this.cache.clearAll(),this.notifyAll())}addContext(t){let r=t.name.toLowerCase();this.cache.setFinal(r,t),this.notify(r)}getAllContexts(){return this.cache.resolvedValues()}async prepareContext(t,r){var n;if(t=t.toLowerCase(),r&&Object.keys(r).length>0){let i={...(n=this.defaultMessages[t])!==null&&n!==void 0?n:{},...r};(0,V.deepEqual)(this.defaultMessages[t],i)||(this.defaultMessages[t]=i,await this.notify(t))}return this.fetchContext(t)}resolveContext(t){var r,n;return this.fetchContext(t),(n=(r=this.cache.getNow(t))===null||r===void 0?void 0:r.messages)!==null&&n!==void 0?n:{}}resolveRawMessage(t,r){let n=t.toLowerCase();return this.resolveContext(n)[r]}resolveMessage(t,r,...n){var i;let s=t.toLowerCase(),a=this.resolveContext(s);return new V.ParametrizedLabelResolver((i=this.defaultMessages[s])!==null&&i!==void 0?i:{},a).resolve(r,...n)}async fetchContext(t){let r=!this.cache.has(t),n;try{n=await this.cache.get(t,()=>this.messageContextProvider(this.currentUiLocale,t)),r&&await this.notify(t)}catch(i){!(i instanceof V.CanceledPromiseError)&&r&&console.error(i)}return n}subscribe(t,r){var n;return t=t.toLowerCase(),this.listeners[t]=(n=this.listeners[t])!==null&&n!==void 0?n:new Set,this.listeners[t].add(r),()=>{var i;return(i=this.listeners[t])===null||i===void 0?void 0:i.delete(r)}}async notifyAll(){let t=Object.keys(this.listeners);document.body.dispatchEvent(new ve({loadedContexts:t})),this.dispatchEvent(new ve({loadedContexts:t})),await Promise.all(t.map(r=>this.notify(r,!1)))}async notify(t,r=!0){r&&(document.body.dispatchEvent(new ve({loadedContexts:[t]})),this.dispatchEvent(new ve({loadedContexts:[t]}))),this.listeners[t]!=null&&await Promise.all([...this.listeners[t].values()].map(n=>(0,V.delay)(0).then(()=>n()).catch(()=>null)))}};er=zn;window.FluidTopicsI18nService==null&&(window.FluidTopicsI18nService=new class extends Be{constructor(){super(async(e,t)=>(await this.awaitApi).getFluidTopicsMessageContext(e,t))}});window.FluidTopicsCustomI18nService==null&&(window.FluidTopicsCustomI18nService=new class extends Be{constructor(){super(async(e,t)=>(await this.awaitApi).getCustomMessageContext(e,t))}});var ge=window.FluidTopicsI18nService,He=window.FluidTopicsCustomI18nService;var tr=T(U()),vt=class{highlightHtml(t,r,n){(0,tr.highlightHtml)(t,r,n)}};window.FluidTopicsHighlightHtmlService=new vt;var Xn=T(nr(),1);var ir;(function(e){e.black="black",e.green="green",e.blue="blue",e.purple="purple",e.red="red",e.orange="orange",e.yellow="yellow"})(ir||(ir={}));var sr;(function(e){e.OFFICIAL="OFFICIAL",e.PERSONAL="PERSONAL",e.SHARED="SHARED"})(sr||(sr={}));var ar;(function(e){e.STRUCTURED_DOCUMENT="STRUCTURED_DOCUMENT",e.UNSTRUCTURED_DOCUMENT="UNSTRUCTURED_DOCUMENT",e.SHARED_PERSONAL_BOOK="SHARED_PERSONAL_BOOK",e.PERSONAL_BOOK="PERSONAL_BOOK",e.ATTACHMENT="ATTACHMENT",e.RESOURCE="RESOURCE",e.HTML_PACKAGE="HTML_PACKAGE"})(ar||(ar={}));var or;(function(e){e.STRUCTURED_DOCUMENT="STRUCTURED_DOCUMENT",e.UNSTRUCTURED_DOCUMENT="UNSTRUCTURED_DOCUMENT",e.SHARED_PERSONAL_BOOK="SHARED_PERSONAL_BOOK",e.PERSONAL_BOOK="PERSONAL_BOOK",e.ATTACHMENT="ATTACHMENT",e.RESOURCE="RESOURCE",e.HTML_PACKAGE="HTML_PACKAGE"})(or||(or={}));var ur;(function(e){e.LAST_WEEK="LAST_WEEK",e.LAST_MONTH="LAST_MONTH",e.LAST_QUARTER="LAST_QUARTER",e.LAST_YEAR="LAST_YEAR"})(ur||(ur={}));var cr;(function(e){e.VALUE="VALUE",e.DATE="DATE",e.RANGE="RANGE"})(cr||(cr={}));var lr;(function(e){e.BOOKMARK__CREATE="BOOKMARK__CREATE",e.BOOKMARK__DELETE="BOOKMARK__DELETE",e.CASE_DEFLECTION__START="CASE_DEFLECTION__START",e.CASE_DEFLECTION__OPEN_TICKET="CASE_DEFLECTION__OPEN_TICKET",e.CASE_DEFLECTION__RATE="CASE_DEFLECTION__RATE",e.COLLECTION__CREATE="COLLECTION__CREATE",e.COLLECTION__UPDATE="COLLECTION__UPDATE",e.COLLECTION__DELETE="COLLECTION__DELETE",e.CUSTOM_EVENT__TRIGGER="CUSTOM_EVENT__TRIGGER",e.DOCUMENT__DISPLAY="DOCUMENT__DISPLAY",e.DOCUMENT__DOWNLOAD="DOCUMENT__DOWNLOAD",e.DOCUMENT__PRINT="DOCUMENT__PRINT",e.DOCUMENT__PROCESS="DOCUMENT__PROCESS",e.DOCUMENT__RATE="DOCUMENT__RATE",e.DOCUMENT__SEARCH="DOCUMENT__SEARCH",e.DOCUMENT__START_DISPLAY="DOCUMENT__START_DISPLAY",e.DOCUMENT__UNRATE="DOCUMENT__UNRATE",e.FEEDBACK__SEND="FEEDBACK__SEND",e.AI__COMPLETED_QUERY="AI__COMPLETED_QUERY",e.AI__RATE="AI__RATE",e.AI_CASE_DEFLECTION__START="AI_CASE_DEFLECTION__START",e.AI_CASE_DEFLECTION__OPEN_TICKET="AI_CASE_DEFLECTION__OPEN_TICKET",e.KHUB__PROCESS="KHUB__PROCESS",e.KHUB__SEARCH="KHUB__SEARCH",e.LABELS__DOWNLOAD="LABELS__DOWNLOAD",e.LINK__SHARE="LINK__SHARE",e.PAGE__DISPLAY="PAGE__DISPLAY",e.PERSONAL_BOOK__CREATE="PERSONAL_BOOK__CREATE",e.PERSONAL_BOOK__DELETE="PERSONAL_BOOK__DELETE",e.PERSONAL_BOOK__UPDATE="PERSONAL_BOOK__UPDATE",e.PERSONAL_TOPIC__CREATE="PERSONAL_TOPIC__CREATE",e.PERSONAL_TOPIC__UPDATE="PERSONAL_TOPIC__UPDATE",e.PERSONAL_TOPIC__DELETE="PERSONAL_TOPIC__DELETE",e.SAVED_SEARCH__CREATE="SAVED_SEARCH__CREATE",e.SAVED_SEARCH__DELETE="SAVED_SEARCH__DELETE",e.SAVED_SEARCH__UPDATE="SAVED_SEARCH__UPDATE",e.SEARCH_PAGE__SELECT="SEARCH_PAGE__SELECT",e.SEARCH_RESULT__OPEN_BROWSER_CONTEXT_MENU="SEARCH_RESULT__OPEN_BROWSER_CONTEXT_MENU",e.TOPIC__DISPLAY="TOPIC__DISPLAY",e.TOPIC__RATE="TOPIC__RATE",e.TOPIC__START_DISPLAY="TOPIC__START_DISPLAY",e.TOPIC__UNRATE="TOPIC__UNRATE",e.USER__LOGIN="USER__LOGIN",e.USER__LOGOUT="USER__LOGOUT",e.HEARTBEAT="HEARTBEAT"})(lr||(lr={}));var dr;(function(e){e.THIRD_PARTY="THIRD_PARTY",e.OFF_THE_GRID="OFF_THE_GRID",e.CONTENT_PACKAGER="CONTENT_PACKAGER",e.PAGES="PAGES",e.DESIGNED_READER="DESIGNED_READER"})(dr||(dr={}));var fr;(function(e){e.HOMEPAGE="HOMEPAGE",e.CUSTOM="CUSTOM",e.HEADER="HEADER",e.READER="READER",e.TOPIC_TEMPLATE="TOPIC_TEMPLATE",e.SEARCH="SEARCH",e.SEARCH_RESULT="SEARCH_RESULT",e.SEARCH_ANNOUNCEMENT="SEARCH_ANNOUNCEMENT"})(fr||(fr={}));var pr;(function(e){e.CLASSIC="CLASSIC",e.CUSTOM="CUSTOM",e.DESIGNER="DESIGNER"})(pr||(pr={}));var hr;(function(e){e.AND="AND",e.OR="OR",e.MONOVALUED="MONOVALUED"})(hr||(hr={}));var yr;(function(e){e.NONE="NONE",e.ALPHABET="ALPHABET",e.VERSION="VERSION"})(yr||(yr={}));var mr;(function(e){e.STARS="STARS",e.LIKE="LIKE",e.DICHOTOMOUS="DICHOTOMOUS",e.NO_RATING="NO_RATING"})(mr||(mr={}));var vr;(function(e){e.LAST_WEEK="LAST_WEEK",e.LAST_MONTH="LAST_MONTH",e.LAST_QUARTER="LAST_QUARTER",e.LAST_YEAR="LAST_YEAR",e.CUSTOM="CUSTOM"})(vr||(vr={}));var gr;(function(e){e.ASC="ASC",e.DESC="DESC"})(gr||(gr={}));var br;(function(e){e.ALPHA="ALPHA",e.NATURAL="NATURAL"})(br||(br={}));var Ar;(function(e){e.EVERYWHERE="EVERYWHERE",e.TITLE_ONLY="TITLE_ONLY",e.NONE="NONE"})(Ar||(Ar={}));var Sr;(function(e){e.ARTICLE="ARTICLE",e.BOOK="BOOK",e.SHARED_BOOK="SHARED_BOOK",e.HTML_PACKAGE="HTML_PACKAGE"})(Sr||(Sr={}));var Er;(function(e){e.FLUIDTOPICS="FLUIDTOPICS",e.EXTERNAL="EXTERNAL"})(Er||(Er={}));var wr;(function(e){e.MAP="MAP",e.DOCUMENT="DOCUMENT",e.TOPIC="TOPIC",e.PERSONAL_BOOK="PERSONAL_BOOK",e.SHARED_BOOK="SHARED_BOOK"})(wr||(wr={}));var xr;(function(e){e.LAST_WEEK="LAST_WEEK",e.LAST_MONTH="LAST_MONTH",e.LAST_QUARTER="LAST_QUARTER",e.LAST_YEAR="LAST_YEAR"})(xr||(xr={}));var Or;(function(e){e.MAP="MAP",e.DOCUMENT="DOCUMENT",e.TOPIC="TOPIC"})(Or||(Or={}));var Tr;(function(e){e.DEFAULT="DEFAULT",e.DOCUMENTS="DOCUMENTS",e.ALL_TOPICS="ALL_TOPICS",e.TOPICS_AND_UNSTRUCTURED_DOCUMENTS="TOPICS_AND_UNSTRUCTURED_DOCUMENTS"})(Tr||(Tr={}));var Cr;(function(e){e.PLAIN_TEXT="PLAIN_TEXT",e.LOCALIZED_OFFICIAL="LOCALIZED_OFFICIAL",e.LOCALIZED_CUSTOM="LOCALIZED_CUSTOM"})(Cr||(Cr={}));var P;(function(e){e.PERSONAL_BOOK_USER="PERSONAL_BOOK_USER",e.PERSONAL_BOOK_SHARE_USER="PERSONAL_BOOK_SHARE_USER",e.HTML_EXPORT_USER="HTML_EXPORT_USER",e.PDF_EXPORT_USER="PDF_EXPORT_USER",e.SAVED_SEARCH_USER="SAVED_SEARCH_USER",e.COLLECTION_USER="COLLECTION_USER",e.OFFLINE_USER="OFFLINE_USER",e.BEHAVIOR_DATA_USER="BEHAVIOR_DATA_USER",e.ANALYTICS_USER="ANALYTICS_USER",e.BETA_USER="BETA_USER",e.DEBUG_USER="DEBUG_USER",e.PRINT_USER="PRINT_USER",e.RATING_USER="RATING_USER",e.FEEDBACK_USER="FEEDBACK_USER",e.GENERATIVE_AI_USER="GENERATIVE_AI_USER",e.GENERATIVE_AI_EXPORT_USER="GENERATIVE_AI_EXPORT_USER",e.CONTENT_PUBLISHER="CONTENT_PUBLISHER",e.ANNOUNCEMENT_ADMIN="ANNOUNCEMENT_ADMIN",e.KHUB_ADMIN="KHUB_ADMIN",e.USERS_ADMIN="USERS_ADMIN",e.PORTAL_ADMIN="PORTAL_ADMIN",e.ADMIN="ADMIN"})(P||(P={}));var le;(function(e){e.SEARCHES="SEARCHES",e.BOOKMARKS="BOOKMARKS",e.BOOKS="BOOKS",e.COLLECTIONS="COLLECTIONS"})(le||(le={}));var _r;(function(e){e.VALID="VALID",e.INVALID="INVALID"})(_r||(_r={}));var Rr;(function(e){e.JSON="JSON",e.TEXT="TEXT"})(Rr||(Rr={}));var Ir;(function(e){e.TEXT="TEXT",e.HTML="HTML"})(Ir||(Ir={}));var Wn={[P.PERSONAL_BOOK_SHARE_USER]:[P.PERSONAL_BOOK_USER],[P.HTML_EXPORT_USER]:[P.PERSONAL_BOOK_USER],[P.PDF_EXPORT_USER]:[P.PERSONAL_BOOK_USER],[P.KHUB_ADMIN]:[P.CONTENT_PUBLISHER],[P.ADMIN]:[P.KHUB_ADMIN,P.USERS_ADMIN,P.PORTAL_ADMIN],[P.GENERATIVE_AI_EXPORT_USER]:[P.GENERATIVE_AI_USER]};function Pr(e,t){return e===t||(Wn[e]??[]).some(r=>Pr(r,t))}function Dr(e,t){return e==null?!1:(Array.isArray(e)?e:Array.isArray(e.roles)?e.roles:Array.isArray(e.profile?.roles)?e.profile.roles:[]).some(n=>Pr(n,t))}var qe=class extends j{async listMySearches(){let{session:t}=g.getState();return Dr(t,P.SAVED_SEARCH_USER)?this.cache.get("my-searches",async()=>(await this.awaitApi).listMySearches(t.profile.userId),5*60*1e3):[]}};var Lr=T(U());var gt=class{isDate(t){var r,n,i,s;return(s=(i=((n=(r=g.getState().metadataConfiguration)===null||r===void 0?void 0:r.descriptors)!==null&&n!==void 0?n:[]).find(o=>o.key===t))===null||i===void 0?void 0:i.date)!==null&&s!==void 0?s:!1}format(t,r){var n,i,s;return Lr.DateFormatter.format(t,(n=r?.locale)!==null&&n!==void 0?n:g.getState().uiLocale,(i=r?.longFormat)!==null&&i!==void 0?i:!1,(s=r?.withTime)!==null&&s!==void 0?s:!1)}};window.FluidTopicsDateService=new gt;var kr=T(U());var Te=class{static get(t,r){var n,i;let s=g.getState(),{lang:a,region:o}=(i=(n=s.defaultLocales)===null||n===void 0?void 0:n.defaultContentLocale)!==null&&i!==void 0?i:{lang:"en",region:"US"};return new kr.SearchPlaceConverter(s.baseUrl,t??20,s.searchInAllLanguagesAllowed,r??`${a}-${o}`)}};var bt=class{urlToSearchRequest(t){return Te.get().parse(t)}searchRequestToUrl(t){return Te.get().serialize(t)}};window.FluidTopicsUrlService=new bt;var Z=T(U());var de=class e extends CustomEvent{constructor(t){super(e.eventName,{detail:{currentItem:t}})}};de.eventName="change";var At=class{itemName(t){return`fluid-topics-history-item-${t}`}get(t){let r=sessionStorage.getItem(this.itemName(t));return r?JSON.parse(r):void 0}set(t,r){sessionStorage.setItem(this.itemName(t),JSON.stringify(r))}},Mr=new At;var Ge=class e extends Z.WithEventBus{static build(){return new e(window.history,Mr,()=>window.location,!1)}constructor(t,r,n,i){var s,a;super(),this.history=t,this.historyStorage=r,this.windowLocation=n,this.states=[],this.realPushState=t.pushState,this.realReplaceState=t.replaceState,this.initialIndex=(a=(s=t.state)===null||s===void 0?void 0:s.index)!==null&&a!==void 0?a:t.length-1,this.currentIndex=this.initialIndex,this.setCurrentState(this.buildCurrentState()),this.installProxies(),this.initEventListeners(),this.initData(i)}setCurrentState(t,r=!1){let n=r&&this.currentIndex===t.index-1;this.currentState={...this.buildCurrentState(),...t},this.currentIndex=this.currentState.index,this.states[this.currentIndex]=this.currentState,n&&(this.states=this.states.slice(0,this.currentIndex+1)),this.historyStorage.set(this.currentIndex,this.currentState),(0,Z.deepEqual)(this.currentState,this.history.state)||this.realReplaceState.apply(this.history,[this.currentState,this.currentState.title,window.location.href]),setTimeout(()=>this.dispatchEvent(new de(this.currentItem())),0)}installProxies(){let t=r=>(n,i,[s,a,o])=>{let u=r(),l={...u===this.currentIndex?this.currentState:void 0,...s,index:u,href:typeof o=="string"?o:(o??this.windowLocation()).href};n.apply(i,[l,a,o]),this.setCurrentState(l,!0)};this.history.pushState=new Proxy(this.history.pushState,{apply:t(()=>this.currentIndex+1)}),this.history.replaceState=new Proxy(this.history.replaceState,{apply:t(()=>this.currentIndex)})}initEventListeners(){window.addEventListener("popstate",t=>this.setCurrentState(t.state)),document.querySelector("title")==null&&document.head.append(document.createElement("title")),new MutationObserver(()=>this.updateCurrentState({title:document.title})).observe(document.querySelector("title"),{subtree:!0,characterData:!0,childList:!0})}initData(t){for(let r=this.history.length-1;r>=0;r--)t?this.states[r]=this.historyStorage.get(r):setTimeout(()=>this.states[r]=this.historyStorage.get(r),this.history.length-r)}updateCurrentState(t){var r;let n={...this.buildCurrentState(),...t,index:this.currentIndex,title:(r=t?.title)!==null&&r!==void 0?r:this.currentState.title};this.setCurrentState(n)}addHistoryChangeListener(t){this.addEventListener(de.eventName,t)}removeHistoryChangeListener(t){this.removeEventListener(de.eventName,t)}currentItem(){return(0,Z.deepCopy)(this.currentState)}back(){let t=this.previousDifferentMajorPosition();t>=0?this.history.go(t-this.currentIndex):this.currentIndex!==this.initialIndex?this.history.go(this.initialIndex-this.currentIndex):this.history.back()}backwardItem(){return(0,Z.deepCopy)(this.states[this.previousDifferentMajorPosition()])}previousDifferentMajorPosition(){let t=this.currentIndex>0?this.currentIndex-1:0;for(;t>0&&!this.isDifferentMajorState(t);)t--;return t}forward(){let t=this.nextMajorPosition();t&&t<this.states.length?this.history.go(t-this.currentIndex):this.history.forward()}forwardItem(){let t=this.nextMajorPosition();if(t)return(0,Z.deepCopy)(this.states[t])}nextMajorPosition(){let t=this.currentIndex;if(!(t>=this.states.length)){do t++;while(t<this.states.length&&!this.isDifferentMajorState(t));return this.getHigherPositionInTheSameState(t)}}getHigherPositionInTheSameState(t){var r;let n=(r=this.states[t])===null||r===void 0?void 0:r.majorStateId;if(!n)return t;let i=t,s=t+1;for(;this.states.length>s&&!this.isDifferentMajorState(s,n);)this.hasState(s)&&(i=s),s++;return i}buildCurrentState(){var t,r;return{...this.history.state,index:this.currentIndex,href:this.windowLocation().href,title:(r=(t=this.history.state)===null||t===void 0?void 0:t.title)!==null&&r!==void 0?r:document.title}}hasState(t){return this.states[t]!=null}isDifferentMajorState(t,r){var n;if(!this.hasState(t))return!1;let i=r??this.currentState.majorStateId,s=(n=this.states[t])===null||n===void 0?void 0:n.majorStateId;return s==null||s!=i}};window.FluidTopicsInternalHistoryService==null&&(window.FluidTopicsInternalHistoryService=Ge.build(),window.FluidTopicsHistoryService={currentItem:()=>window.FluidTopicsInternalHistoryService.currentItem(),back:()=>window.FluidTopicsInternalHistoryService.back(),forward:()=>window.FluidTopicsInternalHistoryService.forward(),backwardItem:()=>window.FluidTopicsInternalHistoryService.backwardItem(),forwardItem:()=>window.FluidTopicsInternalHistoryService.forwardItem(),addHistoryChangeListener:e=>window.FluidTopicsInternalHistoryService.addHistoryChangeListener(e),removeHistoryChangeListener:e=>window.FluidTopicsInternalHistoryService.removeHistoryChangeListener(e)});var Nr=g;function Ur(e,t){var r;return Nr.getState().authenticationRequired&&!(!((r=Nr.getState().session)===null||r===void 0)&&r.sessionAuthenticated)?Promise.resolve(t):e()}var D=function(e,t,r,n){var i=arguments.length,s=i<3?t:n===null?n=Object.getOwnPropertyDescriptor(t,r):n,a;if(typeof Reflect=="object"&&typeof Reflect.decorate=="function")s=Reflect.decorate(e,t,r,n);else for(var o=e.length-1;o>=0;o--)(a=e[o])&&(s=(i<3?a(s):i>3?a(t,r,s):a(t,r))||s);return i>3&&s&&Object.defineProperty(t,r,s),s},_=class extends G.FtLitElement{constructor(){super(...arguments),this.apiIntegrationIdentifier="ft-integration",this.apiIntegrationAppVersion="ft-integration-app-version",this.uiLocale="en-US",this.editorMode=!1,this.noCustom=!1,this.openExternalDocumentInNewTab=!1,this.noCustomComponent=!1,this.withManualResources=!1,this.navigatorOnline=!1,this.forcedOffline=!1,this.apiProvider=()=>ce.get(),this.authenticationRequired=!1,this.messageContexts=[],this.cache=new G.CacheRegistry,this.cleanSessionDebouncer=new G.Debouncer,this.reloadConfiguration=()=>{this.cache.clear("availableContentLocales"),this.updateAvailableContentLocales()}}render(){return Fr.html`
1
+ "use strict";(()=>{var Fn=Object.create;var zt=Object.defineProperty;var jn=Object.getOwnPropertyDescriptor;var Bn=Object.getOwnPropertyNames;var Hn=Object.getPrototypeOf,Vn=Object.prototype.hasOwnProperty;var Ne=(e,t)=>()=>(t||e((t={exports:{}}).exports,t),t.exports);var Kn=(e,t,r,n)=>{if(t&&typeof t=="object"||typeof t=="function")for(let i of Bn(t))!Vn.call(e,i)&&i!==r&&zt(e,i,{get:()=>t[i],enumerable:!(n=jn(t,i))||n.enumerable});return e};var T=(e,t,r)=>(r=e!=null?Fn(Hn(e)):{},Kn(t||!e||!e.__esModule?zt(r,"default",{value:e,enumerable:!0}):r,e));var F=Ne((qi,Wt)=>{Wt.exports=ftGlobals.wcUtils});var me=Ne((Gi,Xt)=>{Xt.exports=ftGlobals.lit});var J=Ne(($i,Yt)=>{Yt.exports=ftGlobals.litDecorators});var ir=Ne((Q,nr)=>{var Ve=typeof globalThis<"u"&&globalThis||typeof self<"u"&&self||typeof global<"u"&&global,Ke=function(){function e(){this.fetch=!1,this.DOMException=Ve.DOMException}return e.prototype=Ve,new e}();(function(e){var t=function(r){var n=typeof e<"u"&&e||typeof self<"u"&&self||typeof global<"u"&&global||{},i={searchParams:"URLSearchParams"in n,iterable:"Symbol"in n&&"iterator"in Symbol,blob:"FileReader"in n&&"Blob"in n&&function(){try{return new Blob,!0}catch{return!1}}(),formData:"FormData"in n,arrayBuffer:"ArrayBuffer"in n};function s(c){return c&&DataView.prototype.isPrototypeOf(c)}if(i.arrayBuffer)var a=["[object Int8Array]","[object Uint8Array]","[object Uint8ClampedArray]","[object Int16Array]","[object Uint16Array]","[object Int32Array]","[object Uint32Array]","[object Float32Array]","[object Float64Array]"],o=ArrayBuffer.isView||function(c){return c&&a.indexOf(Object.prototype.toString.call(c))>-1};function u(c){if(typeof c!="string"&&(c=String(c)),/[^a-z0-9\-#$%&'*+.^_`|~!]/i.test(c)||c==="")throw new TypeError('Invalid character in header field name: "'+c+'"');return c.toLowerCase()}function l(c){return typeof c!="string"&&(c=String(c)),c}function d(c){var f={next:function(){var b=c.shift();return{done:b===void 0,value:b}}};return i.iterable&&(f[Symbol.iterator]=function(){return f}),f}function h(c){this.map={},c instanceof h?c.forEach(function(f,b){this.append(b,f)},this):Array.isArray(c)?c.forEach(function(f){if(f.length!=2)throw new TypeError("Headers constructor: expected name/value pair to be length 2, found"+f.length);this.append(f[0],f[1])},this):c&&Object.getOwnPropertyNames(c).forEach(function(f){this.append(f,c[f])},this)}h.prototype.append=function(c,f){c=u(c),f=l(f);var b=this.map[c];this.map[c]=b?b+", "+f:f},h.prototype.delete=function(c){delete this.map[u(c)]},h.prototype.get=function(c){return c=u(c),this.has(c)?this.map[c]:null},h.prototype.has=function(c){return this.map.hasOwnProperty(u(c))},h.prototype.set=function(c,f){this.map[u(c)]=l(f)},h.prototype.forEach=function(c,f){for(var b in this.map)this.map.hasOwnProperty(b)&&c.call(f,this.map[b],b,this)},h.prototype.keys=function(){var c=[];return this.forEach(function(f,b){c.push(b)}),d(c)},h.prototype.values=function(){var c=[];return this.forEach(function(f){c.push(f)}),d(c)},h.prototype.entries=function(){var c=[];return this.forEach(function(f,b){c.push([b,f])}),d(c)},i.iterable&&(h.prototype[Symbol.iterator]=h.prototype.entries);function p(c){if(!c._noBody){if(c.bodyUsed)return Promise.reject(new TypeError("Already read"));c.bodyUsed=!0}}function v(c){return new Promise(function(f,b){c.onload=function(){f(c.result)},c.onerror=function(){b(c.error)}})}function y(c){var f=new FileReader,b=v(f);return f.readAsArrayBuffer(c),b}function m(c){var f=new FileReader,b=v(f),O=/charset=([A-Za-z0-9_-]+)/.exec(c.type),I=O?O[1]:"utf-8";return f.readAsText(c,I),b}function w(c){for(var f=new Uint8Array(c),b=new Array(f.length),O=0;O<f.length;O++)b[O]=String.fromCharCode(f[O]);return b.join("")}function A(c){if(c.slice)return c.slice(0);var f=new Uint8Array(c.byteLength);return f.set(new Uint8Array(c)),f.buffer}function S(){return this.bodyUsed=!1,this._initBody=function(c){this.bodyUsed=this.bodyUsed,this._bodyInit=c,c?typeof c=="string"?this._bodyText=c:i.blob&&Blob.prototype.isPrototypeOf(c)?this._bodyBlob=c:i.formData&&FormData.prototype.isPrototypeOf(c)?this._bodyFormData=c:i.searchParams&&URLSearchParams.prototype.isPrototypeOf(c)?this._bodyText=c.toString():i.arrayBuffer&&i.blob&&s(c)?(this._bodyArrayBuffer=A(c.buffer),this._bodyInit=new Blob([this._bodyArrayBuffer])):i.arrayBuffer&&(ArrayBuffer.prototype.isPrototypeOf(c)||o(c))?this._bodyArrayBuffer=A(c):this._bodyText=c=Object.prototype.toString.call(c):(this._noBody=!0,this._bodyText=""),this.headers.get("content-type")||(typeof c=="string"?this.headers.set("content-type","text/plain;charset=UTF-8"):this._bodyBlob&&this._bodyBlob.type?this.headers.set("content-type",this._bodyBlob.type):i.searchParams&&URLSearchParams.prototype.isPrototypeOf(c)&&this.headers.set("content-type","application/x-www-form-urlencoded;charset=UTF-8"))},i.blob&&(this.blob=function(){var c=p(this);if(c)return c;if(this._bodyBlob)return Promise.resolve(this._bodyBlob);if(this._bodyArrayBuffer)return Promise.resolve(new Blob([this._bodyArrayBuffer]));if(this._bodyFormData)throw new Error("could not read FormData body as blob");return Promise.resolve(new Blob([this._bodyText]))}),this.arrayBuffer=function(){if(this._bodyArrayBuffer){var c=p(this);return c||(ArrayBuffer.isView(this._bodyArrayBuffer)?Promise.resolve(this._bodyArrayBuffer.buffer.slice(this._bodyArrayBuffer.byteOffset,this._bodyArrayBuffer.byteOffset+this._bodyArrayBuffer.byteLength)):Promise.resolve(this._bodyArrayBuffer))}else{if(i.blob)return this.blob().then(y);throw new Error("could not read as ArrayBuffer")}},this.text=function(){var c=p(this);if(c)return c;if(this._bodyBlob)return m(this._bodyBlob);if(this._bodyArrayBuffer)return Promise.resolve(w(this._bodyArrayBuffer));if(this._bodyFormData)throw new Error("could not read FormData body as text");return Promise.resolve(this._bodyText)},i.formData&&(this.formData=function(){return this.text().then(q)}),this.json=function(){return this.text().then(JSON.parse)},this}var C=["CONNECT","DELETE","GET","HEAD","OPTIONS","PATCH","POST","PUT","TRACE"];function x(c){var f=c.toUpperCase();return C.indexOf(f)>-1?f:c}function L(c,f){if(!(this instanceof L))throw new TypeError('Please use the "new" operator, this DOM object constructor cannot be called as a function.');f=f||{};var b=f.body;if(c instanceof L){if(c.bodyUsed)throw new TypeError("Already read");this.url=c.url,this.credentials=c.credentials,f.headers||(this.headers=new h(c.headers)),this.method=c.method,this.mode=c.mode,this.signal=c.signal,!b&&c._bodyInit!=null&&(b=c._bodyInit,c.bodyUsed=!0)}else this.url=String(c);if(this.credentials=f.credentials||this.credentials||"same-origin",(f.headers||!this.headers)&&(this.headers=new h(f.headers)),this.method=x(f.method||this.method||"GET"),this.mode=f.mode||this.mode||null,this.signal=f.signal||this.signal||function(){if("AbortController"in n){var E=new AbortController;return E.signal}}(),this.referrer=null,(this.method==="GET"||this.method==="HEAD")&&b)throw new TypeError("Body not allowed for GET or HEAD requests");if(this._initBody(b),(this.method==="GET"||this.method==="HEAD")&&(f.cache==="no-store"||f.cache==="no-cache")){var O=/([?&])_=[^&]*/;if(O.test(this.url))this.url=this.url.replace(O,"$1_="+new Date().getTime());else{var I=/\?/;this.url+=(I.test(this.url)?"&":"?")+"_="+new Date().getTime()}}}L.prototype.clone=function(){return new L(this,{body:this._bodyInit})};function q(c){var f=new FormData;return c.trim().split("&").forEach(function(b){if(b){var O=b.split("="),I=O.shift().replace(/\+/g," "),E=O.join("=").replace(/\+/g," ");f.append(decodeURIComponent(I),decodeURIComponent(E))}}),f}function se(c){var f=new h,b=c.replace(/\r?\n[\t ]+/g," ");return b.split("\r").map(function(O){return O.indexOf(`
2
+ `)===0?O.substr(1,O.length):O}).forEach(function(O){var I=O.split(":"),E=I.shift().trim();if(E){var Me=I.join(":").trim();try{f.append(E,Me)}catch(ht){console.warn("Response "+ht.message)}}}),f}S.call(L.prototype);function U(c,f){if(!(this instanceof U))throw new TypeError('Please use the "new" operator, this DOM object constructor cannot be called as a function.');if(f||(f={}),this.type="default",this.status=f.status===void 0?200:f.status,this.status<200||this.status>599)throw new RangeError("Failed to construct 'Response': The status provided (0) is outside the range [200, 599].");this.ok=this.status>=200&&this.status<300,this.statusText=f.statusText===void 0?"":""+f.statusText,this.headers=new h(f.headers),this.url=f.url||"",this._initBody(c)}S.call(U.prototype),U.prototype.clone=function(){return new U(this._bodyInit,{status:this.status,statusText:this.statusText,headers:new h(this.headers),url:this.url})},U.error=function(){var c=new U(null,{status:200,statusText:""});return c.ok=!1,c.status=0,c.type="error",c};var ae=[301,302,303,307,308];U.redirect=function(c,f){if(ae.indexOf(f)===-1)throw new RangeError("Invalid status code");return new U(null,{status:f,headers:{location:c}})},r.DOMException=n.DOMException;try{new r.DOMException}catch{r.DOMException=function(f,b){this.message=f,this.name=b;var O=Error(f);this.stack=O.stack},r.DOMException.prototype=Object.create(Error.prototype),r.DOMException.prototype.constructor=r.DOMException}function ye(c,f){return new Promise(function(b,O){var I=new L(c,f);if(I.signal&&I.signal.aborted)return O(new r.DOMException("Aborted","AbortError"));var E=new XMLHttpRequest;function Me(){E.abort()}E.onload=function(){var k={statusText:E.statusText,headers:se(E.getAllResponseHeaders()||"")};I.url.indexOf("file://")===0&&(E.status<200||E.status>599)?k.status=200:k.status=E.status,k.url="responseURL"in E?E.responseURL:k.headers.get("X-Request-URL");var oe="response"in E?E.response:E.responseText;setTimeout(function(){b(new U(oe,k))},0)},E.onerror=function(){setTimeout(function(){O(new TypeError("Network request failed"))},0)},E.ontimeout=function(){setTimeout(function(){O(new TypeError("Network request timed out"))},0)},E.onabort=function(){setTimeout(function(){O(new r.DOMException("Aborted","AbortError"))},0)};function ht(k){try{return k===""&&n.location.href?n.location.href:k}catch{return k}}if(E.open(I.method,ht(I.url),!0),I.credentials==="include"?E.withCredentials=!0:I.credentials==="omit"&&(E.withCredentials=!1),"responseType"in E&&(i.blob?E.responseType="blob":i.arrayBuffer&&(E.responseType="arraybuffer")),f&&typeof f.headers=="object"&&!(f.headers instanceof h||n.Headers&&f.headers instanceof n.Headers)){var $t=[];Object.getOwnPropertyNames(f.headers).forEach(function(k){$t.push(u(k)),E.setRequestHeader(k,l(f.headers[k]))}),I.headers.forEach(function(k,oe){$t.indexOf(oe)===-1&&E.setRequestHeader(oe,k)})}else I.headers.forEach(function(k,oe){E.setRequestHeader(oe,k)});I.signal&&(I.signal.addEventListener("abort",Me),E.onreadystatechange=function(){E.readyState===4&&I.signal.removeEventListener("abort",Me)}),E.send(typeof I._bodyInit>"u"?null:I._bodyInit)})}return ye.polyfill=!0,n.fetch||(n.fetch=ye,n.Headers=h,n.Request=L,n.Response=U),r.Headers=h,r.Request=L,r.Response=U,r.fetch=ye,r}({})})(Ke);Ke.fetch.ponyfill=!0;delete Ke.fetch.polyfill;var be=Ve.fetch?Ve:Ke;Q=be.fetch;Q.default=be.fetch;Q.fetch=be.fetch;Q.Headers=be.Headers;Q.Request=be.Request;Q.Response=be.Response;nr.exports=Q});var Un=T(F());var dt=T(me()),ft=T(J()),pt=T(F());var Jt=T(me()),zi={},Qt=Jt.css`
3
+ `;var lt=T(F());var Pn=T(F());var jr=T(me()),M=T(J()),G=T(F());var Zt=T(me());var er=Zt.css`
4
+ `;var Ue=T(F()),qn="ft-app-info",ue=class e extends CustomEvent{constructor(t){super(e.eventName,{detail:t})}};ue.eventName="authentication-change";var Gn={session:(e,t)=>{(0,Ue.deepEqual)(e.session,t.payload)||(e.session=t.payload,setTimeout(()=>g.dispatchEvent(new ue(t.payload)),0))}},g=Ue.FtReduxStore.get({name:qn,reducers:Gn,initialState:{baseUrl:void 0,apiIntegrationIdentifier:void 0,apiIntegrationAppVersion:void 0,uiLocale:document.documentElement.lang||"en-US",availableUiLocales:[],availableContentLocales:[],defaultLocales:void 0,searchInAllLanguagesAllowed:!1,metadataConfiguration:void 0,privacyPolicyConfiguration:void 0,editorMode:!1,noCustom:!1,noCustomComponent:!1,session:void 0,openExternalDocumentInNewTab:!1,navigatorOnline:!0,forcedOffline:!1,authenticationRequired:!1}});var yt=T(F());var ce=class e{static get(t){let{baseUrl:r,apiIntegrationIdentifier:n}=g.getState(),i=t??n;if(r&&i&&window.fluidtopics)return new window.fluidtopics.FluidTopicsApi(r,i,!0)}static await(t){return new Promise(r=>{let n=e.get(t);if(n)r(n);else{let i=g.subscribe(()=>{n=e.get(t),n&&(i(),r(n))})}})}};var Fe=class{constructor(t){this.overrideApi=t}get api(){var t;return(t=this.overrideApi)!==null&&t!==void 0?t:ce.get()}get awaitApi(){return this.overrideApi?Promise.resolve(this.overrideApi):ce.await()}};var j=class extends Fe{constructor(t=!0,r){var n;super(r),this.sortObjectFields=(s,a)=>typeof a!="object"||a==null||Array.isArray(a)?a:Object.fromEntries(Object.entries(a).sort(([o],[u])=>o.localeCompare(u)));let i=this.constructor;i.commonCache=(n=i.commonCache)!==null&&n!==void 0?n:new yt.CacheRegistry,this.cache=t?i.commonCache:new yt.CacheRegistry}clearCache(){this.cache.clearAll()}hash(t){return String(Array.from(JSON.stringify(t,this.sortObjectFields)).reduce((r,n)=>0|31*r+n.charCodeAt(0),0))}};var je=class extends j{async listMyBookmarks(){let t=g.getState().session;return t?.sessionAuthenticated?this.cache.get("my-bookmarks",async()=>(await this.awaitApi).listMyBookmarks(t.profile.userId),5*60*1e3):[]}};var mt=class{addCommand(t,r=!1){g.commands.add(t,r)}consumeCommand(t){return g.commands.consume(t)}};window.FluidTopicsAppInfoStoreService=new mt;var V=T(F());var tr,ve=class extends CustomEvent{constructor(t){super("ft-i18n-context-loaded",{detail:t})}},$n=Symbol("clearAfterUnitTest"),Be=class extends(0,V.withEventBus)(j){constructor(t){super(),this.messageContextProvider=t,this.defaultMessages={},this.listeners={},this.currentUiLocale="",this[tr]=()=>{this.defaultMessages={},this.cache=new V.CacheRegistry,this.listeners={}},this.currentUiLocale=g.getState().uiLocale,g.subscribe(()=>this.clearWhenUiLocaleChanges())}clearWhenUiLocaleChanges(){let{uiLocale:t}=g.getState();this.currentUiLocale!==t&&(this.currentUiLocale=t,this.cache.clearAll(),this.notifyAll())}addContext(t){let r=t.name.toLowerCase();this.cache.setFinal(r,t),this.notify(r)}getAllContexts(){return this.cache.resolvedValues()}async prepareContext(t,r){var n;if(t=t.toLowerCase(),r&&Object.keys(r).length>0){let i={...(n=this.defaultMessages[t])!==null&&n!==void 0?n:{},...r};(0,V.deepEqual)(this.defaultMessages[t],i)||(this.defaultMessages[t]=i,await this.notify(t))}return this.fetchContext(t)}resolveContext(t){var r,n;return this.fetchContext(t),(n=(r=this.cache.getNow(t))===null||r===void 0?void 0:r.messages)!==null&&n!==void 0?n:{}}resolveRawMessage(t,r){let n=t.toLowerCase();return this.resolveContext(n)[r]}resolveMessage(t,r,...n){var i;let s=t.toLowerCase(),a=this.resolveContext(s);return new V.ParametrizedLabelResolver((i=this.defaultMessages[s])!==null&&i!==void 0?i:{},a).resolve(r,...n)}async fetchContext(t){let r=!this.cache.has(t),n;try{n=await this.cache.get(t,()=>this.messageContextProvider(this.currentUiLocale,t)),r&&await this.notify(t)}catch(i){!(i instanceof V.CanceledPromiseError)&&r&&console.error(i)}return n}subscribe(t,r){var n;return t=t.toLowerCase(),this.listeners[t]=(n=this.listeners[t])!==null&&n!==void 0?n:new Set,this.listeners[t].add(r),()=>{var i;return(i=this.listeners[t])===null||i===void 0?void 0:i.delete(r)}}async notifyAll(){let t=Object.keys(this.listeners);document.body.dispatchEvent(new ve({loadedContexts:t})),this.dispatchEvent(new ve({loadedContexts:t})),await Promise.all(t.map(r=>this.notify(r,!1)))}async notify(t,r=!0){r&&(document.body.dispatchEvent(new ve({loadedContexts:[t]})),this.dispatchEvent(new ve({loadedContexts:[t]}))),this.listeners[t]!=null&&await Promise.all([...this.listeners[t].values()].map(n=>(0,V.delay)(0).then(()=>n()).catch(()=>null)))}};tr=$n;window.FluidTopicsI18nService==null&&(window.FluidTopicsI18nService=new class extends Be{constructor(){super(async(e,t)=>(await this.awaitApi).getFluidTopicsMessageContext(e,t))}});window.FluidTopicsCustomI18nService==null&&(window.FluidTopicsCustomI18nService=new class extends Be{constructor(){super(async(e,t)=>(await this.awaitApi).getCustomMessageContext(e,t))}});var ge=window.FluidTopicsI18nService,He=window.FluidTopicsCustomI18nService;var rr=T(F()),vt=class{highlightHtml(t,r,n){(0,rr.highlightHtml)(t,r,n)}};window.FluidTopicsHighlightHtmlService=new vt;var Wn=T(ir(),1);var sr;(function(e){e.black="black",e.green="green",e.blue="blue",e.purple="purple",e.red="red",e.orange="orange",e.yellow="yellow"})(sr||(sr={}));var ar;(function(e){e.OFFICIAL="OFFICIAL",e.PERSONAL="PERSONAL",e.SHARED="SHARED"})(ar||(ar={}));var or;(function(e){e.STRUCTURED_DOCUMENT="STRUCTURED_DOCUMENT",e.UNSTRUCTURED_DOCUMENT="UNSTRUCTURED_DOCUMENT",e.SHARED_PERSONAL_BOOK="SHARED_PERSONAL_BOOK",e.PERSONAL_BOOK="PERSONAL_BOOK",e.ATTACHMENT="ATTACHMENT",e.RESOURCE="RESOURCE",e.HTML_PACKAGE="HTML_PACKAGE"})(or||(or={}));var ur;(function(e){e.STRUCTURED_DOCUMENT="STRUCTURED_DOCUMENT",e.UNSTRUCTURED_DOCUMENT="UNSTRUCTURED_DOCUMENT",e.SHARED_PERSONAL_BOOK="SHARED_PERSONAL_BOOK",e.PERSONAL_BOOK="PERSONAL_BOOK",e.ATTACHMENT="ATTACHMENT",e.RESOURCE="RESOURCE",e.HTML_PACKAGE="HTML_PACKAGE"})(ur||(ur={}));var cr;(function(e){e.LAST_WEEK="LAST_WEEK",e.LAST_MONTH="LAST_MONTH",e.LAST_QUARTER="LAST_QUARTER",e.LAST_YEAR="LAST_YEAR"})(cr||(cr={}));var lr;(function(e){e.VALUE="VALUE",e.DATE="DATE",e.RANGE="RANGE"})(lr||(lr={}));var dr;(function(e){e.BOOKMARK__CREATE="BOOKMARK__CREATE",e.BOOKMARK__DELETE="BOOKMARK__DELETE",e.CASE_DEFLECTION__START="CASE_DEFLECTION__START",e.CASE_DEFLECTION__OPEN_TICKET="CASE_DEFLECTION__OPEN_TICKET",e.CASE_DEFLECTION__RATE="CASE_DEFLECTION__RATE",e.COLLECTION__CREATE="COLLECTION__CREATE",e.COLLECTION__UPDATE="COLLECTION__UPDATE",e.COLLECTION__DELETE="COLLECTION__DELETE",e.CUSTOM_EVENT__TRIGGER="CUSTOM_EVENT__TRIGGER",e.DOCUMENT__DISPLAY="DOCUMENT__DISPLAY",e.DOCUMENT__DOWNLOAD="DOCUMENT__DOWNLOAD",e.DOCUMENT__PRINT="DOCUMENT__PRINT",e.DOCUMENT__PROCESS="DOCUMENT__PROCESS",e.DOCUMENT__RATE="DOCUMENT__RATE",e.DOCUMENT__SEARCH="DOCUMENT__SEARCH",e.DOCUMENT__START_DISPLAY="DOCUMENT__START_DISPLAY",e.DOCUMENT__UNRATE="DOCUMENT__UNRATE",e.FEEDBACK__SEND="FEEDBACK__SEND",e.AI__COMPLETED_QUERY="AI__COMPLETED_QUERY",e.AI__RATE="AI__RATE",e.AI_CASE_DEFLECTION__START="AI_CASE_DEFLECTION__START",e.AI_CASE_DEFLECTION__OPEN_TICKET="AI_CASE_DEFLECTION__OPEN_TICKET",e.KHUB__PROCESS="KHUB__PROCESS",e.KHUB__SEARCH="KHUB__SEARCH",e.LABELS__DOWNLOAD="LABELS__DOWNLOAD",e.LINK__SHARE="LINK__SHARE",e.PAGE__DISPLAY="PAGE__DISPLAY",e.PERSONAL_BOOK__CREATE="PERSONAL_BOOK__CREATE",e.PERSONAL_BOOK__DELETE="PERSONAL_BOOK__DELETE",e.PERSONAL_BOOK__UPDATE="PERSONAL_BOOK__UPDATE",e.PERSONAL_TOPIC__CREATE="PERSONAL_TOPIC__CREATE",e.PERSONAL_TOPIC__UPDATE="PERSONAL_TOPIC__UPDATE",e.PERSONAL_TOPIC__DELETE="PERSONAL_TOPIC__DELETE",e.SAVED_SEARCH__CREATE="SAVED_SEARCH__CREATE",e.SAVED_SEARCH__DELETE="SAVED_SEARCH__DELETE",e.SAVED_SEARCH__UPDATE="SAVED_SEARCH__UPDATE",e.SEARCH_PAGE__SELECT="SEARCH_PAGE__SELECT",e.SEARCH_RESULT__OPEN_BROWSER_CONTEXT_MENU="SEARCH_RESULT__OPEN_BROWSER_CONTEXT_MENU",e.TOPIC__DISPLAY="TOPIC__DISPLAY",e.TOPIC__RATE="TOPIC__RATE",e.TOPIC__START_DISPLAY="TOPIC__START_DISPLAY",e.TOPIC__UNRATE="TOPIC__UNRATE",e.USER__LOGIN="USER__LOGIN",e.USER__LOGOUT="USER__LOGOUT",e.HEARTBEAT="HEARTBEAT"})(dr||(dr={}));var fr;(function(e){e.THIRD_PARTY="THIRD_PARTY",e.OFF_THE_GRID="OFF_THE_GRID",e.CONTENT_PACKAGER="CONTENT_PACKAGER",e.PAGES="PAGES",e.DESIGNED_READER="DESIGNED_READER"})(fr||(fr={}));var pr;(function(e){e.HOMEPAGE="HOMEPAGE",e.CUSTOM="CUSTOM",e.HEADER="HEADER",e.READER="READER",e.TOPIC_TEMPLATE="TOPIC_TEMPLATE",e.SEARCH="SEARCH",e.SEARCH_RESULT="SEARCH_RESULT",e.SEARCH_ANNOUNCEMENT="SEARCH_ANNOUNCEMENT"})(pr||(pr={}));var hr;(function(e){e.CLASSIC="CLASSIC",e.CUSTOM="CUSTOM",e.DESIGNER="DESIGNER"})(hr||(hr={}));var yr;(function(e){e.AND="AND",e.OR="OR",e.MONOVALUED="MONOVALUED"})(yr||(yr={}));var mr;(function(e){e.NONE="NONE",e.ALPHABET="ALPHABET",e.VERSION="VERSION"})(mr||(mr={}));var vr;(function(e){e.STARS="STARS",e.LIKE="LIKE",e.DICHOTOMOUS="DICHOTOMOUS",e.NO_RATING="NO_RATING"})(vr||(vr={}));var gr;(function(e){e.LAST_WEEK="LAST_WEEK",e.LAST_MONTH="LAST_MONTH",e.LAST_QUARTER="LAST_QUARTER",e.LAST_YEAR="LAST_YEAR",e.CUSTOM="CUSTOM"})(gr||(gr={}));var br;(function(e){e.ASC="ASC",e.DESC="DESC"})(br||(br={}));var Ar;(function(e){e.ALPHA="ALPHA",e.NATURAL="NATURAL"})(Ar||(Ar={}));var Sr;(function(e){e.EVERYWHERE="EVERYWHERE",e.TITLE_ONLY="TITLE_ONLY",e.NONE="NONE"})(Sr||(Sr={}));var Er;(function(e){e.ARTICLE="ARTICLE",e.BOOK="BOOK",e.SHARED_BOOK="SHARED_BOOK",e.HTML_PACKAGE="HTML_PACKAGE"})(Er||(Er={}));var wr;(function(e){e.FLUIDTOPICS="FLUIDTOPICS",e.EXTERNAL="EXTERNAL"})(wr||(wr={}));var xr;(function(e){e.MAP="MAP",e.DOCUMENT="DOCUMENT",e.TOPIC="TOPIC",e.PERSONAL_BOOK="PERSONAL_BOOK",e.SHARED_BOOK="SHARED_BOOK"})(xr||(xr={}));var Or;(function(e){e.LAST_WEEK="LAST_WEEK",e.LAST_MONTH="LAST_MONTH",e.LAST_QUARTER="LAST_QUARTER",e.LAST_YEAR="LAST_YEAR"})(Or||(Or={}));var Tr;(function(e){e.MAP="MAP",e.DOCUMENT="DOCUMENT",e.TOPIC="TOPIC"})(Tr||(Tr={}));var Cr;(function(e){e.DEFAULT="DEFAULT",e.DOCUMENTS="DOCUMENTS",e.ALL_TOPICS="ALL_TOPICS",e.TOPICS_AND_UNSTRUCTURED_DOCUMENTS="TOPICS_AND_UNSTRUCTURED_DOCUMENTS"})(Cr||(Cr={}));var _r;(function(e){e.PLAIN_TEXT="PLAIN_TEXT",e.LOCALIZED_OFFICIAL="LOCALIZED_OFFICIAL",e.LOCALIZED_CUSTOM="LOCALIZED_CUSTOM"})(_r||(_r={}));var P;(function(e){e.PERSONAL_BOOK_USER="PERSONAL_BOOK_USER",e.PERSONAL_BOOK_SHARE_USER="PERSONAL_BOOK_SHARE_USER",e.HTML_EXPORT_USER="HTML_EXPORT_USER",e.PDF_EXPORT_USER="PDF_EXPORT_USER",e.SAVED_SEARCH_USER="SAVED_SEARCH_USER",e.COLLECTION_USER="COLLECTION_USER",e.OFFLINE_USER="OFFLINE_USER",e.BEHAVIOR_DATA_USER="BEHAVIOR_DATA_USER",e.ANALYTICS_USER="ANALYTICS_USER",e.BETA_USER="BETA_USER",e.DEBUG_USER="DEBUG_USER",e.PRINT_USER="PRINT_USER",e.RATING_USER="RATING_USER",e.FEEDBACK_USER="FEEDBACK_USER",e.GENERATIVE_AI_USER="GENERATIVE_AI_USER",e.GENERATIVE_AI_EXPORT_USER="GENERATIVE_AI_EXPORT_USER",e.CONTENT_PUBLISHER="CONTENT_PUBLISHER",e.ANNOUNCEMENT_ADMIN="ANNOUNCEMENT_ADMIN",e.KHUB_ADMIN="KHUB_ADMIN",e.USERS_ADMIN="USERS_ADMIN",e.PORTAL_ADMIN="PORTAL_ADMIN",e.ADMIN="ADMIN"})(P||(P={}));var le;(function(e){e.SEARCHES="SEARCHES",e.BOOKMARKS="BOOKMARKS",e.BOOKS="BOOKS",e.COLLECTIONS="COLLECTIONS"})(le||(le={}));var Rr;(function(e){e.VALID="VALID",e.INVALID="INVALID"})(Rr||(Rr={}));var Ir;(function(e){e.JSON="JSON",e.TEXT="TEXT"})(Ir||(Ir={}));var Pr;(function(e){e.TEXT="TEXT",e.HTML="HTML"})(Pr||(Pr={}));var zn={[P.PERSONAL_BOOK_SHARE_USER]:[P.PERSONAL_BOOK_USER],[P.HTML_EXPORT_USER]:[P.PERSONAL_BOOK_USER],[P.PDF_EXPORT_USER]:[P.PERSONAL_BOOK_USER],[P.KHUB_ADMIN]:[P.CONTENT_PUBLISHER],[P.ADMIN]:[P.KHUB_ADMIN,P.USERS_ADMIN,P.PORTAL_ADMIN],[P.GENERATIVE_AI_EXPORT_USER]:[P.GENERATIVE_AI_USER]};function Dr(e,t){return e===t||(zn[e]??[]).some(r=>Dr(r,t))}function Lr(e,t){return e==null?!1:(Array.isArray(e)?e:Array.isArray(e.roles)?e.roles:Array.isArray(e.profile?.roles)?e.profile.roles:[]).some(n=>Dr(n,t))}var qe=class extends j{async listMySearches(){let{session:t}=g.getState();return Lr(t,P.SAVED_SEARCH_USER)?this.cache.get("my-searches",async()=>(await this.awaitApi).listMySearches(t.profile.userId),5*60*1e3):[]}};var kr=T(F());var gt=class{isDate(t){var r,n,i,s;return(s=(i=((n=(r=g.getState().metadataConfiguration)===null||r===void 0?void 0:r.descriptors)!==null&&n!==void 0?n:[]).find(o=>o.key===t))===null||i===void 0?void 0:i.date)!==null&&s!==void 0?s:!1}format(t,r){var n,i,s;return kr.DateFormatter.format(t,(n=r?.locale)!==null&&n!==void 0?n:g.getState().uiLocale,(i=r?.longFormat)!==null&&i!==void 0?i:!1,(s=r?.withTime)!==null&&s!==void 0?s:!1)}};window.FluidTopicsDateService=new gt;var Mr=T(F());var Te=class{static get(t,r){var n,i;let s=g.getState(),{lang:a,region:o}=(i=(n=s.defaultLocales)===null||n===void 0?void 0:n.defaultContentLocale)!==null&&i!==void 0?i:{lang:"en",region:"US"};return new Mr.SearchPlaceConverter(s.baseUrl,t??20,s.searchInAllLanguagesAllowed,r??`${a}-${o}`)}};var bt=class{urlToSearchRequest(t){return Te.get().parse(t)}searchRequestToUrl(t){return Te.get().serialize(t)}};window.FluidTopicsUrlService=new bt;var Z=T(F());var de=class e extends CustomEvent{constructor(t){super(e.eventName,{detail:{currentItem:t}})}};de.eventName="change";var At=class{itemName(t){return`fluid-topics-history-item-${t}`}get(t){let r=sessionStorage.getItem(this.itemName(t));return r?JSON.parse(r):void 0}set(t,r){sessionStorage.setItem(this.itemName(t),JSON.stringify(r))}},Nr=new At;var Ge=class e extends Z.WithEventBus{static build(){return new e(window.history,Nr,()=>window.location,!1)}constructor(t,r,n,i){var s,a;super(),this.history=t,this.historyStorage=r,this.windowLocation=n,this.states=[],this.realPushState=t.pushState,this.realReplaceState=t.replaceState,this.initialIndex=(a=(s=t.state)===null||s===void 0?void 0:s.index)!==null&&a!==void 0?a:t.length-1,this.currentIndex=this.initialIndex,this.setCurrentState(this.buildCurrentState()),this.installProxies(),this.initEventListeners(),this.initData(i)}setCurrentState(t,r=!1){let n=r&&this.currentIndex===t.index-1;this.currentState={...this.buildCurrentState(),...t},this.currentIndex=this.currentState.index,this.states[this.currentIndex]=this.currentState,n&&(this.states=this.states.slice(0,this.currentIndex+1)),this.historyStorage.set(this.currentIndex,this.currentState),(0,Z.deepEqual)(this.currentState,this.history.state)||this.realReplaceState.apply(this.history,[this.currentState,this.currentState.title,window.location.href]),setTimeout(()=>this.dispatchEvent(new de(this.currentItem())),0)}installProxies(){let t=r=>(n,i,[s,a,o])=>{let u=r(),l={...u===this.currentIndex?this.currentState:void 0,...s,index:u,href:typeof o=="string"?o:(o??this.windowLocation()).href};n.apply(i,[l,a,o]),this.setCurrentState(l,!0)};this.history.pushState=new Proxy(this.history.pushState,{apply:t(()=>this.currentIndex+1)}),this.history.replaceState=new Proxy(this.history.replaceState,{apply:t(()=>this.currentIndex)})}initEventListeners(){window.addEventListener("popstate",t=>this.setCurrentState(t.state)),document.querySelector("title")==null&&document.head.append(document.createElement("title")),new MutationObserver(()=>this.updateCurrentState({title:document.title})).observe(document.querySelector("title"),{subtree:!0,characterData:!0,childList:!0})}initData(t){for(let r=this.history.length-1;r>=0;r--)t?this.states[r]=this.historyStorage.get(r):setTimeout(()=>this.states[r]=this.historyStorage.get(r),this.history.length-r)}updateCurrentState(t){var r;let n={...this.buildCurrentState(),...t,index:this.currentIndex,title:(r=t?.title)!==null&&r!==void 0?r:this.currentState.title};this.setCurrentState(n)}addHistoryChangeListener(t){this.addEventListener(de.eventName,t)}removeHistoryChangeListener(t){this.removeEventListener(de.eventName,t)}currentItem(){return(0,Z.deepCopy)(this.currentState)}back(){let t=this.previousDifferentMajorPosition();t>=0?this.history.go(t-this.currentIndex):this.currentIndex!==this.initialIndex?this.history.go(this.initialIndex-this.currentIndex):this.history.back()}backwardItem(){return(0,Z.deepCopy)(this.states[this.previousDifferentMajorPosition()])}previousDifferentMajorPosition(){let t=this.currentIndex>0?this.currentIndex-1:0;for(;t>0&&!this.isDifferentMajorState(t);)t--;return t}forward(){let t=this.nextMajorPosition();t&&t<this.states.length?this.history.go(t-this.currentIndex):this.history.forward()}forwardItem(){let t=this.nextMajorPosition();if(t)return(0,Z.deepCopy)(this.states[t])}nextMajorPosition(){let t=this.currentIndex;if(!(t>=this.states.length)){do t++;while(t<this.states.length&&!this.isDifferentMajorState(t));return this.getHigherPositionInTheSameState(t)}}getHigherPositionInTheSameState(t){var r;let n=(r=this.states[t])===null||r===void 0?void 0:r.majorStateId;if(!n)return t;let i=t,s=t+1;for(;this.states.length>s&&!this.isDifferentMajorState(s,n);)this.hasState(s)&&(i=s),s++;return i}buildCurrentState(){var t,r;return{...this.history.state,index:this.currentIndex,href:this.windowLocation().href,title:(r=(t=this.history.state)===null||t===void 0?void 0:t.title)!==null&&r!==void 0?r:document.title}}hasState(t){return this.states[t]!=null}isDifferentMajorState(t,r){var n;if(!this.hasState(t))return!1;let i=r??this.currentState.majorStateId,s=(n=this.states[t])===null||n===void 0?void 0:n.majorStateId;return s==null||s!=i}};window.FluidTopicsInternalHistoryService==null&&(window.FluidTopicsInternalHistoryService=Ge.build(),window.FluidTopicsHistoryService={currentItem:()=>window.FluidTopicsInternalHistoryService.currentItem(),back:()=>window.FluidTopicsInternalHistoryService.back(),forward:()=>window.FluidTopicsInternalHistoryService.forward(),backwardItem:()=>window.FluidTopicsInternalHistoryService.backwardItem(),forwardItem:()=>window.FluidTopicsInternalHistoryService.forwardItem(),addHistoryChangeListener:e=>window.FluidTopicsInternalHistoryService.addHistoryChangeListener(e),removeHistoryChangeListener:e=>window.FluidTopicsInternalHistoryService.removeHistoryChangeListener(e)});var Ur=g;function Fr(e,t){var r;return Ur.getState().authenticationRequired&&!(!((r=Ur.getState().session)===null||r===void 0)&&r.sessionAuthenticated)?Promise.resolve(t):e()}var D=function(e,t,r,n){var i=arguments.length,s=i<3?t:n===null?n=Object.getOwnPropertyDescriptor(t,r):n,a;if(typeof Reflect=="object"&&typeof Reflect.decorate=="function")s=Reflect.decorate(e,t,r,n);else for(var o=e.length-1;o>=0;o--)(a=e[o])&&(s=(i<3?a(s):i>3?a(t,r,s):a(t,r))||s);return i>3&&s&&Object.defineProperty(t,r,s),s},_=class extends G.FtLitElement{constructor(){super(...arguments),this.apiIntegrationIdentifier="ft-integration",this.apiIntegrationAppVersion="ft-integration-app-version",this.uiLocale="en-US",this.editorMode=!1,this.noCustom=!1,this.openExternalDocumentInNewTab=!1,this.noCustomComponent=!1,this.withManualResources=!1,this.navigatorOnline=!1,this.forcedOffline=!1,this.apiProvider=()=>ce.get(),this.authenticationRequired=!1,this.messageContexts=[],this.cache=new G.CacheRegistry,this.cleanSessionDebouncer=new G.Debouncer,this.reloadConfiguration=()=>{this.cache.clear("availableContentLocales"),this.updateAvailableContentLocales()}}render(){return jr.html`
5
5
  <slot></slot>
6
- `}connectedCallback(){super.connectedCallback(),g.addEventListener(ue.eventName,this.reloadConfiguration)}disconnectedCallback(){g.addEventListener(ue.eventName,this.reloadConfiguration),super.disconnectedCallback()}update(t){var r,n,i,s,a,o,u;super.update(t),t.has("baseUrl")&&(g.actions.baseUrl(this.baseUrl),window.fluidTopicsBaseUrl=this.baseUrl),t.has("apiIntegrationIdentifier")&&g.actions.apiIntegrationIdentifier(this.apiIntegrationIdentifier),t.has("apiIntegrationAppVersion")&&g.actions.apiIntegrationAppVersion(this.apiIntegrationAppVersion),t.has("uiLocale")&&g.actions.uiLocale(this.uiLocale),t.has("metadataConfiguration")&&g.actions.metadataConfiguration(this.metadataConfiguration),t.has("noCustom")&&g.actions.noCustom(this.noCustom),t.has("editorMode")&&g.actions.editorMode(this.editorMode),t.has("noCustomComponent")&&g.actions.noCustomComponent(this.noCustomComponent),t.has("session")&&g.actions.session(this.session),t.has("messageContexts")&&this.messageContexts!=null&&this.messageContexts.forEach(l=>ge.addContext(l)),t.has("openExternalDocumentInNewTab")&&g.actions.openExternalDocumentInNewTab(this.openExternalDocumentInNewTab),t.has("navigatorOnline")&&g.actions.navigatorOnline(this.navigatorOnline),t.has("forcedOffline")&&g.actions.forcedOffline(this.forcedOffline),t.has("localesConfiguration")&&(g.actions.defaultLocales((r=this.localesConfiguration)===null||r===void 0?void 0:r.defaultLocales),g.actions.availableUiLocales((i=(n=this.localesConfiguration)===null||n===void 0?void 0:n.availableUiLocales)!==null&&i!==void 0?i:[]),g.actions.searchInAllLanguagesAllowed((a=(s=this.localesConfiguration)===null||s===void 0?void 0:s.allLanguagesAllowed)!==null&&a!==void 0?a:!1)),t.has("authenticationRequired")&&g.actions.authenticationRequired(this.authenticationRequired),t.has("availableContentLocales")&&g.actions.availableContentLocales((u=(o=this.availableContentLocales)===null||o===void 0?void 0:o.contentLocales)!==null&&u!==void 0?u:[]),setTimeout(()=>this.updateIfNeeded())}async updateIfNeeded(){this.apiProvider()&&(this.withManualResources||(this.session==null&&this.updateSession(),this.metadataConfiguration==null&&this.updateMetadataConfiguration()),this.localesConfiguration==null&&this.updateLocalesConfiguration(),this.availableContentLocales==null&&this.updateAvailableContentLocales())}async updateSession(){this.session=await this.cache.get("session",async()=>{let t=await this.apiProvider().getCurrentSession();return t.idleTimeoutInMillis>0&&this.cleanSessionDebouncer.run(()=>{this.cache.clear("session"),this.session=void 0},t.idleTimeoutInMillis),t})}async updateMetadataConfiguration(){this.metadataConfiguration=await this.cache.get("metadataConfiguration",()=>this.apiProvider().getMetadataConfiguration())}async updateLocalesConfiguration(){this.localesConfiguration=await this.cache.get("localesConfiguration",()=>this.apiProvider().getLocalesConfiguration())}async updateAvailableContentLocales(){this.availableContentLocales=await this.cache.get("availableContentLocales",()=>Ur(()=>this.apiProvider().getAvailableSearchLocales(),{contentLocales:[]}))}};_.elementDefinitions={};_.styles=Zt;D([(0,M.property)()],_.prototype,"baseUrl",void 0);D([(0,M.property)()],_.prototype,"apiIntegrationIdentifier",void 0);D([(0,M.property)()],_.prototype,"apiIntegrationAppVersion",void 0);D([(0,M.property)()],_.prototype,"uiLocale",void 0);D([(0,G.jsonProperty)(null)],_.prototype,"availableUiLocales",void 0);D([(0,G.jsonProperty)(null)],_.prototype,"metadataConfiguration",void 0);D([(0,M.property)({type:Boolean})],_.prototype,"editorMode",void 0);D([(0,M.property)({type:Boolean})],_.prototype,"noCustom",void 0);D([(0,M.property)({type:Boolean})],_.prototype,"openExternalDocumentInNewTab",void 0);D([(0,M.property)({converter:{fromAttribute(e){return e==="false"?!1:e==="true"||(e??!1)}}})],_.prototype,"noCustomComponent",void 0);D([(0,M.property)({type:Boolean})],_.prototype,"withManualResources",void 0);D([(0,M.property)({type:Boolean})],_.prototype,"navigatorOnline",void 0);D([(0,M.property)({type:Boolean})],_.prototype,"forcedOffline",void 0);D([(0,M.property)({type:Object})],_.prototype,"apiProvider",void 0);D([(0,M.property)({type:Boolean})],_.prototype,"authenticationRequired",void 0);D([(0,G.jsonProperty)([])],_.prototype,"messageContexts",void 0);D([(0,G.jsonProperty)(void 0)],_.prototype,"session",void 0);D([(0,M.state)()],_.prototype,"localesConfiguration",void 0);D([(0,M.state)()],_.prototype,"availableContentLocales",void 0);var Ui=T(J());function Yn(e,t){if(e===t)return!0;if(e&&t&&typeof e=="object"&&typeof t=="object"){if(e.constructor!==t.constructor)return!1;var r,n,i;if(Array.isArray(e)){if(r=e.length,r!=t.length)return!1;for(n=r;n--!==0;)if(!$e(e[n],t[n]))return!1;return!0}if(e instanceof Map&&t instanceof Map){if(e.size!==t.size)return!1;for(n of e.entries())if(!t.has(n[0]))return!1;for(n of e.entries())if(!$e(n[1],t.get(n[0])))return!1;return!0}if(e instanceof Set&&t instanceof Set){if(e.size!==t.size)return!1;for(n of e.entries())if(!t.has(n[0]))return!1;return!0}if(e.constructor===RegExp)return e.source===t.source&&e.flags===t.flags;if(e.valueOf!==Object.prototype.valueOf)return e.valueOf()===t.valueOf();let s=a=>Object.keys(a).filter(o=>a[o]!=null);if(i=s(e),r=i.length,r!==s(t).length)return!1;for(n=r;n--!==0;)if(!Object.prototype.hasOwnProperty.call(t,i[n]))return!1;for(n=r;n--!==0;){let a=i[n];if(!$e(e[a],t[a]))return!1}return!0}return e!==e&&t!==t||e==null&&t==null}function $e(e,t){try{return Yn(e,t)}catch{return!1}}function ze(e,t){return!$e(e,t)}var Jn=T(J(),1);var We=class{constructor(){this.queue=[]}add(t,r=!1){r&&this.clear(t.type),this.queue.push(t)}consume(t){let r=this.queue.find(n=>n.type===t);return r&&(this.queue=this.queue.filter(n=>n!==r)),r}clear(t){typeof t=="string"?this.queue=this.queue.filter(r=>r.type!==t):this.queue=this.queue.filter(r=>!t.test(r.type))}};var Ae=T(J(),1);var jr=T(J(),1);function Br(e,t){let r=()=>JSON.parse(JSON.stringify(e));return(0,jr.property)({type:Object,converter:{fromAttribute:n=>{if(n==null)return r();try{return JSON.parse(n)}catch{return r()}},toAttribute:n=>JSON.stringify(n)},hasChanged:ze,...t??{}})}var Xe=class{constructor(t=0){this.timeout=t,this.callbacks=[]}run(t,r){return this.callbacks=[t],this.debounce(r)}queue(t,r){return this.callbacks.push(t),this.debounce(r)}cancel(){this.clearTimeout(),this.resolvePromise&&this.resolvePromise(!1),this.clearPromise()}debounce(t){return this.promise==null&&(this.promise=new Promise((r,n)=>{this.resolvePromise=r,this.rejectPromise=n})),this.clearTimeout(),this._debounce=window.setTimeout(()=>this.runCallbacks(),t??this.timeout),this.promise}async runCallbacks(){var t,r;let n=[...this.callbacks];this.callbacks=[];let i=(t=this.rejectPromise)!==null&&t!==void 0?t:()=>null,s=(r=this.resolvePromise)!==null&&r!==void 0?r:()=>null;this.clearPromise();for(let a of n)try{await a()}catch(o){i(o);return}s(!0)}clearTimeout(){this._debounce!=null&&window.clearTimeout(this._debounce)}clearPromise(){this.promise=void 0,this.resolvePromise=void 0,this.rejectPromise=void 0}};var Vr=T(me(),1);var Ye=globalThis,Qn=Ye.ShadowRoot&&(Ye.ShadyCSS===void 0||Ye.ShadyCSS.nativeShadow)&&"adoptedStyleSheets"in Document.prototype&&"replace"in CSSStyleSheet.prototype,Ea=Symbol();var Hr=(e,t)=>{if(Qn)e.adoptedStyleSheets=t.map(r=>r instanceof CSSStyleSheet?r:r.styleSheet);else for(let r of t){let n=document.createElement("style"),i=Ye.litNonce;i!==void 0&&n.setAttribute("nonce",i),n.textContent=r.cssText,e.appendChild(n)}};var Je=class extends Vr.LitElement{createRenderRoot(){let t=this.constructor;t.elementDefinitions&&!t.registry&&(t.registry=new CustomElementRegistry,Object.entries(t.elementDefinitions).forEach(([i,s])=>t.registry.define(i,s)));let r={...t.shadowRootOptions,customElements:t.registry},n=this.renderOptions.creationScope=this.attachShadow(r);return Hr(n,t.elementStyles),n}};function Kr(e,t,...r){var n;let i=e.querySelector(t);for(let s of r)i=(n=i?.shadowRoot)===null||n===void 0?void 0:n.querySelector(s);return i}var Ce=function(e,t,r,n){var i=arguments.length,s=i<3?t:n===null?n=Object.getOwnPropertyDescriptor(t,r):n,a;if(typeof Reflect=="object"&&typeof Reflect.decorate=="function")s=Reflect.decorate(e,t,r,n);else for(var o=e.length-1;o>=0;o--)(a=e[o])&&(s=(i<3?a(s):i>3?a(t,r,s):a(t,r))||s);return i>3&&s&&Object.defineProperty(t,r,s),s},zr,qr=Symbol("constructorPrototype"),Gr=Symbol("constructorName"),Wr=Symbol("exportpartsDebouncer"),$r=Symbol("dynamicDependenciesLoaded"),X=class extends Je{constructor(){super(),this.useAdoptedStyleSheets=!0,this.adoptedCustomStyleSheet=new CSSStyleSheet,this[zr]=new Xe(5),this[Gr]=this.constructor.name,this[qr]=this.constructor.prototype}adoptedCallback(){this.constructor.name!==this[Gr]&&Object.setPrototypeOf(this,this[qr])}connectedCallback(){super.connectedCallback();try{this.shadowRoot&&!this.shadowRoot.adoptedStyleSheets.includes(this.adoptedCustomStyleSheet)&&(this.shadowRoot.adoptedStyleSheets=[...this.shadowRoot.adoptedStyleSheets,this.adoptedCustomStyleSheet]),this.useAdoptedStyleSheets=!0}catch(r){this.useAdoptedStyleSheets=!1,console.error("Cannot use adopted stylesheets",r)}let t=this.constructor;t[$r]||(t[$r]=!0,this.importDynamicDependencies())}importDynamicDependencies(){}updated(t){super.updated(t),this.updateComplete.then(()=>{this.contentAvailableCallback(t),this.focusElementToFocus(t),this.applyCustomStylesheet(t),this.scheduleExportpartsUpdate()})}contentAvailableCallback(t){}focusElementToFocus(t){if(t.has("elementToFocus")&&this.elementToFocus!=null){let{element:r,selector:n,shadowPath:i}=this.elementToFocus;if(n!=null){let s=[...i??[],n];r=Kr(this.shadowRoot,...s)}r?.focus(),window.FluidTopicsA11yHints.isKeyboardNavigation||r?.blur(),this.elementToFocus=void 0}}applyCustomStylesheet(t){var r,n,i;if(((n=(r=this.shadowRoot)===null||r===void 0?void 0:r.querySelectorAll(".ft-lit-element--custom-stylesheet"))!==null&&n!==void 0?n:[]).forEach(s=>s.remove()),this.useAdoptedStyleSheets){if(t.has("customStylesheet"))try{this.adoptedCustomStyleSheet.replaceSync((i=this.customStylesheet)!==null&&i!==void 0?i:"")}catch(s){console.error(s,this.customStylesheet),this.useAdoptedStyleSheets=!1}}else if(this.customStylesheet){let s=document.createElement("style");s.classList.add("ft-lit-element--custom-stylesheet"),s.innerHTML=this.customStylesheet,this.shadowRoot.append(s)}}scheduleExportpartsUpdate(){var t,r,n;(!((t=this.exportpartsPrefix)===null||t===void 0)&&t.trim()||(n=(r=this.exportpartsPrefixes)===null||r===void 0?void 0:r.length)!==null&&n!==void 0&&n)&&this[Wr].run(()=>{var i,s;!((i=this.exportpartsPrefix)===null||i===void 0)&&i.trim()?this.setExportpartsAttribute([this.exportpartsPrefix]):this.exportpartsPrefixes!=null&&((s=this.exportpartsPrefixes)===null||s===void 0?void 0:s.length)>0&&this.setExportpartsAttribute(this.exportpartsPrefixes)})}setExportpartsAttribute(t){var r,n,i,s,a,o;let u=p=>p!=null&&p.trim().length>0,l=t.filter(u).map(p=>p.trim());if(l.length===0){this.removeAttribute("exportparts");return}let d=new Set;for(let p of(n=(r=this.shadowRoot)===null||r===void 0?void 0:r.querySelectorAll("[part],[exportparts]"))!==null&&n!==void 0?n:[]){let v=(s=(i=p.getAttribute("part"))===null||i===void 0?void 0:i.split(" "))!==null&&s!==void 0?s:[],y=(o=(a=p.getAttribute("exportparts"))===null||a===void 0?void 0:a.split(",").map(m=>m.split(":")[1]))!==null&&o!==void 0?o:[];new Array(...v,...y).filter(u).map(m=>m.trim()).forEach(m=>d.add(m))}if(d.size===0){this.removeAttribute("exportparts");return}let h=[...d.values()].flatMap(p=>l.map(v=>`${p}:${v}--${p}`));this.setAttribute("exportparts",[...this.part,...h].join(", "))}};zr=Wr;Ce([(0,Ae.property)()],X.prototype,"exportpartsPrefix",void 0);Ce([Br([])],X.prototype,"exportpartsPrefixes",void 0);Ce([(0,Ae.property)()],X.prototype,"customStylesheet",void 0);Ce([(0,Ae.property)()],X.prototype,"elementToFocus",void 0);Ce([(0,Ae.state)()],X.prototype,"useAdoptedStyleSheets",void 0);function Qe(e){var t;return(t=e?.isFtReduxStore)!==null&&t!==void 0?t:!1}var _e=Symbol("internalReduxEventsUnsubscribers"),ee=Symbol("internalStoresUnsubscribers"),fe=Symbol("internalStores");function Zn(e){var t,r,n;class i extends e{constructor(){super(...arguments),this[t]=new Map,this[r]=new Map,this[n]=new Map}get reduxConstructor(){return this.constructor}willUpdate(a){super.willUpdate(a),[...this.reduxConstructor.reduxReactiveProperties].some(o=>a.has(o))&&this.updateFromStores()}getUnnamedStore(){if(this[fe].size>1)throw new Error("Cannot resolve unnamed store when multiple stores are configured.");return[...this[fe].values()][0]}getStore(a){return a==null?this.getUnnamedStore():this[fe].get(a)}addStore(a,o){var u;o=(u=o??a.name)!==null&&u!==void 0?u:"default-store",this.unsubscribeFromStore(o),this[fe].set(o,a),this.subscribeToStore(o,a),this.updateFromStores()}removeStore(a){let o=typeof a=="string"?a:a.name;this.unsubscribeFromStore(o),this[fe].delete(o)}setupStores(){this.unsubscribeFromStores(),this[fe].forEach((a,o)=>this.subscribeToStore(o,a)),this.updateFromStores()}updateFromStores(){this.reduxConstructor.reduxProperties.forEach((a,o)=>{let u=this.constructor.getPropertyOptions(o);if(!u?.attribute||!this.hasAttribute(typeof u?.attribute=="string"?u.attribute:o)){let l=this.getStore(a.store);l&&(a.store?this[ee].has(a.store):this[ee].size>0)&&(this[o]=a.selector(l.getState(),this))}})}subscribeToStore(a,o){var u;this[ee].set(a,o.subscribe(()=>this.updateFromStores())),this[_e].set(a,[]),Qe(o)&&o.eventBus&&((u=this.reduxConstructor.reduxEventListeners)===null||u===void 0||u.forEach((l,d)=>{if(typeof this[d]=="function"&&(!l.store||o.name===l.store)){let h=p=>this[d](p);o.addEventListener(l.eventName,h),this[_e].get(a).push(()=>o.removeEventListener(l.eventName,h))}})),this.onStoreAvailable(a)}unsubscribeFromStores(){this[ee].forEach((a,o)=>this.unsubscribeFromStore(o))}unsubscribeFromStore(a){var o;this[ee].has(a)&&this[ee].get(a)(),this[ee].delete(a),(o=this[_e].get(a))===null||o===void 0||o.forEach(u=>u()),this[_e].delete(a)}onStoreAvailable(a){}connectedCallback(){super.connectedCallback(),this.setupStores()}disconnectedCallback(){super.disconnectedCallback(),this.unsubscribeFromStores()}}return t=ee,r=fe,n=_e,i.reduxProperties=new Map,i.reduxReactiveProperties=new Set,i.reduxEventListeners=new Map,i}var Xr=class extends Zn(X){};function K(e){for(var t=arguments.length,r=Array(t>1?t-1:0),n=1;n<t;n++)r[n-1]=arguments[n];if(0)var i,s;throw Error("[Immer] minified error nr: "+e+(r.length?" "+r.map(function(a){return"'"+a+"'"}).join(","):"")+". Find the full error at: https://bit.ly/3cXEKWf")}function Y(e){return!!e&&!!e[R]}function $(e){var t;return!!e&&(function(r){if(!r||typeof r!="object")return!1;var n=Object.getPrototypeOf(r);if(n===null)return!0;var i=Object.hasOwnProperty.call(n,"constructor")&&n.constructor;return i===Object||typeof i=="function"&&Function.toString.call(i)===oi}(e)||Array.isArray(e)||!!e[rn]||!!(!((t=e.constructor)===null||t===void 0)&&t[rn])||Rt(e)||It(e))}function pe(e,t,r){r===void 0&&(r=!1),we(e)===0?(r?Object.keys:Ee)(e).forEach(function(n){r&&typeof n=="symbol"||t(n,e[n],e)}):e.forEach(function(n,i){return t(i,n,e)})}function we(e){var t=e[R];return t?t.i>3?t.i-4:t.i:Array.isArray(e)?1:Rt(e)?2:It(e)?3:0}function Se(e,t){return we(e)===2?e.has(t):Object.prototype.hasOwnProperty.call(e,t)}function ei(e,t){return we(e)===2?e.get(t):e[t]}function nn(e,t,r){var n=we(e);n===2?e.set(t,r):n===3?e.add(r):e[t]=r}function sn(e,t){return e===t?e!==0||1/e==1/t:e!=e&&t!=t}function Rt(e){return si&&e instanceof Map}function It(e){return ai&&e instanceof Set}function te(e){return e.o||e.t}function Pt(e){if(Array.isArray(e))return Array.prototype.slice.call(e);var t=un(e);delete t[R];for(var r=Ee(t),n=0;n<r.length;n++){var i=r[n],s=t[i];s.writable===!1&&(s.writable=!0,s.configurable=!0),(s.get||s.set)&&(t[i]={configurable:!0,writable:!0,enumerable:s.enumerable,value:e[i]})}return Object.create(Object.getPrototypeOf(e),t)}function Dt(e,t){return t===void 0&&(t=!1),Lt(e)||Y(e)||!$(e)||(we(e)>1&&(e.set=e.add=e.clear=e.delete=ti),Object.freeze(e),t&&pe(e,function(r,n){return Dt(n,!0)},!0)),e}function ti(){K(2)}function Lt(e){return e==null||typeof e!="object"||Object.isFrozen(e)}function W(e){var t=_t[e];return t||K(18,e),t}function ri(e,t){_t[e]||(_t[e]=t)}function Ot(){return Ie}function St(e,t){t&&(W("Patches"),e.u=[],e.s=[],e.v=t)}function Ze(e){Tt(e),e.p.forEach(ni),e.p=null}function Tt(e){e===Ie&&(Ie=e.l)}function Yr(e){return Ie={p:[],l:Ie,h:e,m:!0,_:0}}function ni(e){var t=e[R];t.i===0||t.i===1?t.j():t.g=!0}function Et(e,t){t._=t.p.length;var r=t.p[0],n=e!==void 0&&e!==r;return t.h.O||W("ES5").S(t,e,n),n?(r[R].P&&(Ze(t),K(4)),$(e)&&(e=et(t,e),t.l||tt(t,e)),t.u&&W("Patches").M(r[R].t,e,t.u,t.s)):e=et(t,r,[]),Ze(t),t.u&&t.v(t.u,t.s),e!==on?e:void 0}function et(e,t,r){if(Lt(t))return t;var n=t[R];if(!n)return pe(t,function(o,u){return Jr(e,n,t,o,u,r)},!0),t;if(n.A!==e)return t;if(!n.P)return tt(e,n.t,!0),n.t;if(!n.I){n.I=!0,n.A._--;var i=n.i===4||n.i===5?n.o=Pt(n.k):n.o,s=i,a=!1;n.i===3&&(s=new Set(i),i.clear(),a=!0),pe(s,function(o,u){return Jr(e,n,i,o,u,r,a)}),tt(e,i,!1),r&&e.u&&W("Patches").N(n,r,e.u,e.s)}return n.o}function Jr(e,t,r,n,i,s,a){if(Y(i)){var o=et(e,i,s&&t&&t.i!==3&&!Se(t.R,n)?s.concat(n):void 0);if(nn(r,n,o),!Y(o))return;e.m=!1}else a&&r.add(i);if($(i)&&!Lt(i)){if(!e.h.D&&e._<1)return;et(e,i),t&&t.A.l||tt(e,i)}}function tt(e,t,r){r===void 0&&(r=!1),!e.l&&e.h.D&&e.m&&Dt(t,r)}function wt(e,t){var r=e[R];return(r?te(r):e)[t]}function Qr(e,t){if(t in e)for(var r=Object.getPrototypeOf(e);r;){var n=Object.getOwnPropertyDescriptor(r,t);if(n)return n;r=Object.getPrototypeOf(r)}}function re(e){e.P||(e.P=!0,e.l&&re(e.l))}function xt(e){e.o||(e.o=Pt(e.t))}function Ct(e,t,r){var n=Rt(t)?W("MapSet").F(t,r):It(t)?W("MapSet").T(t,r):e.O?function(i,s){var a=Array.isArray(i),o={i:a?1:0,A:s?s.A:Ot(),P:!1,I:!1,R:{},l:s,t:i,k:null,o:null,j:null,C:!1},u=o,l=Pe;a&&(u=[o],l=Re);var d=Proxy.revocable(u,l),h=d.revoke,p=d.proxy;return o.k=p,o.j=h,p}(t,r):W("ES5").J(t,r);return(r?r.A:Ot()).p.push(n),n}function ii(e){return Y(e)||K(22,e),function t(r){if(!$(r))return r;var n,i=r[R],s=we(r);if(i){if(!i.P&&(i.i<4||!W("ES5").K(i)))return i.t;i.I=!0,n=Zr(r,s),i.I=!1}else n=Zr(r,s);return pe(n,function(a,o){i&&ei(i.t,a)===o||nn(n,a,t(o))}),s===3?new Set(n):n}(e)}function Zr(e,t){switch(t){case 2:return new Map(e);case 3:return Array.from(e)}return Pt(e)}function an(){function e(a,o){var u=s[a];return u?u.enumerable=o:s[a]=u={configurable:!0,enumerable:o,get:function(){var l=this[R];return Pe.get(l,a)},set:function(l){var d=this[R];Pe.set(d,a,l)}},u}function t(a){for(var o=a.length-1;o>=0;o--){var u=a[o][R];if(!u.P)switch(u.i){case 5:n(u)&&re(u);break;case 4:r(u)&&re(u)}}}function r(a){for(var o=a.t,u=a.k,l=Ee(u),d=l.length-1;d>=0;d--){var h=l[d];if(h!==R){var p=o[h];if(p===void 0&&!Se(o,h))return!0;var v=u[h],y=v&&v[R];if(y?y.t!==p:!sn(v,p))return!0}}var m=!!o[R];return l.length!==Ee(o).length+(m?0:1)}function n(a){var o=a.k;if(o.length!==a.t.length)return!0;var u=Object.getOwnPropertyDescriptor(o,o.length-1);if(u&&!u.get)return!0;for(var l=0;l<o.length;l++)if(!o.hasOwnProperty(l))return!0;return!1}function i(a){a.g&&K(3,JSON.stringify(te(a)))}var s={};ri("ES5",{J:function(a,o){var u=Array.isArray(a),l=function(h,p){if(h){for(var v=Array(p.length),y=0;y<p.length;y++)Object.defineProperty(v,""+y,e(y,!0));return v}var m=un(p);delete m[R];for(var w=Ee(m),A=0;A<w.length;A++){var S=w[A];m[S]=e(S,h||!!m[S].enumerable)}return Object.create(Object.getPrototypeOf(p),m)}(u,a),d={i:u?5:4,A:o?o.A:Ot(),P:!1,I:!1,R:{},l:o,t:a,k:l,o:null,g:!1,C:!1};return Object.defineProperty(l,R,{value:d,writable:!0}),l},S:function(a,o,u){u?Y(o)&&o[R].A===a&&t(a.p):(a.u&&function l(d){if(d&&typeof d=="object"){var h=d[R];if(h){var p=h.t,v=h.k,y=h.R,m=h.i;if(m===4)pe(v,function(x){x!==R&&(p[x]!==void 0||Se(p,x)?y[x]||l(v[x]):(y[x]=!0,re(h)))}),pe(p,function(x){v[x]!==void 0||Se(v,x)||(y[x]=!1,re(h))});else if(m===5){if(n(h)&&(re(h),y.length=!0),v.length<p.length)for(var w=v.length;w<p.length;w++)y[w]=!1;else for(var A=p.length;A<v.length;A++)y[A]=!0;for(var S=Math.min(v.length,p.length),C=0;C<S;C++)v.hasOwnProperty(C)||(y[C]=!0),y[C]===void 0&&l(v[C])}}}}(a.p[0]),t(a.p))},K:function(a){return a.i===4?r(a):n(a)}})}var en,Ie,kt=typeof Symbol<"u"&&typeof Symbol("x")=="symbol",si=typeof Map<"u",ai=typeof Set<"u",tn=typeof Proxy<"u"&&Proxy.revocable!==void 0&&typeof Reflect<"u",on=kt?Symbol.for("immer-nothing"):((en={})["immer-nothing"]=!0,en),rn=kt?Symbol.for("immer-draftable"):"__$immer_draftable",R=kt?Symbol.for("immer-state"):"__$immer_state";var oi=""+Object.prototype.constructor,Ee=typeof Reflect<"u"&&Reflect.ownKeys?Reflect.ownKeys:Object.getOwnPropertySymbols!==void 0?function(e){return Object.getOwnPropertyNames(e).concat(Object.getOwnPropertySymbols(e))}:Object.getOwnPropertyNames,un=Object.getOwnPropertyDescriptors||function(e){var t={};return Ee(e).forEach(function(r){t[r]=Object.getOwnPropertyDescriptor(e,r)}),t},_t={},Pe={get:function(e,t){if(t===R)return e;var r=te(e);if(!Se(r,t))return function(i,s,a){var o,u=Qr(s,a);return u?"value"in u?u.value:(o=u.get)===null||o===void 0?void 0:o.call(i.k):void 0}(e,r,t);var n=r[t];return e.I||!$(n)?n:n===wt(e.t,t)?(xt(e),e.o[t]=Ct(e.A.h,n,e)):n},has:function(e,t){return t in te(e)},ownKeys:function(e){return Reflect.ownKeys(te(e))},set:function(e,t,r){var n=Qr(te(e),t);if(n?.set)return n.set.call(e.k,r),!0;if(!e.P){var i=wt(te(e),t),s=i?.[R];if(s&&s.t===r)return e.o[t]=r,e.R[t]=!1,!0;if(sn(r,i)&&(r!==void 0||Se(e.t,t)))return!0;xt(e),re(e)}return e.o[t]===r&&(r!==void 0||t in e.o)||Number.isNaN(r)&&Number.isNaN(e.o[t])||(e.o[t]=r,e.R[t]=!0),!0},deleteProperty:function(e,t){return wt(e.t,t)!==void 0||t in e.t?(e.R[t]=!1,xt(e),re(e)):delete e.R[t],e.o&&delete e.o[t],!0},getOwnPropertyDescriptor:function(e,t){var r=te(e),n=Reflect.getOwnPropertyDescriptor(r,t);return n&&{writable:!0,configurable:e.i!==1||t!=="length",enumerable:n.enumerable,value:r[t]}},defineProperty:function(){K(11)},getPrototypeOf:function(e){return Object.getPrototypeOf(e.t)},setPrototypeOf:function(){K(12)}},Re={};pe(Pe,function(e,t){Re[e]=function(){return arguments[0]=arguments[0][0],t.apply(this,arguments)}}),Re.deleteProperty=function(e,t){return Re.set.call(this,e,t,void 0)},Re.set=function(e,t,r){return Pe.set.call(this,e[0],t,r,e[0])};var ui=function(){function e(r){var n=this;this.O=tn,this.D=!0,this.produce=function(i,s,a){if(typeof i=="function"&&typeof s!="function"){var o=s;s=i;var u=n;return function(m){var w=this;m===void 0&&(m=o);for(var A=arguments.length,S=Array(A>1?A-1:0),C=1;C<A;C++)S[C-1]=arguments[C];return u.produce(m,function(x){var L;return(L=s).call.apply(L,[w,x].concat(S))})}}var l;if(typeof s!="function"&&K(6),a!==void 0&&typeof a!="function"&&K(7),$(i)){var d=Yr(n),h=Ct(n,i,void 0),p=!0;try{l=s(h),p=!1}finally{p?Ze(d):Tt(d)}return typeof Promise<"u"&&l instanceof Promise?l.then(function(m){return St(d,a),Et(m,d)},function(m){throw Ze(d),m}):(St(d,a),Et(l,d))}if(!i||typeof i!="object"){if((l=s(i))===void 0&&(l=i),l===on&&(l=void 0),n.D&&Dt(l,!0),a){var v=[],y=[];W("Patches").M(i,l,v,y),a(v,y)}return l}K(21,i)},this.produceWithPatches=function(i,s){if(typeof i=="function")return function(l){for(var d=arguments.length,h=Array(d>1?d-1:0),p=1;p<d;p++)h[p-1]=arguments[p];return n.produceWithPatches(l,function(v){return i.apply(void 0,[v].concat(h))})};var a,o,u=n.produce(i,s,function(l,d){a=l,o=d});return typeof Promise<"u"&&u instanceof Promise?u.then(function(l){return[l,a,o]}):[u,a,o]},typeof r?.useProxies=="boolean"&&this.setUseProxies(r.useProxies),typeof r?.autoFreeze=="boolean"&&this.setAutoFreeze(r.autoFreeze)}var t=e.prototype;return t.createDraft=function(r){$(r)||K(8),Y(r)&&(r=ii(r));var n=Yr(this),i=Ct(this,r,void 0);return i[R].C=!0,Tt(n),i},t.finishDraft=function(r,n){var i=r&&r[R],s=i.A;return St(s,n),Et(void 0,s)},t.setAutoFreeze=function(r){this.D=r},t.setUseProxies=function(r){r&&!tn&&K(20),this.O=r},t.applyPatches=function(r,n){var i;for(i=n.length-1;i>=0;i--){var s=n[i];if(s.path.length===0&&s.op==="replace"){r=s.value;break}}i>-1&&(n=n.slice(i+1));var a=W("Patches").$;return Y(r)?a(r,n):this.produce(r,function(o){return a(o,n)})},e}(),B=new ui,ci=B.produce,Na=B.produceWithPatches.bind(B),Ua=B.setAutoFreeze.bind(B),Fa=B.setUseProxies.bind(B),ja=B.applyPatches.bind(B),Ba=B.createDraft.bind(B),Ha=B.finishDraft.bind(B),rt=ci;function he(e){"@babel/helpers - typeof";return he=typeof Symbol=="function"&&typeof Symbol.iterator=="symbol"?function(t){return typeof t}:function(t){return t&&typeof Symbol=="function"&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},he(e)}function cn(e,t){if(he(e)!="object"||!e)return e;var r=e[Symbol.toPrimitive];if(r!==void 0){var n=r.call(e,t||"default");if(he(n)!="object")return n;throw new TypeError("@@toPrimitive must return a primitive value.")}return(t==="string"?String:Number)(e)}function ln(e){var t=cn(e,"string");return he(t)=="symbol"?t:t+""}function dn(e,t,r){return(t=ln(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}function fn(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var n=Object.getOwnPropertySymbols(e);t&&(n=n.filter(function(i){return Object.getOwnPropertyDescriptor(e,i).enumerable})),r.push.apply(r,n)}return r}function Mt(e){for(var t=1;t<arguments.length;t++){var r=arguments[t]!=null?arguments[t]:{};t%2?fn(Object(r),!0).forEach(function(n){dn(e,n,r[n])}):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):fn(Object(r)).forEach(function(n){Object.defineProperty(e,n,Object.getOwnPropertyDescriptor(r,n))})}return e}function N(e){return"Minified Redux error #"+e+"; visit https://redux.js.org/Errors?code="+e+" for the full message or use the non-minified dev environment for full errors. "}var pn=function(){return typeof Symbol=="function"&&Symbol.observable||"@@observable"}(),Nt=function(){return Math.random().toString(36).substring(7).split("").join(".")},nt={INIT:"@@redux/INIT"+Nt(),REPLACE:"@@redux/REPLACE"+Nt(),PROBE_UNKNOWN_ACTION:function(){return"@@redux/PROBE_UNKNOWN_ACTION"+Nt()}};function li(e){if(typeof e!="object"||e===null)return!1;for(var t=e;Object.getPrototypeOf(t)!==null;)t=Object.getPrototypeOf(t);return Object.getPrototypeOf(e)===t}function Ut(e,t,r){var n;if(typeof t=="function"&&typeof r=="function"||typeof r=="function"&&typeof arguments[3]=="function")throw new Error(N(0));if(typeof t=="function"&&typeof r>"u"&&(r=t,t=void 0),typeof r<"u"){if(typeof r!="function")throw new Error(N(1));return r(Ut)(e,t)}if(typeof e!="function")throw new Error(N(2));var i=e,s=t,a=[],o=a,u=!1;function l(){o===a&&(o=a.slice())}function d(){if(u)throw new Error(N(3));return s}function h(m){if(typeof m!="function")throw new Error(N(4));if(u)throw new Error(N(5));var w=!0;return l(),o.push(m),function(){if(w){if(u)throw new Error(N(6));w=!1,l();var S=o.indexOf(m);o.splice(S,1),a=null}}}function p(m){if(!li(m))throw new Error(N(7));if(typeof m.type>"u")throw new Error(N(8));if(u)throw new Error(N(9));try{u=!0,s=i(s,m)}finally{u=!1}for(var w=a=o,A=0;A<w.length;A++){var S=w[A];S()}return m}function v(m){if(typeof m!="function")throw new Error(N(10));i=m,p({type:nt.REPLACE})}function y(){var m,w=h;return m={subscribe:function(S){if(typeof S!="object"||S===null)throw new Error(N(11));function C(){S.next&&S.next(d())}C();var x=w(C);return{unsubscribe:x}}},m[pn]=function(){return this},m}return p({type:nt.INIT}),n={dispatch:p,subscribe:h,getState:d,replaceReducer:v},n[pn]=y,n}function di(e){Object.keys(e).forEach(function(t){var r=e[t],n=r(void 0,{type:nt.INIT});if(typeof n>"u")throw new Error(N(12));if(typeof r(void 0,{type:nt.PROBE_UNKNOWN_ACTION()})>"u")throw new Error(N(13))})}function hn(e){for(var t=Object.keys(e),r={},n=0;n<t.length;n++){var i=t[n];typeof e[i]=="function"&&(r[i]=e[i])}var s=Object.keys(r),a,o;try{di(r)}catch(u){o=u}return function(l,d){if(l===void 0&&(l={}),o)throw o;if(0)var h;for(var p=!1,v={},y=0;y<s.length;y++){var m=s[y],w=r[m],A=l[m],S=w(A,d);if(typeof S>"u"){var C=d&&d.type;throw new Error(N(14))}v[m]=S,p=p||S!==A}return p=p||s.length!==Object.keys(l).length,p?v:l}}function xe(){for(var e=arguments.length,t=new Array(e),r=0;r<e;r++)t[r]=arguments[r];return t.length===0?function(n){return n}:t.length===1?t[0]:t.reduce(function(n,i){return function(){return n(i.apply(void 0,arguments))}})}function yn(){for(var e=arguments.length,t=new Array(e),r=0;r<e;r++)t[r]=arguments[r];return function(n){return function(){var i=n.apply(void 0,arguments),s=function(){throw new Error(N(15))},a={getState:i.getState,dispatch:function(){return s.apply(void 0,arguments)}},o=t.map(function(u){return u(a)});return s=xe.apply(void 0,o)(i.dispatch),Mt(Mt({},i),{},{dispatch:s})}}}function mn(e){var t=function(n){var i=n.dispatch,s=n.getState;return function(a){return function(o){return typeof o=="function"?o(i,s,e):a(o)}}};return t}var vn=mn();vn.withExtraArgument=mn;var Ft=vn;var En=function(){var e=function(t,r){return e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(n,i){n.__proto__=i}||function(n,i){for(var s in i)Object.prototype.hasOwnProperty.call(i,s)&&(n[s]=i[s])},e(t,r)};return function(t,r){if(typeof r!="function"&&r!==null)throw new TypeError("Class extends value "+String(r)+" is not a constructor or null");e(t,r);function n(){this.constructor=t}t.prototype=r===null?Object.create(r):(n.prototype=r.prototype,new n)}}(),fi=function(e,t){var r={label:0,sent:function(){if(s[0]&1)throw s[1];return s[1]},trys:[],ops:[]},n,i,s,a;return a={next:o(0),throw:o(1),return:o(2)},typeof Symbol=="function"&&(a[Symbol.iterator]=function(){return this}),a;function o(l){return function(d){return u([l,d])}}function u(l){if(n)throw new TypeError("Generator is already executing.");for(;r;)try{if(n=1,i&&(s=l[0]&2?i.return:l[0]?i.throw||((s=i.return)&&s.call(i),0):i.next)&&!(s=s.call(i,l[1])).done)return s;switch(i=0,s&&(l=[l[0]&2,s.value]),l[0]){case 0:case 1:s=l;break;case 4:return r.label++,{value:l[1],done:!1};case 5:r.label++,i=l[1],l=[0];continue;case 7:l=r.ops.pop(),r.trys.pop();continue;default:if(s=r.trys,!(s=s.length>0&&s[s.length-1])&&(l[0]===6||l[0]===2)){r=0;continue}if(l[0]===3&&(!s||l[1]>s[0]&&l[1]<s[3])){r.label=l[1];break}if(l[0]===6&&r.label<s[1]){r.label=s[1],s=l;break}if(s&&r.label<s[2]){r.label=s[2],r.ops.push(l);break}s[2]&&r.ops.pop(),r.trys.pop();continue}l=t.call(e,r)}catch(d){l=[6,d],i=0}finally{n=s=0}if(l[0]&5)throw l[1];return{value:l[0]?l[1]:void 0,done:!0}}},Oe=function(e,t){for(var r=0,n=t.length,i=e.length;r<n;r++,i++)e[i]=t[r];return e},pi=Object.defineProperty,hi=Object.defineProperties,yi=Object.getOwnPropertyDescriptors,gn=Object.getOwnPropertySymbols,mi=Object.prototype.hasOwnProperty,vi=Object.prototype.propertyIsEnumerable,bn=function(e,t,r){return t in e?pi(e,t,{enumerable:!0,configurable:!0,writable:!0,value:r}):e[t]=r},ne=function(e,t){for(var r in t||(t={}))mi.call(t,r)&&bn(e,r,t[r]);if(gn)for(var n=0,i=gn(t);n<i.length;n++){var r=i[n];vi.call(t,r)&&bn(e,r,t[r])}return e},jt=function(e,t){return hi(e,yi(t))},gi=function(e,t,r){return new Promise(function(n,i){var s=function(u){try{o(r.next(u))}catch(l){i(l)}},a=function(u){try{o(r.throw(u))}catch(l){i(l)}},o=function(u){return u.done?n(u.value):Promise.resolve(u.value).then(s,a)};o((r=r.apply(e,t)).next())})};var bi=typeof window<"u"&&window.__REDUX_DEVTOOLS_EXTENSION_COMPOSE__?window.__REDUX_DEVTOOLS_EXTENSION_COMPOSE__:function(){if(arguments.length!==0)return typeof arguments[0]=="object"?xe:xe.apply(null,arguments)},so=typeof window<"u"&&window.__REDUX_DEVTOOLS_EXTENSION__?window.__REDUX_DEVTOOLS_EXTENSION__:function(){return function(e){return e}};function Ai(e){if(typeof e!="object"||e===null)return!1;var t=Object.getPrototypeOf(e);if(t===null)return!0;for(var r=t;Object.getPrototypeOf(r)!==null;)r=Object.getPrototypeOf(r);return t===r}var Si=function(e){En(t,e);function t(){for(var r=[],n=0;n<arguments.length;n++)r[n]=arguments[n];var i=e.apply(this,r)||this;return Object.setPrototypeOf(i,t.prototype),i}return Object.defineProperty(t,Symbol.species,{get:function(){return t},enumerable:!1,configurable:!0}),t.prototype.concat=function(){for(var r=[],n=0;n<arguments.length;n++)r[n]=arguments[n];return e.prototype.concat.apply(this,r)},t.prototype.prepend=function(){for(var r=[],n=0;n<arguments.length;n++)r[n]=arguments[n];return r.length===1&&Array.isArray(r[0])?new(t.bind.apply(t,Oe([void 0],r[0].concat(this)))):new(t.bind.apply(t,Oe([void 0],r.concat(this))))},t}(Array),Ei=function(e){En(t,e);function t(){for(var r=[],n=0;n<arguments.length;n++)r[n]=arguments[n];var i=e.apply(this,r)||this;return Object.setPrototypeOf(i,t.prototype),i}return Object.defineProperty(t,Symbol.species,{get:function(){return t},enumerable:!1,configurable:!0}),t.prototype.concat=function(){for(var r=[],n=0;n<arguments.length;n++)r[n]=arguments[n];return e.prototype.concat.apply(this,r)},t.prototype.prepend=function(){for(var r=[],n=0;n<arguments.length;n++)r[n]=arguments[n];return r.length===1&&Array.isArray(r[0])?new(t.bind.apply(t,Oe([void 0],r[0].concat(this)))):new(t.bind.apply(t,Oe([void 0],r.concat(this))))},t}(Array);function Vt(e){return $(e)?rt(e,function(){}):e}function wi(e){return typeof e=="boolean"}function xi(){return function(t){return Oi(t)}}function Oi(e){e===void 0&&(e={});var t=e.thunk,r=t===void 0?!0:t,n=e.immutableCheck,i=n===void 0?!0:n,s=e.serializableCheck,a=s===void 0?!0:s,o=new Si;if(r&&(wi(r)?o.push(Ft):o.push(Ft.withExtraArgument(r.extraArgument))),0){if(i)var u;if(a)var l}return o}var Bt=!0;function wn(e){var t=xi(),r=e||{},n=r.reducer,i=n===void 0?void 0:n,s=r.middleware,a=s===void 0?t():s,o=r.devTools,u=o===void 0?!0:o,l=r.preloadedState,d=l===void 0?void 0:l,h=r.enhancers,p=h===void 0?void 0:h,v;if(typeof i=="function")v=i;else if(Ai(i))v=hn(i);else throw new Error('"reducer" is a required argument, and must be a function or an object of functions that can be passed to combineReducers');var y=a;if(typeof y=="function"&&(y=y(t),!Bt&&!Array.isArray(y)))throw new Error("when using a middleware builder function, an array of middleware must be returned");if(!Bt&&y.some(function(x){return typeof x!="function"}))throw new Error("each middleware provided to configureStore must be a function");var m=yn.apply(void 0,y),w=xe;u&&(w=bi(ne({trace:!Bt},typeof u=="object"&&u)));var A=new Ei(m),S=A;Array.isArray(p)?S=Oe([m],p):typeof p=="function"&&(S=p(A));var C=w.apply(void 0,S);return Ut(v,d,C)}function ie(e,t){function r(){for(var n=[],i=0;i<arguments.length;i++)n[i]=arguments[i];if(t){var s=t.apply(void 0,n);if(!s)throw new Error("prepareAction did not return an object");return ne(ne({type:e,payload:s.payload},"meta"in s&&{meta:s.meta}),"error"in s&&{error:s.error})}return{type:e,payload:n[0]}}return r.toString=function(){return""+e},r.type=e,r.match=function(n){return n.type===e},r}function xn(e){var t={},r=[],n,i={addCase:function(s,a){var o=typeof s=="string"?s:s.type;if(o in t)throw new Error("addCase cannot be called with two reducers for the same action type");return t[o]=a,i},addMatcher:function(s,a){return r.push({matcher:s,reducer:a}),i},addDefaultCase:function(s){return n=s,i}};return e(i),[t,r,n]}function Ti(e){return typeof e=="function"}function Ci(e,t,r,n){r===void 0&&(r=[]);var i=typeof t=="function"?xn(t):[t,r,n],s=i[0],a=i[1],o=i[2],u;if(Ti(e))u=function(){return Vt(e())};else{var l=Vt(e);u=function(){return l}}function d(h,p){h===void 0&&(h=u());var v=Oe([s[p.type]],a.filter(function(y){var m=y.matcher;return m(p)}).map(function(y){var m=y.reducer;return m}));return v.filter(function(y){return!!y}).length===0&&(v=[o]),v.reduce(function(y,m){if(m)if(Y(y)){var w=y,A=m(w,p);return A===void 0?y:A}else{if($(y))return rt(y,function(S){return m(S,p)});var A=m(y,p);if(A===void 0){if(y===null)return y;throw Error("A case reducer on a non-draftable value must not return undefined")}return A}return y},h)}return d.getInitialState=u,d}function _i(e,t){return e+"/"+t}function On(e){var t=e.name;if(!t)throw new Error("`name` is a required option for createSlice");typeof process<"u";var r=typeof e.initialState=="function"?e.initialState:Vt(e.initialState),n=e.reducers||{},i=Object.keys(n),s={},a={},o={};i.forEach(function(d){var h=n[d],p=_i(t,d),v,y;"reducer"in h?(v=h.reducer,y=h.prepare):v=h,s[d]=v,a[p]=v,o[d]=y?ie(p,y):ie(p)});function u(){var d=typeof e.extraReducers=="function"?xn(e.extraReducers):[e.extraReducers],h=d[0],p=h===void 0?{}:h,v=d[1],y=v===void 0?[]:v,m=d[2],w=m===void 0?void 0:m,A=ne(ne({},p),a);return Ci(r,function(S){for(var C in A)S.addCase(C,A[C]);for(var x=0,L=y;x<L.length;x++){var q=L[x];S.addMatcher(q.matcher,q.reducer)}w&&S.addDefaultCase(w)})}var l;return{name:t,reducer:function(d,h){return l||(l=u()),l(d,h)},actions:o,caseReducers:s,getInitialState:function(){return l||(l=u()),l.getInitialState()}}}var Ri="ModuleSymbhasOwnPr-0123456789ABCDEFGHNRVfgctiUvz_KqYTJkLxpZXIjQW",Ii=function(e){e===void 0&&(e=21);for(var t="",r=e;r--;)t+=Ri[Math.random()*64|0];return t},Pi=["name","message","stack","code"],Ht=function(){function e(t,r){this.payload=t,this.meta=r}return e}(),An=function(){function e(t,r){this.payload=t,this.meta=r}return e}(),Di=function(e){if(typeof e=="object"&&e!==null){for(var t={},r=0,n=Pi;r<n.length;r++){var i=n[r];typeof e[i]=="string"&&(t[i]=e[i])}return t}return{message:String(e)}},co=function(){function e(t,r,n){var i=ie(t+"/fulfilled",function(d,h,p,v){return{payload:d,meta:jt(ne({},v||{}),{arg:p,requestId:h,requestStatus:"fulfilled"})}}),s=ie(t+"/pending",function(d,h,p){return{payload:void 0,meta:jt(ne({},p||{}),{arg:h,requestId:d,requestStatus:"pending"})}}),a=ie(t+"/rejected",function(d,h,p,v,y){return{payload:v,error:(n&&n.serializeError||Di)(d||"Rejected"),meta:jt(ne({},y||{}),{arg:p,requestId:h,rejectedWithValue:!!v,requestStatus:"rejected",aborted:d?.name==="AbortError",condition:d?.name==="ConditionError"})}}),o=!1,u=typeof AbortController<"u"?AbortController:function(){function d(){this.signal={aborted:!1,addEventListener:function(){},dispatchEvent:function(){return!1},onabort:function(){},removeEventListener:function(){},reason:void 0,throwIfAborted:function(){}}}return d.prototype.abort=function(){},d}();function l(d){return function(h,p,v){var y=n?.idGenerator?n.idGenerator(d):Ii(),m=new u,w,A=!1;function S(x){w=x,m.abort()}var C=function(){return gi(this,null,function(){var x,L,q,se,F,ae,ye;return fi(this,function(c){switch(c.label){case 0:return c.trys.push([0,4,,5]),se=(x=n?.condition)==null?void 0:x.call(n,d,{getState:p,extra:v}),ki(se)?[4,se]:[3,2];case 1:se=c.sent(),c.label=2;case 2:if(se===!1||m.signal.aborted)throw{name:"ConditionError",message:"Aborted due to condition callback returning false."};return A=!0,F=new Promise(function(f,b){return m.signal.addEventListener("abort",function(){return b({name:"AbortError",message:w||"Aborted"})})}),h(s(y,d,(L=n?.getPendingMeta)==null?void 0:L.call(n,{requestId:y,arg:d},{getState:p,extra:v}))),[4,Promise.race([F,Promise.resolve(r(d,{dispatch:h,getState:p,extra:v,requestId:y,signal:m.signal,abort:S,rejectWithValue:function(f,b){return new Ht(f,b)},fulfillWithValue:function(f,b){return new An(f,b)}})).then(function(f){if(f instanceof Ht)throw f;return f instanceof An?i(f.payload,y,d,f.meta):i(f,y,d)})])];case 3:return q=c.sent(),[3,5];case 4:return ae=c.sent(),q=ae instanceof Ht?a(null,y,d,ae.payload,ae.meta):a(ae,y,d),[3,5];case 5:return ye=n&&!n.dispatchConditionRejection&&a.match(q)&&q.meta.condition,ye||h(q),[2,q]}})})}();return Object.assign(C,{abort:S,requestId:y,arg:d,unwrap:function(){return C.then(Li)}})}}return Object.assign(l,{pending:s,rejected:a,fulfilled:i,typePrefix:t})}return e.withTypes=function(){return e},e}();function Li(e){if(e.meta&&e.meta.rejectedWithValue)throw e.payload;if(e.error)throw e.error;return e.payload}function ki(e){return e!==null&&typeof e=="object"&&typeof e.then=="function"}var Tn="listener",Cn="completed",_n="cancelled",lo="task-"+_n,fo="task-"+Cn,po=Tn+"-"+_n,ho=Tn+"-"+Cn;var Kt="listenerMiddleware";var yo=ie(Kt+"/add"),mo=ie(Kt+"/removeAll"),vo=ie(Kt+"/remove");var Sn,go=typeof queueMicrotask=="function"?queueMicrotask.bind(typeof window<"u"?window:typeof global<"u"?global:globalThis):function(e){return(Sn||(Sn=Promise.resolve())).then(e).catch(function(t){return setTimeout(function(){throw t},0)})},Mi=function(e){return function(t){setTimeout(t,e)}},bo=typeof window<"u"&&window.requestAnimationFrame?window.requestAnimationFrame:Mi(10);an();function Ni(e,t){return class extends e{constructor(){super(...arguments),this.eventBus=t??document.createElement("span")}addEventListener(r,n,i){this.eventBus.addEventListener(r,n,i)}dispatchEvent(r){return this.eventBus.dispatchEvent(r)}removeEventListener(r,n,i){this.eventBus.removeEventListener(r,n,i)}}}var it=class extends Ni(Object){};window.ftReduxStores||(window.ftReduxStores={});var Rn=class e extends it{static get(t){var r;let n=typeof t=="string"?t:t.name,i=typeof t=="string"?void 0:t,s=window.ftReduxStores[n];if(Qe(s))return s;if(i==null)return;let a=On({...i,reducers:(r=i.reducers)!==null&&r!==void 0?r:{}}),o=wn({reducer:(u,l)=>l.type==="CLEAR_FT_REDUX_STORE"?a.getInitialState():typeof l.type=="string"&&l.type.startsWith("DEFAULT_VALUE_SETTER__")?{...u,...l.overwrites}:a.reducer(u,l)});return window.ftReduxStores[i.name]=new e(a,o,i.eventBus)}constructor(t,r,n){super(),this.reduxSlice=t,this.reduxStore=r,this.isFtReduxStore=!0,this.commands=new We;let i=s=>s!=null?JSON.parse(JSON.stringify(s)):s;this.actions=new Proxy(this.reduxSlice.actions,{get:(s,a,o)=>{let u=a,l=s[u];return l?(...d)=>{let h=l(...d.map(i));return this.reduxStore.dispatch(h),h}:d=>{this.setState({[u]:i(d)})}}}),this.eventBus=n??this.eventBus}clear(){this.reduxStore.dispatch({type:"CLEAR_FT_REDUX_STORE"})}setState(t){this.reduxStore.dispatch({type:"DEFAULT_VALUE_SETTER__"+Object.keys(t).join("_"),overwrites:t})}get dispatch(){throw new Error("Don't use this method, actions are automatically dispatched when called.")}[Symbol.observable](){return this.reduxStore[Symbol.observable]()}getState(){return this.reduxStore.getState()}replaceReducer(t){throw new Error("Not implemented yet.")}subscribe(t){return this.reduxStore.subscribe(t)}get name(){return this.reduxSlice.name}get reducer(){return this.reduxSlice.reducer}get caseReducers(){return this.reduxSlice.caseReducers}getInitialState(){return this.reduxSlice.getInitialState()}};var ot=T(U());var st=class extends j{constructor(){super(...arguments),this.CACHE_DURATION=3*60*1e3}async getUserAssetCount(t){if(this.isAuthenticated())return this.cache.get(`user-asset-count-${t}`,async()=>(await this.awaitApi).get(`/internal/api/webapp/user/assets/count/${t}`),this.CACHE_DURATION)}async getUserBookmarkCountByMap(t){if(this.isAuthenticated())return this.cache.get(`user-bookmark-count-by-map-${t}`,async()=>(await this.awaitApi).get(`/internal/api/webapp/user/assets/count/BOOKMARKS/${t}`),this.CACHE_DURATION)}isAuthenticated(){let t=g.getState().session;return!!t?.sessionAuthenticated}};var at=class extends j{constructor(){super(...arguments),this.CACHE_DURATION=3*60*1e3}async getUserAssetLabels(){return this.isAuthenticated()?this.cache.get("user-asset-labels",async()=>(await this.awaitApi).get("/internal/api/webapp/user/assets/labels"),this.CACHE_DURATION):[]}isAuthenticated(){let t=g.getState().session;return!!t?.sessionAuthenticated}};var Fi="ft-user-assets",ji={setAssetCount:(e,t)=>{let{userAssetType:r,count:n}=t.payload.assetCount;e.assetCounts.allAsset[r]=n},clearAssetCount:e=>{Object.values(le).forEach(t=>{e.assetCounts.allAsset[t]=void 0})},setBookmarkCountByMap:(e,t)=>{let r=t.payload.mapId;e.assetCounts.bookmarkByMap[r]=t.payload.count},clearBookmarkCountByMap:e=>{e.assetCounts.bookmarkByMap={}}},H=ot.FtReduxStore.get({name:Fi,reducers:ji,initialState:{savedSearches:void 0,bookmarks:void 0,assetCounts:{allAsset:Object.fromEntries(Object.values(le).map(e=>[e,void 0])),bookmarkByMap:{}},assetLabels:[]}}),qt=class{constructor(t=new st,r=new at){this.assetCountsService=t,this.assetLabelsService=r,this.currentSession=g.getState().session,this.bookmarksAreUsed=!1,this.bookmarksService=new je,this.savedSearchesService=new qe,g.subscribe(()=>this.reloadWhenUserSessionChanges())}reloadWhenUserSessionChanges(){var t;let{session:r}=g.getState();(0,ot.deepEqual)((t=this.currentSession)===null||t===void 0?void 0:t.profile,r?.profile)||(this.currentSession=r,this.clearMySearches(),this.reloadBookmarks(),this.clearUserAssetCounts(),this.reloadAssetLabels())}clearUserAssetCounts(){this.assetCountsService.clearCache(),H.actions.clearAssetCount(),H.actions.clearBookmarkCountByMap()}clear(){this.clearMySearches(),this.clearMyBookmarks()}clearMySearches(){this.savedSearchesService.clearCache(),H.actions.savedSearches(void 0)}clearMyBookmarks(){this.bookmarksService.clearCache(),H.actions.bookmarks(void 0)}async reloadMySearches(){this.savedSearchesService.clearCache();let t=await this.savedSearchesService.listMySearches();H.actions.savedSearches(t)}async reloadBookmarks(){this.bookmarksService.clearCache(),await this.updateBookmarksIfUsed()}async reloadAssetLabels(){this.assetLabelsService.clearCache();let t=await this.assetLabelsService.getUserAssetLabels();H.actions.assetLabels(t)}async loadAssetCount(t){let r=await this.assetCountsService.getUserAssetCount(t);r&&H.actions.setAssetCount({assetCount:r})}async loadBookmarkByMapId(t){let r=await this.assetCountsService.getUserBookmarkCountByMap(t);r&&H.actions.setBookmarkCountByMap({count:r.count,mapId:t})}async reloadAssetCount(t){this.assetCountsService.clearCache();let r=Object.keys(H.getState().assetCounts.bookmarkByMap).length!==0;t===le.BOOKMARKS&&r&&H.actions.clearBookmarkCountByMap(),H.getState().assetCounts.allAsset[t]!==void 0&&await this.loadAssetCount(t)}async registerBookmarkComponent(){this.bookmarksAreUsed=!0,await this.updateBookmarksIfUsed()}async updateBookmarksIfUsed(){var t;if(this.bookmarksAreUsed){let r=!((t=this.currentSession)===null||t===void 0)&&t.sessionAuthenticated?await this.bookmarksService.listMyBookmarks():void 0;H.actions.bookmarks(r)}}},Bi=new qt;window.FluidTopicsUserAssetsActions==null&&(window.FluidTopicsUserAssetsActions=Bi);(0,In.customElement)("ft-app-context")(_);var Mn=T(J());var Hi=T(U());function Pn(e){return e.match(/^[\w-]+\.[\w-]+$/)}var Vi=function(e,t,r,n){var i=arguments.length,s=i<3?t:n===null?n=Object.getOwnPropertyDescriptor(t,r):n,a;if(typeof Reflect=="object"&&typeof Reflect.decorate=="function")s=Reflect.decorate(e,t,r,n);else for(var o=e.length-1;o>=0;o--)(a=e[o])&&(s=(i<3?a(s):i>3?a(t,r,s):a(t,r))||s);return i>3&&s&&Object.defineProperty(t,r,s),s},Dn=Symbol("i18nAttributes"),Ln=Symbol("i18nListAttributes"),Le=Symbol("i18nProperties"),ut=Symbol("i18nContexts"),De=Symbol("i18nUnsubs");function Nn(e){var t,r;class n extends e{constructor(){super(...arguments),this.useCustomMessageContexts=!1,this[t]=new Map,this[r]=new Map}getI18nService(s){return s??this.useCustomMessageContexts?He:ge}i18n(s){let{context:a,key:o,message:u}=s,{custom:l,args:d,argsProvider:h}=s;if(a&&o){this.hasI18nContext(a)||this.addI18nContext(a,void 0,l);let p=d??(h?h(this):[]);return this.getI18nService(l).resolveMessage(a,o,...p)}return u}customI18n(s,a){if(Pn(s)){let[o,u]=s.split(".");return this.i18n({custom:!0,context:o,key:u,...a})||s}return s}firstUpdated(s){super.firstUpdated(s),this.updateI18nAttributes(()=>!0),this.updateI18nProperties(()=>!0)}update(s){super.update(s),this.updateI18nAttributes((a,o,u)=>s.has(o)||typeof a.argsProvider=="function"),this.updateI18nProperties(a=>typeof a.argsProvider=="function")}onI18nUpdate(s){this.updateI18nAttributes((a,o,u)=>{var l;return((l=u?.context)===null||l===void 0?void 0:l.toLowerCase())===s}),this.updateI18nProperties(a=>a.context.toLowerCase()===s),this.requestUpdate()}updateI18nAttributes(s){var a,o;let u=this,l=(d,h,p)=>p?.context&&p.key&&s(d,h,p)?{...p,message:this.i18n({context:p.context,key:p.key,custom:p.custom,...d})}:p;(a=this[Dn])===null||a===void 0||a.forEach((d,h)=>u[h]=l(d,h,u[h])),(o=this[Ln])===null||o===void 0||o.forEach((d,h)=>{var p;return u[h]=(p=u[h])===null||p===void 0?void 0:p.map(v=>l(d,h,v))})}updateI18nProperties(s){var a;(a=this[Le])===null||a===void 0||a.forEach((o,u)=>{s(o,u)&&(this[u]=this.i18n(o))})}addI18nMessages(s,a,o){console.warn('Deprecated usage of method "addI18nMessages", use "addI18nContext" instead.'),this.addI18nContext(s,a,o)}addI18nContext(s,a,o){let u=(typeof s=="string"?s:s.name).toLowerCase();o=typeof s=="string"?o:s.custom,this[ut].set(u,{isCustomContext:o}),this[De].has(u)||this[De].set(u,this.getI18nService(o).subscribe(u,()=>this.onI18nUpdate(u))),this.getI18nService(o).prepareContext(u,a)}hasI18nContext(s){return this[ut].has(s.toLowerCase())}connectedCallback(){super.connectedCallback(),this[ut].forEach((s,a)=>this.addI18nContext(a,void 0,s.isCustomContext))}disconnectedCallback(){super.disconnectedCallback(),this[De].forEach(s=>s()),this[De].clear()}}return t=ut,r=De,Vi([(0,Mn.property)({type:Boolean})],n.prototype,"useCustomMessageContexts",void 0),n}var kn=class extends Nn(lt.FtLitElement){},ct=class extends Nn(lt.FtLitElementRedux){};var ke=function(e,t,r,n){var i=arguments.length,s=i<3?t:n===null?n=Object.getOwnPropertyDescriptor(t,r):n,a;if(typeof Reflect=="object"&&typeof Reflect.decorate=="function")s=Reflect.decorate(e,t,r,n);else for(var o=e.length-1;o>=0;o--)(a=e[o])&&(s=(i<3?a(s):i>3?a(t,r,s):a(t,r))||s);return i>3&&s&&Object.defineProperty(t,r,s),s},z=class extends ct{constructor(){super(),this.editorMode=!1,this.addStore(g)}render(){return!this.key||!this.context?this.editorMode?"Select a context and a label key.":dt.nothing:dt.html`
6
+ `}connectedCallback(){super.connectedCallback(),g.addEventListener(ue.eventName,this.reloadConfiguration)}disconnectedCallback(){g.addEventListener(ue.eventName,this.reloadConfiguration),super.disconnectedCallback()}update(t){var r,n,i,s,a,o,u;super.update(t),t.has("baseUrl")&&(g.actions.baseUrl(this.baseUrl),window.fluidTopicsBaseUrl=this.baseUrl),t.has("apiIntegrationIdentifier")&&g.actions.apiIntegrationIdentifier(this.apiIntegrationIdentifier),t.has("apiIntegrationAppVersion")&&g.actions.apiIntegrationAppVersion(this.apiIntegrationAppVersion),t.has("uiLocale")&&g.actions.uiLocale(this.uiLocale),t.has("metadataConfiguration")&&g.actions.metadataConfiguration(this.metadataConfiguration),t.has("noCustom")&&g.actions.noCustom(this.noCustom),t.has("editorMode")&&g.actions.editorMode(this.editorMode),t.has("noCustomComponent")&&g.actions.noCustomComponent(this.noCustomComponent),t.has("session")&&g.actions.session(this.session),t.has("messageContexts")&&this.messageContexts!=null&&this.messageContexts.forEach(l=>ge.addContext(l)),t.has("openExternalDocumentInNewTab")&&g.actions.openExternalDocumentInNewTab(this.openExternalDocumentInNewTab),t.has("navigatorOnline")&&g.actions.navigatorOnline(this.navigatorOnline),t.has("forcedOffline")&&g.actions.forcedOffline(this.forcedOffline),t.has("localesConfiguration")&&(g.actions.defaultLocales((r=this.localesConfiguration)===null||r===void 0?void 0:r.defaultLocales),g.actions.availableUiLocales((i=(n=this.localesConfiguration)===null||n===void 0?void 0:n.availableUiLocales)!==null&&i!==void 0?i:[]),g.actions.searchInAllLanguagesAllowed((a=(s=this.localesConfiguration)===null||s===void 0?void 0:s.allLanguagesAllowed)!==null&&a!==void 0?a:!1)),t.has("authenticationRequired")&&g.actions.authenticationRequired(this.authenticationRequired),t.has("availableContentLocales")&&g.actions.availableContentLocales((u=(o=this.availableContentLocales)===null||o===void 0?void 0:o.contentLocales)!==null&&u!==void 0?u:[]),setTimeout(()=>this.updateIfNeeded())}async updateIfNeeded(){this.apiProvider()&&(this.withManualResources||(this.session==null&&this.updateSession(),this.metadataConfiguration==null&&this.updateMetadataConfiguration()),this.localesConfiguration==null&&this.updateLocalesConfiguration(),this.availableContentLocales==null&&this.updateAvailableContentLocales())}async updateSession(){this.session=await this.cache.get("session",async()=>{let t=await this.apiProvider().getCurrentSession();return t.idleTimeoutInMillis>0&&this.cleanSessionDebouncer.run(()=>{this.cache.clear("session"),this.session=void 0},t.idleTimeoutInMillis),t})}async updateMetadataConfiguration(){this.metadataConfiguration=await this.cache.get("metadataConfiguration",()=>this.apiProvider().getMetadataConfiguration())}async updateLocalesConfiguration(){this.localesConfiguration=await this.cache.get("localesConfiguration",()=>this.apiProvider().getLocalesConfiguration())}async updateAvailableContentLocales(){this.availableContentLocales=await this.cache.get("availableContentLocales",()=>Fr(()=>this.apiProvider().getAvailableSearchLocales(),{contentLocales:[]}))}};_.elementDefinitions={};_.styles=er;D([(0,M.property)()],_.prototype,"baseUrl",void 0);D([(0,M.property)()],_.prototype,"apiIntegrationIdentifier",void 0);D([(0,M.property)()],_.prototype,"apiIntegrationAppVersion",void 0);D([(0,M.property)()],_.prototype,"uiLocale",void 0);D([(0,G.jsonProperty)(null)],_.prototype,"availableUiLocales",void 0);D([(0,G.jsonProperty)(null)],_.prototype,"metadataConfiguration",void 0);D([(0,M.property)({type:Boolean})],_.prototype,"editorMode",void 0);D([(0,M.property)({type:Boolean})],_.prototype,"noCustom",void 0);D([(0,M.property)({type:Boolean})],_.prototype,"openExternalDocumentInNewTab",void 0);D([(0,M.property)({converter:{fromAttribute(e){return e==="false"?!1:e==="true"||(e??!1)}}})],_.prototype,"noCustomComponent",void 0);D([(0,M.property)({type:Boolean})],_.prototype,"withManualResources",void 0);D([(0,M.property)({type:Boolean})],_.prototype,"navigatorOnline",void 0);D([(0,M.property)({type:Boolean})],_.prototype,"forcedOffline",void 0);D([(0,M.property)({type:Object})],_.prototype,"apiProvider",void 0);D([(0,M.property)({type:Boolean})],_.prototype,"authenticationRequired",void 0);D([(0,G.jsonProperty)([])],_.prototype,"messageContexts",void 0);D([(0,G.jsonProperty)(void 0)],_.prototype,"session",void 0);D([(0,M.state)()],_.prototype,"localesConfiguration",void 0);D([(0,M.state)()],_.prototype,"availableContentLocales",void 0);var Ni=T(J());function Xn(e,t){if(e===t)return!0;if(e&&t&&typeof e=="object"&&typeof t=="object"){if(e.constructor!==t.constructor)return!1;var r,n,i;if(Array.isArray(e)){if(r=e.length,r!=t.length)return!1;for(n=r;n--!==0;)if(!$e(e[n],t[n]))return!1;return!0}if(e instanceof Map&&t instanceof Map){if(e.size!==t.size)return!1;for(n of e.entries())if(!t.has(n[0]))return!1;for(n of e.entries())if(!$e(n[1],t.get(n[0])))return!1;return!0}if(e instanceof Set&&t instanceof Set){if(e.size!==t.size)return!1;for(n of e.entries())if(!t.has(n[0]))return!1;return!0}if(e.constructor===RegExp)return e.source===t.source&&e.flags===t.flags;if(e.valueOf!==Object.prototype.valueOf)return e.valueOf()===t.valueOf();let s=a=>Object.keys(a).filter(o=>a[o]!=null);if(i=s(e),r=i.length,r!==s(t).length)return!1;for(n=r;n--!==0;)if(!Object.prototype.hasOwnProperty.call(t,i[n]))return!1;for(n=r;n--!==0;){let a=i[n];if(!$e(e[a],t[a]))return!1}return!0}return e!==e&&t!==t||e==null&&t==null}function $e(e,t){try{return Xn(e,t)}catch{return!1}}function ze(e,t){return!$e(e,t)}var Yn=T(J(),1);var We=class{constructor(){this.queue=[]}add(t,r=!1){r&&this.clear(t.type),this.queue.push(t)}consume(t){let r=this.queue.find(n=>n.type===t);return r&&(this.queue=this.queue.filter(n=>n!==r)),r}clear(t){typeof t=="string"?this.queue=this.queue.filter(r=>r.type!==t):this.queue=this.queue.filter(r=>!t.test(r.type))}};var Ae=T(J(),1);var Br=T(J(),1);function Hr(e,t){let r=()=>JSON.parse(JSON.stringify(e));return(0,Br.property)({type:Object,converter:{fromAttribute:n=>{if(n==null)return r();try{return JSON.parse(n)}catch{return r()}},toAttribute:n=>JSON.stringify(n)},hasChanged:ze,...t??{}})}var Xe=class{constructor(t=0){this.timeout=t,this.callbacks=[]}run(t,r){return this.callbacks=[t],this.debounce(r)}queue(t,r){return this.callbacks.push(t),this.debounce(r)}cancel(){this.clearTimeout(),this.resolvePromise&&this.resolvePromise(!1),this.clearPromise()}debounce(t){return this.promise==null&&(this.promise=new Promise((r,n)=>{this.resolvePromise=r,this.rejectPromise=n})),this.clearTimeout(),this._debounce=window.setTimeout(()=>this.runCallbacks(),t??this.timeout),this.promise}async runCallbacks(){var t,r;let n=[...this.callbacks];this.callbacks=[];let i=(t=this.rejectPromise)!==null&&t!==void 0?t:()=>null,s=(r=this.resolvePromise)!==null&&r!==void 0?r:()=>null;this.clearPromise();for(let a of n)try{await a()}catch(o){i(o);return}s(!0)}clearTimeout(){this._debounce!=null&&window.clearTimeout(this._debounce)}clearPromise(){this.promise=void 0,this.resolvePromise=void 0,this.rejectPromise=void 0}};var Kr=T(me(),1);var Ye=globalThis,Jn=Ye.ShadowRoot&&(Ye.ShadyCSS===void 0||Ye.ShadyCSS.nativeShadow)&&"adoptedStyleSheets"in Document.prototype&&"replace"in CSSStyleSheet.prototype,Ea=Symbol();var Vr=(e,t)=>{if(Jn)e.adoptedStyleSheets=t.map(r=>r instanceof CSSStyleSheet?r:r.styleSheet);else for(let r of t){let n=document.createElement("style"),i=Ye.litNonce;i!==void 0&&n.setAttribute("nonce",i),n.textContent=r.cssText,e.appendChild(n)}};var Je=class extends Kr.LitElement{createRenderRoot(){let t=this.constructor;t.elementDefinitions&&!t.registry&&(t.registry=new CustomElementRegistry,Object.entries(t.elementDefinitions).forEach(([i,s])=>t.registry.define(i,s)));let r={...t.shadowRootOptions,customElements:t.registry},n=this.renderOptions.creationScope=this.attachShadow(r);return Vr(n,t.elementStyles),n}};function qr(e,t,...r){var n;let i=e.querySelector(t);for(let s of r)i=(n=i?.shadowRoot)===null||n===void 0?void 0:n.querySelector(s);return i}var Ce=function(e,t,r,n){var i=arguments.length,s=i<3?t:n===null?n=Object.getOwnPropertyDescriptor(t,r):n,a;if(typeof Reflect=="object"&&typeof Reflect.decorate=="function")s=Reflect.decorate(e,t,r,n);else for(var o=e.length-1;o>=0;o--)(a=e[o])&&(s=(i<3?a(s):i>3?a(t,r,s):a(t,r))||s);return i>3&&s&&Object.defineProperty(t,r,s),s},Wr,Gr=Symbol("constructorPrototype"),$r=Symbol("constructorName"),Xr=Symbol("exportpartsDebouncer"),zr=Symbol("dynamicDependenciesLoaded"),X=class extends Je{constructor(){super(),this.useAdoptedStyleSheets=!0,this.adoptedCustomStyleSheet=new CSSStyleSheet,this[Wr]=new Xe(5),this[$r]=this.constructor.name,this[Gr]=this.constructor.prototype}adoptedCallback(){this.constructor.name!==this[$r]&&Object.setPrototypeOf(this,this[Gr])}connectedCallback(){super.connectedCallback();try{this.shadowRoot&&!this.shadowRoot.adoptedStyleSheets.includes(this.adoptedCustomStyleSheet)&&(this.shadowRoot.adoptedStyleSheets=[...this.shadowRoot.adoptedStyleSheets,this.adoptedCustomStyleSheet]),this.useAdoptedStyleSheets=!0}catch(r){this.useAdoptedStyleSheets=!1,console.error("Cannot use adopted stylesheets",r)}let t=this.constructor;t[zr]||(t[zr]=!0,this.importDynamicDependencies())}importDynamicDependencies(){}updated(t){super.updated(t),this.updateComplete.then(()=>{this.contentAvailableCallback(t),this.focusElementToFocus(t),this.applyCustomStylesheet(t),this.scheduleExportpartsUpdate()})}contentAvailableCallback(t){}focusElementToFocus(t){if(t.has("elementToFocus")&&this.elementToFocus!=null){let{element:r,selector:n,shadowPath:i}=this.elementToFocus;if(n!=null){let s=[...i??[],n];r=qr(this.shadowRoot,...s)}r?.focus(),window.FluidTopicsA11yHints.isKeyboardNavigation||r?.blur(),this.elementToFocus=void 0}}applyCustomStylesheet(t){var r,n,i;if(((n=(r=this.shadowRoot)===null||r===void 0?void 0:r.querySelectorAll(".ft-lit-element--custom-stylesheet"))!==null&&n!==void 0?n:[]).forEach(s=>s.remove()),this.useAdoptedStyleSheets){if(t.has("customStylesheet"))try{this.adoptedCustomStyleSheet.replaceSync((i=this.customStylesheet)!==null&&i!==void 0?i:"")}catch(s){console.error(s,this.customStylesheet),this.useAdoptedStyleSheets=!1}}else if(this.customStylesheet){let s=document.createElement("style");s.classList.add("ft-lit-element--custom-stylesheet"),s.innerHTML=this.customStylesheet,this.shadowRoot.append(s)}}scheduleExportpartsUpdate(){var t,r,n;(!((t=this.exportpartsPrefix)===null||t===void 0)&&t.trim()||(n=(r=this.exportpartsPrefixes)===null||r===void 0?void 0:r.length)!==null&&n!==void 0&&n)&&this[Xr].run(()=>{var i,s;!((i=this.exportpartsPrefix)===null||i===void 0)&&i.trim()?this.setExportpartsAttribute([this.exportpartsPrefix]):this.exportpartsPrefixes!=null&&((s=this.exportpartsPrefixes)===null||s===void 0?void 0:s.length)>0&&this.setExportpartsAttribute(this.exportpartsPrefixes)})}setExportpartsAttribute(t){var r,n,i,s,a,o;let u=p=>p!=null&&p.trim().length>0,l=t.filter(u).map(p=>p.trim());if(l.length===0){this.removeAttribute("exportparts");return}let d=new Set;for(let p of(n=(r=this.shadowRoot)===null||r===void 0?void 0:r.querySelectorAll("[part],[exportparts]"))!==null&&n!==void 0?n:[]){let v=(s=(i=p.getAttribute("part"))===null||i===void 0?void 0:i.split(" "))!==null&&s!==void 0?s:[],y=(o=(a=p.getAttribute("exportparts"))===null||a===void 0?void 0:a.split(",").map(m=>m.split(":")[1]))!==null&&o!==void 0?o:[];new Array(...v,...y).filter(u).map(m=>m.trim()).forEach(m=>d.add(m))}if(d.size===0){this.removeAttribute("exportparts");return}let h=[...d.values()].flatMap(p=>l.map(v=>`${p}:${v}--${p}`));this.setAttribute("exportparts",[...this.part,...h].join(", "))}};Wr=Xr;Ce([(0,Ae.property)()],X.prototype,"exportpartsPrefix",void 0);Ce([Hr([])],X.prototype,"exportpartsPrefixes",void 0);Ce([(0,Ae.property)()],X.prototype,"customStylesheet",void 0);Ce([(0,Ae.property)()],X.prototype,"elementToFocus",void 0);Ce([(0,Ae.state)()],X.prototype,"useAdoptedStyleSheets",void 0);function Qe(e){var t;return(t=e?.isFtReduxStore)!==null&&t!==void 0?t:!1}var _e=Symbol("internalReduxEventsUnsubscribers"),ee=Symbol("internalStoresUnsubscribers"),fe=Symbol("internalStores");function Qn(e){var t,r,n;class i extends e{constructor(){super(...arguments),this[t]=new Map,this[r]=new Map,this[n]=new Map}get reduxConstructor(){return this.constructor}willUpdate(a){super.willUpdate(a),[...this.reduxConstructor.reduxReactiveProperties].some(o=>a.has(o))&&this.updateFromStores()}getUnnamedStore(){if(this[fe].size>1)throw new Error("Cannot resolve unnamed store when multiple stores are configured.");return[...this[fe].values()][0]}getStore(a){return a==null?this.getUnnamedStore():this[fe].get(a)}addStore(a,o){var u;o=(u=o??a.name)!==null&&u!==void 0?u:"default-store",this.unsubscribeFromStore(o),this[fe].set(o,a),this.subscribeToStore(o,a),this.updateFromStores()}removeStore(a){let o=typeof a=="string"?a:a.name;this.unsubscribeFromStore(o),this[fe].delete(o)}setupStores(){this.unsubscribeFromStores(),this[fe].forEach((a,o)=>this.subscribeToStore(o,a)),this.updateFromStores()}updateFromStores(){this.reduxConstructor.reduxProperties.forEach((a,o)=>{let u=this.constructor.getPropertyOptions(o);if(!u?.attribute||!this.hasAttribute(typeof u?.attribute=="string"?u.attribute:o)){let l=this.getStore(a.store);l&&(a.store?this[ee].has(a.store):this[ee].size>0)&&(this[o]=a.selector(l.getState(),this))}})}subscribeToStore(a,o){var u;this[ee].set(a,o.subscribe(()=>this.updateFromStores())),this[_e].set(a,[]),Qe(o)&&o.eventBus&&((u=this.reduxConstructor.reduxEventListeners)===null||u===void 0||u.forEach((l,d)=>{if(typeof this[d]=="function"&&(!l.store||o.name===l.store)){let h=p=>this[d](p);o.addEventListener(l.eventName,h),this[_e].get(a).push(()=>o.removeEventListener(l.eventName,h))}})),this.onStoreAvailable(a)}unsubscribeFromStores(){this[ee].forEach((a,o)=>this.unsubscribeFromStore(o))}unsubscribeFromStore(a){var o;this[ee].has(a)&&this[ee].get(a)(),this[ee].delete(a),(o=this[_e].get(a))===null||o===void 0||o.forEach(u=>u()),this[_e].delete(a)}onStoreAvailable(a){}connectedCallback(){super.connectedCallback(),this.setupStores()}disconnectedCallback(){super.disconnectedCallback(),this.unsubscribeFromStores()}}return t=ee,r=fe,n=_e,i.reduxProperties=new Map,i.reduxReactiveProperties=new Set,i.reduxEventListeners=new Map,i}var Yr=class extends Qn(X){};function K(e){for(var t=arguments.length,r=Array(t>1?t-1:0),n=1;n<t;n++)r[n-1]=arguments[n];if(0)var i,s;throw Error("[Immer] minified error nr: "+e+(r.length?" "+r.map(function(a){return"'"+a+"'"}).join(","):"")+". Find the full error at: https://bit.ly/3cXEKWf")}function Y(e){return!!e&&!!e[R]}function $(e){var t;return!!e&&(function(r){if(!r||typeof r!="object")return!1;var n=Object.getPrototypeOf(r);if(n===null)return!0;var i=Object.hasOwnProperty.call(n,"constructor")&&n.constructor;return i===Object||typeof i=="function"&&Function.toString.call(i)===ai}(e)||Array.isArray(e)||!!e[nn]||!!(!((t=e.constructor)===null||t===void 0)&&t[nn])||Rt(e)||It(e))}function pe(e,t,r){r===void 0&&(r=!1),we(e)===0?(r?Object.keys:Ee)(e).forEach(function(n){r&&typeof n=="symbol"||t(n,e[n],e)}):e.forEach(function(n,i){return t(i,n,e)})}function we(e){var t=e[R];return t?t.i>3?t.i-4:t.i:Array.isArray(e)?1:Rt(e)?2:It(e)?3:0}function Se(e,t){return we(e)===2?e.has(t):Object.prototype.hasOwnProperty.call(e,t)}function Zn(e,t){return we(e)===2?e.get(t):e[t]}function sn(e,t,r){var n=we(e);n===2?e.set(t,r):n===3?e.add(r):e[t]=r}function an(e,t){return e===t?e!==0||1/e==1/t:e!=e&&t!=t}function Rt(e){return ii&&e instanceof Map}function It(e){return si&&e instanceof Set}function te(e){return e.o||e.t}function Pt(e){if(Array.isArray(e))return Array.prototype.slice.call(e);var t=cn(e);delete t[R];for(var r=Ee(t),n=0;n<r.length;n++){var i=r[n],s=t[i];s.writable===!1&&(s.writable=!0,s.configurable=!0),(s.get||s.set)&&(t[i]={configurable:!0,writable:!0,enumerable:s.enumerable,value:e[i]})}return Object.create(Object.getPrototypeOf(e),t)}function Dt(e,t){return t===void 0&&(t=!1),Lt(e)||Y(e)||!$(e)||(we(e)>1&&(e.set=e.add=e.clear=e.delete=ei),Object.freeze(e),t&&pe(e,function(r,n){return Dt(n,!0)},!0)),e}function ei(){K(2)}function Lt(e){return e==null||typeof e!="object"||Object.isFrozen(e)}function W(e){var t=_t[e];return t||K(18,e),t}function ti(e,t){_t[e]||(_t[e]=t)}function Ot(){return Ie}function St(e,t){t&&(W("Patches"),e.u=[],e.s=[],e.v=t)}function Ze(e){Tt(e),e.p.forEach(ri),e.p=null}function Tt(e){e===Ie&&(Ie=e.l)}function Jr(e){return Ie={p:[],l:Ie,h:e,m:!0,_:0}}function ri(e){var t=e[R];t.i===0||t.i===1?t.j():t.g=!0}function Et(e,t){t._=t.p.length;var r=t.p[0],n=e!==void 0&&e!==r;return t.h.O||W("ES5").S(t,e,n),n?(r[R].P&&(Ze(t),K(4)),$(e)&&(e=et(t,e),t.l||tt(t,e)),t.u&&W("Patches").M(r[R].t,e,t.u,t.s)):e=et(t,r,[]),Ze(t),t.u&&t.v(t.u,t.s),e!==un?e:void 0}function et(e,t,r){if(Lt(t))return t;var n=t[R];if(!n)return pe(t,function(o,u){return Qr(e,n,t,o,u,r)},!0),t;if(n.A!==e)return t;if(!n.P)return tt(e,n.t,!0),n.t;if(!n.I){n.I=!0,n.A._--;var i=n.i===4||n.i===5?n.o=Pt(n.k):n.o,s=i,a=!1;n.i===3&&(s=new Set(i),i.clear(),a=!0),pe(s,function(o,u){return Qr(e,n,i,o,u,r,a)}),tt(e,i,!1),r&&e.u&&W("Patches").N(n,r,e.u,e.s)}return n.o}function Qr(e,t,r,n,i,s,a){if(Y(i)){var o=et(e,i,s&&t&&t.i!==3&&!Se(t.R,n)?s.concat(n):void 0);if(sn(r,n,o),!Y(o))return;e.m=!1}else a&&r.add(i);if($(i)&&!Lt(i)){if(!e.h.D&&e._<1)return;et(e,i),t&&t.A.l||tt(e,i)}}function tt(e,t,r){r===void 0&&(r=!1),!e.l&&e.h.D&&e.m&&Dt(t,r)}function wt(e,t){var r=e[R];return(r?te(r):e)[t]}function Zr(e,t){if(t in e)for(var r=Object.getPrototypeOf(e);r;){var n=Object.getOwnPropertyDescriptor(r,t);if(n)return n;r=Object.getPrototypeOf(r)}}function re(e){e.P||(e.P=!0,e.l&&re(e.l))}function xt(e){e.o||(e.o=Pt(e.t))}function Ct(e,t,r){var n=Rt(t)?W("MapSet").F(t,r):It(t)?W("MapSet").T(t,r):e.O?function(i,s){var a=Array.isArray(i),o={i:a?1:0,A:s?s.A:Ot(),P:!1,I:!1,R:{},l:s,t:i,k:null,o:null,j:null,C:!1},u=o,l=Pe;a&&(u=[o],l=Re);var d=Proxy.revocable(u,l),h=d.revoke,p=d.proxy;return o.k=p,o.j=h,p}(t,r):W("ES5").J(t,r);return(r?r.A:Ot()).p.push(n),n}function ni(e){return Y(e)||K(22,e),function t(r){if(!$(r))return r;var n,i=r[R],s=we(r);if(i){if(!i.P&&(i.i<4||!W("ES5").K(i)))return i.t;i.I=!0,n=en(r,s),i.I=!1}else n=en(r,s);return pe(n,function(a,o){i&&Zn(i.t,a)===o||sn(n,a,t(o))}),s===3?new Set(n):n}(e)}function en(e,t){switch(t){case 2:return new Map(e);case 3:return Array.from(e)}return Pt(e)}function on(){function e(a,o){var u=s[a];return u?u.enumerable=o:s[a]=u={configurable:!0,enumerable:o,get:function(){var l=this[R];return Pe.get(l,a)},set:function(l){var d=this[R];Pe.set(d,a,l)}},u}function t(a){for(var o=a.length-1;o>=0;o--){var u=a[o][R];if(!u.P)switch(u.i){case 5:n(u)&&re(u);break;case 4:r(u)&&re(u)}}}function r(a){for(var o=a.t,u=a.k,l=Ee(u),d=l.length-1;d>=0;d--){var h=l[d];if(h!==R){var p=o[h];if(p===void 0&&!Se(o,h))return!0;var v=u[h],y=v&&v[R];if(y?y.t!==p:!an(v,p))return!0}}var m=!!o[R];return l.length!==Ee(o).length+(m?0:1)}function n(a){var o=a.k;if(o.length!==a.t.length)return!0;var u=Object.getOwnPropertyDescriptor(o,o.length-1);if(u&&!u.get)return!0;for(var l=0;l<o.length;l++)if(!o.hasOwnProperty(l))return!0;return!1}function i(a){a.g&&K(3,JSON.stringify(te(a)))}var s={};ti("ES5",{J:function(a,o){var u=Array.isArray(a),l=function(h,p){if(h){for(var v=Array(p.length),y=0;y<p.length;y++)Object.defineProperty(v,""+y,e(y,!0));return v}var m=cn(p);delete m[R];for(var w=Ee(m),A=0;A<w.length;A++){var S=w[A];m[S]=e(S,h||!!m[S].enumerable)}return Object.create(Object.getPrototypeOf(p),m)}(u,a),d={i:u?5:4,A:o?o.A:Ot(),P:!1,I:!1,R:{},l:o,t:a,k:l,o:null,g:!1,C:!1};return Object.defineProperty(l,R,{value:d,writable:!0}),l},S:function(a,o,u){u?Y(o)&&o[R].A===a&&t(a.p):(a.u&&function l(d){if(d&&typeof d=="object"){var h=d[R];if(h){var p=h.t,v=h.k,y=h.R,m=h.i;if(m===4)pe(v,function(x){x!==R&&(p[x]!==void 0||Se(p,x)?y[x]||l(v[x]):(y[x]=!0,re(h)))}),pe(p,function(x){v[x]!==void 0||Se(v,x)||(y[x]=!1,re(h))});else if(m===5){if(n(h)&&(re(h),y.length=!0),v.length<p.length)for(var w=v.length;w<p.length;w++)y[w]=!1;else for(var A=p.length;A<v.length;A++)y[A]=!0;for(var S=Math.min(v.length,p.length),C=0;C<S;C++)v.hasOwnProperty(C)||(y[C]=!0),y[C]===void 0&&l(v[C])}}}}(a.p[0]),t(a.p))},K:function(a){return a.i===4?r(a):n(a)}})}var tn,Ie,kt=typeof Symbol<"u"&&typeof Symbol("x")=="symbol",ii=typeof Map<"u",si=typeof Set<"u",rn=typeof Proxy<"u"&&Proxy.revocable!==void 0&&typeof Reflect<"u",un=kt?Symbol.for("immer-nothing"):((tn={})["immer-nothing"]=!0,tn),nn=kt?Symbol.for("immer-draftable"):"__$immer_draftable",R=kt?Symbol.for("immer-state"):"__$immer_state";var ai=""+Object.prototype.constructor,Ee=typeof Reflect<"u"&&Reflect.ownKeys?Reflect.ownKeys:Object.getOwnPropertySymbols!==void 0?function(e){return Object.getOwnPropertyNames(e).concat(Object.getOwnPropertySymbols(e))}:Object.getOwnPropertyNames,cn=Object.getOwnPropertyDescriptors||function(e){var t={};return Ee(e).forEach(function(r){t[r]=Object.getOwnPropertyDescriptor(e,r)}),t},_t={},Pe={get:function(e,t){if(t===R)return e;var r=te(e);if(!Se(r,t))return function(i,s,a){var o,u=Zr(s,a);return u?"value"in u?u.value:(o=u.get)===null||o===void 0?void 0:o.call(i.k):void 0}(e,r,t);var n=r[t];return e.I||!$(n)?n:n===wt(e.t,t)?(xt(e),e.o[t]=Ct(e.A.h,n,e)):n},has:function(e,t){return t in te(e)},ownKeys:function(e){return Reflect.ownKeys(te(e))},set:function(e,t,r){var n=Zr(te(e),t);if(n?.set)return n.set.call(e.k,r),!0;if(!e.P){var i=wt(te(e),t),s=i?.[R];if(s&&s.t===r)return e.o[t]=r,e.R[t]=!1,!0;if(an(r,i)&&(r!==void 0||Se(e.t,t)))return!0;xt(e),re(e)}return e.o[t]===r&&(r!==void 0||t in e.o)||Number.isNaN(r)&&Number.isNaN(e.o[t])||(e.o[t]=r,e.R[t]=!0),!0},deleteProperty:function(e,t){return wt(e.t,t)!==void 0||t in e.t?(e.R[t]=!1,xt(e),re(e)):delete e.R[t],e.o&&delete e.o[t],!0},getOwnPropertyDescriptor:function(e,t){var r=te(e),n=Reflect.getOwnPropertyDescriptor(r,t);return n&&{writable:!0,configurable:e.i!==1||t!=="length",enumerable:n.enumerable,value:r[t]}},defineProperty:function(){K(11)},getPrototypeOf:function(e){return Object.getPrototypeOf(e.t)},setPrototypeOf:function(){K(12)}},Re={};pe(Pe,function(e,t){Re[e]=function(){return arguments[0]=arguments[0][0],t.apply(this,arguments)}}),Re.deleteProperty=function(e,t){return Re.set.call(this,e,t,void 0)},Re.set=function(e,t,r){return Pe.set.call(this,e[0],t,r,e[0])};var oi=function(){function e(r){var n=this;this.O=rn,this.D=!0,this.produce=function(i,s,a){if(typeof i=="function"&&typeof s!="function"){var o=s;s=i;var u=n;return function(m){var w=this;m===void 0&&(m=o);for(var A=arguments.length,S=Array(A>1?A-1:0),C=1;C<A;C++)S[C-1]=arguments[C];return u.produce(m,function(x){var L;return(L=s).call.apply(L,[w,x].concat(S))})}}var l;if(typeof s!="function"&&K(6),a!==void 0&&typeof a!="function"&&K(7),$(i)){var d=Jr(n),h=Ct(n,i,void 0),p=!0;try{l=s(h),p=!1}finally{p?Ze(d):Tt(d)}return typeof Promise<"u"&&l instanceof Promise?l.then(function(m){return St(d,a),Et(m,d)},function(m){throw Ze(d),m}):(St(d,a),Et(l,d))}if(!i||typeof i!="object"){if((l=s(i))===void 0&&(l=i),l===un&&(l=void 0),n.D&&Dt(l,!0),a){var v=[],y=[];W("Patches").M(i,l,v,y),a(v,y)}return l}K(21,i)},this.produceWithPatches=function(i,s){if(typeof i=="function")return function(l){for(var d=arguments.length,h=Array(d>1?d-1:0),p=1;p<d;p++)h[p-1]=arguments[p];return n.produceWithPatches(l,function(v){return i.apply(void 0,[v].concat(h))})};var a,o,u=n.produce(i,s,function(l,d){a=l,o=d});return typeof Promise<"u"&&u instanceof Promise?u.then(function(l){return[l,a,o]}):[u,a,o]},typeof r?.useProxies=="boolean"&&this.setUseProxies(r.useProxies),typeof r?.autoFreeze=="boolean"&&this.setAutoFreeze(r.autoFreeze)}var t=e.prototype;return t.createDraft=function(r){$(r)||K(8),Y(r)&&(r=ni(r));var n=Jr(this),i=Ct(this,r,void 0);return i[R].C=!0,Tt(n),i},t.finishDraft=function(r,n){var i=r&&r[R],s=i.A;return St(s,n),Et(void 0,s)},t.setAutoFreeze=function(r){this.D=r},t.setUseProxies=function(r){r&&!rn&&K(20),this.O=r},t.applyPatches=function(r,n){var i;for(i=n.length-1;i>=0;i--){var s=n[i];if(s.path.length===0&&s.op==="replace"){r=s.value;break}}i>-1&&(n=n.slice(i+1));var a=W("Patches").$;return Y(r)?a(r,n):this.produce(r,function(o){return a(o,n)})},e}(),B=new oi,ui=B.produce,Na=B.produceWithPatches.bind(B),Ua=B.setAutoFreeze.bind(B),Fa=B.setUseProxies.bind(B),ja=B.applyPatches.bind(B),Ba=B.createDraft.bind(B),Ha=B.finishDraft.bind(B),rt=ui;function he(e){"@babel/helpers - typeof";return he=typeof Symbol=="function"&&typeof Symbol.iterator=="symbol"?function(t){return typeof t}:function(t){return t&&typeof Symbol=="function"&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},he(e)}function ln(e,t){if(he(e)!="object"||!e)return e;var r=e[Symbol.toPrimitive];if(r!==void 0){var n=r.call(e,t||"default");if(he(n)!="object")return n;throw new TypeError("@@toPrimitive must return a primitive value.")}return(t==="string"?String:Number)(e)}function dn(e){var t=ln(e,"string");return he(t)=="symbol"?t:t+""}function fn(e,t,r){return(t=dn(t))in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}function pn(e,t){var r=Object.keys(e);if(Object.getOwnPropertySymbols){var n=Object.getOwnPropertySymbols(e);t&&(n=n.filter(function(i){return Object.getOwnPropertyDescriptor(e,i).enumerable})),r.push.apply(r,n)}return r}function Mt(e){for(var t=1;t<arguments.length;t++){var r=arguments[t]!=null?arguments[t]:{};t%2?pn(Object(r),!0).forEach(function(n){fn(e,n,r[n])}):Object.getOwnPropertyDescriptors?Object.defineProperties(e,Object.getOwnPropertyDescriptors(r)):pn(Object(r)).forEach(function(n){Object.defineProperty(e,n,Object.getOwnPropertyDescriptor(r,n))})}return e}function N(e){return"Minified Redux error #"+e+"; visit https://redux.js.org/Errors?code="+e+" for the full message or use the non-minified dev environment for full errors. "}var hn=function(){return typeof Symbol=="function"&&Symbol.observable||"@@observable"}(),Nt=function(){return Math.random().toString(36).substring(7).split("").join(".")},nt={INIT:"@@redux/INIT"+Nt(),REPLACE:"@@redux/REPLACE"+Nt(),PROBE_UNKNOWN_ACTION:function(){return"@@redux/PROBE_UNKNOWN_ACTION"+Nt()}};function ci(e){if(typeof e!="object"||e===null)return!1;for(var t=e;Object.getPrototypeOf(t)!==null;)t=Object.getPrototypeOf(t);return Object.getPrototypeOf(e)===t}function Ut(e,t,r){var n;if(typeof t=="function"&&typeof r=="function"||typeof r=="function"&&typeof arguments[3]=="function")throw new Error(N(0));if(typeof t=="function"&&typeof r>"u"&&(r=t,t=void 0),typeof r<"u"){if(typeof r!="function")throw new Error(N(1));return r(Ut)(e,t)}if(typeof e!="function")throw new Error(N(2));var i=e,s=t,a=[],o=a,u=!1;function l(){o===a&&(o=a.slice())}function d(){if(u)throw new Error(N(3));return s}function h(m){if(typeof m!="function")throw new Error(N(4));if(u)throw new Error(N(5));var w=!0;return l(),o.push(m),function(){if(w){if(u)throw new Error(N(6));w=!1,l();var S=o.indexOf(m);o.splice(S,1),a=null}}}function p(m){if(!ci(m))throw new Error(N(7));if(typeof m.type>"u")throw new Error(N(8));if(u)throw new Error(N(9));try{u=!0,s=i(s,m)}finally{u=!1}for(var w=a=o,A=0;A<w.length;A++){var S=w[A];S()}return m}function v(m){if(typeof m!="function")throw new Error(N(10));i=m,p({type:nt.REPLACE})}function y(){var m,w=h;return m={subscribe:function(S){if(typeof S!="object"||S===null)throw new Error(N(11));function C(){S.next&&S.next(d())}C();var x=w(C);return{unsubscribe:x}}},m[hn]=function(){return this},m}return p({type:nt.INIT}),n={dispatch:p,subscribe:h,getState:d,replaceReducer:v},n[hn]=y,n}function li(e){Object.keys(e).forEach(function(t){var r=e[t],n=r(void 0,{type:nt.INIT});if(typeof n>"u")throw new Error(N(12));if(typeof r(void 0,{type:nt.PROBE_UNKNOWN_ACTION()})>"u")throw new Error(N(13))})}function yn(e){for(var t=Object.keys(e),r={},n=0;n<t.length;n++){var i=t[n];typeof e[i]=="function"&&(r[i]=e[i])}var s=Object.keys(r),a,o;try{li(r)}catch(u){o=u}return function(l,d){if(l===void 0&&(l={}),o)throw o;if(0)var h;for(var p=!1,v={},y=0;y<s.length;y++){var m=s[y],w=r[m],A=l[m],S=w(A,d);if(typeof S>"u"){var C=d&&d.type;throw new Error(N(14))}v[m]=S,p=p||S!==A}return p=p||s.length!==Object.keys(l).length,p?v:l}}function xe(){for(var e=arguments.length,t=new Array(e),r=0;r<e;r++)t[r]=arguments[r];return t.length===0?function(n){return n}:t.length===1?t[0]:t.reduce(function(n,i){return function(){return n(i.apply(void 0,arguments))}})}function mn(){for(var e=arguments.length,t=new Array(e),r=0;r<e;r++)t[r]=arguments[r];return function(n){return function(){var i=n.apply(void 0,arguments),s=function(){throw new Error(N(15))},a={getState:i.getState,dispatch:function(){return s.apply(void 0,arguments)}},o=t.map(function(u){return u(a)});return s=xe.apply(void 0,o)(i.dispatch),Mt(Mt({},i),{},{dispatch:s})}}}function vn(e){var t=function(n){var i=n.dispatch,s=n.getState;return function(a){return function(o){return typeof o=="function"?o(i,s,e):a(o)}}};return t}var gn=vn();gn.withExtraArgument=vn;var Ft=gn;var wn=function(){var e=function(t,r){return e=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(n,i){n.__proto__=i}||function(n,i){for(var s in i)Object.prototype.hasOwnProperty.call(i,s)&&(n[s]=i[s])},e(t,r)};return function(t,r){if(typeof r!="function"&&r!==null)throw new TypeError("Class extends value "+String(r)+" is not a constructor or null");e(t,r);function n(){this.constructor=t}t.prototype=r===null?Object.create(r):(n.prototype=r.prototype,new n)}}(),di=function(e,t){var r={label:0,sent:function(){if(s[0]&1)throw s[1];return s[1]},trys:[],ops:[]},n,i,s,a;return a={next:o(0),throw:o(1),return:o(2)},typeof Symbol=="function"&&(a[Symbol.iterator]=function(){return this}),a;function o(l){return function(d){return u([l,d])}}function u(l){if(n)throw new TypeError("Generator is already executing.");for(;r;)try{if(n=1,i&&(s=l[0]&2?i.return:l[0]?i.throw||((s=i.return)&&s.call(i),0):i.next)&&!(s=s.call(i,l[1])).done)return s;switch(i=0,s&&(l=[l[0]&2,s.value]),l[0]){case 0:case 1:s=l;break;case 4:return r.label++,{value:l[1],done:!1};case 5:r.label++,i=l[1],l=[0];continue;case 7:l=r.ops.pop(),r.trys.pop();continue;default:if(s=r.trys,!(s=s.length>0&&s[s.length-1])&&(l[0]===6||l[0]===2)){r=0;continue}if(l[0]===3&&(!s||l[1]>s[0]&&l[1]<s[3])){r.label=l[1];break}if(l[0]===6&&r.label<s[1]){r.label=s[1],s=l;break}if(s&&r.label<s[2]){r.label=s[2],r.ops.push(l);break}s[2]&&r.ops.pop(),r.trys.pop();continue}l=t.call(e,r)}catch(d){l=[6,d],i=0}finally{n=s=0}if(l[0]&5)throw l[1];return{value:l[0]?l[1]:void 0,done:!0}}},Oe=function(e,t){for(var r=0,n=t.length,i=e.length;r<n;r++,i++)e[i]=t[r];return e},fi=Object.defineProperty,pi=Object.defineProperties,hi=Object.getOwnPropertyDescriptors,bn=Object.getOwnPropertySymbols,yi=Object.prototype.hasOwnProperty,mi=Object.prototype.propertyIsEnumerable,An=function(e,t,r){return t in e?fi(e,t,{enumerable:!0,configurable:!0,writable:!0,value:r}):e[t]=r},ne=function(e,t){for(var r in t||(t={}))yi.call(t,r)&&An(e,r,t[r]);if(bn)for(var n=0,i=bn(t);n<i.length;n++){var r=i[n];mi.call(t,r)&&An(e,r,t[r])}return e},jt=function(e,t){return pi(e,hi(t))},vi=function(e,t,r){return new Promise(function(n,i){var s=function(u){try{o(r.next(u))}catch(l){i(l)}},a=function(u){try{o(r.throw(u))}catch(l){i(l)}},o=function(u){return u.done?n(u.value):Promise.resolve(u.value).then(s,a)};o((r=r.apply(e,t)).next())})};var gi=typeof window<"u"&&window.__REDUX_DEVTOOLS_EXTENSION_COMPOSE__?window.__REDUX_DEVTOOLS_EXTENSION_COMPOSE__:function(){if(arguments.length!==0)return typeof arguments[0]=="object"?xe:xe.apply(null,arguments)},so=typeof window<"u"&&window.__REDUX_DEVTOOLS_EXTENSION__?window.__REDUX_DEVTOOLS_EXTENSION__:function(){return function(e){return e}};function bi(e){if(typeof e!="object"||e===null)return!1;var t=Object.getPrototypeOf(e);if(t===null)return!0;for(var r=t;Object.getPrototypeOf(r)!==null;)r=Object.getPrototypeOf(r);return t===r}var Ai=function(e){wn(t,e);function t(){for(var r=[],n=0;n<arguments.length;n++)r[n]=arguments[n];var i=e.apply(this,r)||this;return Object.setPrototypeOf(i,t.prototype),i}return Object.defineProperty(t,Symbol.species,{get:function(){return t},enumerable:!1,configurable:!0}),t.prototype.concat=function(){for(var r=[],n=0;n<arguments.length;n++)r[n]=arguments[n];return e.prototype.concat.apply(this,r)},t.prototype.prepend=function(){for(var r=[],n=0;n<arguments.length;n++)r[n]=arguments[n];return r.length===1&&Array.isArray(r[0])?new(t.bind.apply(t,Oe([void 0],r[0].concat(this)))):new(t.bind.apply(t,Oe([void 0],r.concat(this))))},t}(Array),Si=function(e){wn(t,e);function t(){for(var r=[],n=0;n<arguments.length;n++)r[n]=arguments[n];var i=e.apply(this,r)||this;return Object.setPrototypeOf(i,t.prototype),i}return Object.defineProperty(t,Symbol.species,{get:function(){return t},enumerable:!1,configurable:!0}),t.prototype.concat=function(){for(var r=[],n=0;n<arguments.length;n++)r[n]=arguments[n];return e.prototype.concat.apply(this,r)},t.prototype.prepend=function(){for(var r=[],n=0;n<arguments.length;n++)r[n]=arguments[n];return r.length===1&&Array.isArray(r[0])?new(t.bind.apply(t,Oe([void 0],r[0].concat(this)))):new(t.bind.apply(t,Oe([void 0],r.concat(this))))},t}(Array);function Vt(e){return $(e)?rt(e,function(){}):e}function Ei(e){return typeof e=="boolean"}function wi(){return function(t){return xi(t)}}function xi(e){e===void 0&&(e={});var t=e.thunk,r=t===void 0?!0:t,n=e.immutableCheck,i=n===void 0?!0:n,s=e.serializableCheck,a=s===void 0?!0:s,o=new Ai;if(r&&(Ei(r)?o.push(Ft):o.push(Ft.withExtraArgument(r.extraArgument))),0){if(i)var u;if(a)var l}return o}var Bt=!0;function xn(e){var t=wi(),r=e||{},n=r.reducer,i=n===void 0?void 0:n,s=r.middleware,a=s===void 0?t():s,o=r.devTools,u=o===void 0?!0:o,l=r.preloadedState,d=l===void 0?void 0:l,h=r.enhancers,p=h===void 0?void 0:h,v;if(typeof i=="function")v=i;else if(bi(i))v=yn(i);else throw new Error('"reducer" is a required argument, and must be a function or an object of functions that can be passed to combineReducers');var y=a;if(typeof y=="function"&&(y=y(t),!Bt&&!Array.isArray(y)))throw new Error("when using a middleware builder function, an array of middleware must be returned");if(!Bt&&y.some(function(x){return typeof x!="function"}))throw new Error("each middleware provided to configureStore must be a function");var m=mn.apply(void 0,y),w=xe;u&&(w=gi(ne({trace:!Bt},typeof u=="object"&&u)));var A=new Si(m),S=A;Array.isArray(p)?S=Oe([m],p):typeof p=="function"&&(S=p(A));var C=w.apply(void 0,S);return Ut(v,d,C)}function ie(e,t){function r(){for(var n=[],i=0;i<arguments.length;i++)n[i]=arguments[i];if(t){var s=t.apply(void 0,n);if(!s)throw new Error("prepareAction did not return an object");return ne(ne({type:e,payload:s.payload},"meta"in s&&{meta:s.meta}),"error"in s&&{error:s.error})}return{type:e,payload:n[0]}}return r.toString=function(){return""+e},r.type=e,r.match=function(n){return n.type===e},r}function On(e){var t={},r=[],n,i={addCase:function(s,a){var o=typeof s=="string"?s:s.type;if(o in t)throw new Error("addCase cannot be called with two reducers for the same action type");return t[o]=a,i},addMatcher:function(s,a){return r.push({matcher:s,reducer:a}),i},addDefaultCase:function(s){return n=s,i}};return e(i),[t,r,n]}function Oi(e){return typeof e=="function"}function Ti(e,t,r,n){r===void 0&&(r=[]);var i=typeof t=="function"?On(t):[t,r,n],s=i[0],a=i[1],o=i[2],u;if(Oi(e))u=function(){return Vt(e())};else{var l=Vt(e);u=function(){return l}}function d(h,p){h===void 0&&(h=u());var v=Oe([s[p.type]],a.filter(function(y){var m=y.matcher;return m(p)}).map(function(y){var m=y.reducer;return m}));return v.filter(function(y){return!!y}).length===0&&(v=[o]),v.reduce(function(y,m){if(m)if(Y(y)){var w=y,A=m(w,p);return A===void 0?y:A}else{if($(y))return rt(y,function(S){return m(S,p)});var A=m(y,p);if(A===void 0){if(y===null)return y;throw Error("A case reducer on a non-draftable value must not return undefined")}return A}return y},h)}return d.getInitialState=u,d}function Ci(e,t){return e+"/"+t}function Tn(e){var t=e.name;if(!t)throw new Error("`name` is a required option for createSlice");typeof process<"u";var r=typeof e.initialState=="function"?e.initialState:Vt(e.initialState),n=e.reducers||{},i=Object.keys(n),s={},a={},o={};i.forEach(function(d){var h=n[d],p=Ci(t,d),v,y;"reducer"in h?(v=h.reducer,y=h.prepare):v=h,s[d]=v,a[p]=v,o[d]=y?ie(p,y):ie(p)});function u(){var d=typeof e.extraReducers=="function"?On(e.extraReducers):[e.extraReducers],h=d[0],p=h===void 0?{}:h,v=d[1],y=v===void 0?[]:v,m=d[2],w=m===void 0?void 0:m,A=ne(ne({},p),a);return Ti(r,function(S){for(var C in A)S.addCase(C,A[C]);for(var x=0,L=y;x<L.length;x++){var q=L[x];S.addMatcher(q.matcher,q.reducer)}w&&S.addDefaultCase(w)})}var l;return{name:t,reducer:function(d,h){return l||(l=u()),l(d,h)},actions:o,caseReducers:s,getInitialState:function(){return l||(l=u()),l.getInitialState()}}}var _i="ModuleSymbhasOwnPr-0123456789ABCDEFGHNRVfgctiUvz_KqYTJkLxpZXIjQW",Ri=function(e){e===void 0&&(e=21);for(var t="",r=e;r--;)t+=_i[Math.random()*64|0];return t},Ii=["name","message","stack","code"],Ht=function(){function e(t,r){this.payload=t,this.meta=r}return e}(),Sn=function(){function e(t,r){this.payload=t,this.meta=r}return e}(),Pi=function(e){if(typeof e=="object"&&e!==null){for(var t={},r=0,n=Ii;r<n.length;r++){var i=n[r];typeof e[i]=="string"&&(t[i]=e[i])}return t}return{message:String(e)}},co=function(){function e(t,r,n){var i=ie(t+"/fulfilled",function(d,h,p,v){return{payload:d,meta:jt(ne({},v||{}),{arg:p,requestId:h,requestStatus:"fulfilled"})}}),s=ie(t+"/pending",function(d,h,p){return{payload:void 0,meta:jt(ne({},p||{}),{arg:h,requestId:d,requestStatus:"pending"})}}),a=ie(t+"/rejected",function(d,h,p,v,y){return{payload:v,error:(n&&n.serializeError||Pi)(d||"Rejected"),meta:jt(ne({},y||{}),{arg:p,requestId:h,rejectedWithValue:!!v,requestStatus:"rejected",aborted:d?.name==="AbortError",condition:d?.name==="ConditionError"})}}),o=!1,u=typeof AbortController<"u"?AbortController:function(){function d(){this.signal={aborted:!1,addEventListener:function(){},dispatchEvent:function(){return!1},onabort:function(){},removeEventListener:function(){},reason:void 0,throwIfAborted:function(){}}}return d.prototype.abort=function(){},d}();function l(d){return function(h,p,v){var y=n?.idGenerator?n.idGenerator(d):Ri(),m=new u,w,A=!1;function S(x){w=x,m.abort()}var C=function(){return vi(this,null,function(){var x,L,q,se,U,ae,ye;return di(this,function(c){switch(c.label){case 0:return c.trys.push([0,4,,5]),se=(x=n?.condition)==null?void 0:x.call(n,d,{getState:p,extra:v}),Li(se)?[4,se]:[3,2];case 1:se=c.sent(),c.label=2;case 2:if(se===!1||m.signal.aborted)throw{name:"ConditionError",message:"Aborted due to condition callback returning false."};return A=!0,U=new Promise(function(f,b){return m.signal.addEventListener("abort",function(){return b({name:"AbortError",message:w||"Aborted"})})}),h(s(y,d,(L=n?.getPendingMeta)==null?void 0:L.call(n,{requestId:y,arg:d},{getState:p,extra:v}))),[4,Promise.race([U,Promise.resolve(r(d,{dispatch:h,getState:p,extra:v,requestId:y,signal:m.signal,abort:S,rejectWithValue:function(f,b){return new Ht(f,b)},fulfillWithValue:function(f,b){return new Sn(f,b)}})).then(function(f){if(f instanceof Ht)throw f;return f instanceof Sn?i(f.payload,y,d,f.meta):i(f,y,d)})])];case 3:return q=c.sent(),[3,5];case 4:return ae=c.sent(),q=ae instanceof Ht?a(null,y,d,ae.payload,ae.meta):a(ae,y,d),[3,5];case 5:return ye=n&&!n.dispatchConditionRejection&&a.match(q)&&q.meta.condition,ye||h(q),[2,q]}})})}();return Object.assign(C,{abort:S,requestId:y,arg:d,unwrap:function(){return C.then(Di)}})}}return Object.assign(l,{pending:s,rejected:a,fulfilled:i,typePrefix:t})}return e.withTypes=function(){return e},e}();function Di(e){if(e.meta&&e.meta.rejectedWithValue)throw e.payload;if(e.error)throw e.error;return e.payload}function Li(e){return e!==null&&typeof e=="object"&&typeof e.then=="function"}var Cn="listener",_n="completed",Rn="cancelled",lo="task-"+Rn,fo="task-"+_n,po=Cn+"-"+Rn,ho=Cn+"-"+_n;var Kt="listenerMiddleware";var yo=ie(Kt+"/add"),mo=ie(Kt+"/removeAll"),vo=ie(Kt+"/remove");var En,go=typeof queueMicrotask=="function"?queueMicrotask.bind(typeof window<"u"?window:typeof global<"u"?global:globalThis):function(e){return(En||(En=Promise.resolve())).then(e).catch(function(t){return setTimeout(function(){throw t},0)})},ki=function(e){return function(t){setTimeout(t,e)}},bo=typeof window<"u"&&window.requestAnimationFrame?window.requestAnimationFrame:ki(10);on();function Mi(e,t){return class extends e{constructor(){super(...arguments),this.eventBus=t??document.createElement("span")}addEventListener(r,n,i){this.eventBus.addEventListener(r,n,i)}dispatchEvent(r){return this.eventBus.dispatchEvent(r)}removeEventListener(r,n,i){this.eventBus.removeEventListener(r,n,i)}}}var it=class extends Mi(Object){};window.ftReduxStores||(window.ftReduxStores={});var In=class e extends it{static get(t){var r;let n=typeof t=="string"?t:t.name,i=typeof t=="string"?void 0:t,s=window.ftReduxStores[n];if(Qe(s))return s;if(i==null)return;let a=Tn({...i,reducers:(r=i.reducers)!==null&&r!==void 0?r:{}}),o=xn({reducer:(u,l)=>l.type==="CLEAR_FT_REDUX_STORE"?a.getInitialState():typeof l.type=="string"&&l.type.startsWith("DEFAULT_VALUE_SETTER__")?{...u,...l.overwrites}:a.reducer(u,l)});return window.ftReduxStores[i.name]=new e(a,o,i.eventBus)}constructor(t,r,n){super(),this.reduxSlice=t,this.reduxStore=r,this.isFtReduxStore=!0,this.commands=new We;let i=s=>s!=null?JSON.parse(JSON.stringify(s)):s;this.actions=new Proxy(this.reduxSlice.actions,{get:(s,a,o)=>{let u=a,l=s[u];return l?(...d)=>{let h=l(...d.map(i));return this.reduxStore.dispatch(h),h}:d=>{this.setState({[u]:i(d)})}}}),this.eventBus=n??this.eventBus}clear(){this.reduxStore.dispatch({type:"CLEAR_FT_REDUX_STORE"})}setState(t){this.reduxStore.dispatch({type:"DEFAULT_VALUE_SETTER__"+Object.keys(t).join("_"),overwrites:t})}get dispatch(){throw new Error("Don't use this method, actions are automatically dispatched when called.")}[Symbol.observable](){return this.reduxStore[Symbol.observable]()}getState(){return this.reduxStore.getState()}replaceReducer(t){throw new Error("Not implemented yet.")}subscribe(t){return this.reduxStore.subscribe(t)}get name(){return this.reduxSlice.name}get reducer(){return this.reduxSlice.reducer}get caseReducers(){return this.reduxSlice.caseReducers}getInitialState(){return this.reduxSlice.getInitialState()}};var ot=T(F());var st=class extends j{constructor(){super(...arguments),this.CACHE_DURATION=3*60*1e3}async getUserAssetCount(t){if(this.isAuthenticated())return this.cache.get(`user-asset-count-${t}`,async()=>(await this.awaitApi).get(`/internal/api/webapp/user/assets/count/${t}`),this.CACHE_DURATION)}async getUserBookmarkCountByMap(t){if(this.isAuthenticated())return this.cache.get(`user-bookmark-count-by-map-${t}`,async()=>(await this.awaitApi).get(`/internal/api/webapp/user/assets/count/BOOKMARKS/${t}`),this.CACHE_DURATION)}isAuthenticated(){let t=g.getState().session;return!!t?.sessionAuthenticated}};var at=class extends j{constructor(){super(...arguments),this.CACHE_DURATION=3*60*1e3}async getUserAssetLabels(){return this.isAuthenticated()?this.cache.get("user-asset-labels",async()=>(await this.awaitApi).get("/internal/api/webapp/user/assets/labels"),this.CACHE_DURATION):[]}isAuthenticated(){let t=g.getState().session;return!!t?.sessionAuthenticated}};var Ui="ft-user-assets",Fi={setAssetCount:(e,t)=>{let{userAssetType:r,count:n}=t.payload.assetCount;e.assetCounts.allAsset[r]=n},clearAssetCount:e=>{Object.values(le).forEach(t=>{e.assetCounts.allAsset[t]=void 0})},setBookmarkCountByMap:(e,t)=>{let r=t.payload.mapId;e.assetCounts.bookmarkByMap[r]=t.payload.count},clearBookmarkCountByMap:e=>{e.assetCounts.bookmarkByMap={}}},H=ot.FtReduxStore.get({name:Ui,reducers:Fi,initialState:{savedSearches:void 0,bookmarks:void 0,assetCounts:{allAsset:Object.fromEntries(Object.values(le).map(e=>[e,void 0])),bookmarkByMap:{}},assetLabels:[]}}),qt=class{constructor(t=new st,r=new at){this.assetCountsService=t,this.assetLabelsService=r,this.currentSession=g.getState().session,this.bookmarksAreUsed=!1,this.bookmarksService=new je,this.savedSearchesService=new qe,g.subscribe(()=>this.reloadWhenUserSessionChanges())}reloadWhenUserSessionChanges(){var t;let{session:r}=g.getState();(0,ot.deepEqual)((t=this.currentSession)===null||t===void 0?void 0:t.profile,r?.profile)||(this.currentSession=r,this.clearMySearches(),this.reloadBookmarks(),this.clearUserAssetCounts(),this.reloadAssetLabels())}clearUserAssetCounts(){this.assetCountsService.clearCache(),H.actions.clearAssetCount(),H.actions.clearBookmarkCountByMap()}clear(){this.clearMySearches(),this.clearMyBookmarks()}clearMySearches(){this.savedSearchesService.clearCache(),H.actions.savedSearches(void 0)}clearMyBookmarks(){this.bookmarksService.clearCache(),H.actions.bookmarks(void 0)}async reloadMySearches(){this.savedSearchesService.clearCache();let t=await this.savedSearchesService.listMySearches();H.actions.savedSearches(t)}async reloadBookmarks(){this.bookmarksService.clearCache(),await this.updateBookmarksIfUsed()}async reloadAssetLabels(){this.assetLabelsService.clearCache();let t=await this.assetLabelsService.getUserAssetLabels();H.actions.assetLabels(t)}async loadAssetCount(t){let r=await this.assetCountsService.getUserAssetCount(t);r&&H.actions.setAssetCount({assetCount:r})}async loadBookmarkByMapId(t){let r=await this.assetCountsService.getUserBookmarkCountByMap(t);r&&H.actions.setBookmarkCountByMap({count:r.count,mapId:t})}async reloadAssetCount(t){this.assetCountsService.clearCache();let r=Object.keys(H.getState().assetCounts.bookmarkByMap).length!==0;t===le.BOOKMARKS&&r&&H.actions.clearBookmarkCountByMap(),H.getState().assetCounts.allAsset[t]!==void 0&&await this.loadAssetCount(t)}async registerBookmarkComponent(){this.bookmarksAreUsed=!0,await this.updateBookmarksIfUsed()}async updateBookmarksIfUsed(){var t;if(this.bookmarksAreUsed){let r=!((t=this.currentSession)===null||t===void 0)&&t.sessionAuthenticated?await this.bookmarksService.listMyBookmarks():void 0;H.actions.bookmarks(r)}}},ji=new qt;window.FluidTopicsUserAssetsActions==null&&(window.FluidTopicsUserAssetsActions=ji);(0,Pn.customElement)("ft-app-context")(_);var kn=T(J());var Gt=class{fromLocalizableLabel(t){return t.type=="PLAIN_TEXT"?{message:t.text}:{key:t.key,custom:t.type=="LOCALIZED_CUSTOM",context:t.context,message:t.key}}fromAttribute(t){if(t!=null)try{return JSON.parse(t)}catch{if(this.isI18nKey(t)){let[n,i]=t.split(".");return{context:n,key:i,message:""}}return{message:t}}}toAttribute(t){if(t!=null)return JSON.stringify(t)}isI18nKey(t){return t.match(/^[\w-]+\.[\w-]+$/)}},Dn=new Gt;var Bi=function(e,t,r,n){var i=arguments.length,s=i<3?t:n===null?n=Object.getOwnPropertyDescriptor(t,r):n,a;if(typeof Reflect=="object"&&typeof Reflect.decorate=="function")s=Reflect.decorate(e,t,r,n);else for(var o=e.length-1;o>=0;o--)(a=e[o])&&(s=(i<3?a(s):i>3?a(t,r,s):a(t,r))||s);return i>3&&s&&Object.defineProperty(t,r,s),s},Hi=Symbol("i18nAttributes"),Vi=Symbol("i18nListAttributes"),Le=Symbol("i18nProperties"),ut=Symbol("i18nContexts"),De=Symbol("i18nUnsubs");function Mn(e){var t,r;class n extends e{constructor(){super(...arguments),this.useCustomMessageContexts=!1,this[t]=new Map,this[r]=new Map}getI18nService(s){return s??this.useCustomMessageContexts?He:ge}i18n(s){let{context:a,key:o,message:u}=s,{custom:l,args:d,argsProvider:h}=s;if(a&&o){this.hasI18nContext(a)||this.addI18nContext(a,void 0,l);let p=d??(h?h(this):[]);return this.getI18nService(l).resolveMessage(a,o,...p)}return u}customI18n(s,a){if(Dn.isI18nKey(s)){let[o,u]=s.split(".");return this.i18n({custom:!0,context:o,key:u,...a})||s}return s}firstUpdated(s){super.firstUpdated(s),this.updateI18nAttributes(()=>!0),this.updateI18nProperties(()=>!0)}update(s){super.update(s),this.updateI18nAttributes((a,o,u)=>s.has(o)||typeof a.argsProvider=="function"),this.updateI18nProperties(a=>typeof a.argsProvider=="function")}onI18nUpdate(s){this.updateI18nAttributes((a,o,u)=>{var l;return((l=u?.context)===null||l===void 0?void 0:l.toLowerCase())===s}),this.updateI18nProperties(a=>a.context.toLowerCase()===s),this.requestUpdate()}updateI18nAttributes(s){var a,o;let u=this,l=(d,h,p)=>p?.context&&p.key&&s(d,h,p)?{...p,message:this.i18n({context:p.context,key:p.key,custom:p.custom,...d})}:p;(a=this[Hi])===null||a===void 0||a.forEach((d,h)=>u[h]=l(d,h,u[h])),(o=this[Vi])===null||o===void 0||o.forEach((d,h)=>{var p;return u[h]=(p=u[h])===null||p===void 0?void 0:p.map(v=>l(d,h,v))})}updateI18nProperties(s){var a;(a=this[Le])===null||a===void 0||a.forEach((o,u)=>{s(o,u)&&(this[u]=this.i18n(o))})}addI18nMessages(s,a,o){console.warn('Deprecated usage of method "addI18nMessages", use "addI18nContext" instead.'),this.addI18nContext(s,a,o)}addI18nContext(s,a,o){let u=(typeof s=="string"?s:s.name).toLowerCase();o=typeof s=="string"?o:s.custom,this[ut].set(u,{isCustomContext:o}),this[De].has(u)||this[De].set(u,this.getI18nService(o).subscribe(u,()=>this.onI18nUpdate(u))),this.getI18nService(o).prepareContext(u,a)}hasI18nContext(s){return this[ut].has(s.toLowerCase())}connectedCallback(){super.connectedCallback(),this[ut].forEach((s,a)=>this.addI18nContext(a,void 0,s.isCustomContext))}disconnectedCallback(){super.disconnectedCallback(),this[De].forEach(s=>s()),this[De].clear()}}return t=ut,r=De,Bi([(0,kn.property)({type:Boolean})],n.prototype,"useCustomMessageContexts",void 0),n}var Ln=class extends Mn(lt.FtLitElement){},ct=class extends Mn(lt.FtLitElementRedux){};var ke=function(e,t,r,n){var i=arguments.length,s=i<3?t:n===null?n=Object.getOwnPropertyDescriptor(t,r):n,a;if(typeof Reflect=="object"&&typeof Reflect.decorate=="function")s=Reflect.decorate(e,t,r,n);else for(var o=e.length-1;o>=0;o--)(a=e[o])&&(s=(i<3?a(s):i>3?a(t,r,s):a(t,r))||s);return i>3&&s&&Object.defineProperty(t,r,s),s},z=class extends ct{constructor(){super(),this.editorMode=!1,this.addStore(g)}render(){return!this.key||!this.context?this.editorMode?"Select a context and a label key.":dt.nothing:dt.html`
7
7
  <span class="ft-i18n">
8
8
  ${this.i18n({context:this.context,key:this.key,args:Array.isArray(this.args)?this.args:[]})}
9
9
  </span>
10
- `}update(t){var r;super.update(t),["context","key","defaultMessage"].some(n=>t.has(n))&&this.context&&this.key&&this.addI18nContext(this.context,{[this.key]:(r=this.defaultMessage)!==null&&r!==void 0?r:""})}};z.elementDefinitions={};z.styles=Jt;ke([(0,pt.redux)()],z.prototype,"editorMode",void 0);ke([(0,ft.property)()],z.prototype,"context",void 0);ke([(0,ft.property)()],z.prototype,"key",void 0);ke([(0,pt.jsonProperty)([])],z.prototype,"args",void 0);ke([(0,ft.property)()],z.prototype,"defaultMessage",void 0);var Un=class e{static build(t){return new e(t)}static buildCustom(t){return new e(t,!0)}static fromGwt(t){return new e(t)}get service(){return this.custom?He:ge}constructor(t,r=!1){this.name=t,this.custom=r,this.properties=new Proxy({},{get:(n,i)=>{let s=i;return a=>({context:this.name,key:s,custom:this.custom,args:typeof a=="function"?void 0:a,argsProvider:typeof a=="function"?a:void 0})}}),this.messages=new Proxy({},{get:(n,i)=>(...s)=>this.service.resolveMessage(this.name,i,...s)}),this.rawMessages=new Proxy({},{get:(n,i)=>this.service.resolveRawMessage(this.name,i)}),this.keys=new Proxy({},{get:(n,i)=>()=>i})}};var Ru=(e,t)=>(r,n)=>{var i,s;r.constructor.createProperty(n,t??{attribute:!1,type:String});let a={...e,key:(i=e.key)!==null&&i!==void 0?i:n};r[Le]=(s=r[Le])!==null&&s!==void 0?s:new Map,r[Le].set(n,a)};(0,Fn.customElement)("ft-i18n")(z);})();
10
+ `}update(t){var r;super.update(t),["context","key","defaultMessage"].some(n=>t.has(n))&&this.context&&this.key&&this.addI18nContext(this.context,{[this.key]:(r=this.defaultMessage)!==null&&r!==void 0?r:""})}};z.elementDefinitions={};z.styles=Qt;ke([(0,pt.redux)()],z.prototype,"editorMode",void 0);ke([(0,ft.property)()],z.prototype,"context",void 0);ke([(0,ft.property)()],z.prototype,"key",void 0);ke([(0,pt.jsonProperty)([])],z.prototype,"args",void 0);ke([(0,ft.property)()],z.prototype,"defaultMessage",void 0);var Nn=class e{static build(t){return new e(t)}static buildCustom(t){return new e(t,!0)}static fromGwt(t){return new e(t)}get service(){return this.custom?He:ge}constructor(t,r=!1){this.name=t,this.custom=r,this.properties=new Proxy({},{get:(n,i)=>{let s=i;return a=>({context:this.name,key:s,custom:this.custom,args:typeof a=="function"?void 0:a,argsProvider:typeof a=="function"?a:void 0})}}),this.messages=new Proxy({},{get:(n,i)=>(...s)=>this.service.resolveMessage(this.name,i,...s)}),this.rawMessages=new Proxy({},{get:(n,i)=>this.service.resolveRawMessage(this.name,i)}),this.keys=new Proxy({},{get:(n,i)=>()=>i})}};var _u=(e,t)=>(r,n)=>{var i,s;r.constructor.createProperty(n,t??{attribute:!1,type:String});let a={...e,key:(i=e.key)!==null&&i!==void 0?i:n};r[Le]=(s=r[Le])!==null&&s!==void 0?s:new Map,r[Le].set(n,a)};(0,Un.customElement)("ft-i18n")(z);})();
11
11
  /*! Bundled license information:
12
12
 
13
13
  @lit/reactive-element/css-tag.js: