{ "version": 3, "sources": ["../../../lib.web.auth/authenticate.ts", "../../auth/authenticate.ts", "../../entry.ts", "../../startup/startup.ts", "../../startup/block_sync_updates_if_pending_patches.ts", "../../startup/service_worker_gateway.ts", "../../startup/worker_gateway.ts", "../../app.tsx", "../../pages/board_page.tsx", "../../board/board_container.tsx", "../../board/board_background.tsx", "../../board/toolbar_items.tsx", "../../board/board_drawer.tsx", "../../board/desktop_board_chooser.tsx", "../../toasts/export_board_toast.tsx", "../../toasts/import_board_toast.tsx", "../../toasts/upload_progress_toast.tsx", "../../debug/debug.tsx", "../../misc/keyboard_shortcuts.tsx", "../../dialogs/dialog_container.tsx", "../../import_data/import_data_toast.tsx", "../../pages/authorize_app_page.tsx", "../../startup/initial_state.ts", "../../../lib.web.resources/local_cache.ts", "../../startup/sync_with_worker.ts", "../../startup/watchdog.ts", "../../index.ts"], "sourcesContent": ["import {call_function} from \"@cling/lib.shared.faas/index\"\nimport {log} from \"@cling/lib.shared.logging/index\"\nimport {\n AccountUID,\n account_uid_from_gip_uid,\n as_language,\n is_Language,\n Locale,\n ManageAuthRequest,\n ManageAuthResponse,\n ManageAuthSendResetPasswordMessage,\n ManageAuthSendVerifyEmailMessage,\n OrganizationUID,\n SignUpRequest,\n SourceCampaign,\n TeamCodeUID,\n} from \"@cling/lib.shared.model/model\"\nimport {to_b64url} from \"@cling/lib.shared.model/model_utils\"\nimport {assert_never, not_null} from \"@cling/lib.shared.utils/index\"\nimport {safe_session_storage} from \"@cling/lib.web.utils/safe_storage\"\nimport {\n createUserWithEmailAndPassword,\n FacebookAuthProvider,\n getAdditionalUserInfo,\n getRedirectResult,\n GoogleAuthProvider,\n signInWithEmailAndPassword,\n signInWithRedirect,\n} from \"firebase/auth\"\nimport {auth, LAST_LOCATION_KEY} from \"./gip\"\nimport {LoginError, LoginErrorCode, SignupError, SignupErrorCode} from \"./types\"\nimport {OAuthProvider} from \"firebase/auth\"\n\nconst signup_error_map: Record<string, SignupErrorCode> = {\n \"auth/email-already-in-use\": \"user_exists\",\n \"auth/wrong-password\": \"invalid_password\",\n \"auth/invalid-email\": \"invalid_signup\",\n \"auth/weak-password\": \"password_strength_error\",\n}\n\nconst login_error_map: Record<string, LoginErrorCode> = {\n \"auth/user-not-found\": \"access_denied\",\n \"auth/wrong-password\": \"access_denied\",\n \"auth/unverified-email\": \"unverified_email\",\n}\n\nexport async function sign_up(\n args: {\n is_dev: boolean\n invite_code?: string\n team_code_uid?: TeamCodeUID\n source_campaign?: SourceCampaign\n create_organization_uid?: OrganizationUID\n locale: Locale\n } & (\n | {provider: \"google\" | \"facebook\" | \"apple\"}\n | {\n provider: \"password\"\n email: string\n password: string\n given_name: string\n family_name: string\n }\n ),\n) {\n const sign_up_request = new SignUpRequest({\n create_organization_uid: args.create_organization_uid,\n invite_code: args.invite_code,\n source_campaign: args.source_campaign,\n team_code_uid: args.team_code_uid,\n })\n if (args.provider === \"password\") {\n const {email, password} = args\n try {\n log.info(\"Signing up with email+password ...\")\n await createUserWithEmailAndPassword(auth, email, password)\n log.info(\"Signed up with email+password - sending verification e-mail ...\")\n sign_up_request.family_name = args.family_name\n sign_up_request.given_name = args.given_name\n sign_up_request.locale = args.locale\n const res = await call_function(\n new ManageAuthRequest({\n send_verify_email_message: new ManageAuthSendVerifyEmailMessage({\n email,\n sign_up_request,\n language: is_Language(args.locale) ? as_language(args.locale) : \"en\",\n }),\n }),\n ManageAuthResponse,\n )\n if (window._under_test) {\n // Store `login_url` so `playwright_commands#signup` can pick it up.\n const login_url = res.test_only_verify_url\n safe_session_storage.setItem(\"__test_only_signup_login_url\", login_url)\n log.debug(\"Running in test, storing login-url in localStorage\", {login_url})\n }\n log.info(\"Signed up with email+password - all done\")\n } catch (error) {\n throw new SignupError(signup_error_map[error.code] || \"other\", error)\n }\n } else if (\n args.provider === \"google\" ||\n args.provider === \"facebook\" ||\n args.provider === \"apple\"\n ) {\n log.debug(\"Signing up with social auth provider\", {provider: args.provider})\n safe_session_storage.setItem(\"signup.request\", to_b64url(sign_up_request))\n try {\n await sign_in_with_social(args)\n } catch (error) {\n throw new SignupError(signup_error_map[error.code] || \"other\", error)\n }\n } else {\n throw assert_never(args.provider)\n }\n}\n\nexport async function reset_password({\n email,\n locale,\n}: {\n is_dev: boolean\n email: string\n locale: Locale\n}) {\n await call_function(\n new ManageAuthRequest({\n send_reset_password_message: new ManageAuthSendResetPasswordMessage({\n email,\n language: is_Language(locale) ? as_language(locale) : \"en\",\n }),\n }),\n )\n}\n\nexport async function log_in(\n args: {is_dev: boolean; locale: Locale} & (\n | {provider: \"google\" | \"facebook\" | \"apple\"}\n | {provider: \"password\"; email: string; password: string}\n ),\n) {\n if (args.provider === \"google\" || args.provider === \"facebook\" || args.provider === \"apple\") {\n await sign_in_with_social(args)\n } else if (args.provider === \"password\") {\n let res\n try {\n res = await signInWithEmailAndPassword(auth, args.email, args.password)\n } catch (error) {\n throw new LoginError(login_error_map[error.code] || \"other\", error)\n }\n if (!res.user.emailVerified) {\n throw new LoginError(\"unverified_email\")\n }\n return {\n access_token: await res.user.getIdToken(),\n account_uid: account_uid_from_gip_uid(res.user.uid),\n is_signup: res.user.metadata.lastSignInTime === res.user.metadata.creationTime,\n }\n } else {\n throw assert_never(args.provider)\n }\n}\n\nexport async function login_or_signup_redirected(): Promise<\n | undefined\n | {is_error: true; error: any}\n | {\n is_error: false\n access_token: string\n given_name?: string\n family_name?: string\n profile_image_url?: string\n locale?: string\n account_uid: AccountUID\n }\n> {\n if (!navigator.onLine) {\n log.info(\n \"[auth] We are offline - `login_or_signup_redirected` will treat the request as not an auth redirect\",\n )\n return\n }\n try {\n const redirect_result = await getRedirectResult(auth)\n if (!redirect_result) {\n return undefined\n }\n const user_info = not_null(\n getAdditionalUserInfo(redirect_result),\n \"`getRedirectResult()` returned with no additional user-info\",\n )\n const profile = (user_info as any).profile // Google and Facebook\n const token_res = (redirect_result as any)._tokenResponse // Apple\n let given_name = profile.given_name || profile.first_name || token_res?.firstName\n if (profile.middle_name) {\n given_name += ` ${profile.middle_name}`\n }\n return {\n given_name,\n family_name: profile.family_name || profile.last_name || token_res?.lastName,\n profile_image_url: profile.picture,\n locale: profile.locale,\n account_uid: account_uid_from_gip_uid(redirect_result.user.uid),\n access_token: await redirect_result.user.getIdToken(),\n is_error: false,\n }\n } catch (error) {\n return {\n is_error: true,\n error,\n }\n }\n}\n\nasync function sign_in_with_social({\n provider,\n locale,\n}: {\n provider: \"google\" | \"facebook\" | \"apple\"\n locale: Locale\n}) {\n // Trick Firebase Auth into redirecting to the correct page.\n history.replaceState({}, \"\", safe_session_storage.getItem(LAST_LOCATION_KEY) || \"/c\")\n await signInWithRedirect(\n auth,\n provider === \"google\"\n ? google_provider()\n : provider === \"apple\"\n ? apple_provider(locale)\n : new FacebookAuthProvider(),\n )\n}\n\nfunction google_provider() {\n const provider = new GoogleAuthProvider()\n provider.addScope(\"profile\")\n provider.addScope(\"email\")\n return provider\n}\n\nfunction apple_provider(locale: Locale) {\n const provider = new OAuthProvider(\"apple.com\")\n provider.addScope(\"email\")\n provider.addScope(\"name\")\n provider.setCustomParameters({locale})\n return provider\n}\n", "import {report_error} from \"@cling/lib.shared.debug/index\"\nimport {call_function, init as init_faas_} from \"@cling/lib.shared.faas\"\nimport {log} from \"@cling/lib.shared.logging/index\"\nimport {\n AccountUID,\n create_SessionUID,\n is_Locale,\n ManageSessionRequest,\n SignUpRequest,\n SignUpResponse,\n} from \"@cling/lib.shared.model/model\"\nimport {from_b64url} from \"@cling/lib.shared.model/model_utils\"\nimport {login_or_signup_redirected} from \"@cling/lib.web.auth/authenticate\"\nimport {enforce_refresh_promise, LAST_LOCATION_KEY} from \"@cling/lib.web.auth\"\nimport {safe_session_storage} from \"@cling/lib.web.utils/safe_storage\"\n\nexport async function handle_auth_redirect(): Promise<boolean> {\n const authenticated = await login_or_signup_redirected()\n if (!authenticated) {\n return false\n }\n if (authenticated.is_error) {\n report_error(authenticated.error)\n return false\n }\n log.info(\"Social signup or login - creating user in Cling if needed\", {\n account_uid: authenticated.account_uid,\n })\n await init_faas(authenticated)\n const sign_up_request_str = safe_session_storage.getItem(\"signup.request\")\n const sign_up_request = sign_up_request_str\n ? from_b64url(SignUpRequest, sign_up_request_str)\n : new SignUpRequest({})\n safe_session_storage.removeItem(\"signup.request\")\n const locale = authenticated.locale || navigator.language\n sign_up_request.locale = is_Locale(locale) ? locale : \"en\"\n sign_up_request.profile_image_url = authenticated.profile_image_url ?? \"\"\n sign_up_request.given_name = authenticated.given_name ?? \"\"\n sign_up_request.family_name = authenticated.family_name ?? \"\"\n await call_sign_up(sign_up_request)\n return true\n}\n\nexport function redirect_based_on_sign_up_response(res?: SignUpResponse) {\n if (res?.invite_failed) {\n goto(\"/invite_failed\")\n return\n }\n if (res?.invite_invalid) {\n goto(\"/invite_invalid\")\n return\n }\n if (res?.redirect_to_board_uid) {\n goto(`/c/${res.redirect_to_board_uid}`)\n } else if (res?.full_account?.account_attributes?.create_organization_uid) {\n goto(\"/c/organizations/add\")\n } else {\n const url = safe_session_storage.getItem(LAST_LOCATION_KEY) || \"/c\"\n if (url !== location.pathname + location.search) {\n goto(url)\n }\n }\n}\n\nasync function call_sign_up(req: SignUpRequest) {\n const res = await call_function(req, SignUpResponse)\n if (res.already_exists) {\n safe_session_storage.setItem(\"authenticate.method\", \"login\")\n } else {\n // We need to refresh the id-token, because our claims might have changed.\n try {\n await enforce_refresh_promise()\n } catch (error) {\n report_error(\"Failed to refresh id-token during sign-up -- ignoring\", error)\n }\n safe_session_storage.setItem(\"authenticate.method\", \"signup\")\n }\n redirect_based_on_sign_up_response(res)\n}\n\nasync function init_faas({\n account_uid,\n access_token,\n}: {\n account_uid: AccountUID\n access_token: string\n}) {\n await call_function(new ManageSessionRequest({update_jwt: access_token}))\n // Create the account if it does not exist.\n const faas_trace_provider = () =>\n `|web_app:${process.env.VERSION}:${account_uid}:${create_SessionUID()}|`\n init_faas_({\n request_modifier: (req) => {\n req.headers[\"x-cling-faas-trace\"] = faas_trace_provider()\n },\n on_401: (error) => {\n report_error(\"Got a 401 from server while creating the user\", error)\n goto(\"/login_failure\")\n },\n })\n}\n", "import {\n init as init_logging,\n log_history,\n log_history_to_string_array,\n} from \"@cling/lib.shared.logging\"\nimport {default_logger} from \"@cling/lib.shared.logging/default_logger\"\nimport {safe_local_storage} from \"@cling/lib.web.utils/safe_storage\"\nimport {install_global_error_handler} from \"@cling/lib.shared.debug\"\n\n/** Provided by build.client.web_app.ts */\ndeclare const process: {\n env: {\n NODE_ENV: \"development\" | \"test\" | \"production\"\n VERSION: string\n F_PRINT_TO_CONSOLE: boolean\n F_PUBLIC: boolean\n }\n}\n\nexport function init() {\n install_global_error_handler()\n init_logging(\n default_logger({\n log_history,\n print_to_console:\n process.env.F_PRINT_TO_CONSOLE || safe_local_storage.getItem(\"__debug\"),\n }),\n )\n cling.debug = () => {\n // eslint-disable-next-line no-console\n log_history_to_string_array(log_history).forEach((line) => console.log(line))\n cling.print_to_console = true\n safe_local_storage.setItem(\"__debug\", \"1\")\n }\n cling.log_history = () => log_history_to_string_array(log_history)\n}\n", "import {log} from \"@cling/lib.shared.logging\"\nimport * as React from \"react\"\nimport {render} from \"preact\"\nimport {\n board_info_resource,\n board_resource,\n init as init_resources,\n media_info_resource,\n} from \"@cling/lib.web.resources\"\nimport {\n add_provisional_thumbnail,\n init as init_thumbnails,\n remove_provisional_thumbnail,\n thumbnail_url,\n} from \"@cling/lib.web.resources/thumbnails\"\nimport {init as init_block_sync} from \"./block_sync_updates_if_pending_patches\"\nimport {init as init_upload} from \"../upload/upload\"\nimport {init as init_service_worker} from \"./service_worker_gateway\"\nimport {init as init_worker_gateway} from \"./worker_gateway\"\nimport {init as init_intercom} from \"../misc/intercom\"\nimport {init as init_push_notifications} from \"../account/push_notifications\"\nimport {\n enforce_refresh,\n start as start_auth,\n logout,\n on_authentication_error,\n register_auth_listener,\n wait_until_authenticated,\n AuthInfoExtended,\n can_call_faas_promise,\n set_auth_info,\n can_call_faas,\n} from \"@cling/lib.web.auth\"\nimport {\n Account,\n AccountAnalytics,\n AccountAttributes,\n AccountAuth,\n AccountSettings,\n AccountUID,\n as_TeamUID,\n AuthInfo,\n BlobUID,\n BoardUID,\n BrowserEnv,\n Client,\n MediaInfo,\n is_system_board_uid,\n Locale,\n Login,\n ReportUserEventRequest,\n SessionUID,\n SignUp,\n SyncEntityType,\n UserEvent,\n as_BoardUID,\n board_templates_board_uid,\n OrganizationUID,\n AuthProvider,\n TeamUID,\n FeatureSwitch,\n Plan,\n PatchFullAccountRequest,\n create_PatchUID,\n PatchAccountAuth,\n extract_linked_board_and_card_uid,\n as_BlobUID,\n QueryThumbnailRequest,\n to_b64url,\n ThumbnailImageType,\n PatchUID,\n Patch,\n to_buffer,\n background_images_board_uid,\n title_images_board_uid,\n BlobUIDMapping,\n} from \"@cling/lib.shared.model\"\nimport {\n assert,\n ControllablePromise,\n full_name,\n new_ControllablePromise,\n nop,\n not_null,\n Set_equal,\n sleep,\n TimeoutError,\n} from \"@cling/lib.shared.utils\"\nimport {call_function, init as init_faas} from \"@cling/lib.shared.faas\"\nimport {init_log_event_reporting} from \"./init_logging\"\nimport {is_avif_supported, is_webp_supported, running_on_mobile_device} from \"@cling/lib.web.utils\"\nimport {set_fatal_error_url_params} from \"@cling/lib.web.utils/fatal_error_url\"\nimport {load_js} from \"@cling/lib.web.lazy_load\"\nimport {init as init_cling_button} from \"../cling_button_gateway\"\nimport {query_param} from \"@cling/lib.web.utils/query_param\"\nimport {init as init_i18n} from \"@cling/lib.web.i18n\"\nimport {init as init_download} from \"../misc/download\"\nimport * as state from \"../state/index\"\nimport {\n init as init_analytics,\n parse_source_campaign,\n report_user_event,\n store_source_campaign_to_local_storage,\n} from \"@cling/lib.web.analytics\"\nimport {App} from \"../app\"\nimport {sync_initial_state} from \"./initial_state\"\nimport {autorun, makeObservable, observable, runInAction} from \"mobx\"\nimport {\n init as init_sync_with_worker,\n request_sync_factory,\n wait_for_sync_factory,\n} from \"./sync_with_worker\"\nimport {ClingError} from \"@cling/lib.shared.error\"\nimport {EventBus, local_eventbus} from \"@cling/lib.web.primitives\"\nimport {report_error, report_info} from \"@cling/lib.shared.debug\"\nimport {random_uid} from \"@cling/lib.shared.crypto\"\nimport {start_drag_card} from \"../drag_and_drop\"\nimport type {\n AddProvisionalMediaInfo,\n PatchPublished,\n Ping,\n PublishPatch,\n RequestSync,\n RequestSyncAllFromStore,\n Search,\n SendSearchResult,\n} from \"@cling/lib.web.worker/worker_interface\"\nimport type {UID} from \"@cling/lib.shared.types/common\"\nimport type {LocalCache} from \"@cling/lib.web.resources/local_cache\"\nimport type {SearchQuery} from \"@cling/lib.shared.search\"\nimport type {CallSearchResult} from \"../state/search_state\"\nimport {\n init_dev,\n misc_init,\n preload_assets,\n set_global_css_classes,\n set_user_currency,\n} from \"./startup_common\"\nimport {goto_board} from \"../utils\"\nimport {safe_session_storage} from \"@cling/lib.web.utils/safe_storage\"\nimport {board_name} from \"../board/board_name\"\nimport p_limit from \"p-limit\"\nimport {set_board_size} from \"../state/patch\"\nimport {navigate} from \"@reach/router/index\"\nimport {supported_thumbnail_dims} from \"@cling/lib.shared.faas/constants\"\n\nconst report_user_event_queue = p_limit(1)\nconst analytics_initialized = new_ControllablePromise<void>()\n\nexport async function start_web_app(\n session_uid: SessionUID,\n set_state: (value: \"starting\" | \"waiting for authentication\") => void,\n): Promise<boolean> {\n parse_source_campaign()\n set_fatal_error_url_params({s: session_uid})\n const {frontend_only, dev} = init_dev()\n misc_init({dev})\n set_global_css_classes()\n const silent_login = location.search.includes(\"silent_login\")\n const special_mode = frontend_only ? \", frontend_only\" : silent_login ? \", silent_login\" : \"\"\n log.debug(`start_web_app()${special_mode} ${cling.version.substring(0, 7)} ${session_uid}`)\n const client = running_on_mobile_device() ? Client.web_app_mobile : Client.web_app_desktop\n let auth_info: AuthInfoExtended\n let csrf_token: string\n if (frontend_only) {\n auth_info = {\n account_uid: \"a_________fake_paul\" as AccountUID,\n team_uids: [\n as_TeamUID(\"t_________________boys\"),\n as_TeamUID(\"t___________olsenbande\"),\n as_TeamUID(\"t____english_for_runaways\"),\n ],\n admin_organization_uids: [],\n auth_providers: [AuthProvider.username_password],\n }\n set_auth_info(auth_info)\n } else {\n const initial_auth_info = await start_auth({\n remember_url: !silent_login,\n update_csrf_token: (token: string) => (csrf_token = token),\n })\n if (initial_auth_info) {\n auth_info = initial_auth_info\n } else {\n log.info(\"start_web_app() - waiting for authentication ...\")\n set_state(\"waiting for authentication\")\n auth_info = await wait_until_authenticated()\n }\n set_state(\"starting\")\n }\n assert(auth_info, \"`auth_info` should be set by now\")\n // Notify code running outside of this app (index.template.ts) that\n // we are logged in.\n cling.authenticated = true\n set_fatal_error_url_params({a: auth_info.account_uid, s: session_uid})\n init_cling_button(silent_login)\n if (silent_login) {\n log.info(\"start_web_app() - this is a silent login ...\")\n return false\n }\n const await_before_render: Promise<void>[] = []\n preload_assets({await_before_render})\n let auth_state: (AuthInfo & {access_token: string}) | undefined\n register_auth_listener((auth_state_) => {\n auth_state = auth_state_\n auth_info = {\n account_uid: auth_state.account_uid,\n team_uids: auth_state.team_uids,\n admin_organization_uids: auth_state.admin_organization_uids,\n auth_providers: auth_state_.auth_providers,\n }\n // Some FAAS like `query-thumbnail` require the faas-trace to be set in a cookie\n // because they are called from a <img> tag.\n const faas_trace = `|web_app:${process.env.VERSION}:${\n auth_state?.account_uid || auth_info?.account_uid\n }:${session_uid}|`\n // We need to mark the cookie as coming from \"dev\" because when logged in\n // into the production and a dev environment at the same time, both cookies\n // are sent to the dev-server.\n document.cookie = `${dev ? \"devf\" : \"f\"}=${faas_trace}; domain=.${\n location.hostname\n } ;path=/; SameSite=Strict; Secure`\n // TODO: This is only used in tests - refactor the test and remove this code!\n ;(cling as any).auth_state = auth_state\n })\n init_faas({\n /**\n * Block until we are authenticated.\n */\n request_modifier: async (req) => {\n const t0 = Date.now()\n // Busy wait until we are authenticated.\n while (!auth_state) {\n // `manage-session` is called before `auth_state` is set. We have to let it through\n // to avoid a deadlock.\n if (req.url?.endsWith(\"/f/manage-session\")) {\n return\n }\n if (Date.now() - t0 > 30_000) {\n throw new ClingError(\"Timeout waiting for authentication\", 503)\n }\n await sleep(100)\n }\n req.headers[\"x-cling-csrf-token\"] = csrf_token\n },\n on_401: on_authentication_error,\n })\n init_log_event_reporting(client)\n const is_new_user = _detect_and_report_login_or_signup()\n const thumbnail_image_type = (await is_avif_supported())\n ? ThumbnailImageType.avif\n : (await is_webp_supported())\n ? ThumbnailImageType.webp\n : ThumbnailImageType.png\n log.debug(\"start_web_app() - starting / connecting worker ...\")\n const port = await start_worker({\n account_uid: auth_info.account_uid,\n ping_message: {type: \"ping\", thumbnail_image_type, location_search: location.search},\n })\n log.debug(\"start_web_app() - wiring up caches, stores and event-buses ...\")\n const publish_patch_bus = local_eventbus<PublishPatch | PatchPublished>()\n const {ignore_sync_update, publish_patch: _publish_patch} = init_block_sync(publish_patch_bus)\n const {caches, local_cache_sync_event_bus, pause_board_sync} = await init_sync_with_worker(\n (msg) => {\n if (msg.sync_entity_type === SyncEntityType.board && msg.type === \"sync_put\") {\n set_board_size(as_BoardUID(msg.uid), msg.full_pb.length)\n }\n return ignore_sync_update(msg)\n },\n )\n const request_sync_bus = local_eventbus<RequestSync | RequestSyncAllFromStore>()\n const request_sync = (uid: UID, type: SyncEntityType) =>\n request_sync_bus.postMessage({\n type: \"request_sync\",\n uid,\n sync_entity_type: type,\n })\n const search_bus = local_eventbus<Search | SendSearchResult>()\n const add_provisional_media_info_bus = local_eventbus<AddProvisionalMediaInfo>()\n init_worker_gateway({\n auth_info_provider: () => not_null(auth_info),\n csrf_token_provider: () => csrf_token,\n port,\n sync_updates_bus: local_cache_sync_event_bus,\n request_sync_bus,\n publish_patch_bus,\n add_provisional_media_info_bus,\n search_bus,\n ping_message: {type: \"ping\", thumbnail_image_type, location_search: location.search},\n })\n log.debug(\"start_web_app() - eagerly requesting BoardInfo, Team and Account entities ...\")\n eagerly_request_sync(request_sync_bus)\n log.debug(\"start_web_app() - fetching initial state ...\")\n const current_user = await sync_initial_state({\n account_uid: auth_info.account_uid,\n caches,\n request_sync,\n board_uid_hint: board_uid_hint(location.href),\n })\n current_user.is_new = is_new_user\n if (cling.frontend_only) {\n // We have to do this again, because only now everything is available.\n eagerly_request_sync(request_sync_bus)\n }\n log.debug(\"start_web_app() - initializing resources ...\")\n init_resources({\n current_user,\n caches,\n request_sync: request_sync_factory({request_sync}),\n wait_for_sync: wait_for_sync_factory({request_sync}),\n })\n init_upload({\n add_provisional_thumbnail: async ({\n blob_uid,\n mime_type,\n image_file,\n image_height,\n image_width,\n }: {\n blob_uid: BlobUID\n mime_type: string\n image_file: File\n image_width: number\n image_height: number\n }) => {\n try {\n const media_info = new MediaInfo({\n width: image_width,\n height: image_height,\n blob_uid,\n version: 0,\n mime_type,\n size: image_file.size,\n })\n add_provisional_media_info_bus.postMessage({\n type: \"add_provisional_media_info\",\n media_info: media_info,\n })\n await add_provisional_thumbnail({\n blob_uid,\n mime_type,\n file: image_file,\n width: image_width,\n height: image_height,\n })\n // Request the correct MediaInfo once the server has generated it.\n // This will also trigger the removal of the provisional thumbnail (see below).\n request_sync(blob_uid, SyncEntityType.media_info)\n } catch (error) {\n report_error(\"Failed to add provisional thumbnail\", error)\n }\n },\n })\n // Remove provisional thumbnails once they are no longer needed.\n local_cache_sync_event_bus.addEventListener((msg) => {\n if (\n msg.data.sync_entity_type === SyncEntityType.media_info &&\n (msg.data.type === \"sync_put\" || msg.data.type === \"sync_up_to_date\")\n ) {\n if (msg.data.version === 0) {\n // This is the provisional MediaInfo, we only remove the provisional thumbnail\n // once the server has generated the correct MediaInfo.\n return\n }\n remove_provisional_thumbnail(as_BlobUID(msg.data.uid))\n .then((removed) => {\n if (removed) {\n // Make sure everything renders again.\n ui_state.inc_image_cache_thrash_index(as_BlobUID(msg.data.uid))\n }\n })\n .catch(report_error)\n }\n })\n const frontend_only_blob_uid_mapping: BlobUIDMapping[] = []\n const copy_media_promises: Promise<void>[] = []\n const publish_patch = (args: {\n patch_uid: PatchUID\n board_uids: BoardUID[]\n patch: Patch\n transformed_patches: Patch[]\n patch_pb: Uint8Array\n transformed_patches_pb: Uint8Array[]\n }) => {\n _publish_patch(args)\n const blob_uid_mapping = [...args.patch.blob_uid_mapping]\n for (const p of args.transformed_patches) {\n blob_uid_mapping.push(...p.blob_uid_mapping)\n }\n for (const {src} of blob_uid_mapping) {\n media_info_resource.read(src)\n }\n if (frontend_only) {\n frontend_only_blob_uid_mapping.push(...blob_uid_mapping)\n }\n ;(async () => {\n // Wait until all previous copies have finished.\n // This is necessary because a copy might be copied again (e.g. when a card is copied\n // to the clipboard and then pasted).\n while (copy_media_promises.length > 0) {\n await copy_media_promises.shift()\n }\n for (const {src, target} of blob_uid_mapping) {\n let media_info = media_info_resource.read(src)\n const t0 = Date.now()\n while (Date.now() - t0 < 500 && !media_info) {\n await sleep(50)\n media_info = media_info_resource.read(src)\n }\n if (!media_info || media_info?.invalid) {\n continue\n }\n const new_media_info = new MediaInfo({...media_info, blob_uid: target})\n add_provisional_media_info_bus.postMessage({\n type: \"add_provisional_media_info\",\n media_info: new_media_info,\n })\n caches[SyncEntityType.media_info].put(target, to_buffer(new_media_info))\n // Request the correct MediaInfo once the server has generated it.\n // This will also trigger the removal of the provisional thumbnail (see above).\n request_sync(new_media_info.blob_uid, SyncEntityType.media_info)\n copy_media_promises.push(\n (async () => {\n // Request the largest size because the SW will send us what's cached anyway.\n const url = thumbnail_url({\n blob_uid: src,\n width: supported_thumbnail_dims[supported_thumbnail_dims.length - 1],\n height: supported_thumbnail_dims[supported_thumbnail_dims.length - 1],\n })\n const res = await fetch(url)\n await add_provisional_thumbnail({\n blob_uid: new_media_info.blob_uid,\n mime_type: new_media_info.mime_type,\n file: (await res.blob()) as File,\n width: new_media_info.width,\n height: new_media_info.height,\n })\n })().catch(report_info),\n )\n }\n while (copy_media_promises.length > 0) {\n await copy_media_promises.shift()\n }\n })().catch(report_error)\n }\n const user_locale = query_param(\"__locale\", () => current_user.account.locale) as Locale\n current_user.account.locale = user_locale\n await init_i18n(user_locale)\n init_download(() => false, can_call_faas)\n const ui_state = state.init({\n current_user,\n call_search: call_search_factory(search_bus),\n publish_patch,\n pause_board_sync,\n })\n assert(state.current_user, \"`state.current_user` has not been set yet.\")\n _sync_current_user(caches)\n _sync_claims()\n _sync_auth_providers_with_server()\n init_service_worker().catch(report_error)\n log.debug(\"start_web_app() - initializing thumbnails ...\")\n if (frontend_only) {\n const thumbnails = {\n m_empire_state_building: \"empire_state_building.jpg\",\n m_empire_state_building2: \"empire_state_building.jpg\",\n m_empire_state_building3: \"empire_state_building.jpg\",\n m_empire_state_building4: \"empire_state_building.jpg\",\n m_ferrari_formula1_2004_jpeg: \"schumacher_ferrari.jpg\",\n m_ferrari_formula1_2004_jpeg2: \"schumacher_ferrari.jpg\",\n m_ferrari_formula1_2004_jpeg3: \"schumacher_ferrari.jpg\",\n m_________avatar2_png: \"avatar2.png\",\n m_________avatar2_png2: \"avatar2.png\",\n m_________avatar2_png3: \"avatar2.png\",\n m______________empty_png: \"empty.png\",\n } as {[blob_uid: BlobUID]: string}\n await init_thumbnails({\n thumbnail_url: ({blob_uid}) => {\n const resolved_blob_uid =\n frontend_only_blob_uid_mapping.find((x) => x.target === blob_uid)?.src ||\n blob_uid\n const name = thumbnails[resolved_blob_uid]\n return `https://storage.googleapis.com/lib_shared_test_assets/${name}`\n },\n image_cache_thrash_index: () => 0,\n })\n } else {\n await init_thumbnails({\n thumbnail_url: (args) => {\n const req = new QueryThumbnailRequest({...args, image_type: thumbnail_image_type})\n return `https://${location.hostname}/query-thumbnail?q=${to_b64url(req)}`\n },\n image_cache_thrash_index: state.ui_state.image_cache_thrash_index.bind(state.ui_state),\n })\n }\n init_analytics({\n client,\n client_version: cling.version,\n current_user_info: () => ({\n tracking_id: current_user.account_attributes.tracking_id,\n locale: current_user.account.locale,\n feature_switches: current_user.account_attributes.feature_switches,\n plan: current_user.account_attributes.plan,\n team_uids: current_user.account_attributes.team_uids,\n cohort_date: current_user.account.first_change.date,\n }),\n send_user_event: frontend_only\n ? nop\n : (user_event: UserEvent, browser_env: BrowserEnv) => {\n const board_info = user_event.board_uid\n ? board_info_resource.read(user_event.board_uid)\n : undefined\n browser_env.document_referrer = document.referrer.startsWith(\n `https://${location.host}`,\n )\n ? \"\"\n : document.referrer\n if (board_info?.indexed_by_search_engines) {\n // Use the canonical board name.\n browser_env.document_title = `[pb] ${board_name(board_info)}`\n } else {\n // Anonymize browser_env for private boards.\n browser_env.document_title = \"__private_board\"\n browser_env.document_location = `${location.protocol}//${location.host}/c/__private_board`\n }\n report_user_event_queue(() =>\n can_call_faas_promise()\n .then(() =>\n call_function(\n new ReportUserEventRequest({\n user_events: [user_event],\n browser_env,\n }),\n ).catch(report_error),\n )\n .catch(report_error),\n ).catch(report_error)\n },\n current_board_uid: () => ui_state.current_board_uid,\n })\n analytics_initialized.resolve()\n init_intercom({\n crm_id: current_user.account_attributes.crm_id,\n email: current_user.account_attributes.email,\n full_name: full_name(current_user.account),\n })\n init_push_notifications()\n log.debug(\"start_web_app() - waiting for `await_before_render` ...\")\n await Promise.all(await_before_render)\n if (current_user.account_attributes?.create_organization_uid) {\n navigate(\"/c/organizations/add\").catch(report_error)\n }\n render(React.createElement(App), document.getElementById(\"root\")!)\n log.debug(\"start_web_app() - eagerly requesting new board templates ...\")\n eagerly_sync_board_templates().catch(report_error)\n log.debug(\"start_web_app() - eagerly requesting background and title images ...\")\n board_resource.read(background_images_board_uid)\n board_resource.read(title_images_board_uid)\n can_call_faas_promise()\n .then(() => set_user_currency().catch(report_error))\n .catch(report_error)\n // For testing.\n if (location.hostname.startsWith(\"dev-\")) {\n ;(window as any).test_helper = {\n load_js,\n logout,\n goto_board,\n start_drag_card,\n }\n }\n return true\n}\n\nfunction _detect_and_report_login_or_signup() {\n const event = safe_session_storage.getItem(\"authenticate.method\") as\n | \"login\"\n | \"signup\"\n | undefined\n if (!event) {\n return false\n }\n const auth_provider = parseInt(\n safe_session_storage.getItem(\"authenticate.provider\")!,\n ) as unknown as AuthProvider\n safe_session_storage.removeItem(\"authenticate.method\")\n safe_session_storage.removeItem(\"authenticate.provider\")\n if (event === \"signup\") {\n const ttfl_start = safe_session_storage.getItem(\"ttfl_start\")\n const ttfl = ttfl_start ? Date.now() - parseInt(ttfl_start) : 0\n analytics_initialized\n .then(() => {\n report_user_event({sign_up: new SignUp({auth_provider, ttfl})})\n })\n .catch(report_error)\n } else {\n analytics_initialized\n .then(() => {\n report_user_event({login: new Login({auth_provider})})\n })\n .catch(report_error)\n }\n safe_session_storage.removeItem(\"ttfl_start\")\n return event === \"signup\"\n}\n\nfunction _sync_auth_providers_with_server() {\n register_auth_listener(async ({auth_providers}) => {\n if (\n JSON.stringify([...auth_providers].sort()) ===\n JSON.stringify([...state.current_user.account_auth.auth_providers].sort())\n ) {\n return\n }\n await call_function(\n new PatchFullAccountRequest({\n patch_uid: create_PatchUID(),\n patch_account_auth: new PatchAccountAuth({\n auth_providers,\n }),\n }),\n )\n })\n}\n\n/**\n * Monitor `current_user` as well as the auth state (Google Identity Platform's id-token)\n * and enforce refreshing the id-token if there is any mismatch.\n */\nfunction _sync_claims() {\n const gip = {\n team_uids: new Set<TeamUID>(),\n admin_organization_uids: new Set<OrganizationUID>(),\n feature_switches: new Set<FeatureSwitch>(),\n plan: Plan.free,\n }\n makeObservable(gip, {\n team_uids: observable.shallow,\n admin_organization_uids: observable.shallow,\n feature_switches: observable.shallow,\n plan: observable,\n })\n let autorun_dispose: () => any\n register_auth_listener(async ({team_uids, admin_organization_uids, access_token_claims}) => {\n runInAction(() => {\n gip.team_uids = new Set(team_uids)\n gip.admin_organization_uids = new Set(admin_organization_uids)\n gip.feature_switches = new Set(\n access_token_claims[\"https://cling.com/feature_switches\"] || [],\n )\n gip.plan = access_token_claims[\"https://cling.com/plan\"] || Plan.free\n })\n if (!autorun_dispose) {\n autorun_dispose = autorun(() => {\n const a = state.current_user.account_attributes\n let refresh = false\n if (!Set_equal(new Set(a.team_uids), gip.team_uids)) {\n log.info(\n \"`team_uids` in JWT and `current_user` do not match - enforcing refresh\",\n )\n refresh = true\n } else if (\n !Set_equal(new Set(a.admin_organization_uids), gip.admin_organization_uids)\n ) {\n log.info(\n \"`admin_organization_uids` in JWT and `current_user` do not match - enforcing refresh\",\n )\n refresh = true\n } else if (!Set_equal(new Set(a.feature_switches), gip.feature_switches)) {\n log.info(\n \"`feature_switches` in JWT and `current_user` do not match - enforcing refresh\",\n )\n refresh = true\n } else if (a.plan !== gip.plan) {\n log.info(\"`plan` in JWT and `current_user` do not match - enforcing refresh\")\n refresh = true\n }\n if (refresh) {\n enforce_refresh()\n }\n })\n }\n })\n}\n\n/**\n * Listen for changes in in account*-caches and update `state.current_user` accordingly.\n * Store the `source_campaign` to the session storage as well.\n */\nfunction _sync_current_user(caches: {\n [SyncEntityType.account]: LocalCache<AccountUID, Account>\n [SyncEntityType.account_settings]: LocalCache<AccountUID, AccountSettings>\n [SyncEntityType.account_attributes]: LocalCache<AccountUID, AccountAttributes>\n [SyncEntityType.account_auth]: LocalCache<AccountUID, AccountAuth>\n [SyncEntityType.account_analytics]: LocalCache<AccountUID, AccountAnalytics>\n}) {\n autorun(\n () => {\n const account_uid = state.current_user.account.uid\n const account = caches[SyncEntityType.account].get(account_uid)\n const account_settings = caches[SyncEntityType.account_settings].get(account_uid)\n const account_analytics = caches[SyncEntityType.account_analytics].get(account_uid)\n const account_attributes = caches[SyncEntityType.account_attributes].get(account_uid)\n const account_auth = caches[SyncEntityType.account_auth].get(account_uid)\n runInAction(() => {\n if (account.version > state.current_user.account.version) {\n state.current_user.account = account\n }\n if (account_settings.version > state.current_user.account_settings.version) {\n state.current_user.account_settings = account_settings\n }\n if (account_analytics.version > state.current_user.account_analytics.version) {\n state.current_user.account_analytics = account_analytics\n }\n if (account_attributes.version > state.current_user.account_attributes.version) {\n state.current_user.account_attributes = account_attributes\n }\n if (account_auth.version > state.current_user.account_auth.version) {\n state.current_user.account_auth = account_auth\n }\n })\n if (account_attributes?.source_campaign) {\n store_source_campaign_to_local_storage(account_attributes.source_campaign)\n }\n },\n {name: \"startup.ts - current_user.account*\"},\n )\n}\n\nfunction call_search_factory(search_bus: EventBus<Search | SendSearchResult>) {\n const outstanding = new Map<string, ControllablePromise<CallSearchResult>>()\n search_bus.addEventListener((event) => {\n const msg = event.data\n if (msg.type === \"send_search_result\") {\n const promise = outstanding.get(msg.search_id)\n if (!promise) {\n log.info(\"Got a search result for an unknown request - ignoring it\", {\n search_id: msg.search_id,\n })\n return\n }\n log.debug(\"Got search result from worker\", {\n num_matching_cards: msg.matches.length,\n num_indexed_board_uid: msg.indexed_board_uids.length,\n })\n outstanding.delete(msg.search_id)\n promise.resolve({matches: msg.matches, indexed_board_uids: msg.indexed_board_uids})\n }\n })\n return async function (query: SearchQuery) {\n const search_id = random_uid(\"_\")\n const promise = new_ControllablePromise<CallSearchResult>()\n outstanding.set(search_id, promise)\n search_bus.postMessage({type: \"search\", search_id, query})\n return promise\n }\n}\n\nfunction eagerly_request_sync(request_sync_bus: EventBus<RequestSync | RequestSyncAllFromStore>) {\n request_sync_bus.postMessage({\n type: \"request_sync_all_from_store\",\n sync_entity_type: SyncEntityType.board_info,\n })\n request_sync_bus.postMessage({\n type: \"request_sync_all_from_store\",\n sync_entity_type: SyncEntityType.account,\n })\n request_sync_bus.postMessage({\n type: \"request_sync_all_from_store\",\n sync_entity_type: SyncEntityType.team,\n })\n}\n\n/**\n * Load all the template boards as soon as possible.\n */\nasync function eagerly_sync_board_templates() {\n const template_board = await board_resource.wait_for_sync(board_templates_board_uid)\n const board_uids = template_board.regular_cards\n .map((x) =>\n x.link ? extract_linked_board_and_card_uid(x.link?.url)?.board_uid : undefined,\n )\n .filter((x) => !!x) as BoardUID[]\n for (const x of board_uids) {\n board_resource.read(x)\n }\n}\n\n/**\n * Start the worker and wait until it answers a `ping` message.\n */\nasync function start_worker({\n account_uid,\n ping_message,\n}: {\n account_uid: string\n ping_message: Ping\n}): Promise<Pick<MessagePort, \"postMessage\" | \"addEventListener\">> {\n const name = `cling:${cling.version}:${account_uid}`\n type PORT = Pick<MessagePort, \"postMessage\" | \"addEventListener\" | \"removeEventListener\">\n const use_shared_worker = window.SharedWorker && !location.search.includes(\"__force_worker\")\n const start = (): PORT => {\n if (use_shared_worker) {\n log.info(\"Starting / connecting SharedWorker ...\")\n const worker = new SharedWorker(process.env.WORKER_URI!, {name})\n worker.port.start()\n return worker.port\n } else {\n log.info(\"Starting Worker ...\")\n return new Worker(process.env.WORKER_URI!, {name})\n }\n }\n const wait_for_connection = (port: PORT, timeout: number) =>\n new Promise<void>((resolve, reject) => {\n const timeout_var = setTimeout(() => {\n clean_up()\n reject(new TimeoutError(\"Can't connect to worker\"))\n }, timeout)\n const clean_up = () => {\n port.removeEventListener(\"message\", on_message)\n port.removeEventListener(\"messageerror\", on_message_error)\n clearTimeout(timeout_var)\n }\n const on_message_error = (error: any) => {\n clean_up()\n reject(error)\n }\n const on_message = ({data: {msg}}: {data: any}) => {\n if (msg.type === \"pong\") {\n clean_up()\n resolve()\n }\n }\n port.addEventListener(\"message\", on_message)\n port.addEventListener(\"messageerror\", on_message_error)\n port.postMessage({msg: ping_message})\n })\n const port = start()\n await wait_for_connection(port, 20_000)\n return port\n}\n\n/**\n * Extract the board-uid to load eagerly.\n * Note that we only try to eagerly load a board if this is a \"pure\" board-URL meaning\n * that this is not an invite or a direct card link or anything else. System boards are\n * ignored, too.\n */\nexport function board_uid_hint(url: string): BoardUID | undefined {\n const board_uid = extract_linked_board_and_card_uid(url)?.board_uid\n if (!board_uid) {\n return undefined\n }\n if (is_system_board_uid(board_uid)) {\n return undefined\n }\n if (new URL(url).pathname.split(\"/\").length !== 3) {\n return undefined\n }\n return board_uid\n}\n", "/**\n * We want to ignore updates for boards if we have pending patches. That would lead to changes\n * made by the user to be (temporarily) overwritten. This is known as \"zipzap\" and bothered us\n * for quite a while.\n */\nimport type {PatchPublished, PublishPatch, SyncUpdate} from \"@cling/lib.web.worker/worker_interface\"\nimport type {EventBus} from \"@cling/lib.web.primitives\"\nimport {BoardUID, PatchUID, is_BoardUID} from \"@cling/lib.shared.model\"\n\nexport function init(publish_patch_bus: EventBus<PublishPatch | PatchPublished>) {\n const pending_patches = new Map<PatchUID, BoardUID[]>()\n publish_patch_bus.addEventListener((event) => {\n const msg = event.data\n if (msg.type === \"patch_published\") {\n pending_patches.delete(msg.patch_uid)\n }\n })\n return {\n ignore_sync_update: (msg: SyncUpdate) => {\n if (msg.type === \"sync_put\" && is_BoardUID(msg.uid)) {\n const board_uid = msg.uid\n return [...pending_patches.values()].some((x) => x.includes(board_uid))\n }\n return false\n },\n publish_patch: ({\n board_uids,\n patch_pb,\n patch_uid,\n transformed_patches_pb,\n }: {\n patch_uid: PatchUID\n board_uids: BoardUID[]\n patch_pb: Uint8Array\n transformed_patches_pb: Uint8Array[]\n }) => {\n pending_patches.set(patch_uid, board_uids)\n publish_patch_bus.postMessage({type: \"publish_patch\", patch_pb, transformed_patches_pb})\n },\n }\n}\n", "import {runInAction} from \"mobx\"\nimport {log} from \"@cling/lib.shared.logging\"\nimport {ui_state} from \"../state/index\"\nimport {report_error, report_info} from \"@cling/lib.shared.debug\"\nimport type {\n MessageFromServiceWorker,\n MessageToServiceWorker,\n} from \"@cling/lib.web.service_worker/message_types\"\nimport {error_to_string, is_never_compile_time_check} from \"@cling/lib.shared.utils\"\nimport {as_BlobUID} from \"@cling/lib.shared.model\"\n\n// Note: We redeclare the interface `ServiceWorkerContainer` here,\n// because we want to redefine the `postMessage` method to\n// only allow a `MessageToServiceWorker` as first parameter.\ninterface ServiceWorkerContainer extends EventTarget {\n readonly ready: Promise<ServiceWorkerRegistration>\n controller: {\n readonly scriptURL: string\n postMessage(message: MessageToServiceWorker, transfer?: Array<Transferable>): void\n }\n addEventListener(\n type: \"message\",\n listener: (event: {data: MessageFromServiceWorker}) => void,\n ): void\n addEventListener(type: \"controllerchange\", listener: () => void): void\n}\n\nexport async function init() {\n const swc = navigator.serviceWorker as any as ServiceWorkerContainer\n if (!swc) {\n log.info(\"navigator.serviceWorker not defined -- running without ServiceWorker\")\n return\n }\n let swr: ServiceWorkerRegistration\n try {\n swr = await cling.swr_promise\n } catch (error) {\n log.info(\"Failed to register ServiceWorker -- running without ServiceWorker\", error)\n return\n }\n const check_for_new_version = async () => {\n try {\n await swr.update()\n } catch (error) {\n const error_str = error_to_string(error)\n if (\n error_str.includes(\n \"InvalidStateError: Failed to update a ServiceWorker for scope ('https://cling.com/') with script ('Unknown'): The object is in an invalid state\",\n ) ||\n error_str.includes(\n \"Failed to update the ServiceWorker: InvalidStateError: An attempt was made to use an object that is not, or is no longer, usable\",\n )\n ) {\n report_info(\"Failed to update the ServiceWorker\", error)\n } else {\n report_error(\"Failed to update the ServiceWorker\", error)\n }\n }\n // Schedule next update check.\n setTimeout(check_for_new_version, 17 * 60 * 1000)\n }\n // Schedule first update check.\n setTimeout(check_for_new_version, 17 * 60 * 1000)\n const not_controlled_by_service_worker = () => !swc.controller\n const controlled_by_wrong_service_worker = () =>\n swc.controller && !swc.controller.scriptURL.endsWith(\"service_worker.js\")\n const validate_active_service_worker = () => {\n if (controlled_by_wrong_service_worker()) {\n report_error(\n `Controlled by wrong ServiceWorker: ${swc.controller.scriptURL} - trying to unregister it and reload`,\n )\n swr.unregister()\n .then(() => reload(\"Controlled by wrong service worker\"))\n .catch((error) => report_error(\"Failed to unregister wrong service worker\", error))\n }\n }\n validate_active_service_worker()\n let not_controlled_by_service_worker_ = not_controlled_by_service_worker()\n let controlled_by_wrong_service_worker_ = controlled_by_wrong_service_worker()\n\n if (controlled_by_wrong_service_worker_) {\n swc.controller!.postMessage({type: \"new_dataflow\"})\n }\n swc.addEventListener(\"controllerchange\", () => {\n validate_active_service_worker()\n if (not_controlled_by_service_worker_) {\n // If the current browser tab was not controlled by a ServiceWorker before,\n // we ignore \"controllerchange\" event.\n } else if (controlled_by_wrong_service_worker_) {\n // If the current browser tab was controlled by a wrong ServiceWorker before,\n // we ignore \"controllerchange\" event.\n } else {\n log.info(\"Controlled by new ServiceWorker -- showing new version available hint ...\")\n runInAction(() => (ui_state.show_new_version_available = true))\n }\n not_controlled_by_service_worker_ = not_controlled_by_service_worker()\n controlled_by_wrong_service_worker_ = controlled_by_wrong_service_worker()\n })\n swc.addEventListener(\"message\", async ({data}) => {\n try {\n const msg = data as MessageFromServiceWorker\n if (msg.type === \"log\") {\n const {severity, context, message, extra} = msg\n log[severity](`[${context}] ${message}`, extra)\n } else if (msg.type === \"refresh_image\") {\n const {blob_uid, url} = msg\n ui_state.inc_image_cache_thrash_index(as_BlobUID(blob_uid))\n // This is needed for PhotoSwipe.\n const q = new URL(url).searchParams.get(\"q\")!\n for (const elm of document.querySelectorAll(`[src*=\"${q}\"]`)) {\n const img = elm as HTMLImageElement\n img.src = `${url}&_thrash=${Date.now()}`\n }\n } else {\n is_never_compile_time_check(msg)\n }\n } catch (error) {\n report_error(\"Failed to handle message from ServiceWorker\", error)\n }\n })\n}\n", "import type {\n MessageFromWorker,\n Ping,\n PublishPatch,\n Reload,\n RequestSync,\n RequestSyncAllFromStore,\n Search,\n SendAuthState,\n SendSearchResult,\n SyncUpdate,\n PatchPublished,\n AddProvisionalMediaInfo,\n} from \"@cling/lib.web.worker/worker_interface\"\nimport {log} from \"@cling/lib.shared.logging\"\nimport {assert_never} from \"@cling/lib.shared.utils\"\nimport type {EventBus} from \"@cling/lib.web.primitives\"\nimport {register_auth_listener, enforce_refresh} from \"@cling/lib.web.auth\"\nimport {fatal_error_url} from \"@cling/lib.web.utils/fatal_error_url\"\nimport {report_info} from \"@cling/lib.shared.debug\"\nimport {sensors} from \"../debug/sensors\"\nimport type {AuthInfo} from \"@cling/lib.shared.model\"\nimport {Snackbar} from \"@cling/lib.web.mdc\"\nimport {i18n} from \"@cling/lib.web.i18n\"\nimport {open_intercom} from \"../misc/intercom\"\n\nlet _port: Pick<MessagePort, \"postMessage\">\nlet last_pong_received_at = 0\n\nfunction handle_message_from_worker({\n sync_updates_bus,\n search_bus,\n publish_patch_bus,\n}: {\n sync_updates_bus: EventBus<SyncUpdate>\n search_bus: EventBus<Search | SendSearchResult>\n publish_patch_bus: EventBus<PublishPatch | PatchPublished>\n}) {\n return (event: MessageEvent) => {\n const msg = event.data.msg as MessageFromWorker\n if (msg.type === \"log\") {\n const {severity, context, message, extra} = msg\n let prefix\n if (navigator.userAgent.includes(\"Chrome/\") && !window._under_test) {\n // Colorize the context (cyan background).\n prefix = `\\x1b[46m[${context}]\\x1b[91m\\x1b[0m `\n } else {\n prefix = `[${context}] `\n }\n log[severity](`${prefix}${message}`, extra)\n } else if (msg.type === \"pong\") {\n last_pong_received_at = Date.now()\n sensors.set_network_state(msg.offline ? \"offline\" : \"online\")\n } else if (\n msg.type === \"sync_put\" ||\n msg.type === \"sync_remove\" ||\n msg.type === \"sync_up_to_date\" ||\n msg.type === \"sync_error\"\n ) {\n sync_updates_bus.postMessage(msg)\n } else if (msg.type === \"fatal_error\") {\n goto(fatal_error_url(msg.error))\n } else if (msg.type === \"send_search_result\") {\n search_bus.postMessage(msg)\n } else if (msg.type === \"reload\") {\n reload(`Received \"reload\" message from worker: ${msg.reason}`)\n } else if (msg.type === \"patch_published\") {\n publish_patch_bus.postMessage(msg)\n sensors.patch_published(msg.patch_uid)\n if (msg.cling_error_code) {\n Snackbar.show_message(\n `${i18n.changes_could_not_be_saved} ${i18n.cling_error_code_msg(\n msg.cling_error_code,\n \"\",\n )}`,\n i18n.help,\n () => open_intercom(\"new_message\"),\n )\n }\n } else if (msg.type === \"refresh_auth\") {\n log.info(\"Worker told us to refresh auth\")\n enforce_refresh()\n } else {\n throw assert_never(msg)\n }\n }\n}\n\nexport function send_message_to_worker(msg: Reload) {\n _port?.postMessage({msg})\n}\n\nexport function init({\n auth_info_provider,\n csrf_token_provider,\n port,\n sync_updates_bus,\n request_sync_bus,\n publish_patch_bus,\n search_bus,\n add_provisional_media_info_bus,\n ping_message,\n}: {\n auth_info_provider: () => AuthInfo\n csrf_token_provider: () => string\n port: Pick<MessagePort, \"postMessage\" | \"addEventListener\">\n sync_updates_bus: EventBus<SyncUpdate>\n request_sync_bus: EventBus<RequestSync | RequestSyncAllFromStore>\n publish_patch_bus: EventBus<PublishPatch | PatchPublished>\n search_bus: EventBus<Search | SendSearchResult>\n add_provisional_media_info_bus: EventBus<AddProvisionalMediaInfo>\n ping_message: Ping\n}) {\n _port = port\n port.addEventListener(\n \"message\",\n handle_message_from_worker({\n sync_updates_bus,\n search_bus,\n publish_patch_bus,\n }),\n )\n request_sync_bus.addEventListener((event) => {\n port.postMessage({msg: event.data})\n })\n publish_patch_bus.addEventListener((event) => {\n const msg = event.data\n if (msg.type === \"publish_patch\") {\n port.postMessage({msg: event.data})\n } else if (msg.type === \"patch_published\") {\n // Ignored\n } else {\n assert_never(msg)\n }\n })\n search_bus.addEventListener((event) => {\n const msg = event.data\n if (msg.type === \"search\") {\n port.postMessage({msg: event.data})\n } else if (msg.type === \"send_search_result\") {\n // Ignored\n } else {\n assert_never(msg)\n }\n })\n add_provisional_media_info_bus.addEventListener((event) => {\n const msg = event.data\n if (msg.type === \"add_provisional_media_info\") {\n port.postMessage({msg: event.data})\n }\n })\n register_auth_listener(({account_uid, team_uids, admin_organization_uids}) => {\n log.debug(`[worker_gateway] Sending auth state to worker ...`)\n const msg: SendAuthState = {\n type: \"send_auth_state\",\n csrf_token: csrf_token_provider(),\n auth_info: {account_uid, team_uids, admin_organization_uids},\n }\n port.postMessage({msg})\n })\n // Send `auth_state` and CSRF token to the worker.\n port.postMessage({\n msg: {\n type: \"send_auth_state\",\n auth_info: auth_info_provider(),\n csrf_token: csrf_token_provider(),\n } satisfies SendAuthState,\n })\n start_watchdog(port, ping_message)\n}\n\nfunction start_watchdog(port: {postMessage: (message: {msg: Ping}) => void}, ping_message: Ping) {\n let last_ping_sent_at = 0\n const send_ping = () => {\n port.postMessage({msg: ping_message})\n last_ping_sent_at = Date.now()\n }\n setInterval(() => {\n const now = Date.now()\n if (now - last_ping_sent_at < 11_000 && now - last_pong_received_at > 31_000) {\n report_info(\n `Did not receive pong within 30 seconds -- ${JSON.stringify({\n now,\n last_ping_sent_at,\n last_pong_received_at,\n })}`,\n )\n }\n send_ping()\n }, 10_000)\n}\n", "import * as React from \"react\"\nimport {RouteComponentProps, Router} from \"@reach/router/index\"\nimport {Snackbar, StickySnackbar} from \"@cling/lib.web.mdc\"\nimport {BoardPage} from \"./pages/board_page\"\nimport {assert, encode_b62, error_to_string, sleep} from \"@cling/lib.shared.utils\"\nimport {ExportBoardToast, ImportBoardToast, UploadProgressToast} from \"./toasts/index\"\nimport {observer} from \"mobx-react\"\nimport {current_user, ui_actions, ui_state} from \"./state/index\"\nimport {\n as_BoardUID,\n as_CardUID,\n board_uid_type,\n board_vanity_uri,\n BoardType,\n BoardUID,\n BoardUID_prefix,\n CardUID,\n derive_dashboard_uid,\n is_BoardUID,\n is_CardUID,\n PageView,\n SearchBoardsRequest,\n SearchBoardsResponse,\n} from \"@cling/lib.shared.model\"\nimport {report_error, report_info} from \"@cling/lib.shared.debug\"\nimport {Debug} from \"./debug/debug\"\nimport {running_on_mobile_device} from \"@cling/lib.web.utils\"\nimport {KeyboardShortcuts} from \"./misc/keyboard_shortcuts\"\nimport {fatal_error_url} from \"@cling/lib.web.utils/fatal_error_url\"\nimport {parse as parse_search_query} from \"@cling/lib.shared.search/search_query_parser\"\nimport {log} from \"@cling/lib.shared.logging\"\nimport {DialogContainer} from \"./dialogs/dialog_container\"\nimport {is_elm_inside_an_active_rich_text_editor} from \"@cling/lib.web.rich_text_editor\"\nimport {ImportDataToast} from \"./import_data/import_data_toast\"\nimport {Buffer} from \"buffer\"\nimport {sensors} from \"./debug/sensors\"\nimport type {UID} from \"@cling/lib.shared.types/common\"\nimport {BoardContext} from \"./board_context\"\nimport {autorun, reaction, runInAction} from \"mobx\"\nimport {board_name} from \"./board/board_name\"\nimport {i18n} from \"@cling/lib.web.i18n\"\nimport {send_message_to_worker} from \"./startup/worker_gateway\"\nimport {classNames} from \"@cling/lib.web.utils\"\nimport {board_info_resource, board_resource} from \"@cling/lib.web.resources\"\nimport {categorize_error} from \"@cling/lib.shared.error\"\nimport {goto_dashboard} from \"./utils\"\nimport {board_history_state} from \"./board/board_history\"\nimport {GlobalDropAndPasteHandler} from \"./misc/global_drop_and_paste\"\nimport {report_user_event} from \"@cling/lib.web.analytics\"\nimport {can_call_faas} from \"@cling/lib.web.auth\"\nimport {call_function} from \"@cling/lib.shared.faas\"\nimport {Card} from \"./card/card\"\nimport {React_lazy, React_suspense} from \"@cling/lib.web.lazy_load/suspense\"\nimport {meet_state} from \"./meet/meet_state\"\nimport {video_player_state} from \"./card/video_player\"\nimport {SimpleTooltipContainer} from \"@cling/lib.web.mdc/simple_tooltip\"\nimport AuthorizeAppPage from \"./pages/authorize_app_page\"\nconst OrganizationsPage = React_lazy(\n () => import(process.env.F_PUBLIC_LAZY || \"@cling/client.web_app/team/organizations_page\"),\n)\nconst AddOrganizationPage = React_lazy(\n () => import(process.env.F_PUBLIC_LAZY || \"@cling/client.web_app/team/add_organization_page\"),\n)\nconst DragAndDropGhost = React_lazy(\n () => import(process.env.F_PUBLIC_LAZY || \"@cling/client.web_app/drag_and_drop\"),\n)\nconst Meet = React_lazy(() =>\n import(process.env.F_PUBLIC_LAZY || \"@cling/client.web_app/meet/meet\").then((x) => ({\n default: x.Meet,\n })),\n)\nconst VideoPlayerContainer = React_lazy(() => import(\"@cling/client.web_app/card/video_player\"))\nconst ShareTargetPage = React_lazy(\n () => import(process.env.F_PUBLIC_LAZY || \"@cling/client.web_app/pages/share_target_page\"),\n)\nconst EmailMarkupPage = React_lazy(\n () => import(process.env.F_PUBLIC_LAZY || \"@cling/client.web_app/pages/email_markup_page\"),\n)\nconst CheckoutPage = React_lazy(\n () => import(process.env.F_PUBLIC_LAZY || \"@cling/client.web_app/pages/checkout_page\"),\n)\n\nexport class App extends React.Component {\n private dispose_on_unmount: (() => void)[] = []\n constructor(props: any) {\n super(props)\n if (running_on_mobile_device()) {\n // Suppress context menus on mobile for the most part as they interfere with\n // long press.\n const suppress_context_menu = () => {\n const listener = (e: any) => {\n const target = e.target as HTMLElement\n if (\n target.tagName === \"INPUT\" ||\n is_elm_inside_an_active_rich_text_editor(target)\n ) {\n return\n }\n e.stopImmediatePropagation()\n e.preventDefault()\n e.stopPropagation()\n }\n document.addEventListener(\"contextmenu\", listener)\n return () => window.removeEventListener(\"contextmenu\", listener)\n }\n this.dispose_on_unmount.push(suppress_context_menu())\n } else if (!process.env.F_PUBLIC) {\n this.dispose_on_unmount.push(\n autorun(() => {\n const {board} = ui_state.current_board\n if (!board) {\n return\n }\n const new_vanity = location.pathname.replace(\n /(\\/c\\/[^?#]*)/,\n board_vanity_uri(board.uid, board_name(board)),\n )\n window.history.replaceState(\n history.state,\n \"\",\n `${new_vanity}${location.search}${location.hash}`,\n )\n }),\n )\n }\n this.dispose_on_unmount.push(\n reaction(\n () => ui_state.highlighted_card_state,\n (highlighted_card_state) => {\n const board = ui_state.current_board.board\n if (!highlighted_card_state || !board) {\n return\n }\n if (!board.contains(highlighted_card_state.card_uid)) {\n // The card is not on the board, perhaps on trashcan or clipboard.\n // Note: If we run on mobile, the trashcan or clipboard will be\n // opened as a board directly.\n if (!running_on_mobile_device()) {\n if (\n board_resource.clipboard.contains(highlighted_card_state.card_uid)\n ) {\n if (!ui_state.clipboard_shown) {\n ui_actions.toggle_clipboard_shown()\n }\n }\n if (board_resource.trashcan.contains(highlighted_card_state.card_uid)) {\n if (!ui_state.trashcan_shown) {\n ui_actions.toggle_trashcan_shown()\n }\n }\n }\n }\n },\n {fireImmediately: true, name: \"app.tsx - highlighted_card_uid\"},\n ),\n )\n }\n\n componentWillUnmount() {\n for (const dispose of this.dispose_on_unmount) {\n dispose()\n }\n this.dispose_on_unmount = []\n }\n\n async componentDidCatch(error: Error) {\n if (process.env.NODE_ENV === \"test\") {\n throw error\n }\n report_error(\"App.componentDidCatch() - sending user to /oops\", error)\n goto(\n fatal_error_url(\n \"App.componentDidCatch(...)\\n\\ncomponent stack:\\n\" + error_to_string(error),\n ),\n )\n }\n\n render() {\n log.debug(`App.render() -- location.pathname: ${location.pathname}`)\n return (\n <>\n <BoardContext.Provider value={ui_state}>\n <Router>\n {!process.env.F_PUBLIC && (\n <BoardOrCardPage\n vanity_text_and_uid={derive_dashboard_uid(current_user.account.uid)}\n default\n />\n )}\n {process.env.F_PUBLIC && <PublicBoardWithCustomURI default />}\n <BoardOrCardPage path=\"/c/:vanity_text_and_uid\" />\n <BoardOrCardPage path=\"/c/:vanity_text_and_uid/comments\" open_comments />\n <BoardOrCardPage path=\"/c/:vanity_text_and_uid/:card_uid\" />\n <BoardOrCardPage\n path=\"/c/:vanity_text_and_uid/:card_uid/comments\"\n open_comments\n />\n {!process.env.F_PUBLIC && <LazyShareTargetPage path=\"/c/share_target\" />}\n {!process.env.F_PUBLIC && <LazyCheckoutPage path=\"/c/checkout\" />}\n {!process.env.F_PUBLIC && <AuthorizeAppPage path=\"/c/authorize\" />}\n {!process.env.F_PUBLIC && (\n <LazyEmailMarkupPage path=\"/c/email_markup/:board_uid\" />\n )}\n {!process.env.F_PUBLIC && <LazyOrganizationsPage path=\"/c/organizations\" />}\n {!process.env.F_PUBLIC && (\n <LazyOrganizationsPage path=\"/c/organizations/:organization_uid/:uid_or_screen/:filter\" />\n )}\n {!process.env.F_PUBLIC && (\n <LazyAddOrganizationPage path=\"/c/organizations/add\" />\n )}\n </Router>\n <BoardPage />\n {!process.env.F_PUBLIC && <LazyDragAndDropGhost />}\n {!process.env.F_PUBLIC && <ImportBoardToast />}\n {!process.env.F_PUBLIC && <ImportDataToast />}\n {!process.env.F_PUBLIC && <ExportBoardToast />}\n {!process.env.F_PUBLIC && <UploadProgressToast />}\n <DialogContainer />\n {!process.env.F_PUBLIC && <NewVersionAvailableHint />}\n {!process.env.F_PUBLIC && <KeyboardShortcuts />}\n <ObservingSnackbar />\n {!process.env.F_PUBLIC && !running_on_mobile_device() && (\n <GlobalDropAndPasteHandler />\n )}\n {!process.env.F_PUBLIC && <LazyMeet />}\n <LazyVideoPlayerContainer />\n <Debug />\n </BoardContext.Provider>\n {!running_on_mobile_device() && <SimpleTooltipContainer />}\n </>\n )\n }\n}\n\nconst BoardOrCardPage = ({\n vanity_text_and_uid,\n card_uid,\n open_comments,\n}: RouteComponentProps<{\n vanity_text_and_uid: string\n card_uid?: CardUID\n open_comments?: boolean\n}>) => {\n const set_ui_state_current_board_uid = React.useCallback(\n (props_board_uid?: BoardUID, props_card_uid?: CardUID, props_open_comments?: boolean) => {\n let board_uid = props_board_uid\n if (!is_BoardUID(board_uid)) {\n goto(\"/board_invalid\")\n return\n }\n if (ui_state.current_board_uid === board_uid) {\n ui_actions.highlight_card(props_card_uid)\n return\n }\n const board_type = board_uid_type(board_uid)\n if (!running_on_mobile_device()) {\n // On desktop we do not open these system boards directly but rather open the\n // corresponding aux column on the dashboard.\n if ([BoardType.trashcan, BoardType.clipboard].includes(board_type)) {\n board_uid = derive_dashboard_uid(current_user.account.uid)\n }\n }\n if (!NProgress.started()) {\n NProgress.start(0.5, {delay: 200})\n }\n // Load the board and react to errors.\n board_resource\n .wait_for_sync(board_uid)\n .then(() => {\n NProgress.done()\n })\n .catch(async (error) => {\n NProgress.done()\n if ([403, 404, 410].includes(categorize_error(error).status)) {\n goto(\"/board_invalid\")\n } else {\n if (board_uid_type(as_BoardUID(board_uid)) === BoardType.dashboard) {\n goto(fatal_error_url(error))\n } else {\n report_error(\n \"Board could not be synced - redirecting user to dashboard\",\n error,\n )\n goto_dashboard({replace: true}).catch(report_error)\n }\n }\n })\n sensors.expect_board_will_be_shown(board_uid)\n runInAction(() => {\n board_history_state.close()\n if (ui_state.set_current_board_uid(board_uid!, \"latest\")) {\n if (!running_on_mobile_device()) {\n if (board_type === BoardType.clipboard && !ui_state.clipboard_shown) {\n ui_actions.toggle_clipboard_shown()\n }\n if (board_type === BoardType.trashcan && !ui_state.trashcan_shown) {\n ui_actions.toggle_trashcan_shown()\n }\n }\n ui_actions.highlight_card(props_card_uid)\n if (props_open_comments && props_card_uid) {\n ui_actions.open_comments(props_card_uid)\n }\n }\n })\n },\n [],\n )\n const [prev_uid, set_prev_uid] = React.useState<UID>()\n const uid = vanity_text_and_uid?.includes(\"-\")\n ? vanity_text_and_uid?.split(\"-\").pop()\n : vanity_text_and_uid\n React.useEffect(() => {\n if (uid === prev_uid) {\n return\n }\n if (!process.env.F_PUBLIC && (is_CardUID(uid) || card_uid)) {\n const search_card_uid = card_uid || as_CardUID(uid)\n sensors.expect_board_will_be_shown()\n board_uid_by_card_uid(\n search_card_uid,\n is_BoardUID(uid) ? 8_000 : 30_000,\n is_BoardUID(uid) ? uid : undefined,\n )\n .then((board_uid) => {\n if (!board_uid) {\n if (is_BoardUID(uid)) {\n // Card has not been found - fall back to just viewing the board.\n log.debug(\n `BoardOrCardPage.render() -- board_uid: ${JSON.stringify(uid)}`,\n )\n sensors.expect_board_will_be_shown(uid)\n ui_state.search_state.end_search()\n set_prev_uid(uid)\n set_ui_state_current_board_uid(uid)\n } else {\n goto(\"/board_invalid\")\n }\n return\n }\n log.debug(`BoardOrCardPage.render() -- board_uid: ${JSON.stringify(board_uid)}`)\n sensors.expect_board_will_be_shown(board_uid)\n ui_state.search_state.end_search()\n set_prev_uid(uid as UID)\n set_ui_state_current_board_uid(board_uid, search_card_uid, open_comments)\n })\n .catch((error) => {\n report_error(error)\n goto(\"/board_invalid\")\n })\n } else {\n let cur_board_uid: BoardUID\n if (is_BoardUID(uid)) {\n cur_board_uid = uid\n } else {\n // This might be a legacy board-uid.\n try {\n cur_board_uid = as_BoardUID(\n BoardUID_prefix + encode_b62(Buffer.from(uid!.substring(2), \"hex\")),\n )\n } catch {\n goto(\"/board_invalid\")\n return\n }\n }\n log.debug(`BoardOrCardPage.render() -- board_uid: ${JSON.stringify(cur_board_uid)}`)\n sensors.expect_board_will_be_shown(cur_board_uid)\n ui_state.search_state.end_search()\n set_prev_uid(cur_board_uid)\n set_ui_state_current_board_uid(cur_board_uid, card_uid, open_comments)\n }\n }, [uid, prev_uid, card_uid, set_ui_state_current_board_uid, open_comments])\n useBoardChange()\n return null\n}\n\n// eslint-disable-next-line @typescript-eslint/no-unused-vars\nfunction PublicBoardWithCustomURI(_: RouteComponentProps) {\n useBoardChange()\n return null\n}\n\nfunction LazyCheckoutPage(props: RouteComponentProps) {\n return (\n <React_suspense>\n <CheckoutPage {...props} />\n </React_suspense>\n )\n}\n\nfunction LazyEmailMarkupPage(props: RouteComponentProps) {\n return (\n <React_suspense>\n <EmailMarkupPage {...props} />\n </React_suspense>\n )\n}\n\nfunction LazyShareTargetPage(props: RouteComponentProps) {\n return (\n <React_suspense>\n <ShareTargetPage {...props} />\n </React_suspense>\n )\n}\n\nfunction LazyOrganizationsPage(props: RouteComponentProps) {\n return (\n <React_suspense>\n <OrganizationsPage {...props} />\n </React_suspense>\n )\n}\n\nfunction LazyAddOrganizationPage(props: RouteComponentProps) {\n return (\n <React_suspense>\n <AddOrganizationPage {...props} />\n </React_suspense>\n )\n}\n\nfunction LazyDragAndDropGhost() {\n return (\n <React_suspense>\n <DragAndDropGhost render_card={Card} />\n </React_suspense>\n )\n}\n\nconst LazyMeet = observer(() => {\n if (!meet_state.board) {\n return null\n }\n return (\n <React_suspense>\n <Meet />\n </React_suspense>\n )\n})\n\nconst LazyVideoPlayerContainer = observer(() => {\n if (!video_player_state.url) {\n return null\n }\n return (\n <React_suspense>\n <VideoPlayerContainer />\n </React_suspense>\n )\n})\n\nlet last_board_uid: BoardUID | undefined\nlet last_board_change_at: Date | undefined\n\nconst useBoardChange = () => {\n React.useEffect(() => {\n const current_board_uid = ui_state.current_board_uid\n if (last_board_uid === current_board_uid || !current_board_uid) {\n return\n }\n if (last_board_change_at && last_board_uid) {\n ui_actions.update_board_last_seen(last_board_uid, last_board_change_at)\n }\n last_board_uid = current_board_uid\n // Wait until board is synced. It should be displayed then.\n board_resource\n .wait_for_sync(current_board_uid)\n .then((board) => {\n Snackbar.clear()\n const event = report_user_event({page_view: new PageView({})})\n last_board_change_at = event.seen.date\n last_board_uid = current_board_uid\n if (\n !process.env.F_PUBLIC &&\n // Only show the toast if the user has explicit access to the board\n // and not just because it is public.\n board.acl.entries(current_user.account_attributes).length > 0 &&\n ui_state.is_new_or_changed(board.board_info)\n ) {\n Snackbar.show_message(i18n.there_are_new_changes, i18n.show, () =>\n board_history_state.open(),\n )\n }\n })\n .catch((error) => {\n // We ignore this error here. The error handling for missing boards is done in\n // `BoardOrCardPage`.\n report_info(error)\n })\n })\n}\n\nconst ObservingSnackbar = observer(() => (\n <Snackbar\n className={classNames(\"app__snackbar\", {\n \"app__snackbar--with-bottom-app-bar\": ui_state.app_bar_shown,\n })}\n />\n))\n\nconst NewVersionAvailableHint = observer(() => {\n const update_web_app = React.useCallback(() => {\n const reason = \"New version available, user choose to update\"\n send_message_to_worker({type: \"reload\", reason})\n reload(reason)\n }, [])\n const {current_board} = React.useContext(BoardContext)\n if (!ui_state.show_new_version_available) {\n return null\n }\n if (!current_board) {\n // Only show if we are on a board page.\n return null\n }\n return (\n <StickySnackbar\n className={classNames(\"app__snackbar\", {\n \"app__snackbar--with-bottom-app-bar\": ui_state.app_bar_shown,\n })}\n message={i18n.new_version_available}\n action_button_label={i18n.update}\n action={update_web_app}\n />\n )\n})\n\nasync function board_uid_by_card_uid(\n card_uid: CardUID,\n timeout = 30_000,\n board_uid?: BoardUID,\n): Promise<BoardUID | undefined> {\n let found_on_server: BoardUID | undefined\n if (board_uid) {\n const board = board_resource.read(board_uid)\n if (board?.contains(card_uid)) {\n return board.uid\n }\n }\n const query_server = async () => {\n const {matches} = await call_function(\n new SearchBoardsRequest({card_uid}),\n SearchBoardsResponse,\n )\n if (matches.length === 1) {\n found_on_server = matches[0].board_uid\n return found_on_server\n }\n return undefined\n }\n // Go and find the board the given card belongs to. Keep in mind that we fetch all boards\n // in the background so the query should give the right board-uid eventually.\n let retry_until = Date.now() + timeout\n let server_queried = false\n for (;;) {\n if (can_call_faas() && !server_queried) {\n server_queried = true\n query_server().catch(report_error)\n }\n if (found_on_server) {\n return found_on_server\n }\n const query = parse_search_query(`card.uid:${card_uid} archived:show`)\n assert(!query.invalid, \"Query must not be invalid\")\n const {matches, indexed_board_uids} = await ui_state.search_state.call_search(query)\n if (matches.length > 0) {\n const matched_board_uid = matches[0].board_uid\n assert(\n is_BoardUID(matched_board_uid),\n `BoardUID returned by search is not a board-uid: ${matched_board_uid}`,\n )\n return matched_board_uid\n } else if (Date.now() > retry_until) {\n return undefined\n }\n if (indexed_board_uids.length >= board_info_resource.read_all().length) {\n // All boards are indexed, so we can lower the wait time.\n retry_until -= 2_000\n }\n await sleep(process.env.NODE_ENV === \"test\" ? 10 : 1000)\n }\n}\n", "import * as React from \"react\"\nimport {observer} from \"mobx-react\"\nimport {Page, TopAppBar} from \"@cling/lib.web.mdc\"\nimport {board_uid_type, BoardInfo, BoardStyleStruct, BoardType} from \"@cling/lib.shared.model\"\nimport {BoardContainer} from \"../board/board_container\"\nimport {BoardBackground} from \"../board/board_background\"\nimport {\n BottomDesktopToolbars,\n BottomMobileToolbarItems,\n TopToolbarItems,\n} from \"../board/toolbar_items\"\nimport {board_info_resource} from \"@cling/lib.web.resources\"\nimport {current_user, ui_actions, ui_state} from \"../state/index\"\nimport {running_on_mobile_device} from \"@cling/lib.web.utils\"\nimport {BoardDrawer} from \"../board/board_drawer\"\nimport {background_style} from \"@cling/lib.web.layout\"\nimport {GlobalBackdrop} from \"../misc/global_backdrop\"\nimport {profiler} from \"../profiler\"\nimport {BottomAppBar} from \"@cling/lib.web.mdc/bottom_app_bar\"\nimport {i18n} from \"@cling/lib.web.i18n\"\nimport {classNames} from \"@cling/lib.web.utils\"\nimport {CSSTransition} from \"react-transition-group\"\nimport {board_name} from \"../board/board_name\"\nimport {DesktopBoardChooser} from \"../board/desktop_board_chooser\"\nimport {BoardContext} from \"../board_context\"\nimport {React_lazy, React_suspense} from \"@cling/lib.web.lazy_load/suspense\"\nimport {board_background_image_url} from \"@cling/lib.web.resources/thumbnails\"\nconst ObservingBoardHistory = React_lazy(\n () => import(process.env.F_PUBLIC_LAZY || \"@cling/client.web_app/board/board_history\"),\n)\n\nexport const BoardPage = observer(() => {\n const [is_drawer_open, set_is_drawer_open] = React.useState(false)\n const open_drawer = React.useCallback(() => {\n ui_actions.hide_card_menus()\n set_is_drawer_open(true)\n }, [])\n React.useEffect(() => profiler.on_page_mounted(), [])\n const {\n current_board: {board, display_version},\n current_board_uid,\n } = React.useContext(BoardContext)\n const close_drawer = React.useCallback(() => {\n set_is_drawer_open(false)\n }, [])\n const on_drawer_open = React.useCallback(() => {\n set_is_drawer_open(true)\n }, [])\n if (!current_board_uid) {\n return null\n }\n let board_info: BoardInfo | undefined\n let board_style: BoardStyleStruct\n if (!board) {\n // If we have the `BoardInfo`, we can use its `board_style`.\n board_info = board_info_resource.read(current_board_uid)\n board_style = board_info?.board_style ?? {\n background_color: \"\",\n background_image_url: \"\",\n background_image_blob: undefined,\n background_is_pattern: false,\n }\n } else {\n board_style = board!.board_style\n }\n const permissions = board ? current_user.board_permissions(board, display_version) : ({} as any)\n const is_dashboard = board_uid_type(current_board_uid) === BoardType.dashboard\n let document_title = ui_state.search_state.all_boards\n ? i18n.search\n : is_dashboard\n ? Page.document_title_suffix\n : board_uid_type(current_board_uid) === BoardType.trashcan\n ? i18n.trashcan\n : board_uid_type(current_board_uid) === BoardType.clipboard\n ? i18n.clipboard\n : board\n ? board_name(board)\n : \"\"\n const {num_changed_user_boards} = ui_state\n if (num_changed_user_boards > 0) {\n document_title = `(${num_changed_user_boards}) ${document_title}`\n }\n // We use the `key` attribute to force a re-render once the currently used language\n // changes ...\n const top_app_bar = (\n <TopAppBar\n more_items={\n <TopToolbarItems\n key={`toolbar_${current_user.account.locale}`}\n board_info={board_info || board?.board_info}\n is_dashboard={is_dashboard}\n permissions={permissions}\n open_drawer={open_drawer}\n />\n }\n className={classNames(\"board-page__top-app-bar\", {\n \"board-page__top-app-bar--shown\": ui_state.app_bar_shown,\n \"board-page__top-app-bar--hidden\": !ui_state.app_bar_shown,\n \"board-page__top-app-bar--search\": ui_state.search_state.search_box_open,\n \"board-page__top-app-bar--desktop-board-chooser-open\":\n ui_state.desktop_board_chooser_state !== \"hidden\",\n })}\n >\n <GlobalBackdrop />\n </TopAppBar>\n )\n const bottom_app_bar_shown =\n !running_on_mobile_device() ||\n (ui_state.app_bar_shown && !ui_state.search_state.search_box_open)\n const bottom_app_bar = running_on_mobile_device() ? (\n <BottomAppBar\n className={classNames(\"board-page__bottom-app-bar\", {\n \"board-page__bottom-app-bar--shown\": bottom_app_bar_shown,\n \"board-page__bottom-app-bar--hidden\": !bottom_app_bar_shown,\n })}\n >\n <BottomMobileToolbarItems\n is_dashboard={is_dashboard}\n board_info={board_info || board?.board_info}\n />\n </BottomAppBar>\n ) : undefined\n const drawer = process.env.F_PUBLIC ? undefined : (\n <BoardDrawer\n is_open={is_drawer_open}\n close={close_drawer}\n onClose={close_drawer}\n onOpen={on_drawer_open}\n header_style={\n board\n ? background_style({\n url: board_background_image_url(board.board_style),\n color: board.board_style.background_color,\n is_pattern: board.board_style.background_is_pattern,\n })\n : undefined\n }\n />\n )\n const css_transition_enter_class = process.env.F_PUBLIC\n ? \"board-page__content--enter-fast\"\n : \"board-page__content--enter\"\n // We use the `key` attribute to `<Board .../>` to force a re-render once the board-uid,\n // the display mode (all boards vs single board), or the currently used language changes ...\n return (\n <Page\n document_title={document_title}\n top_app_bar={top_app_bar}\n bottom_app_bar={bottom_app_bar}\n drawer={drawer}\n data-test-id=\"BoardPage\"\n >\n <BoardBackground\n key=\"background\"\n board_uid={current_board_uid}\n board_style={board_style}\n />\n <div key=\"content\" className=\"board-page__container\">\n {!process.env.F_PUBLIC && !running_on_mobile_device() && <DesktopBoardChooser />}\n {board && (\n <CSSTransition\n key={\n `${board.uid}_${display_version}_` +\n `${ui_state.main_view}_` +\n `${current_user.account.locale}`\n }\n classNames={{\n appearActive: css_transition_enter_class,\n appearDone: css_transition_enter_class,\n enterActive: css_transition_enter_class,\n enterDone: css_transition_enter_class,\n }}\n in\n appear\n timeout={10}\n >\n <div key=\"content\" className=\"board-page__content\">\n <BoardContainer key=\"board\" />\n </div>\n </CSSTransition>\n )}\n {!process.env.F_PUBLIC && (\n <React_suspense>\n <ObservingBoardHistory\n key={`history:${board?.uid}:${current_user.account.locale}`}\n />\n </React_suspense>\n )}\n {!running_on_mobile_device() && <BottomDesktopToolbars />}\n </div>\n </Page>\n )\n})\n", "import * as React from \"react\"\nimport {observer} from \"mobx-react\"\nimport {BoardContext} from \"../board_context\"\nimport {sensors} from \"../debug/sensors\"\nimport {profiler} from \"../profiler\"\nimport {ui_state} from \"../state/index\"\nimport {assert_never} from \"@cling/lib.shared.utils\"\nimport {log} from \"@cling/lib.shared.logging\"\nimport {React_lazy, React_suspense} from \"@cling/lib.web.lazy_load/suspense\"\nconst CalendarView = React_lazy(\n () => import(process.env.F_PUBLIC_LAZY || \"@cling/client.web_app/board/calendar_view\"),\n)\nconst SearchResult = React_lazy(\n () => import(process.env.F_PUBLIC_LAZY || \"@cling/client.web_app/search/search_result\"),\n)\nconst ColumnsView = React_lazy(() => import(\"@cling/client.web_app/board/columns_view\"))\n\nexport const BoardContainer = observer(() => {\n const {\n current_board: {board, display_version},\n } = React.useContext(BoardContext)\n React.useEffect(() => {\n NProgress.done()\n if (!board) {\n return\n }\n if (display_version === \"latest\") {\n profiler.on_board_mounted(board)\n sensors.board_shown(board)\n }\n log.debug(\"Rendering board\", {\n board_uid: board.uid,\n display_version,\n board_version: board.version,\n view: ui_state.main_view,\n })\n }, [board, display_version])\n if (ui_state.main_view === \"columns\") {\n if (ui_state.search_state.all_boards) {\n return (\n <React_suspense>\n <SearchResult key=\"search\" />\n </React_suspense>\n )\n }\n return (\n <React_suspense>\n <ColumnsView />\n </React_suspense>\n )\n } else if (ui_state.main_view === \"calendar\") {\n return (\n <React_suspense>\n <CalendarView />\n </React_suspense>\n )\n } else {\n throw assert_never(ui_state.main_view)\n }\n})\n", "import * as React from \"react\"\nimport {observer} from \"mobx-react\"\nimport type {BoardStyleStruct, BoardUID} from \"@cling/lib.shared.model\"\nimport {background_style} from \"@cling/lib.web.layout\"\nimport {board_background_image_url} from \"@cling/lib.web.resources/thumbnails\"\nimport {media_info_resource} from \"@cling/lib.web.resources\"\n\n/**\n * Render the current and the previous board's background and cross-fade.\n */\nexport const BoardBackground = observer(\n ({board_uid, board_style}: {board_uid: BoardUID; board_style: BoardStyleStruct}) => {\n const [image_url, set_image_url] = React.useState(\"\")\n const [prev_board_uid, set_prev_board_uid] = React.useState<undefined | BoardUID>()\n const timeout = React.useRef<any>()\n // This is a bit of a hack. We request the media-info only because once it's loaded,\n // we can be sure that the image is available.\n if (board_style.background_image_blob) {\n media_info_resource.read(board_style.background_image_blob.uid)\n }\n const url = board_background_image_url(board_style)\n React.useEffect(() => {\n clearTimeout(timeout.current)\n if (!url) {\n set_image_url(\"\")\n return\n }\n if (board_uid !== prev_board_uid) {\n // Change the image immediately if the board has changed.\n set_prev_board_uid(board_uid)\n set_image_url(url)\n return\n }\n // Otherwise, wait until the image is loaded or an error occurs.\n const img = new Image()\n img.onload = () => {\n clearTimeout(timeout.current)\n set_image_url(url)\n }\n img.onerror = () => {\n clearTimeout(timeout.current)\n set_image_url(url)\n }\n img.src = url\n timeout.current = setTimeout(() => {\n set_image_url(url)\n }, 5000)\n }, [url, board_uid, prev_board_uid, board_style])\n return (\n <div\n className=\"board-background\"\n style={background_style({\n url: image_url,\n color: board_style.background_color,\n is_pattern: board_style.background_is_pattern,\n })}\n />\n )\n },\n)\n", "import type {BoardInfo} from \"@cling/lib.shared.model\"\nimport {BoardPermissions, board_resource} from \"@cling/lib.web.resources\"\nimport {running_on_mobile_device} from \"@cling/lib.web.utils\"\nimport * as React from \"react\"\nimport {is_cling_hp} from \"../utils\"\nimport {\n BottomToolbarItemsMobileBoard,\n TopToolbarItemsDesktopBoard,\n TopToolbarItemsMobileBoard,\n} from \"./toolbar_items_board\"\nimport {\n BottomToolbarItemsDesktopPublicBoard,\n BottomToolbarItemsMobilePublicBoard,\n TopToolbarItemsDesktopPublicBoard,\n TopToolbarItemsMobilePublicBoard,\n} from \"./toolbar_items_public_board\"\nimport {\n BottomToolbarItemsDesktopWebsite,\n BottomToolbarItemsMobileWebsite,\n TopToolbarItemsDesktopWebsite,\n TopToolbarItemsMobileWebsite,\n} from \"./toolbar_items_website\"\n\nexport const TopToolbarItems = ({\n is_dashboard,\n board_info,\n permissions,\n open_drawer,\n}: {\n is_dashboard: boolean\n board_info?: BoardInfo\n permissions: BoardPermissions\n open_drawer: () => void\n}) => {\n if (is_cling_hp()) {\n return running_on_mobile_device() ? (\n <TopToolbarItemsMobileWebsite board_info={board_info} />\n ) : (\n <TopToolbarItemsDesktopWebsite board_info={board_info} />\n )\n }\n if (process.env.F_PUBLIC) {\n return running_on_mobile_device() ? (\n <TopToolbarItemsMobilePublicBoard is_dashboard={is_dashboard} board_info={board_info} />\n ) : (\n <TopToolbarItemsDesktopPublicBoard board_info={board_info} />\n )\n }\n return running_on_mobile_device() ? (\n <TopToolbarItemsMobileBoard\n is_dashboard={is_dashboard}\n open_drawer={open_drawer}\n permissions={permissions}\n board_info={board_info}\n />\n ) : (\n <TopToolbarItemsDesktopBoard\n is_dashboard={is_dashboard}\n open_drawer={open_drawer}\n permissions={permissions}\n board_info={board_info}\n />\n )\n}\n\nexport const BottomMobileToolbarItems = ({\n board_info,\n is_dashboard,\n}: {\n is_dashboard: boolean\n board_info?: BoardInfo\n}) => {\n const board = board_info && board_resource.read(board_info.uid)\n if (is_cling_hp()) {\n return <BottomToolbarItemsMobileWebsite board={board} />\n }\n if (process.env.F_PUBLIC) {\n return <BottomToolbarItemsMobilePublicBoard board={board} is_dashboard={is_dashboard} />\n }\n return <BottomToolbarItemsMobileBoard board={board} is_dashboard={is_dashboard} />\n}\n\nexport const BottomDesktopToolbars = () => {\n if (process.env.F_PUBLIC && !!is_cling_hp()) {\n return <BottomToolbarItemsDesktopWebsite />\n }\n if (process.env.F_PUBLIC && !is_cling_hp()) {\n return <BottomToolbarItemsDesktopPublicBoard />\n }\n return null\n}\n", "import * as React from \"react\"\nimport {observer} from \"mobx-react\"\nimport {Drawer, Icon, List, ListItem} from \"@cling/lib.web.mdc\"\nimport {report_error} from \"@cling/lib.shared.debug\"\nimport {i18n} from \"@cling/lib.web.i18n\"\nimport {current_user, import_board_state, ui_actions} from \"../state/index\"\nimport {\n as_language,\n GetUploadTempURLRequest,\n GetUploadTempURLResponse,\n whats_new_board_uid,\n} from \"@cling/lib.shared.model\"\nimport {let_user_select_files, upload_files} from \"../upload/upload\"\nimport {call_function} from \"@cling/lib.shared.faas\"\nimport {LIMIT_BOARD_PACKAGE_SIZE} from \"@cling/lib.shared.limits\"\nimport {PrincipalInfo} from \"../account/principal_info\"\nimport {BrowserExtLink} from \"../misc/browser_ext_link\"\nimport {logout as auth_logout} from \"@cling/lib.web.auth\"\nimport {ListDivider} from \"@cling/lib.web.mdc/list\"\nimport {logout as cling_button_logout} from \"../cling_button_gateway\"\nimport {QuotaOverview} from \"../payment/quota_overview\"\nimport {board_info_resource, board_resource, team_resource} from \"@cling/lib.web.resources\"\nimport {goto_board} from \"../utils\"\nimport {running_on_mobile_device} from \"@cling/lib.web.utils\"\nimport {board_quota_limits} from \"@cling/lib.shared.model/quota\"\nimport {open_intercom} from \"../misc/intercom\"\nimport {navigate} from \"@reach/router/index\"\nimport {simple_tooltip_event_handlers} from \"@cling/lib.web.mdc/simple_tooltip\"\n\ninterface Props {\n header_style?: React.CSSProperties\n close: () => void\n is_open: boolean\n onOpen?: () => void\n onClose?: () => void\n}\n\nexport const BoardDrawer = observer(({header_style, is_open, close, onOpen, onClose}: Props) => {\n const drawer_ref = React.createRef<Drawer>()\n const [clicks_on_version_counter, set_clicks_on_version_counter] = React.useState(0)\n React.useEffect(() => {\n if (is_open) {\n drawer_ref.current?.open()\n } else {\n drawer_ref.current?.close()\n }\n }, [drawer_ref, is_open])\n const open_account_settings_dialog = React.useCallback(() => {\n close()\n ui_actions.open_account_settings_dialog()\n }, [close])\n const logout = React.useCallback(() => {\n cling_button_logout()\n auth_logout().catch(report_error)\n }, [])\n const open_teams_dialog = React.useCallback(() => {\n close()\n ui_actions.open_teams_dialog()\n }, [close])\n const goto_organizations_page = React.useCallback(() => {\n close()\n navigate(\"/c/organizations\").catch(report_error)\n }, [close])\n const open_cling_website = React.useCallback(() => {\n close()\n window.open(`/${as_language(current_user.account.locale)}/index.html`, \"_blank\")\n }, [close])\n const open_privacy = React.useCallback(() => {\n close()\n window.open(`/${as_language(current_user.account.locale)}/privacy.html`, \"_blank\")\n }, [close])\n const open_terms = React.useCallback(() => {\n close()\n window.open(`/${as_language(current_user.account.locale)}/terms.html`, \"_blank\")\n }, [close])\n const open_about_cling = React.useCallback(() => {\n close()\n window.open(`/${as_language(current_user.account.locale)}/about.html`, \"_blank\")\n }, [close])\n const import_board = React.useCallback(async () => {\n close()\n const files = await let_user_select_files({accept: \".zip\"})\n if (!files.length) {\n return\n }\n upload_files({\n files: files.map((x) => ({file: x})),\n file_size_limit: LIMIT_BOARD_PACKAGE_SIZE,\n get_upload_url: async (o: {mime_type: string; md5_base64: string; size: number}) =>\n call_function(new GetUploadTempURLRequest(o), GetUploadTempURLResponse),\n on_file_uploaded: ({upload_id}) => import_board_state.start_import(upload_id),\n })\n }, [close])\n const open_help = React.useCallback(() => {\n close()\n open_intercom(\"home\")\n }, [close])\n const goto_whats_new_board = React.useCallback(() => {\n const board_info = board_info_resource.read(\n whats_new_board_uid(current_user.account.locale),\n )\n if (!board_info) {\n return\n }\n close()\n goto_board({board_uid: board_info.uid}).catch(report_error)\n }, [close])\n const on_click_on_version = React.useCallback(() => {\n // Open diagnostics dialog on third click ...\n if (clicks_on_version_counter === 2) {\n ui_actions.open_diagnostics_dialog()\n set_clicks_on_version_counter(0)\n } else {\n set_clicks_on_version_counter(clicks_on_version_counter + 1)\n }\n }, [clicks_on_version_counter])\n const can_import_board = current_user.global_permissions.can_import_board || window._under_test\n const {account} = current_user\n const visible_team_uids = current_user.visible_team_memberships\n const visible_teams =\n visible_team_uids.length > 0\n ? `${i18n.member_of}: ${visible_team_uids\n .map((x) => team_resource.read(x)?.name || \"...\")\n .join(\", \")}`\n : undefined\n const header = (\n <div className=\"board-drawer__header\" onClick={close}>\n <div className=\"board-drawer__header-spacer\" />\n <div\n className=\"board-drawer__header-user\"\n aria-label={visible_teams}\n {...simple_tooltip_event_handlers}\n >\n <div className=\"board-drawer__header-avatar\">\n <PrincipalInfo display=\"avatar_large\" account={account} />\n </div>\n <div className=\"board-drawer__header-username\">\n <PrincipalInfo display=\"full_name\" account={account} />\n <div className=\"board-drawer__header-email\">\n {current_user.account_attributes.email}\n </div>\n </div>\n </div>\n </div>\n )\n const whats_new_board_info = board_info_resource.read(\n whats_new_board_uid(current_user.account.locale),\n )\n const usage = board_resource.board_quota_usage\n const limits = board_quota_limits(current_user.account_attributes)\n const show_condensed_pro_teaser =\n usage.num_boards / limits.num_boards < 0.9 &&\n usage.num_cards / limits.num_cards < 0.7 &&\n usage.sum_blob_size / limits.sum_blob_size < 0.7\n const has_visible_teams = visible_team_uids.length > 0\n const is_organization_admin = current_user.account_attributes.admin_organization_uids.length > 0\n return (\n <Drawer\n className=\"board-drawer\"\n ref={drawer_ref}\n header={header}\n header_style={header_style}\n focus_first_list_item_on_open={!running_on_mobile_device()}\n onOpen={onOpen}\n onClose={onClose}\n >\n <div>\n <List>\n {!current_user.account_attributes.has_pro_features &&\n // Only needed because of Obersee.\n current_user.account_attributes.team_uids.length == 0 && (\n <QuotaOverview\n title={show_condensed_pro_teaser ? \"\" : i18n.your_cling}\n className=\"board-drawer__quota-overview\"\n on_checkout_dialog_open={close}\n hide_usage_counters={show_condensed_pro_teaser}\n hide_tip={show_condensed_pro_teaser}\n />\n )}\n <ListItem\n onClick={open_account_settings_dialog}\n data-test-id=\"BoardDrawer_settings\"\n >\n <Icon icon=\"settings\" outlined />\n {i18n.settings}\n </ListItem>\n <ListItem onClick={open_help}>\n <Icon icon=\"chat\" outlined />\n {i18n.get_help}\n </ListItem>\n {whats_new_board_info && (\n <ListItem onClick={goto_whats_new_board}>\n <Icon outlined icon=\"notifications\" />\n {i18n.whats_new}\n </ListItem>\n )}\n <ListItem onClick={open_cling_website}>\n <Icon icon=\"home\" outlined />\n {i18n.open_website}\n </ListItem>\n <BrowserExtLink type=\"ListItem\" onClick={close} />\n {can_import_board && (\n <ListItem onClick={import_board} data-test-id=\"BoardDrawer_import_board\">\n <Icon icon=\"file_upload\" outlined />\n {i18n.import_board}\n </ListItem>\n )}\n <ListDivider />\n {is_organization_admin && (\n <ListItem\n onClick={goto_organizations_page}\n data-test-id=\"BoardDrawer_organizations\"\n >\n <Icon icon=\"groups\" outlined />\n {i18n.organizations}\n </ListItem>\n )}\n {has_visible_teams && (\n <ListItem onClick={open_teams_dialog}>\n <Icon icon=\"group\" outlined />\n {i18n.my_teams}\n </ListItem>\n )}\n <ListDivider />\n <ListItem onClick={open_privacy}>\n <Icon icon=\"privacy_tip\" outlined />\n {i18n.privacy}\n </ListItem>\n <ListItem onClick={open_terms}>\n <Icon icon=\"subject\" outlined />\n {i18n.terms_of_use}\n </ListItem>\n <ListItem onClick={open_about_cling}>\n <Icon icon=\"info\" outlined />\n {i18n.imprint}\n </ListItem>\n <ListDivider />\n <ListItem onClick={logout} data-test-id=\"BoardDrawer_logout\">\n <Icon icon=\"exit_to_app\" outlined />\n {i18n.log_out}\n </ListItem>\n </List>\n </div>\n <div className=\"board-drawer__version\" onClick={on_click_on_version}>\n {cling.version}\n </div>\n </Drawer>\n )\n})\n", "import * as React from \"react\"\nimport {useCallback, useEffect, useRef} from \"react\"\nimport {observer} from \"mobx-react\"\nimport {Tab, TabBar} from \"@cling/lib.web.mdc/tab_bar\"\nimport {i18n} from \"@cling/lib.web.i18n\"\nimport {SearchableList} from \"@cling/lib.web.mdc/searchable_list\"\nimport {running_on_mobile_device} from \"@cling/lib.web.utils\"\nimport {goto_board, goto_dashboard, with_shortcut} from \"../utils\"\nimport {board_chooser_items} from \"@cling/lib.web.board_chooser\"\nimport {\n board_chooser_props,\n people_chooser_board_infos,\n people_chooser_props,\n board_chooser_board_infos,\n} from \"./board_chooser_props\"\nimport {\n AccessLevel,\n board_uid_type,\n BoardType,\n PatchFullAccountRequest,\n create_PatchUID,\n PatchAccountSettings,\n TriState,\n} from \"@cling/lib.shared.model\"\nimport {reaction, runInAction} from \"mobx\"\nimport {ui_state, ui_actions, current_user} from \"../state/index\"\nimport {report_error} from \"@cling/lib.shared.debug\"\nimport {classNames} from \"@cling/lib.web.utils\"\nimport {Button} from \"@cling/lib.web.mdc/button\"\nimport {IconButton} from \"@cling/lib.web.mdc/icon_button\"\nimport {GlobalBackdrop} from \"../misc/global_backdrop\"\nimport {call_function} from \"@cling/lib.shared.faas\"\nimport {ToggleSortBoardsAlphabetically} from \"./toggle_sort_boards_alphabetically\"\n\nexport const DesktopBoardChooser = observer(() => {\n const [search_visible, set_search_visible] = React.useState(false)\n useEffect(() =>\n reaction(\n () => ui_state.current_board.board,\n (current_board) => {\n if (ui_state.desktop_board_chooser_state !== \"hidden\") {\n searchable_list_ref.current?.reset_search()\n if (current_board?.board_type === BoardType.people) {\n ui_actions.toggle_desktop_board_chooser(\"people\")\n } else if (current_board) {\n ui_actions.toggle_desktop_board_chooser(\"boards\")\n }\n }\n },\n {name: \"desktop_board_chooser.tsx - current_board\"},\n ),\n )\n const activate_people_tab = useCallback(() => {\n ui_actions.toggle_desktop_board_chooser(\"people\")\n searchable_list_ref.current?.reset_search()\n searchable_list_ref.current?.reset_folded()\n }, [])\n const activate_boards_tab = useCallback(() => {\n ui_actions.toggle_desktop_board_chooser(\"boards\")\n searchable_list_ref.current?.reset_search()\n searchable_list_ref.current?.reset_folded()\n }, [])\n const searchable_list_ref = useRef<SearchableList>(null)\n useEffect(() => {\n reaction(\n () => [\n ui_state.desktop_board_chooser_focus_search,\n ui_state.desktop_board_chooser_state,\n ],\n ([focus_search]) => {\n searchable_list_ref.current?.reset_search()\n if (focus_search) {\n set_search_visible(true)\n searchable_list_ref.current?.focus_search_field()\n ui_state.desktop_board_chooser_focus_search = false\n }\n },\n {name: \"desktop_board_chooser.tsx - desktop_board_chooser_focus_search\"},\n )\n }, [])\n const goto_board_ = useCallback((board_uid) => {\n if (current_user.account_settings.auto_close_board_chooser) {\n ui_actions.toggle_desktop_board_chooser(\"hidden\")\n }\n const board_type = board_uid_type(board_uid)\n if (!running_on_mobile_device() && board_type === BoardType.clipboard) {\n ui_actions.toggle_clipboard_shown()\n } else if (!running_on_mobile_device() && board_type === BoardType.trashcan) {\n ui_actions.toggle_trashcan_shown()\n } else if (board_type === BoardType.dashboard) {\n goto_dashboard().catch(report_error)\n } else {\n goto_board({board_uid}).catch(report_error)\n }\n }, [])\n const on_toggle_search = useCallback(\n () => set_search_visible(!search_visible),\n [search_visible],\n )\n useEffect(() => {\n if (search_visible) {\n searchable_list_ref.current?.focus_search_field()\n }\n }, [search_visible])\n const {auto_close_board_chooser: auto_close, sort_boards_alphabetically} =\n current_user.account_settings\n const on_auto_close_change = useCallback(() => {\n runInAction(() => (current_user.account_settings.auto_close_board_chooser = !auto_close))\n call_function(\n new PatchFullAccountRequest({\n patch_uid: create_PatchUID(),\n patch_account_settings: new PatchAccountSettings({\n auto_close_board_chooser: auto_close ? TriState.false : TriState.true,\n }),\n }),\n ).catch(report_error)\n }, [auto_close])\n const add_board = useCallback(() => {\n if (ui_state.desktop_board_chooser_state === \"boards\") {\n ui_actions.open_add_board_dialog()\n } else {\n ui_actions.open_start_conversation_dialog()\n }\n }, [])\n const close = useCallback(() => ui_actions.toggle_desktop_board_chooser(\"hidden\"), [])\n const tab = ui_state.desktop_board_chooser_state === \"people\" ? \"people\" : \"boards\"\n const people_board_badge = people_chooser_board_infos().some((x) =>\n ui_state.is_new_or_changed(x),\n )\n ? badge\n : undefined\n const board_badge = board_chooser_board_infos(\"user_boards\", AccessLevel.read).some(\n (x) => x.is_user_board && ui_state.is_new_or_changed(x),\n )\n ? badge\n : undefined\n const items =\n tab === \"boards\"\n ? board_chooser_items({\n element_type: \"ListItem\",\n sort_boards_alphabetically,\n ...board_chooser_props(\"user_boards\", AccessLevel.read),\n })\n : board_chooser_items({\n element_type: \"ListItem\",\n sort_boards_alphabetically,\n ...people_chooser_props(),\n })\n return (\n <nav\n key={current_user.account.locale}\n className={classNames(\"desktop-board-chooser\", {\n \"desktop-board-chooser--open\": ui_state.desktop_board_chooser_state !== \"hidden\",\n })}\n >\n <GlobalBackdrop />\n <div className=\"desktop-board-chooser__add-board\">\n <Button\n onClick={add_board}\n icon=\"edit\"\n data-test-id=\"DesktopBoardChooser_add_board\"\n raised\n >\n {tab === \"boards\" ? i18n.add_a_board : i18n.start_a_conversation}\n </Button>\n </div>\n <TabBar className=\"desktop-board-chooser__tab-bar\" disable_focus_on_activate>\n <Tab\n tooltip={with_shortcut(i18n.boards, \"b\")}\n selected={tab === \"boards\"}\n icon=\"dashboard\"\n label={\n <div className=\"desktop-board-chooser__tab\">\n {board_badge}\n {i18n.boards}\n </div>\n }\n onClick={activate_boards_tab}\n />\n <Tab\n tooltip={with_shortcut(i18n.people, \"p\")}\n selected={tab === \"people\"}\n icon=\"face\"\n label={\n <div className=\"desktop-board-chooser__tab\">\n {people_board_badge}\n {i18n.people}\n </div>\n }\n onClick={activate_people_tab}\n />\n </TabBar>\n <SearchableList\n ref={searchable_list_ref}\n className=\"desktop-board-chooser__list\"\n data-test-id=\"DesktopBoardChooser_boards\"\n search_label={i18n.search}\n onSelected={goto_board_}\n toggle_fold_button_caption={i18n.toggle_fold_boards}\n search_visible={search_visible}\n search_pos=\"bottom\"\n >\n {items}\n </SearchableList>\n <div key=\"top_buttons\">\n <div className=\"desktop-board-chooser__top-buttons\">\n <IconButton\n icon={search_visible ? \"search_off\" : \"search\"}\n onClick={on_toggle_search}\n outlined\n small\n tooltip={`${\n tab === \"people\" ? i18n.search_for_a_person : i18n.search_for_a_board\n } ${tab === \"people\" ? \"p\" : \"b\"}`}\n />\n <ToggleSortBoardsAlphabetically display=\"icon\" />\n <IconButton\n icon=\"push_pin\"\n small\n onClick={on_auto_close_change}\n outlined={auto_close}\n tooltip={auto_close ? i18n.always_close : i18n.keep_open}\n />\n <IconButton\n icon=\"close\"\n small\n onClick={close}\n data-test-id=\"DesktopBoardChooser_close\"\n />\n </div>\n </div>\n {!current_user.account_attributes.has_pro_features &&\n // Needed for Obersee.\n current_user.account_attributes.team_uids.length == 0 && (\n <div className=\"desktop-board-chooser__try-cling-pro full-width flex-col align-items--center\">\n <Button raised secondary onClick={ui_actions.open_checkout_dialog}>\n {i18n.try_cling_pro}\n </Button>\n <div className=\"text-align--center mt--1\">{i18n.get_all_the_space}</div>\n </div>\n )}\n </nav>\n )\n})\n\nconst badge = (\n <div className=\"desktop-board-chooser__badge mdcx-badge mdcx-badge--small mdcx-badge--secondary\" />\n)\n", "import * as React from \"react\"\nimport {observer} from \"mobx-react\"\nimport {Button} from \"@cling/lib.web.mdc\"\nimport {i18n} from \"@cling/lib.web.i18n\"\nimport {export_board_state, ui_state} from \"../state/index\"\nimport {JobStatus} from \"@cling/lib.shared.model\"\nimport {assert_never} from \"@cling/lib.shared.utils\"\nimport {running_on_mobile_device} from \"@cling/lib.web.utils\"\nimport {classNames} from \"@cling/lib.web.utils\"\nimport {runInAction} from \"mobx\"\n\nexport const ExportBoardToast = observer(() => {\n const open_download_url = React.useCallback(() => {\n open(export_board_state.download_url, \"_blank\")\n export_board_state.close()\n }, [])\n const ref = React.useCallback((elm?: ReactRef<HTMLDivElement>) => {\n runInAction(() => {\n ui_state.toast_shown = !!elm\n })\n }, [])\n const {job_status, download_url} = export_board_state\n if (!job_status) {\n return null\n }\n let text: string\n if (job_status === JobStatus.job_pending || job_status === JobStatus.job_running) {\n text = i18n.exporting_board\n } else if (job_status === JobStatus.job_failed) {\n text = i18n.export_failed\n } else if (job_status === JobStatus.job_succeeded) {\n text = i18n.export_finished\n } else {\n throw assert_never(job_status)\n }\n return (\n <div\n className={classNames(\"toast\", {\n \"toast--with-bottom-app-bar\": running_on_mobile_device() && ui_state.app_bar_shown,\n })}\n ref={ref}\n >\n <span className=\"toast__text\">{text}</span>\n <progress\n className=\"toast__progress_bar\"\n value={export_board_state.progress_value}\n max={export_board_state.progress_max}\n />\n <div className=\"toast__action\">\n <Button\n key=\"cancel\" /* ... for `export_board.spec.tsx` */\n onClick={export_board_state.cancel}\n data-test-id=\"ExportBoardToast_cancel\"\n >\n {i18n.cancel}\n </Button>\n <Button\n key=\"download\" /* ... for `export_board.spec.tsx` */\n onClick={open_download_url}\n disabled={!download_url}\n data-test-id=\"ExportBoardToast_download\"\n >\n {i18n.download}\n </Button>\n </div>\n </div>\n )\n})\n", "import * as React from \"react\"\nimport {observer} from \"mobx-react\"\nimport {i18n} from \"@cling/lib.web.i18n\"\nimport {import_board_state, ui_state} from \"../state/index\"\nimport {Button} from \"@cling/lib.web.mdc\"\nimport {JobStatus} from \"@cling/lib.shared.model\"\nimport {assert_never, not_null} from \"@cling/lib.shared.utils\"\nimport {goto_board} from \"../utils\"\nimport {report_error} from \"@cling/lib.shared.debug\"\nimport {running_on_mobile_device} from \"@cling/lib.web.utils\"\nimport {classNames} from \"@cling/lib.web.utils\"\nimport {runInAction} from \"mobx\"\n\nexport const ImportBoardToast = observer(() => {\n const open_imported_board = React.useCallback(() => {\n import_board_state.close_toast()\n goto_board({board_uid: not_null(import_board_state.board_uid)}).catch(report_error)\n }, [])\n const ref = React.useCallback((elm?: ReactRef<HTMLDivElement>) => {\n runInAction(() => {\n ui_state.toast_shown = !!elm\n })\n }, [])\n const {job_status} = import_board_state\n if (!job_status) {\n return null\n }\n let text: string\n let failure = false\n let success = false\n if (job_status === JobStatus.job_pending || job_status === JobStatus.job_running) {\n text = i18n.importing_board\n } else if (job_status === JobStatus.job_failed) {\n failure = true\n text = i18n.import_failed\n } else if (job_status === JobStatus.job_succeeded) {\n success = true\n text = i18n.board_successfully_imported\n } else {\n throw assert_never(job_status)\n }\n return (\n <div\n className={classNames(\"toast\", {\n \"toast--with-bottom-app-bar\": running_on_mobile_device() && ui_state.app_bar_shown,\n })}\n ref={ref}\n >\n <span className=\"toast__text\">{text}</span>\n <div className=\"toast__action\">\n {(failure || success) && (\n <Button onClick={import_board_state.close_toast}>{i18n.close}</Button>\n )}\n {failure && <Button onClick={import_board_state.retry_import}>{i18n.retry}</Button>}\n {success && (\n <Button\n onClick={open_imported_board}\n data-test-id=\"ImportBoardToast_open_imported_board\"\n >\n {i18n.open}\n </Button>\n )}\n </div>\n </div>\n )\n})\n", "import * as React from \"react\"\nimport {observer} from \"mobx-react\"\nimport * as MDC from \"@cling/lib.web.mdc\"\nimport {i18n} from \"@cling/lib.web.i18n\"\nimport {upload_state, ui_state} from \"../state/index\"\nimport {classNames} from \"@cling/lib.web.utils\"\nimport {running_on_mobile_device} from \"@cling/lib.web.utils\"\nimport {runInAction} from \"mobx\"\n\nexport const UploadProgressToast = observer(() => {\n const cancel_uploads = React.useCallback(() => {\n upload_state.cancel_uploads()\n }, [])\n const ref = React.useCallback((elm?: ReactRef<HTMLDivElement>) => {\n runInAction(() => {\n ui_state.toast_shown = !!elm\n })\n }, [])\n const {\n num_files_total,\n num_files_uploaded,\n num_bytes_total,\n num_bytes_uploaded_of_uploaded_files,\n num_bytes_uploaded_of_uploading_file,\n name_of_uploading_file,\n } = upload_state\n if (num_files_uploaded === num_files_total) {\n return null\n }\n const num_bytes_uploaded =\n num_bytes_uploaded_of_uploaded_files + num_bytes_uploaded_of_uploading_file\n return (\n <div\n className={classNames(\"toast\", {\n \"toast--with-bottom-app-bar\": running_on_mobile_device() && ui_state.app_bar_shown,\n })}\n ref={ref}\n data-test-id=\"UploadProgressToast\"\n >\n <span className=\"toast__text\">\n {i18n.uploading(num_files_uploaded, num_files_total, name_of_uploading_file)}\n </span>\n <progress\n className=\"toast__progress_bar\"\n value={num_bytes_uploaded}\n max={num_bytes_total}\n />\n <div className=\"toast__action\">\n <MDC.Button onClick={cancel_uploads}>{i18n.cancel}</MDC.Button>\n </div>\n </div>\n )\n})\n", "import * as React from \"react\"\nimport {observer} from \"mobx-react\"\nimport {current_user} from \"../state/index\"\nimport {debug_state} from \"../state/debug_state\"\nimport {IconButton} from \"@cling/lib.web.mdc\"\n\nexport const Debug = observer(() => {\n const [mode, set_mode] = React.useState<\"minimized\" | \"maximized\">(\"minimized\")\n const maximize = React.useCallback(() => {\n set_mode(\"maximized\")\n }, [])\n const minimize = React.useCallback(() => {\n set_mode(\"minimized\")\n }, [])\n const copy = React.useCallback(() => {\n const range = document.createRange()\n const pre_error = document.querySelector(\"#debug_error\")!\n range.setStart(pre_error.firstChild!, 0)\n range.setEndBefore(pre_error.firstChild!.nextSibling!)\n const selection = getSelection()!\n selection.removeAllRanges()\n selection.addRange(range)\n document.execCommand(\"copy\")\n selection.removeAllRanges()\n }, [])\n if (\n !(\n cling.dev ||\n current_user.account_attributes.email.endsWith(\"@cling.com\") ||\n current_user.account_attributes.email.endsWith(\"@flunder.io\")\n )\n ) {\n return null\n }\n if (mode === \"maximized\") {\n return (\n <pre className=\"debug__maximized\" id=\"debug_error\">\n {debug_state.errors_and_log_history || \"No errors.\"}\n <div className=\"debug__buttons\">\n <IconButton icon=\"content_copy\" secondary onClick={copy} />\n <IconButton icon=\"close\" secondary onClick={minimize} />\n </div>\n </pre>\n )\n }\n const {offline, num_errors} = debug_state\n return (\n <div className=\"debug\" data-test-ignore onClick={maximize}>\n {offline && <div>Offline!</div>}\n {num_errors > 0 && (\n <div className=\"debug__error\">\n {num_errors === 1 ? \"1 Error\" : num_errors + \" Errors\"}\n </div>\n )}\n </div>\n )\n})\n", "import * as React from \"react\"\nimport {current_user, ui_actions, ui_state} from \"../state/index\"\nimport model_actions from \"../state/model_actions\"\nimport {BoardType, Note} from \"@cling/lib.shared.model\"\nimport {cancel_event} from \"@cling/lib.web.utils\"\nimport {running_on_mobile_device} from \"@cling/lib.web.utils\"\nimport {is_elm_inside_an_active_rich_text_editor} from \"@cling/lib.web.rich_text_editor\"\nimport {BoardContext} from \"../board_context\"\nimport {observer} from \"mobx-react\"\nimport {above_card_insert_pos, below_card_insert_pos} from \"../card/add_card_actions\"\nimport {board_resource} from \"@cling/lib.web.resources\"\n\nexport const KeyboardShortcuts = observer(() => {\n const {\n current_board: {display_version},\n } = React.useContext(BoardContext)\n const key_down = React.useCallback(\n (e: KeyboardEvent) => {\n if (\n e.altKey ||\n e.ctrlKey ||\n e.metaKey ||\n ui_state.lightbox_shown() ||\n ui_state.dialog !== \"none\" ||\n ui_state.card_editor ||\n is_elm_inside_an_active_rich_text_editor(e.target as HTMLElement) ||\n document.activeElement?.tagName === \"INPUT\" ||\n document.activeElement?.tagName === \"TEXTAREA\"\n ) {\n return\n }\n if (e.key === \"/\") {\n ui_state.search_state.toggle_search_box()\n e.stopPropagation()\n e.preventDefault()\n } else if (e.key === \"b\") {\n ui_actions.toggle_desktop_board_chooser(\"boards\", {focus_search: true})\n cancel_event(e)\n } else if (e.key === \"p\") {\n ui_actions.toggle_desktop_board_chooser(\"people\", {focus_search: true})\n cancel_event(e)\n } else if (e.key === \"B\") {\n if (ui_state.desktop_board_chooser_state === \"hidden\") {\n ui_actions.toggle_desktop_board_chooser(\"boards\")\n } else {\n ui_actions.toggle_desktop_board_chooser(\"hidden\")\n }\n cancel_event(e)\n }\n if (display_version !== \"latest\") {\n return\n }\n const current_board = ui_state.current_board.board\n if (!current_board) {\n return\n }\n const current_board_root_card_permissions = current_user.card_permissions(\n current_board,\n display_version,\n current_board.root,\n )\n if (\n e.key === \"a\" &&\n current_board.board_type !== BoardType.trashcan &&\n !ui_state.active_card &&\n current_board_root_card_permissions.can_add_card\n ) {\n ui_actions.start_adding_pasting_new_card(\"add\")\n cancel_event(e)\n return\n } else if (\n e.key === \"v\" &&\n current_board.board_type !== BoardType.clipboard &&\n !ui_state.active_card &&\n current_board_root_card_permissions.can_add_card\n ) {\n ui_actions.start_adding_pasting_new_card(\"paste\")\n cancel_event(e)\n return\n }\n const card = ui_state.active_card\n if (!card) {\n return\n }\n const board = board_resource.read(card.board_uid)\n if (!board) {\n return\n }\n let cancel = true\n const permissions = current_user.card_permissions(board, display_version, card)\n if (e.key === \">\" && permissions.can_move_card) {\n model_actions.increase_indent_if_possible(\n board,\n card,\n ui_state.search_state.visible_children(card.parent),\n )\n } else if (e.key === \"<\" && permissions.can_move_card) {\n model_actions.decrease_indent_if_possible(board, card)\n } else if (e.key === \"e\" && permissions.can_edit_card) {\n ui_actions.start_editing_card(card.board_uid, card.uid)\n } else if (e.key === \"r\" && permissions.can_remove_card) {\n model_actions.remove_card(board, card)\n } else if (e.key === \"h\" && permissions.can_archive_card) {\n model_actions.toggle_card_archived(board, card)\n } else if (e.key === \"t\" && permissions.can_edit_task) {\n ui_actions.show_task_edit_dialog({\n board,\n card,\n })\n } else if (e.key === \"o\") {\n ui_actions.open_comments(card)\n } else if (e.key === \" \") {\n ui_actions.toggle_fully_collapsed(card)\n } else if (\n (e.key === \"a\" || e.key === \"A\") &&\n board.board_type !== BoardType.trashcan &&\n permissions.can_add_card\n ) {\n const card_uid = model_actions.add_card_locally(\n board,\n e.shiftKey\n ? above_card_insert_pos(card)\n : below_card_insert_pos(card, {\n has_visible_children:\n ui_state.search_state.has_visible_children(card),\n }),\n {note: new Note({})},\n )\n if (card_uid !== \"quota_exceeded\") {\n ui_actions.start_editing_card(board.uid, card_uid)\n }\n } else if (\n e.key === \"x\" &&\n board.board_type !== BoardType.clipboard &&\n permissions.can_cut_card\n ) {\n model_actions.cut_card(board, card)\n } else if (e.key === \"c\" && permissions.can_copy_card) {\n model_actions.copy_card(board, card)\n } else if (\n (e.key === \"v\" || e.key === \"V\") &&\n board.board_type !== BoardType.clipboard &&\n permissions.can_add_card\n ) {\n model_actions.paste_card(\n board,\n e.shiftKey\n ? above_card_insert_pos(card)\n : below_card_insert_pos(card, {\n has_visible_children:\n ui_state.search_state.has_visible_children(card),\n }),\n )\n } else {\n cancel = false\n }\n if (cancel) {\n cancel_event(e)\n }\n },\n [display_version],\n )\n React.useEffect(() => {\n if (!running_on_mobile_device()) {\n document.addEventListener(\"keydown\", key_down)\n return () => {\n document.removeEventListener(\"keydown\", key_down)\n }\n }\n }, [key_down])\n return null\n})\n", "import * as React from \"react\"\nimport {observer} from \"mobx-react\"\nimport {React_lazy, React_suspense} from \"@cling/lib.web.lazy_load/suspense\"\nimport {ui_actions, ui_state} from \"../state/index\"\nconst TaskEditDialog = React_lazy(\n () => import(process.env.F_PUBLIC_LAZY || \"@cling/client.web_app/card/task_edit_dialog\"),\n)\nconst SendToBoardDialog = React_lazy(\n () => import(process.env.F_PUBLIC_LAZY || \"@cling/client.web_app/card/send_to_board_dialog\"),\n)\nconst CheckoutDialog = React_lazy(() => import(\"@cling/client.web_app/payment/checkout_dialog\"))\nconst QuotaLimitExceededDialog = React_lazy(\n () =>\n import(\n process.env.F_PUBLIC_LAZY || \"@cling/client.web_app/account/quota_limit_exceeded_dialog\"\n ),\n)\nconst AccountSettingsDialog = React_lazy(\n () =>\n import(\n process.env.F_PUBLIC_LAZY || \"@cling/client.web_app/account/account_settings_dialog\"\n ),\n)\nconst ProFeatureTeaserDialog = React_lazy(\n () =>\n import(\n process.env.F_PUBLIC_LAZY || \"@cling/client.web_app/account/pro_feature_teaser_dialog\"\n ),\n)\nconst ClingProTeaser = React_lazy(\n () => import(process.env.F_PUBLIC_LAZY || \"@cling/client.web_app/account/cling_pro_teaser\"),\n)\nconst BoardSettingsDialogContainer = React_lazy(\n () =>\n import(\n process.env.F_PUBLIC_LAZY ||\n \"@cling/client.web_app/dialogs/board_settings_dialog_container\"\n ),\n)\nconst ShareBoardDialog = React_lazy(\n () => import(process.env.F_PUBLIC_LAZY || \"@cling/client.web_app/dialogs/share_board_dialog\"),\n)\nconst StartConversationDialog = React_lazy(\n () =>\n import(\n process.env.F_PUBLIC_LAZY || \"@cling/client.web_app/dialogs/start_conversation_dialog\"\n ),\n)\nconst ImportDataDialog = React_lazy(\n () =>\n import(process.env.F_PUBLIC_LAZY || \"@cling/client.web_app/import_data/import_data_dialog\"),\n)\nconst DiagnosticsDialog = React_lazy(\n () => import(\"@cling/client.web_app/dialogs/diagnostics_dialog\"),\n)\nconst TeamsDialog = React_lazy(\n () => import(process.env.F_PUBLIC_LAZY || \"@cling/client.web_app/team/teams_dialog\"),\n)\nconst PromptContainer = React_lazy(() => import(\"@cling/client.web_app/dialogs/prompt\"))\nconst CopyBoardDialog = React_lazy(\n () => import(process.env.F_PUBLIC_LAZY || \"@cling/client.web_app/dialogs/copy_board_dialog\"),\n)\nconst AddBoardDialog = React_lazy(\n () => import(process.env.F_PUBLIC_LAZY || \"@cling/client.web_app/dialogs/add_board_dialog\"),\n)\nconst ReportAbuseDialog = React_lazy(() => import(\"@cling/client.web_app/card/report_abuse_dialog\"))\n\nexport const DialogContainer = observer(() => {\n let dialog\n if (ui_state.dialog === \"new_board\") {\n dialog = <AddBoardDialog />\n } else if (ui_state.dialog === \"copy_board\") {\n dialog = <CopyBoardDialog />\n } else if (ui_state.dialog === \"board_settings\") {\n dialog = <BoardSettingsDialogContainer />\n } else if (ui_state.dialog === \"share_board\") {\n dialog = <ShareBoardDialog />\n } else if (ui_state.dialog === \"import_data\") {\n dialog = <ImportDataDialog />\n } else if (ui_state.dialog === \"task_editor\") {\n dialog = <TaskEditDialog {...ui_state.task_edit_dialog_props!} />\n } else if (ui_state.dialog === \"send_to_board\") {\n dialog = <SendToBoardDialog {...ui_state.send_to_board_dialog_props!} />\n } else if (ui_state.dialog === \"checkout\") {\n dialog = <CheckoutDialog on_cancel={ui_actions.close_dialog} />\n } else if (ui_state.dialog === \"quota_limit_exceeded_dialog\") {\n dialog = <QuotaLimitExceededDialog />\n } else if (ui_state.dialog === \"account_settings\") {\n dialog = <AccountSettingsDialog />\n } else if (ui_state.dialog === \"start_conversation\") {\n dialog = <StartConversationDialog />\n } else if (ui_state.dialog === \"diagnostics\") {\n dialog = <DiagnosticsDialog />\n } else if (ui_state.dialog === \"teams\") {\n dialog = <TeamsDialog />\n } else if (ui_state.dialog === \"report_abuse\") {\n dialog = <ReportAbuseDialog {...ui_state.report_abuse_dialog_props} />\n }\n return (\n <React_suspense>\n {ui_state.pro_feature_teaser_dialog_props && (\n <ProFeatureTeaserDialog {...ui_state.pro_feature_teaser_dialog_props!} />\n )}\n <PromptContainer />\n {dialog}\n <ClingProTeaser />\n </React_suspense>\n )\n})\n", "import * as React from \"react\"\nimport {observer} from \"mobx-react\"\nimport {i18n} from \"@cling/lib.web.i18n\"\nimport {ui_state} from \"../state/index\"\nimport {running_on_mobile_device} from \"@cling/lib.web.utils\"\nimport {classNames} from \"@cling/lib.web.utils\"\nimport {import_data_state} from \"./import_data_state\"\nimport {runInAction} from \"mobx\"\n\nexport const ImportDataToast = observer(() => {\n const {job_status} = import_data_state\n const ref = React.useCallback((elm?: ReactRef<HTMLDivElement>) => {\n runInAction(() => {\n ui_state.toast_shown = !!elm\n })\n }, [])\n if (!job_status) {\n return null\n }\n return (\n <div\n className={classNames(\"toast\", {\n \"toast--with-bottom-app-bar\": running_on_mobile_device() && ui_state.app_bar_shown,\n })}\n ref={ref}\n >\n <span className=\"toast__text\">{i18n.importing_data}</span>\n <progress\n className=\"toast__progress_bar\"\n value={Math.round(import_data_state.progress_value)}\n max={import_data_state.progress_max}\n />\n </div>\n )\n})\n", "import * as React from \"react\"\nimport {profiler} from \"../profiler\"\nimport {current_user, ui_actions} from \"../state/index\"\nimport {full_name, not_null} from \"@cling/lib.shared.utils\"\nimport {with_perfect_scrollbar} from \"@cling/lib.web.utils\"\nimport type {RouteComponentProps} from \"@reach/router\"\nimport {TopAppBar} from \"@cling/lib.web.mdc/top_app_bar\"\nimport {Page} from \"@cling/lib.web.mdc/page\"\nimport {TypographyLogo} from \"../board/toolbar_items_common\"\nimport {Card} from \"@cling/lib.web.mdc/card\"\nimport {Button} from \"@cling/lib.web.mdc/button\"\nimport {LoadingIndicator} from \"@cling/lib.web.lazy_load/loading_indicator\"\nimport {call_function} from \"@cling/lib.shared.faas/index\"\nimport {\n APIScope,\n CLING_BUTTON_OAUTH2_CLIENT_ID,\n InitOauth2FlowAuthorize,\n InitOauth2FlowRequest,\n InitOauth2FlowResponse,\n InitOauth2FlowValidate,\n} from \"@cling/lib.shared.model/model\"\nimport {report_error} from \"@cling/lib.shared.debug/index\"\nimport {i18n} from \"@cling/lib.web.i18n/index\"\nimport {query_param} from \"@cling/lib.web.utils/query_param\"\n\n// eslint-disable-next-line @typescript-eslint/no-unused-vars\nexport const AuthorizeAppPage = (_: RouteComponentProps) => {\n React.useEffect(() => {\n NProgress.done()\n profiler.on_page_mounted()\n ui_actions.toggle_desktop_board_chooser(\"hidden\")\n }, [])\n const [waiting, set_waiting] = React.useState(true)\n const [error_msg, set_error_msg] = React.useState<string>()\n const [client_name, set_client_name] = React.useState(\"\")\n const [api_scopes, set_api_scopes] = React.useState<APIScope[]>([])\n const [decline_redirect_uri, set_decline_redirect_uri] = React.useState<string>()\n const handle_error = React.useCallback((error: any) => {\n report_error(\"Failed to validate OAuth2 request - showing an error\", error)\n set_error_msg(i18n.failed_to_authorize_an_external_app)\n set_waiting(false)\n }, [])\n const allow = React.useCallback(() => {\n set_waiting(true)\n call_function(\n new InitOauth2FlowRequest({\n query_string: location.search.slice(1),\n authorize: new InitOauth2FlowAuthorize({}),\n }),\n InitOauth2FlowResponse,\n )\n .then(({authorize_response, error_redirect_uri}) => {\n if (error_redirect_uri) {\n goto(error_redirect_uri)\n return\n }\n const res = not_null(authorize_response, \"`authorize_response` cannot be null\")\n goto(res.redirect_uri)\n })\n .catch(handle_error)\n }, [handle_error])\n React.useEffect(() => {\n call_function(\n new InitOauth2FlowRequest({\n query_string: location.search.slice(1),\n validate: new InitOauth2FlowValidate({}),\n }),\n InitOauth2FlowResponse,\n )\n .then(({validate_response, error_redirect_uri}) => {\n if (error_redirect_uri) {\n // If there is a `redirect_uri` in the response, we know that the request\n // is invalid and we tell the calling client about it.\n goto(error_redirect_uri)\n return\n }\n const res = not_null(validate_response, \"`validate_response` cannot be null\")\n if (\n query_param(\"client_id\") === CLING_BUTTON_OAUTH2_CLIENT_ID &&\n query_param(\"redirect_uri\")?.startsWith(\n `https://${location.host}/cling-button-auth`,\n )\n ) {\n allow()\n return\n }\n set_client_name(res.client_name)\n set_api_scopes(res.api_scopes)\n set_decline_redirect_uri(res.decline_redirect_uri)\n set_waiting(false)\n })\n .catch(handle_error)\n }, [handle_error, allow])\n const decline = React.useCallback(() => {\n set_waiting(true)\n goto(decline_redirect_uri ?? \"/c\")\n }, [decline_redirect_uri])\n const title = i18n.authorize_app(client_name)\n const top_app_bar = (\n <TopAppBar\n more_items={\n <div className=\"mdc-top-app-bar__title toolbar-items__title toolbar-items__title--left flex-row align-items--center\">\n <TypographyLogo in_app />\n <div>\n {\"//\"} {title}\n </div>\n </div>\n }\n className=\"public-page__top-app-bar\"\n />\n )\n if (error_msg) {\n return (\n <Page document_title={title} top_app_bar={top_app_bar}>\n <div className=\"flex-row mt--2 p--2 justify-content--center\">\n <Card\n title=\"Authorization failed\"\n className=\"p--2 overflow--hidden\"\n style={{maxWidth: \"500px\"}}\n >\n {error_msg}\n </Card>\n </div>\n ,\n </Page>\n )\n }\n if (!client_name) {\n return (\n <Page document_title={title} top_app_bar={top_app_bar}>\n <div className=\"flex-row mt--2 p--2 justify-content--center\">\n <Card className=\"p--2 overflow--hidden\" style={{maxWidth: \"500px\"}}>\n <LoadingIndicator />\n </Card>\n </div>\n ,\n </Page>\n )\n }\n return (\n <Page document_title={title} top_app_bar={top_app_bar}>\n {with_perfect_scrollbar(\n <div className=\"flex-row mt--2 p--2 justify-content--center\">\n <Card className=\"p--2 overflow--hidden\" style={{maxWidth: \"500px\"}}>\n {i18n.hi(full_name(current_user.account))}\n <br />\n <br />\n <span>\n {i18n.app_is_requesting_acces_to_the_following_data(\n client_name,\n current_user.account_attributes.email,\n )}\n </span>\n <ul>\n {api_scopes.map((x) => (\n <li key={x}>{i18n.api_scope(x)}</li>\n ))}\n </ul>\n <div className=\"flex-row flex-wrap--wrap justify-content--center\">\n <Button\n disabled={waiting}\n outlined\n className=\"ml--2 mr--2 mt--2\"\n onClick={allow}\n data-test-id=\"AuthorizeAppPage_allow\"\n >\n <div className=\"flex-row align-items--center\">\n {i18n.allow}\n {waiting && <LoadingIndicator />}\n </div>\n </Button>\n <Button\n onClick={decline}\n disabled={waiting}\n outlined\n danger\n className=\"mt--2\"\n >\n {i18n.decline}\n </Button>\n </div>\n </Card>\n </div>,\n )}\n </Page>\n )\n}\n\nexport default AuthorizeAppPage\n", "import {CurrentUser} from \"@cling/lib.web.resources\"\nimport {\n SYSTEM_BOARD_TYPES,\n derive_system_board_uid,\n SyncEntityType,\n Account,\n AccountUID,\n AccountSettings,\n AccountAttributes,\n BoardUID,\n AccountAuth,\n AccountAnalytics,\n Board,\n} from \"@cling/lib.shared.model\"\nimport type {LocalCache} from \"@cling/lib.web.resources/local_cache\"\nimport {log} from \"@cling/lib.shared.logging\"\nimport type {UID} from \"@cling/lib.shared.types/common\"\nimport {sleep} from \"@cling/lib.shared.utils\"\n\n/**\n * This does these things:\n * - Wait until all data to construct a `CurrentUser` is available.\n * - Wait until all system-boards are available.\n * - Trigger sync of missing data.\n */\nexport async function sync_initial_state({\n account_uid,\n caches,\n request_sync,\n board_uid_hint,\n}: {\n account_uid: AccountUID\n caches: {\n [SyncEntityType.account]: LocalCache<AccountUID, Account>\n [SyncEntityType.account_attributes]: LocalCache<AccountUID, AccountAttributes>\n [SyncEntityType.account_settings]: LocalCache<AccountUID, AccountSettings>\n [SyncEntityType.account_auth]: LocalCache<AccountUID, AccountAuth>\n [SyncEntityType.account_analytics]: LocalCache<AccountUID, AccountAnalytics>\n [SyncEntityType.board]: LocalCache<BoardUID, Board>\n }\n request_sync: (uid: UID, type: SyncEntityType) => void\n board_uid_hint?: BoardUID\n}): Promise<CurrentUser> {\n let backoff = 10\n let attempt = 0\n function request_account_sync() {\n request_sync(account_uid, SyncEntityType.account)\n request_sync(account_uid, SyncEntityType.account_attributes)\n request_sync(account_uid, SyncEntityType.account_settings)\n request_sync(account_uid, SyncEntityType.account_auth)\n request_sync(account_uid, SyncEntityType.account_analytics)\n }\n function request_board_sync() {\n for (const x of SYSTEM_BOARD_TYPES) {\n request_sync(derive_system_board_uid(account_uid, x), SyncEntityType.board)\n }\n if (board_uid_hint) {\n request_sync(board_uid_hint, SyncEntityType.board)\n }\n }\n request_account_sync()\n request_board_sync()\n for (;;) {\n try {\n let current_user: CurrentUser\n try {\n const account = caches[SyncEntityType.account].get(account_uid)\n const account_analytics = caches[SyncEntityType.account_analytics].get(account_uid)\n const account_attributes =\n caches[SyncEntityType.account_attributes].get(account_uid)\n const account_settings = caches[SyncEntityType.account_settings].get(account_uid)\n const account_auth = caches[SyncEntityType.account_auth].get(account_uid)\n current_user = new CurrentUser({\n account,\n account_attributes,\n account_analytics,\n account_settings,\n account_auth,\n is_new: false,\n })\n } catch (error) {\n // Ok, we could not find anything in the caches, wait until they are magically\n // filled (by the worker) ...\n if (attempt >= 10 && attempt % 10 === 0) {\n log.debug(\"Initial account still not sent by worker -- re-requesting it\", {\n attempt,\n })\n request_account_sync()\n }\n throw error\n }\n // Make sure all system boards are in sync ...\n try {\n for (const x of SYSTEM_BOARD_TYPES) {\n const system_board_uid = derive_system_board_uid(account_uid, x)\n caches[SyncEntityType.board].get(system_board_uid)\n }\n // We explicitly don't check if `board_uid_hint` is found, because - as the\n // name suggests - it is only a hint ...\n } catch (error) {\n if (attempt >= 10 && attempt % 10 === 0) {\n log.debug(\"Initial boards still not sent by worker -- re-requesting them\", {\n attempt,\n })\n request_board_sync()\n }\n throw error\n }\n return current_user\n } catch {\n backoff = Math.min(137, backoff * 1.5)\n attempt += 1\n await sleep(backoff)\n }\n }\n}\n", "import {observable, makeObservable, runInAction} from \"mobx\"\nimport {from_buffer} from \"@cling/lib.shared.model\"\nimport {NotFound} from \"@cling/lib.shared.error/errors\"\nimport type {UID} from \"@cling/lib.shared.types/common\"\n\n/**\n * A local cache that does not deal with versions of entities. It simply stores everything it\n * is told to store. The responsibility for feeding correct versions of entities lies outside\n * this cache.\n * This highly reduces complexity and we have a single source of truth.\n */\nexport interface LocalCache<K extends UID, V extends {_to_pb: (args: any) => any}> {\n /**\n * An error is thrown if the key does not exist.\n * Some data might still arrive later. In those cases you have to check with `has()` before.\n */\n get(key: K): V\n has(key: K): boolean\n put(key: K, pb: Uint8Array, o?: V): void\n remove(key: K): void\n values(): Iterable<V>\n keys(): Iterable<K>\n}\n\ninterface ModelClass<V> {\n name: string\n _from_pb: (p: any) => V\n}\n\nexport function default_local_cache<K extends UID, V extends {_to_pb: (args: any) => any}>(\n type: ModelClass<V>,\n): LocalCache<K, V> {\n return new LocalCacheImpl({type})\n}\n\nexport class LocalCacheImpl<K extends UID, V extends {_to_pb: (args: any) => any}>\n implements LocalCache<K, V>\n{\n private map = new Map<K, {pb?: Uint8Array; o?: V}>()\n private type: ModelClass<V>\n\n constructor({type}: {type: ModelClass<V>}) {\n makeObservable<LocalCacheImpl<K, V>, \"map\">(this, {\n map: observable.shallow,\n })\n this.type = type\n }\n\n get(key: K): V {\n const cache_entry = this.map.get(key)\n if (!cache_entry) {\n throw new NotFound(`Entity (${this.type.name}) is not cached`, key)\n }\n if (!cache_entry.o) {\n cache_entry.o = from_buffer(this.type, cache_entry.pb!)\n cache_entry.pb = undefined\n }\n return cache_entry.o\n }\n\n has(key: K): boolean {\n return this.map.has(key)\n }\n\n put(key: K, pb: Uint8Array, o?: V) {\n runInAction(() => this.map.set(key, {pb, o}))\n }\n\n remove(key: K) {\n runInAction(() => this.map.delete(key))\n }\n\n *values(): Iterable<V> {\n for (const key of this.keys()) {\n yield this.get(key)\n }\n }\n\n keys(): Iterable<K> {\n return this.map.keys()\n }\n}\n", "import {\n AccountUID,\n SyncEntityType,\n BoardUID,\n Board,\n BoardInfo,\n Account,\n AccountSettings,\n AccountAttributes,\n AccountAuth,\n AccountAnalytics,\n TeamUID,\n Team,\n TeamMembers,\n URLUID,\n URLInfo,\n BlobUID,\n MediaInfo,\n ClingErrorCode,\n OrganizationUID,\n Organization,\n OrganizationMembers,\n MeetStatus,\n} from \"@cling/lib.shared.model\"\nimport type {UID} from \"@cling/lib.shared.types/common\"\nimport {LocalCache, default_local_cache} from \"@cling/lib.web.resources/local_cache\"\nimport {local_eventbus} from \"@cling/lib.web.primitives\"\nimport {\n not_null,\n ControllablePromise,\n new_ControllablePromise,\n assert_never,\n} from \"@cling/lib.shared.utils\"\nimport {log} from \"@cling/lib.shared.logging\"\nimport {NotFound, Gone, Forbidden, ClingError} from \"@cling/lib.shared.error\"\nimport type {SyncUpdate} from \"@cling/lib.web.worker/worker_interface\"\nimport {runInAction} from \"mobx\"\n\nconst outstanding = new Map<string, ControllablePromise<void> | undefined>()\nlet apply_batch_timeout: any\nlet ignore_sync_update: (msg: SyncUpdate) => boolean\nlet board_sync_paused: BoardUID | undefined = undefined\nconst batch: SyncUpdate[] = []\n\nexport async function init(ignore_sync_update_: typeof ignore_sync_update) {\n ignore_sync_update = ignore_sync_update_\n const new_cache = <K extends UID, V extends {_to_pb: (args: any) => any}>(\n type: any,\n ): LocalCache<K, V> => {\n return default_local_cache<K, V>(type) as any\n }\n const caches = {\n [SyncEntityType.board]: new_cache<BoardUID, Board>(Board),\n [SyncEntityType.board_info]: new_cache<BoardUID, BoardInfo>(BoardInfo),\n [SyncEntityType.account]: new_cache<AccountUID, Account>(Account),\n [SyncEntityType.account_settings]: new_cache<AccountUID, AccountSettings>(AccountSettings),\n [SyncEntityType.account_attributes]: new_cache<AccountUID, AccountAttributes>(\n AccountAttributes,\n ),\n [SyncEntityType.account_auth]: new_cache<AccountUID, AccountAuth>(AccountAuth),\n [SyncEntityType.account_analytics]: new_cache<AccountUID, AccountAnalytics>(\n AccountAnalytics,\n ),\n [SyncEntityType.organization]: new_cache<OrganizationUID, Organization>(Organization),\n [SyncEntityType.organization_members]: new_cache<OrganizationUID, OrganizationMembers>(\n OrganizationMembers,\n ),\n [SyncEntityType.team]: new_cache<TeamUID, Team>(Team),\n [SyncEntityType.team_members]: new_cache<TeamUID, TeamMembers>(TeamMembers),\n [SyncEntityType.url_info]: new_cache<URLUID, URLInfo>(URLInfo),\n [SyncEntityType.media_info]: new_cache<BlobUID, MediaInfo>(MediaInfo),\n [SyncEntityType.meet_status]: new_cache<BoardUID, MeetStatus>(MeetStatus),\n }\n const local_cache_sync_event_bus = local_eventbus<SyncUpdate>()\n local_cache_sync_event_bus.addEventListener(({data: msg}) => {\n // log.debug(\"Received sync message\", {\n // message_type: msg.type,\n // uid: msg.uid,\n // sync_entity_type: SyncEntityType[msg.sync_entity_type],\n // })\n // Debounce this message, so we can reduce the number of MobX triggers being fired.\n batch.push(msg)\n if (!apply_batch_timeout) {\n apply_batch_timeout = setTimeout(() => _apply_batch(caches), 97)\n }\n })\n return {\n caches,\n local_cache_sync_event_bus,\n pause_board_sync: (board_uid: BoardUID | undefined) => (board_sync_paused = board_uid),\n }\n}\n\nfunction _apply_batch(caches: Record<SyncEntityType, LocalCache<UID, any>>) {\n try {\n runInAction(() => {\n const retain = []\n try {\n while (batch.length > 0) {\n const msg = batch.shift()!\n if (msg.uid === board_sync_paused) {\n retain.push(msg)\n continue\n }\n _handle_message(msg, caches)\n }\n } finally {\n batch.push(...retain)\n }\n })\n } finally {\n apply_batch_timeout = 0\n }\n if (batch.length > 0) {\n clearTimeout(apply_batch_timeout)\n apply_batch_timeout = setTimeout(() => _apply_batch(caches), 597)\n }\n}\n\nfunction _handle_message(msg: SyncUpdate, caches: Record<SyncEntityType, LocalCache<UID, any>>) {\n const sync_key = outstanding_sync_key(msg.sync_entity_type, msg.uid)\n const promise = outstanding.get(sync_key)\n const cache = not_null(\n caches[msg.sync_entity_type],\n `No cache for ${SyncEntityType[msg.sync_entity_type]}`,\n )\n if (ignore_sync_update(msg)) {\n log.debug(\"Ignoring sync message\", {\n message_type: msg.type,\n uid: msg.uid,\n sync_entity_type: SyncEntityType[msg.sync_entity_type],\n })\n return\n }\n log.debug(\"Handling sync message\", {\n message_type: msg.type,\n uid: msg.uid,\n sync_entity_type: SyncEntityType[msg.sync_entity_type],\n })\n if (msg.type === \"sync_put\") {\n cache.put(msg.uid, msg.full_pb)\n promise?.resolve()\n } else if (msg.type === \"sync_remove\") {\n cache.remove(msg.uid)\n promise?.reject(new NotFound(\"Not found or lost access\", msg.uid))\n } else if (msg.type === \"sync_error\") {\n cache.remove(msg.uid)\n if (msg.cling_error_code === ClingErrorCode.not_found) {\n promise?.reject(new NotFound(\"Not found or lost access\", msg.uid))\n } else if (msg.cling_error_code === ClingErrorCode.gone) {\n promise?.reject(new Gone(\"Gone on server\", msg.uid))\n } else if (msg.cling_error_code === ClingErrorCode.sec_forbidden) {\n promise?.reject(new Forbidden(\"Access denied or revoked\", {uids: [msg.uid]}))\n } else {\n promise?.reject(\n new ClingError(`Unknown error: ${ClingErrorCode[msg.cling_error_code]}`, 400, {\n extra: {cling_error_code: msg.cling_error_code},\n uids: [msg.uid],\n }),\n )\n }\n } else if (msg.type === \"sync_up_to_date\") {\n promise?.resolve()\n } else {\n throw assert_never(msg)\n }\n outstanding.delete(sync_key)\n}\n\nexport const request_sync_factory =\n ({request_sync}: {request_sync: (uid: UID, type: SyncEntityType) => void}) =>\n (uid: UID, type: SyncEntityType) => {\n const sync_key = outstanding_sync_key(type, uid)\n if (outstanding.has(sync_key)) {\n return\n }\n log.debug(`RequestSync ${uid}/${SyncEntityType[type]}`)\n outstanding.set(sync_key, undefined)\n request_sync(uid, type)\n }\n\nexport const wait_for_sync_factory =\n ({request_sync}: {request_sync: (uid: UID, type: SyncEntityType) => void}) =>\n async (uid: UID, type: SyncEntityType) => {\n const sync_key = outstanding_sync_key(type, uid)\n const cur_outstanding = outstanding.get(sync_key)\n if (cur_outstanding) {\n return cur_outstanding\n }\n log.debug(`RequestSync ${uid}/${SyncEntityType[type]}`)\n const promise = new_ControllablePromise<void>()\n outstanding.set(sync_key, promise)\n request_sync(uid, type)\n return promise\n }\n\nfunction outstanding_sync_key(type: SyncEntityType, uid: UID) {\n return `${type}:${uid}`\n}\n", "import {log, log_history} from \"@cling/lib.shared.logging\"\nimport {as_SessionUID, create_SessionUID, SessionUID} from \"@cling/lib.shared.model\"\nimport type {LogHistory} from \"@cling/lib.shared.logging/types\"\nimport {new_ControllablePromise} from \"@cling/lib.shared.utils\"\nimport {report_error, report_info} from \"@cling/lib.shared.debug\"\nimport {fatal_error_url} from \"@cling/lib.web.utils/fatal_error_url\"\nimport {safe_session_storage} from \"@cling/lib.web.utils/safe_storage\"\nimport {sensors} from \"../debug/sensors\"\n\nexport class StartWebAppError extends Error {\n reload_page?: boolean\n goto_url?: string\n reload_only_once?: boolean\n\n constructor(\n message: string,\n {\n reload_page,\n goto_url,\n reload_only_once,\n }: {reload_page?: true; goto_url?: string; reload_only_once?: boolean} = {},\n ) {\n super(message)\n // This is needed according to https://goo.gl/N2zvkR ...\n Object.setPrototypeOf(this, StartWebAppError.prototype)\n this.reload_page = reload_page\n this.goto_url = goto_url\n this.reload_only_once = reload_only_once\n }\n}\n\nexport function watchdog(\n startup_function: (\n session_uid: SessionUID,\n set_state: (state: \"starting\" | \"waiting for authentication\") => void,\n ) => Promise<boolean>,\n) {\n try {\n const fail_marker_prefix = \"Cling -- start_web_app() failed -- \"\n const window_name = window.name || \"\"\n const start_web_app_failed_before = window_name.startsWith(fail_marker_prefix)\n let session_uid: SessionUID\n if (window_name.startsWith(\"Cling -- \")) {\n session_uid = as_SessionUID(window_name.substr(window_name.lastIndexOf(\" -- \") + 4))\n // Load log history ...\n try {\n const s = safe_session_storage.getItem(`log_history_${session_uid}`)\n if (s) {\n const a = JSON.parse(s) as LogHistory\n log_history.unshift(...a)\n }\n } catch {\n // Ignored.\n }\n } else {\n session_uid = create_SessionUID()\n }\n // We store the `session_uid` in the window name, so that\n // we can retrieve it later even if another page was loaded\n // in the meantime ...\n window.name = `Cling -- ${session_uid}`\n const save_log_history = () => {\n try {\n safe_session_storage.setItem(\n `log_history_${session_uid}`,\n JSON.stringify(log_history),\n )\n } catch {\n // Ignored.\n }\n }\n window.reload = (reason: string) => {\n log.info(reason + \" -- reloading page ...\")\n save_log_history()\n location.reload()\n }\n const goto_ = goto\n window.goto = (url: string) => {\n save_log_history()\n goto_(url)\n }\n let state: \"starting\" | \"waiting for authentication\" = \"starting\"\n let waiting_for_authentication_since: undefined | number\n const set_state = (new_state: \"starting\" | \"waiting for authentication\") => {\n state = new_state\n if (new_state === \"waiting for authentication\") {\n waiting_for_authentication_since = Date.now()\n }\n }\n const start_web_app_promise = startup_function(session_uid, set_state)\n const watchdog_promise = new_ControllablePromise<void>()\n const t0 = Date.now()\n let web_app_running = false\n let long_start_reported = false\n const watchdog_id = setInterval(() => {\n if (web_app_running) {\n sensors.validate()\n return\n }\n const now = Date.now()\n if (state === \"waiting for authentication\") {\n if (now - waiting_for_authentication_since! > 30_000) {\n watchdog_promise.reject(\n new StartWebAppError(\"Could not authenticate within 11 seconds\", {\n goto_url: \"/login\",\n }),\n )\n }\n } else {\n const last_log_history_entry = log_history[log_history.length - 1]\n const t = last_log_history_entry.timestamp2 || last_log_history_entry.timestamp\n if (now - t > 12_222) {\n report_info(\"No progress for over 12 seconds\")\n }\n if (now - t0 > 30_000 && !long_start_reported) {\n long_start_reported = true\n report_info(\"start_web_app() takes very long\")\n }\n if (now - t0 > 66_666) {\n long_start_reported = true\n watchdog_promise.reject(new StartWebAppError(\"start_web_app() took too long\"))\n }\n }\n }, 911)\n Promise.race([start_web_app_promise, watchdog_promise])\n .then((web_app_started) => {\n if (web_app_started) {\n log.debug(`start_web_app() succeeded in ${Math.round(Date.now() - t0)} ms`)\n web_app_running = true\n } else {\n // Silent login succeeded ...\n clearInterval(watchdog_id)\n }\n })\n .catch(async (error) => {\n clearInterval(watchdog_id)\n const m = `start_web_app() failed: ${error.message}`\n if (error instanceof StartWebAppError) {\n const {reload_page, goto_url, reload_only_once} = error\n if (reload_page && (!reload_only_once || !start_web_app_failed_before)) {\n reload(m)\n } else {\n goto(goto_url ?? fatal_error_url(error))\n }\n } else {\n window.name = fail_marker_prefix + session_uid\n if (start_web_app_failed_before) {\n // eslint-disable-next-line no-console\n console.error(error)\n goto(fatal_error_url(error))\n } else {\n report_error(m, error)\n reload(m)\n }\n }\n })\n } catch (error) {\n goto(fatal_error_url(error))\n }\n}\n", "import {report_error} from \"@cling/lib.shared.debug/index\"\nimport {init as init_auth} from \"@cling/lib.web.auth/index\"\nimport {handle_auth_redirect} from \"./auth/authenticate\"\nimport {init} from \"./entry\"\nimport {start_web_app} from \"./startup/startup\"\nimport {watchdog} from \"./startup/watchdog\"\n\nif (process.env.NODE_ENV !== \"test\") {\n ;(async function start() {\n init()\n if (!cling.frontend_only) {\n init_auth({is_dev: cling.dev})\n await handle_auth_redirect()\n }\n watchdog(start_web_app)\n })().catch(report_error)\n}\n"], "mappings": "k5HAmKA,eAAsBA,IAYpB,CACE,GAAI,CAAC,UAAU,OAAQ,CACnBC,EAAI,KACA,qGACJ,EACA,MACJ,CACA,GAAI,CACA,IAAMC,EAAkB,MAAMC,GAAkBC,EAAI,EACpD,GAAI,CAACF,EACD,OAMJ,IAAMG,EAJYC,EACdC,GAAsBL,CAAe,EACrC,6DACJ,EACmC,QAC7BM,EAAaN,EAAwB,eACvCO,EAAaJ,EAAQ,YAAcA,EAAQ,YAAcG,GAAW,UACxE,OAAIH,EAAQ,cACRI,GAAc,IAAIJ,EAAQ,WAAW,IAElC,CACH,WAAAI,EACA,YAAaJ,EAAQ,aAAeA,EAAQ,WAAaG,GAAW,SACpE,kBAAmBH,EAAQ,QAC3B,OAAQA,EAAQ,OAChB,YAAaK,GAAyBR,EAAgB,KAAK,GAAG,EAC9D,aAAc,MAAMA,EAAgB,KAAK,WAAW,EACpD,SAAU,EACd,CACJ,OAASS,EAAO,CACZ,MAAO,CACH,SAAU,GACV,MAAAA,CACJ,CACJ,CACJ,CAjDsBC,EAAAZ,GAAA,8BCnJtB,eAAsBa,IAAyC,CAC3D,IAAMC,EAAgB,MAAMC,GAA2B,EACvD,GAAI,CAACD,EACD,MAAO,GAEX,GAAIA,EAAc,SACd,OAAAE,EAAaF,EAAc,KAAK,EACzB,GAEXG,EAAI,KAAK,4DAA6D,CAClE,YAAaH,EAAc,WAC/B,CAAC,EACD,MAAMI,GAAUJ,CAAa,EAC7B,IAAMK,EAAsBC,EAAqB,QAAQ,gBAAgB,EACnEC,EAAkBF,EAClBG,GAAYC,GAAeJ,CAAmB,EAC9C,IAAII,GAAc,CAAC,CAAC,EAC1BH,EAAqB,WAAW,gBAAgB,EAChD,IAAMI,EAASV,EAAc,QAAU,UAAU,SACjD,OAAAO,EAAgB,OAASI,GAAUD,CAAM,EAAIA,EAAS,KACtDH,EAAgB,kBAAoBP,EAAc,mBAAqB,GACvEO,EAAgB,WAAaP,EAAc,YAAc,GACzDO,EAAgB,YAAcP,EAAc,aAAe,GAC3D,MAAMY,GAAaL,CAAe,EAC3B,EACX,CAzBsBM,EAAAd,GAAA,wBA2Bf,SAASe,GAAmCC,EAAsB,CACrE,GAAIA,GAAK,cAAe,CACpB,KAAK,gBAAgB,EACrB,MACJ,CACA,GAAIA,GAAK,eAAgB,CACrB,KAAK,iBAAiB,EACtB,MACJ,CACA,GAAIA,GAAK,sBACL,KAAK,MAAMA,EAAI,qBAAqB,EAAE,UAC/BA,GAAK,cAAc,oBAAoB,wBAC9C,KAAK,sBAAsB,MACxB,CACH,IAAMC,EAAMV,EAAqB,QAAQW,EAAiB,GAAK,KAC3DD,IAAQ,SAAS,SAAW,SAAS,QACrC,KAAKA,CAAG,CAEhB,CACJ,CAnBgBH,EAAAC,GAAA,sCAqBhB,eAAeF,GAAaM,EAAoB,CAC5C,IAAMH,EAAM,MAAMI,EAAcD,EAAKE,EAAc,EACnD,GAAIL,EAAI,eACJT,EAAqB,QAAQ,sBAAuB,OAAO,MACxD,CAEH,GAAI,CACA,MAAMe,GAAwB,CAClC,OAASC,EAAO,CACZpB,EAAa,wDAAyDoB,CAAK,CAC/E,CACAhB,EAAqB,QAAQ,sBAAuB,QAAQ,CAChE,CACAQ,GAAmCC,CAAG,CAC1C,CAdeF,EAAAD,GAAA,gBAgBf,eAAeR,GAAU,CACrB,YAAAmB,EACA,aAAAC,CACJ,EAGG,CACC,MAAML,EAAc,IAAIM,GAAqB,CAAC,WAAYD,CAAY,CAAC,CAAC,EAExE,IAAME,EAAsBb,EAAA,IACxB,uCAAmCU,CAAW,IAAII,GAAkB,CAAC,IAD7C,uBAE5BC,GAAW,CACP,iBAAkBf,EAACK,GAAQ,CACvBA,EAAI,QAAQ,oBAAoB,EAAIQ,EAAoB,CAC5D,EAFkB,oBAGlB,OAAQb,EAACS,GAAU,CACfpB,EAAa,gDAAiDoB,CAAK,EACnE,KAAK,gBAAgB,CACzB,EAHQ,SAIZ,CAAC,CACL,CApBeT,EAAAT,GAAA,aC7DR,SAASyB,IAAO,CACnBC,GAA6B,EAC7BD,GACIE,GAAe,CACX,YAAAC,GACA,iBACsCC,GAAmB,QAAQ,SAAS,CAC9E,CAAC,CACL,EACA,MAAM,MAAQ,IAAM,CAEhBC,GAA4BF,EAAW,EAAE,QAASG,GAAS,QAAQ,IAAIA,CAAI,CAAC,EAC5E,MAAM,iBAAmB,GACzBF,GAAmB,QAAQ,UAAW,GAAG,CAC7C,EACA,MAAM,YAAc,IAAMC,GAA4BF,EAAW,CACrE,CAhBgBI,EAAAP,GAAA,QClBhBQ,IACAC,KCOO,SAASC,GAAKC,EAA4D,CAC7E,IAAMC,EAAkB,IAAI,IAC5B,OAAAD,EAAkB,iBAAkBE,GAAU,CAC1C,IAAMC,EAAMD,EAAM,KACdC,EAAI,OAAS,mBACbF,EAAgB,OAAOE,EAAI,SAAS,CAE5C,CAAC,EACM,CACH,mBAAoBC,EAACD,GAAoB,CACrC,GAAIA,EAAI,OAAS,YAAcE,GAAYF,EAAI,GAAG,EAAG,CACjD,IAAMG,EAAYH,EAAI,IACtB,MAAO,CAAC,GAAGF,EAAgB,OAAO,CAAC,EAAE,KAAMM,GAAMA,EAAE,SAASD,CAAS,CAAC,CAC1E,CACA,MAAO,EACX,EANoB,sBAOpB,cAAeF,EAAA,CAAC,CACZ,WAAAI,EACA,SAAAC,EACA,UAAAC,EACA,uBAAAC,CACJ,IAKM,CACFV,EAAgB,IAAIS,EAAWF,CAAU,EACzCR,EAAkB,YAAY,CAAC,KAAM,gBAAiB,SAAAS,EAAU,uBAAAE,CAAsB,CAAC,CAC3F,EAbe,gBAcnB,CACJ,CA/BgBP,EAAAL,GAAA,QCkBhB,eAAsBa,IAAO,CACzB,IAAMC,EAAM,UAAU,cACtB,GAAI,CAACA,EAAK,CACNC,EAAI,KAAK,sEAAsE,EAC/E,MACJ,CACA,IAAIC,EACJ,GAAI,CACAA,EAAM,MAAM,MAAM,WACtB,OAASC,EAAO,CACZF,EAAI,KAAK,oEAAqEE,CAAK,EACnF,MACJ,CACA,IAAMC,EAAwBC,EAAA,SAAY,CACtC,GAAI,CACA,MAAMH,EAAI,OAAO,CACrB,OAASC,EAAO,CACZ,IAAMG,EAAYC,GAAgBJ,CAAK,EAEnCG,EAAU,SACN,iJACJ,GACAA,EAAU,SACN,kIACJ,EAEAE,EAAY,qCAAsCL,CAAK,EAEvDM,EAAa,qCAAsCN,CAAK,CAEhE,CAEA,WAAWC,EAAuB,GAAK,GAAK,GAAI,CACpD,EApB8B,yBAsB9B,WAAWA,EAAuB,GAAK,GAAK,GAAI,EAChD,IAAMM,EAAmCL,EAAA,IAAM,CAACL,EAAI,WAAX,oCACnCW,EAAqCN,EAAA,IACvCL,EAAI,YAAc,CAACA,EAAI,WAAW,UAAU,SAAS,mBAAmB,EADjC,sCAErCY,EAAiCP,EAAA,IAAM,CACrCM,EAAmC,IACnCF,EACI,sCAAsCT,EAAI,WAAW,SAAS,uCAClE,EACAE,EAAI,WAAW,EACV,KAAK,IAAM,OAAO,oCAAoC,CAAC,EACvD,MAAOC,GAAUM,EAAa,4CAA6CN,CAAK,CAAC,EAE9F,EATuC,kCAUvCS,EAA+B,EAC/B,IAAIC,EAAoCH,EAAiC,EACrEI,EAAsCH,EAAmC,EAEzEG,GACAd,EAAI,WAAY,YAAY,CAAC,KAAM,cAAc,CAAC,EAEtDA,EAAI,iBAAiB,mBAAoB,IAAM,CAC3CY,EAA+B,EAC3BC,GAGOC,IAIPb,EAAI,KAAK,2EAA2E,EACpFc,EAAY,IAAOC,EAAS,2BAA6B,EAAK,GAElEH,EAAoCH,EAAiC,EACrEI,EAAsCH,EAAmC,CAC7E,CAAC,EACDX,EAAI,iBAAiB,UAAW,MAAO,CAAC,KAAAiB,CAAI,IAAM,CAC9C,GAAI,CACA,IAAMC,EAAMD,EACZ,GAAIC,EAAI,OAAS,MAAO,CACpB,GAAM,CAAC,SAAAC,EAAU,QAAAC,EAAS,QAAAC,EAAS,MAAAC,CAAK,EAAIJ,EAC5CjB,EAAIkB,CAAQ,EAAE,IAAIC,CAAO,KAAKC,CAAO,GAAIC,CAAK,CAClD,SAAWJ,EAAI,OAAS,gBAAiB,CACrC,GAAM,CAAC,SAAAK,EAAU,IAAAC,CAAG,EAAIN,EACxBF,EAAS,6BAA6BS,GAAWF,CAAQ,CAAC,EAE1D,IAAMG,EAAI,IAAI,IAAIF,CAAG,EAAE,aAAa,IAAI,GAAG,EAC3C,QAAWG,KAAO,SAAS,iBAAiB,UAAUD,CAAC,IAAI,EAAG,CAC1D,IAAME,EAAMD,EACZC,EAAI,IAAM,GAAGJ,CAAG,YAAY,KAAK,IAAI,CAAC,EAC1C,CACJ,CAGJ,OAASrB,EAAO,CACZM,EAAa,8CAA+CN,CAAK,CACrE,CACJ,CAAC,CACL,CA7FsBE,EAAAN,GAAA,QCDtB,IAAI8B,GACAC,GAAwB,EAE5B,SAASC,GAA2B,CAChC,iBAAAC,EACA,WAAAC,EACA,kBAAAC,CACJ,EAIG,CACC,OAAQC,GAAwB,CAC5B,IAAMC,EAAMD,EAAM,KAAK,IACvB,GAAIC,EAAI,OAAS,MAAO,CACpB,GAAM,CAAC,SAAAC,EAAU,QAAAC,EAAS,QAAAC,EAAS,MAAAC,CAAK,EAAIJ,EACxCK,EACA,UAAU,UAAU,SAAS,SAAS,GAAK,CAAC,OAAO,YAEnDA,EAAS,YAAYH,CAAO,oBAE5BG,EAAS,IAAIH,CAAO,KAExBI,EAAIL,CAAQ,EAAE,GAAGI,CAAM,GAAGF,CAAO,GAAIC,CAAK,CAC9C,SAAWJ,EAAI,OAAS,OACpBN,GAAwB,KAAK,IAAI,EACjCa,EAAQ,kBAAkBP,EAAI,QAAU,UAAY,QAAQ,UAE5DA,EAAI,OAAS,YACbA,EAAI,OAAS,eACbA,EAAI,OAAS,mBACbA,EAAI,OAAS,aAEbJ,EAAiB,YAAYI,CAAG,UACzBA,EAAI,OAAS,cACpB,KAAKQ,GAAgBR,EAAI,KAAK,CAAC,UACxBA,EAAI,OAAS,qBACpBH,EAAW,YAAYG,CAAG,UACnBA,EAAI,OAAS,SACpB,OAAO,0CAA0CA,EAAI,MAAM,EAAE,UACtDA,EAAI,OAAS,kBACpBF,EAAkB,YAAYE,CAAG,EACjCO,EAAQ,gBAAgBP,EAAI,SAAS,EACjCA,EAAI,kBACJS,GAAS,aACL,GAAGC,EAAK,0BAA0B,IAAIA,EAAK,qBACvCV,EAAI,iBACJ,EACJ,CAAC,GACDU,EAAK,KACL,IAAMC,GAAc,aAAa,CACrC,UAEGX,EAAI,OAAS,eACpBM,EAAI,KAAK,gCAAgC,EACzCM,GAAgB,MAEhB,OAAMC,EAAab,CAAG,CAE9B,CACJ,CAzDSc,EAAAnB,GAAA,8BA2DF,SAASoB,GAAuBf,EAAa,CAChDP,IAAO,YAAY,CAAC,IAAAO,CAAG,CAAC,CAC5B,CAFgBc,EAAAC,GAAA,0BAIT,SAASC,GAAK,CACjB,mBAAAC,EACA,oBAAAC,EACA,KAAAC,EACA,iBAAAvB,EACA,iBAAAwB,EACA,kBAAAtB,EACA,WAAAD,EACA,+BAAAwB,EACA,aAAAC,CACJ,EAUG,CACC7B,GAAQ0B,EACRA,EAAK,iBACD,UACAxB,GAA2B,CACvB,iBAAAC,EACA,WAAAC,EACA,kBAAAC,CACJ,CAAC,CACL,EACAsB,EAAiB,iBAAkBrB,GAAU,CACzCoB,EAAK,YAAY,CAAC,IAAKpB,EAAM,IAAI,CAAC,CACtC,CAAC,EACDD,EAAkB,iBAAkBC,GAAU,CAC1C,IAAMC,EAAMD,EAAM,KACdC,EAAI,OAAS,gBACbmB,EAAK,YAAY,CAAC,IAAKpB,EAAM,IAAI,CAAC,EAC3BC,EAAI,OAAS,mBAGpBa,EAAab,CAAG,CAExB,CAAC,EACDH,EAAW,iBAAkBE,GAAU,CACnC,IAAMC,EAAMD,EAAM,KACdC,EAAI,OAAS,SACbmB,EAAK,YAAY,CAAC,IAAKpB,EAAM,IAAI,CAAC,EAC3BC,EAAI,OAAS,sBAGpBa,EAAab,CAAG,CAExB,CAAC,EACDqB,EAA+B,iBAAkBtB,GAAU,CAC3CA,EAAM,KACV,OAAS,8BACboB,EAAK,YAAY,CAAC,IAAKpB,EAAM,IAAI,CAAC,CAE1C,CAAC,EACDwB,GAAuB,CAAC,CAAC,YAAAC,EAAa,UAAAC,EAAW,wBAAAC,CAAuB,IAAM,CAC1EpB,EAAI,MAAM,mDAAmD,EAC7D,IAAMN,EAAqB,CACvB,KAAM,kBACN,WAAYkB,EAAoB,EAChC,UAAW,CAAC,YAAAM,EAAa,UAAAC,EAAW,wBAAAC,CAAuB,CAC/D,EACAP,EAAK,YAAY,CAAC,IAAAnB,CAAG,CAAC,CAC1B,CAAC,EAEDmB,EAAK,YAAY,CACb,IAAK,CACD,KAAM,kBACN,UAAWF,EAAmB,EAC9B,WAAYC,EAAoB,CACpC,CACJ,CAAC,EACDS,GAAeR,EAAMG,CAAY,CACrC,CA7EgBR,EAAAE,GAAA,QA+EhB,SAASW,GAAeR,EAAqDG,EAAoB,CAC7F,IAAIM,EAAoB,EAClBC,EAAYf,EAAA,IAAM,CACpBK,EAAK,YAAY,CAAC,IAAKG,CAAY,CAAC,EACpCM,EAAoB,KAAK,IAAI,CACjC,EAHkB,aAIlB,YAAY,IAAM,CACd,IAAME,EAAM,KAAK,IAAI,EACjBA,EAAMF,EAAoB,MAAUE,EAAMpC,GAAwB,MAClEqC,EACI,6CAA6C,KAAK,UAAU,CACxD,IAAAD,EACA,kBAAAF,EACA,sBAAAlC,EACJ,CAAC,CAAC,EACN,EAEJmC,EAAU,CACd,EAAG,GAAM,CACb,CAnBSf,EAAAa,GAAA,kBC3KTK,IACA,IAAAC,GAA0C,WCD1CC,ICAAC,IASA,IAAMC,GAAeC,EACjB,IAAM,OAAoC,6BAA2C,CACzF,EACMC,GAAeD,EACjB,IAAM,OAAoC,6BAA4C,CAC1F,EACME,GAAcF,EAAW,IAAM,OAAO,4BAA0C,CAAC,EAE1EG,GAAiBC,EAAS,IAAM,CACzC,GAAM,CACF,cAAe,CAAC,MAAAC,EAAO,gBAAAC,CAAe,CAC1C,EAAUC,GAAWC,EAAY,EAiBjC,GAhBMC,EAAU,IAAM,CAClB,UAAU,KAAK,EACVJ,IAGDC,IAAoB,WACpBI,GAAS,iBAAiBL,CAAK,EAC/BM,EAAQ,YAAYN,CAAK,GAE7BO,EAAI,MAAM,kBAAmB,CACzB,UAAWP,EAAM,IACjB,gBAAAC,EACA,cAAeD,EAAM,QACrB,KAAMQ,EAAS,SACnB,CAAC,EACL,EAAG,CAACR,EAAOC,CAAe,CAAC,EACvBO,EAAS,YAAc,UACvB,OAAIA,EAAS,aAAa,WAElBC,EAACC,EAAA,KACGD,EAACb,GAAA,CAAa,IAAI,SAAS,CAC/B,EAIJa,EAACC,EAAA,KACGD,EAACZ,GAAA,IAAY,CACjB,EAED,GAAIW,EAAS,YAAc,WAC9B,OACIC,EAACC,EAAA,KACGD,EAACf,GAAA,IAAa,CAClB,EAGJ,MAAMiB,EAAaH,EAAS,SAAS,CAE7C,CAAC,EC3DDI,IAUO,IAAMC,GAAkBC,EAC3B,CAAC,CAAC,UAAAC,EAAW,YAAAC,CAAW,IAA4D,CAChF,GAAM,CAACC,EAAWC,CAAa,EAAUC,EAAS,EAAE,EAC9C,CAACC,EAAgBC,CAAkB,EAAUF,EAA+B,EAC5EG,EAAgBC,GAAY,EAG9BP,EAAY,uBACZQ,GAAoB,KAAKR,EAAY,sBAAsB,GAAG,EAElE,IAAMS,EAAMC,GAA2BV,CAAW,EAClD,OAAMW,EAAU,IAAM,CAElB,GADA,aAAaL,EAAQ,OAAO,EACxB,CAACG,EAAK,CACNP,EAAc,EAAE,EAChB,MACJ,CACA,GAAIH,IAAcK,EAAgB,CAE9BC,EAAmBN,CAAS,EAC5BG,EAAcO,CAAG,EACjB,MACJ,CAEA,IAAMG,EAAM,IAAI,MAChBA,EAAI,OAAS,IAAM,CACf,aAAaN,EAAQ,OAAO,EAC5BJ,EAAcO,CAAG,CACrB,EACAG,EAAI,QAAU,IAAM,CAChB,aAAaN,EAAQ,OAAO,EAC5BJ,EAAcO,CAAG,CACrB,EACAG,EAAI,IAAMH,EACVH,EAAQ,QAAU,WAAW,IAAM,CAC/BJ,EAAcO,CAAG,CACrB,EAAG,GAAI,CACX,EAAG,CAACA,EAAKV,EAAWK,EAAgBJ,CAAW,CAAC,EAE5Ca,EAAC,OACG,UAAU,mBACV,MAAOC,GAAiB,CACpB,IAAKb,EACL,MAAOD,EAAY,iBACnB,WAAYA,EAAY,qBAC5B,CAAC,EACL,CAER,CACJ,ECxDAe,IAoBO,IAAMC,GAAkBC,EAAA,CAAC,CAC5B,aAAAC,EACA,WAAAC,EACA,YAAAC,EACA,YAAAC,CACJ,IAMQC,GAAY,EACLC,EAAyB,EAC5BC,EAACC,GAAA,CAA6B,WAAYN,EAAY,EAEtDK,EAACE,GAAA,CAA8B,WAAYP,EAAY,EAUxDI,EAAyB,EAC5BC,EAACG,GAAA,CACG,aAAcT,EACd,YAAaG,EACb,YAAaD,EACb,WAAYD,EAChB,EAEAK,EAACI,GAAA,CACG,aAAcV,EACd,YAAaG,EACb,YAAaD,EACb,WAAYD,EAChB,EAtCuB,mBA0ClBU,GAA2BZ,EAAA,CAAC,CACrC,WAAAE,EACA,aAAAD,CACJ,IAGM,CACF,IAAMY,EAAQX,GAAcY,EAAe,KAAKZ,EAAW,GAAG,EAC9D,OAAIG,GAAY,EACLE,EAACQ,GAAA,CAAgC,MAAOF,EAAO,EAKnDN,EAACS,GAAA,CAA8B,MAAOH,EAAO,aAAcZ,EAAc,CACpF,EAfwC,4BAiB3BgB,GAAwBjB,EAAA,IAO1B,KAP0B,yBClFrCkB,IA0BA,IAAAC,GAAuB,WAWhB,IAAMC,GAAcC,EAAS,CAAC,CAAC,aAAAC,EAAc,QAAAC,EAAS,MAAAC,EAAO,OAAAC,EAAQ,QAAAC,CAAO,IAAa,CAC5F,IAAMC,EAAmBC,GAAkB,EACrC,CAACC,EAA2BC,CAA6B,EAAUC,EAAS,CAAC,EAC7EC,EAAU,IAAM,CACdT,EACAI,EAAW,SAAS,KAAK,EAEzBA,EAAW,SAAS,MAAM,CAElC,EAAG,CAACA,EAAYJ,CAAO,CAAC,EACxB,IAAMU,EAAqCC,EAAY,IAAM,CACzDV,EAAM,EACNW,EAAW,6BAA6B,CAC5C,EAAG,CAACX,CAAK,CAAC,EACJY,EAAeF,EAAY,IAAM,CACnCE,GAAoB,EACpBA,GAAY,EAAE,MAAMC,CAAY,CACpC,EAAG,CAAC,CAAC,EACCC,EAA0BJ,EAAY,IAAM,CAC9CV,EAAM,EACNW,EAAW,kBAAkB,CACjC,EAAG,CAACX,CAAK,CAAC,EACJe,EAAgCL,EAAY,IAAM,CACpDV,EAAM,KACN,aAAS,kBAAkB,EAAE,MAAMa,CAAY,CACnD,EAAG,CAACb,CAAK,CAAC,EACJgB,EAA2BN,EAAY,IAAM,CAC/CV,EAAM,EACN,OAAO,KAAK,IAAIiB,GAAYC,EAAa,QAAQ,MAAM,CAAC,cAAe,QAAQ,CACnF,EAAG,CAAClB,CAAK,CAAC,EACJmB,EAAqBT,EAAY,IAAM,CACzCV,EAAM,EACN,OAAO,KAAK,IAAIiB,GAAYC,EAAa,QAAQ,MAAM,CAAC,gBAAiB,QAAQ,CACrF,EAAG,CAAClB,CAAK,CAAC,EACJoB,EAAmBV,EAAY,IAAM,CACvCV,EAAM,EACN,OAAO,KAAK,IAAIiB,GAAYC,EAAa,QAAQ,MAAM,CAAC,cAAe,QAAQ,CACnF,EAAG,CAAClB,CAAK,CAAC,EACJqB,EAAyBX,EAAY,IAAM,CAC7CV,EAAM,EACN,OAAO,KAAK,IAAIiB,GAAYC,EAAa,QAAQ,MAAM,CAAC,cAAe,QAAQ,CACnF,EAAG,CAAClB,CAAK,CAAC,EACJsB,EAAqBZ,EAAY,SAAY,CAC/CV,EAAM,EACN,IAAMuB,EAAQ,MAAMC,GAAsB,CAAC,OAAQ,MAAM,CAAC,EACrDD,EAAM,QAGXE,GAAa,CACT,MAAOF,EAAM,IAAKG,IAAO,CAAC,KAAMA,CAAC,EAAE,EACnC,gBAAiBC,GACjB,eAAgBC,EAAA,MAAOC,GACnBC,EAAc,IAAIC,GAAwBF,CAAC,EAAGG,EAAwB,EAD1D,kBAEhB,iBAAkBJ,EAAA,CAAC,CAAC,UAAAK,CAAS,IAAMC,GAAmB,aAAaD,CAAS,EAA1D,mBACtB,CAAC,CACL,EAAG,CAACjC,CAAK,CAAC,EACJmC,EAAkBzB,EAAY,IAAM,CACtCV,EAAM,EACNoC,GAAc,MAAM,CACxB,EAAG,CAACpC,CAAK,CAAC,EACJqC,EAA6B3B,EAAY,IAAM,CACjD,IAAM4B,EAAaC,GAAoB,KACnCC,GAAoBtB,EAAa,QAAQ,MAAM,CACnD,EACKoB,IAGLtC,EAAM,EACNyC,GAAW,CAAC,UAAWH,EAAW,GAAG,CAAC,EAAE,MAAMzB,CAAY,EAC9D,EAAG,CAACb,CAAK,CAAC,EACJ0C,GAA4BhC,EAAY,IAAM,CAE5CL,IAA8B,GAC9BM,EAAW,wBAAwB,EACnCL,EAA8B,CAAC,GAE/BA,EAA8BD,EAA4B,CAAC,CAEnE,EAAG,CAACA,CAAyB,CAAC,EACxBsC,GAAmBzB,EAAa,mBAAmB,kBAAoB,OAAO,YAC9E,CAAC,QAAA0B,EAAO,EAAI1B,EACZ2B,GAAoB3B,EAAa,yBACjC4B,GACFD,GAAkB,OAAS,EACrB,GAAGE,EAAK,SAAS,KAAKF,GACjB,IAAKnB,GAAMsB,GAAc,KAAKtB,CAAC,GAAG,MAAQ,KAAK,EAC/C,KAAK,IAAI,CAAC,GACf,OACJuB,EACFC,EAAC,OAAI,UAAU,uBAAuB,QAASlD,GAC3CkD,EAAC,OAAI,UAAU,8BAA8B,EAC7CA,EAAC,OACG,UAAU,4BACV,aAAYJ,GACX,GAAGK,IAEJD,EAAC,OAAI,UAAU,+BACXA,EAACE,GAAA,CAAc,QAAQ,eAAe,QAASR,GAAS,CAC5D,EACAM,EAAC,OAAI,UAAU,iCACXA,EAACE,GAAA,CAAc,QAAQ,YAAY,QAASR,GAAS,EACrDM,EAAC,OAAI,UAAU,8BACVhC,EAAa,mBAAmB,KACrC,CACJ,CACJ,CACJ,EAEEmC,GAAuBd,GAAoB,KAC7CC,GAAoBtB,EAAa,QAAQ,MAAM,CACnD,EACMoC,EAAQC,EAAe,kBACvBC,GAASC,GAAmBvC,EAAa,kBAAkB,EAC3DwC,GACFJ,EAAM,WAAaE,GAAO,WAAa,IACvCF,EAAM,UAAYE,GAAO,UAAY,IACrCF,EAAM,cAAgBE,GAAO,cAAgB,GAC3CG,GAAoBd,GAAkB,OAAS,EAC/Ce,EAAwB1C,EAAa,mBAAmB,wBAAwB,OAAS,EAC/F,OACIgC,EAACW,GAAA,CACG,UAAU,eACV,IAAK1D,EACL,OAAQ8C,EACR,aAAcnD,EACd,8BAA+B,CAACgE,EAAyB,EACzD,OAAQ7D,EACR,QAASC,GAETgD,EAAC,WACGA,EAACa,GAAA,KACI,CAAC7C,EAAa,mBAAmB,kBAE9BA,EAAa,mBAAmB,UAAU,QAAU,GAChDgC,EAACc,GAAA,CACG,MAAON,GAA4B,GAAKX,EAAK,WAC7C,UAAU,+BACV,wBAAyB/C,EACzB,oBAAqB0D,GACrB,SAAUA,GACd,EAERR,EAACe,EAAA,CACG,QAASxD,EACT,eAAa,wBAEbyC,EAACgB,EAAA,CAAK,KAAK,WAAW,SAAQ,GAAC,EAC9BnB,EAAK,QACV,EACAG,EAACe,EAAA,CAAS,QAAS9B,GACfe,EAACgB,EAAA,CAAK,KAAK,OAAO,SAAQ,GAAC,EAC1BnB,EAAK,QACV,EACCM,IACGH,EAACe,EAAA,CAAS,QAAS5B,GACfa,EAACgB,EAAA,CAAK,SAAQ,GAAC,KAAK,gBAAgB,EACnCnB,EAAK,SACV,EAEJG,EAACe,EAAA,CAAS,QAASjD,GACfkC,EAACgB,EAAA,CAAK,KAAK,OAAO,SAAQ,GAAC,EAC1BnB,EAAK,YACV,EACAG,EAACiB,GAAA,CAAe,KAAK,WAAW,QAASnE,EAAO,EAC/C2C,IACGO,EAACe,EAAA,CAAS,QAAS3C,EAAc,eAAa,4BAC1C4B,EAACgB,EAAA,CAAK,KAAK,cAAc,SAAQ,GAAC,EACjCnB,EAAK,YACV,EAEJG,EAACkB,GAAA,IAAY,EACZR,GACGV,EAACe,EAAA,CACG,QAASlD,EACT,eAAa,6BAEbmC,EAACgB,EAAA,CAAK,KAAK,SAAS,SAAQ,GAAC,EAC5BnB,EAAK,aACV,EAEHY,IACGT,EAACe,EAAA,CAAS,QAASnD,GACfoC,EAACgB,EAAA,CAAK,KAAK,QAAQ,SAAQ,GAAC,EAC3BnB,EAAK,QACV,EAEJG,EAACkB,GAAA,IAAY,EACblB,EAACe,EAAA,CAAS,QAAS9C,GACf+B,EAACgB,EAAA,CAAK,KAAK,cAAc,SAAQ,GAAC,EACjCnB,EAAK,OACV,EACAG,EAACe,EAAA,CAAS,QAAS7C,GACf8B,EAACgB,EAAA,CAAK,KAAK,UAAU,SAAQ,GAAC,EAC7BnB,EAAK,YACV,EACAG,EAACe,EAAA,CAAS,QAAS5C,GACf6B,EAACgB,EAAA,CAAK,KAAK,OAAO,SAAQ,GAAC,EAC1BnB,EAAK,OACV,EACAG,EAACkB,GAAA,IAAY,EACblB,EAACe,EAAA,CAAS,QAASrD,EAAQ,eAAa,sBACpCsC,EAACgB,EAAA,CAAK,KAAK,cAAc,SAAQ,GAAC,EACjCnB,EAAK,OACV,CACJ,CACJ,EACAG,EAAC,OAAI,UAAU,wBAAwB,QAASR,IAC3C,MAAM,OACX,CACJ,CAER,CAAC,ECxPD2B,IACAA,IAiCO,IAAMC,GAAsBC,EAAS,IAAM,CAC9C,GAAM,CAACC,EAAgBC,CAAkB,EAAUC,EAAS,EAAK,EACjEC,EAAU,IACNC,GACI,IAAMC,EAAS,cAAc,MAC5BC,GAAkB,CACXD,EAAS,8BAAgC,WACzCE,EAAoB,SAAS,aAAa,EACtCD,GAAe,aAAe,EAC9BE,EAAW,6BAA6B,QAAQ,EACzCF,GACPE,EAAW,6BAA6B,QAAQ,EAG5D,EACA,CAAC,KAAM,2CAA2C,CACtD,CACJ,EACA,IAAMC,EAAsBC,EAAY,IAAM,CAC1CF,EAAW,6BAA6B,QAAQ,EAChDD,EAAoB,SAAS,aAAa,EAC1CA,EAAoB,SAAS,aAAa,CAC9C,EAAG,CAAC,CAAC,EACCI,EAAsBD,EAAY,IAAM,CAC1CF,EAAW,6BAA6B,QAAQ,EAChDD,EAAoB,SAAS,aAAa,EAC1CA,EAAoB,SAAS,aAAa,CAC9C,EAAG,CAAC,CAAC,EACCA,EAAsBK,GAAuB,IAAI,EACvDT,EAAU,IAAM,CACZC,GACI,IAAM,CACFC,EAAS,mCACTA,EAAS,2BACb,EACA,CAAC,CAACQ,CAAY,IAAM,CAChBN,EAAoB,SAAS,aAAa,EACtCM,IACAZ,EAAmB,EAAI,EACvBM,EAAoB,SAAS,mBAAmB,EAChDF,EAAS,mCAAqC,GAEtD,EACA,CAAC,KAAM,gEAAgE,CAC3E,CACJ,EAAG,CAAC,CAAC,EACL,IAAMS,EAAcJ,EAAaK,GAAc,CACvCC,EAAa,iBAAiB,0BAC9BR,EAAW,6BAA6B,QAAQ,EAEpD,IAAMS,EAAaC,GAAeH,CAAS,EACvC,CAACI,EAAyB,GAAKF,IAAe,EAC9CT,EAAW,uBAAuB,EAC3B,CAACW,EAAyB,GAAKF,IAAe,EACrDT,EAAW,sBAAsB,EAC1BS,IAAe,EACtBG,GAAe,EAAE,MAAMC,CAAY,EAEnCC,GAAW,CAAC,UAAAP,CAAS,CAAC,EAAE,MAAMM,CAAY,CAElD,EAAG,CAAC,CAAC,EACCE,EAAmBb,EACrB,IAAMT,EAAmB,CAACD,CAAc,EACxC,CAACA,CAAc,CACnB,EACAG,EAAU,IAAM,CACRH,GACAO,EAAoB,SAAS,mBAAmB,CAExD,EAAG,CAACP,CAAc,CAAC,EACnB,GAAM,CAAC,yBAA0BwB,EAAY,2BAAAC,CAA0B,EACnET,EAAa,iBACXU,EAAuBhB,EAAY,IAAM,CAC3CiB,EAAY,IAAOX,EAAa,iBAAiB,yBAA2B,CAACQ,CAAW,EACxFI,EACI,IAAIC,GAAwB,CACxB,UAAWC,GAAgB,EAC3B,uBAAwB,IAAIC,GAAqB,CAC7C,yBAA0BP,KAC9B,CAAC,CACL,CAAC,CACL,EAAE,MAAMH,CAAY,CACxB,EAAG,CAACG,CAAU,CAAC,EACTQ,EAAYtB,EAAY,IAAM,CAC5BL,EAAS,8BAAgC,SACzCG,EAAW,sBAAsB,EAEjCA,EAAW,+BAA+B,CAElD,EAAG,CAAC,CAAC,EACCyB,EAAQvB,EAAY,IAAMF,EAAW,6BAA6B,QAAQ,EAAG,CAAC,CAAC,EAC/E0B,EAAM7B,EAAS,8BAAgC,SAAW,SAAW,SACrE8B,EAAqBC,GAA2B,EAAE,KAAMC,GAC1DhC,EAAS,kBAAkBgC,CAAC,CAChC,EACMC,GACA,OACAC,EAAcC,GAA0B,eAA+B,EAAE,KAC1EH,GAAMA,EAAE,eAAiBhC,EAAS,kBAAkBgC,CAAC,CAC1D,EACMC,GACA,OACAG,EACFP,IAAQ,SACFQ,GAAoB,CAChB,aAAc,WACd,2BAAAjB,EACA,GAAGkB,GAAoB,eAA+B,CAC1D,CAAC,EACDD,GAAoB,CAChB,aAAc,WACd,2BAAAjB,EACA,GAAGmB,GAAqB,CAC5B,CAAC,EACX,OACIC,EAAC,OACG,IAAK7B,EAAa,QAAQ,OAC1B,UAAW8B,EAAW,wBAAyB,CAC3C,8BAA+BzC,EAAS,8BAAgC,QAC5E,CAAC,GAEDwC,EAACE,GAAA,IAAe,EAChBF,EAAC,OAAI,UAAU,oCACXA,EAACG,EAAA,CACG,QAAShB,EACT,KAAK,OACL,eAAa,gCACb,OAAM,IAELE,IAAQ,SAAWe,EAAK,YAAcA,EAAK,oBAChD,CACJ,EACAJ,EAACK,GAAA,CAAO,UAAU,iCAAiC,0BAAyB,IACxEL,EAACM,GAAA,CACG,QAASC,GAAcH,EAAK,OAAQ,GAAG,EACvC,SAAUf,IAAQ,SAClB,KAAK,YACL,MACIW,EAAC,OAAI,UAAU,8BACVN,EACAU,EAAK,MACV,EAEJ,QAAStC,EACb,EACAkC,EAACM,GAAA,CACG,QAASC,GAAcH,EAAK,OAAQ,GAAG,EACvC,SAAUf,IAAQ,SAClB,KAAK,OACL,MACIW,EAAC,OAAI,UAAU,8BACVV,EACAc,EAAK,MACV,EAEJ,QAASxC,EACb,CACJ,EACAoC,EAACQ,GAAA,CACG,IAAK9C,EACL,UAAU,8BACV,eAAa,6BACb,aAAc0C,EAAK,OACnB,WAAYnC,EACZ,2BAA4BmC,EAAK,mBACjC,eAAgBjD,EAChB,WAAW,UAEVyC,CACL,EACAI,EAAC,OAAI,IAAI,eACLA,EAAC,OAAI,UAAU,sCACXA,EAACS,GAAA,CACG,KAAMtD,EAAiB,aAAe,SACtC,QAASuB,EACT,SAAQ,GACR,MAAK,GACL,QAAS,GACLW,IAAQ,SAAWe,EAAK,oBAAsBA,EAAK,kBACvD,MAAMf,IAAQ,SAAW,IAAM,GAAG,GACtC,EACAW,EAACU,GAAA,CAA+B,QAAQ,OAAO,EAC/CV,EAACS,GAAA,CACG,KAAK,WACL,MAAK,GACL,QAAS5B,EACT,SAAUF,EACV,QAASA,EAAayB,EAAK,aAAeA,EAAK,UACnD,EACAJ,EAACS,GAAA,CACG,KAAK,QACL,MAAK,GACL,QAASrB,EACT,eAAa,4BACjB,CACJ,CACJ,EACC,CAACjB,EAAa,mBAAmB,kBAE9BA,EAAa,mBAAmB,UAAU,QAAU,GAChD6B,EAAC,OAAI,UAAU,gFACXA,EAACG,EAAA,CAAO,OAAM,GAAC,UAAS,GAAC,QAASxC,EAAW,sBACxCyC,EAAK,aACV,EACAJ,EAAC,OAAI,UAAU,4BAA4BI,EAAK,iBAAkB,CACtE,CAEZ,CAER,CAAC,EAEKX,GACFO,EAAC,OAAI,UAAU,kFAAkF,EL3NrG,IAAMW,GAAwBC,EAC1B,IAAM,OAAoC,6BAA2C,CACzF,EAEaC,GAAYC,EAAS,IAAM,CACpC,GAAM,CAACC,EAAgBC,CAAkB,EAAUC,EAAS,EAAK,EAC3DC,EAAoBC,EAAY,IAAM,CACxCC,EAAW,gBAAgB,EAC3BJ,EAAmB,EAAI,CAC3B,EAAG,CAAC,CAAC,EACCK,EAAU,IAAMC,GAAS,gBAAgB,EAAG,CAAC,CAAC,EACpD,GAAM,CACF,cAAe,CAAC,MAAAC,EAAO,gBAAAC,CAAe,EACtC,kBAAAC,CACJ,EAAUC,GAAWC,EAAY,EAC3BC,EAAqBT,EAAY,IAAM,CACzCH,EAAmB,EAAK,CAC5B,EAAG,CAAC,CAAC,EACCa,EAAuBV,EAAY,IAAM,CAC3CH,EAAmB,EAAI,CAC3B,EAAG,CAAC,CAAC,EACL,GAAI,CAACS,EACD,OAAO,KAEX,IAAIK,EACAC,EACCR,EAUDQ,EAAcR,EAAO,aARrBO,EAAaE,GAAoB,KAAKP,CAAiB,EACvDM,EAAcD,GAAY,aAAe,CACrC,iBAAkB,GAClB,qBAAsB,GACtB,sBAAuB,OACvB,sBAAuB,EAC3B,GAIJ,IAAMG,EAAcV,EAAQW,EAAa,kBAAkBX,EAAOC,CAAe,EAAK,CAAC,EACjFW,EAAeC,GAAeX,CAAiB,IAAM,EACvDY,EAAiBC,EAAS,aAAa,WACrCC,EAAK,OACLJ,EACEK,GAAK,sBACLJ,GAAeX,CAAiB,IAAM,EACpCc,EAAK,SACLH,GAAeX,CAAiB,IAAM,EACpCc,EAAK,UACLhB,EACEkB,GAAWlB,CAAK,EAChB,GACR,CAAC,wBAAAmB,CAAuB,EAAIJ,EAC9BI,EAA0B,IAC1BL,EAAiB,IAAIK,CAAuB,KAAKL,CAAc,IAInE,IAAMM,EACFC,EAACC,GAAA,CACG,WACID,EAACE,GAAA,CACG,IAAK,WAAWZ,EAAa,QAAQ,MAAM,GAC3C,WAAYJ,GAAcP,GAAO,WACjC,aAAcY,EACd,YAAaF,EACb,YAAaf,EACjB,EAEJ,UAAW6B,EAAW,0BAA2B,CAC7C,iCAAkCT,EAAS,cAC3C,kCAAmC,CAACA,EAAS,cAC7C,kCAAmCA,EAAS,aAAa,gBACzD,sDACIA,EAAS,8BAAgC,QACjD,CAAC,GAEDM,EAACI,GAAA,IAAe,CACpB,EAEEC,EACF,CAACC,EAAyB,GACzBZ,EAAS,eAAiB,CAACA,EAAS,aAAa,gBAChDa,EAAiBD,EAAyB,EAC5CN,EAACQ,GAAA,CACG,UAAWL,EAAW,6BAA8B,CAChD,oCAAqCE,EACrC,qCAAsC,CAACA,CAC3C,CAAC,GAEDL,EAACS,GAAA,CACG,aAAclB,EACd,WAAYL,GAAcP,GAAO,WACrC,CACJ,EACA,OACE+B,EACFV,EAACW,GAAA,CACG,QAASxC,EACT,MAAOa,EACP,QAASA,EACT,OAAQC,EACR,aACIN,EACMiC,GAAiB,CACb,IAAKC,GAA2BlC,EAAM,WAAW,EACjD,MAAOA,EAAM,YAAY,iBACzB,WAAYA,EAAM,YAAY,qBAClC,CAAC,EACD,OAEd,EAEEmC,EAEA,6BAGN,OACId,EAACJ,GAAA,CACG,eAAgBH,EAChB,YAAaM,EACb,eAAgBQ,EAChB,OAAQG,EACR,eAAa,aAEbV,EAACe,GAAA,CACG,IAAI,aACJ,UAAWlC,EACX,YAAaM,EACjB,EACAa,EAAC,OAAI,IAAI,UAAU,UAAU,yBACC,CAACM,EAAyB,GAAKN,EAACgB,GAAA,IAAoB,EAC7ErC,GACGqB,EAACiB,GAAA,CACG,IACI,GAAGtC,EAAM,GAAG,IAAIC,CAAe,IAC5Bc,EAAS,SAAS,IAClBJ,EAAa,QAAQ,MAAM,GAElC,WAAY,CACR,aAAcwB,EACd,WAAYA,EACZ,YAAaA,EACb,UAAWA,CACf,EACA,GAAE,GACF,OAAM,GACN,QAAS,IAETd,EAAC,OAAI,IAAI,UAAU,UAAU,uBACzBA,EAACkB,GAAA,CAAe,IAAI,QAAQ,CAChC,CACJ,EAGAlB,EAACmB,EAAA,KACGnB,EAACjC,GAAA,CACG,IAAK,WAAWY,GAAO,GAAG,IAAIW,EAAa,QAAQ,MAAM,GAC7D,CACJ,EAEH,CAACgB,EAAyB,GAAKN,EAACoB,GAAA,IAAsB,CAC3D,CACJ,CAER,CAAC,EMhMDC,IAWO,IAAMC,GAAmBC,EAAS,IAAM,CAC3C,IAAMC,EAA0BC,EAAY,IAAM,CAC9C,KAAKC,GAAmB,aAAc,QAAQ,EAC9CA,GAAmB,MAAM,CAC7B,EAAG,CAAC,CAAC,EACCC,EAAYF,EAAaG,GAAmC,CAC9DC,EAAY,IAAM,CACdC,EAAS,YAAc,CAAC,CAACF,CAC7B,CAAC,CACL,EAAG,CAAC,CAAC,EACC,CAAC,WAAAG,EAAY,aAAAC,CAAY,EAAIN,GACnC,GAAI,CAACK,EACD,OAAO,KAEX,IAAIE,EACJ,GAAIF,IAAe,GAAyBA,IAAe,EACvDE,EAAOC,EAAK,wBACLH,IAAe,EACtBE,EAAOC,EAAK,sBACLH,IAAe,EACtBE,EAAOC,EAAK,oBAEZ,OAAMC,EAAaJ,CAAU,EAEjC,OACIK,EAAC,OACG,UAAWC,EAAW,QAAS,CAC3B,6BAA8BC,EAAyB,GAAKR,EAAS,aACzE,CAAC,EACD,IAAKH,GAELS,EAAC,QAAK,UAAU,eAAeH,CAAK,EACpCG,EAAC,YACG,UAAU,sBACV,MAAOV,GAAmB,eAC1B,IAAKA,GAAmB,aAC5B,EACAU,EAAC,OAAI,UAAU,iBACXA,EAACG,EAAA,CACG,IAAI,SACJ,QAASb,GAAmB,OAC5B,eAAa,2BAEZQ,EAAK,MACV,EACAE,EAACG,EAAA,CACG,IAAI,WACJ,QAASf,EACT,SAAU,CAACQ,EACX,eAAa,6BAEZE,EAAK,QACV,CACJ,CACJ,CAER,CAAC,ECnEDM,IAaO,IAAMC,GAAmBC,EAAS,IAAM,CAC3C,IAAMC,EAA4BC,EAAY,IAAM,CAChDC,GAAmB,YAAY,EAC/BC,GAAW,CAAC,UAAWC,EAASF,GAAmB,SAAS,CAAC,CAAC,EAAE,MAAMG,CAAY,CACtF,EAAG,CAAC,CAAC,EACCC,EAAYL,EAAaM,GAAmC,CAC9DC,EAAY,IAAM,CACdC,EAAS,YAAc,CAAC,CAACF,CAC7B,CAAC,CACL,EAAG,CAAC,CAAC,EACC,CAAC,WAAAG,CAAU,EAAIR,GACrB,GAAI,CAACQ,EACD,OAAO,KAEX,IAAIC,EACAC,EAAU,GACVC,EAAU,GACd,GAAIH,IAAe,GAAyBA,IAAe,EACvDC,EAAOG,EAAK,wBACLJ,IAAe,EACtBE,EAAU,GACVD,EAAOG,EAAK,sBACLJ,IAAe,EACtBG,EAAU,GACVF,EAAOG,EAAK,gCAEZ,OAAMC,EAAaL,CAAU,EAEjC,OACIM,EAAC,OACG,UAAWC,EAAW,QAAS,CAC3B,6BAA8BC,EAAyB,GAAKT,EAAS,aACzE,CAAC,EACD,IAAKH,GAELU,EAAC,QAAK,UAAU,eAAeL,CAAK,EACpCK,EAAC,OAAI,UAAU,kBACTJ,GAAWC,IACTG,EAACG,EAAA,CAAO,QAASjB,GAAmB,aAAcY,EAAK,KAAM,EAEhEF,GAAWI,EAACG,EAAA,CAAO,QAASjB,GAAmB,cAAeY,EAAK,KAAM,EACzED,GACGG,EAACG,EAAA,CACG,QAASnB,EACT,eAAa,wCAEZc,EAAK,IACV,CAER,CACJ,CAER,CAAC,ECjEDM,IASO,IAAMC,GAAsBC,EAAS,IAAM,CAC9C,IAAMC,EAAuBC,EAAY,IAAM,CAC3CC,GAAa,eAAe,CAChC,EAAG,CAAC,CAAC,EACCC,EAAYF,EAAaG,GAAmC,CAC9DC,EAAY,IAAM,CACdC,EAAS,YAAc,CAAC,CAACF,CAC7B,CAAC,CACL,EAAG,CAAC,CAAC,EACC,CACF,gBAAAG,EACA,mBAAAC,EACA,gBAAAC,EACA,qCAAAC,EACA,qCAAAC,EACA,uBAAAC,CACJ,EAAIV,GACJ,GAAIM,IAAuBD,EACvB,OAAO,KAEX,IAAMM,EACFH,EAAuCC,EAC3C,OACIG,EAAC,OACG,UAAWC,EAAW,QAAS,CAC3B,6BAA8BC,EAAyB,GAAKV,EAAS,aACzE,CAAC,EACD,IAAKH,EACL,eAAa,uBAEbW,EAAC,QAAK,UAAU,eACXG,EAAK,UAAUT,EAAoBD,EAAiBK,CAAsB,CAC/E,EACAE,EAAC,YACG,UAAU,sBACV,MAAOD,EACP,IAAKJ,EACT,EACAK,EAAC,OAAI,UAAU,iBACXA,EAAKI,EAAJ,CAAW,QAASlB,GAAiBiB,EAAK,MAAO,CACtD,CACJ,CAER,CAAC,ECpDDE,IAMO,IAAMC,GAAQC,EAAS,IAAM,CAChC,GAAM,CAACC,EAAMC,CAAQ,EAAUC,EAAoC,WAAW,EACxEC,EAAiBC,EAAY,IAAM,CACrCH,EAAS,WAAW,CACxB,EAAG,CAAC,CAAC,EACCI,EAAiBD,EAAY,IAAM,CACrCH,EAAS,WAAW,CACxB,EAAG,CAAC,CAAC,EACCK,EAAaF,EAAY,IAAM,CACjC,IAAMG,EAAQ,SAAS,YAAY,EAC7BC,EAAY,SAAS,cAAc,cAAc,EACvDD,EAAM,SAASC,EAAU,WAAa,CAAC,EACvCD,EAAM,aAAaC,EAAU,WAAY,WAAY,EACrD,IAAMC,EAAY,aAAa,EAC/BA,EAAU,gBAAgB,EAC1BA,EAAU,SAASF,CAAK,EACxB,SAAS,YAAY,MAAM,EAC3BE,EAAU,gBAAgB,CAC9B,EAAG,CAAC,CAAC,EACL,GACI,EACI,MAAM,KACNC,EAAa,mBAAmB,MAAM,SAAS,YAAY,GAC3DA,EAAa,mBAAmB,MAAM,SAAS,aAAa,GAGhE,OAAO,KAEX,GAAIV,IAAS,YACT,OACIW,EAAC,OAAI,UAAU,mBAAmB,GAAG,eAChCC,GAAY,wBAA0B,aACvCD,EAAC,OAAI,UAAU,kBACXA,EAACE,GAAA,CAAW,KAAK,eAAe,UAAS,GAAC,QAASP,EAAM,EACzDK,EAACE,GAAA,CAAW,KAAK,QAAQ,UAAS,GAAC,QAASR,EAAU,CAC1D,CACJ,EAGR,GAAM,CAAC,QAAAS,EAAS,WAAAC,CAAU,EAAIH,GAC9B,OACID,EAAC,OAAI,UAAU,QAAQ,mBAAgB,GAAC,QAASR,GAC5CW,GAAWH,EAAC,WAAI,UAAQ,EACxBI,EAAa,GACVJ,EAAC,OAAI,UAAU,gBACVI,IAAe,EAAI,UAAYA,EAAa,SACjD,CAER,CAER,CAAC,ECxDDC,IAYO,IAAMC,GAAoBC,EAAS,IAAM,CAC5C,GAAM,CACF,cAAe,CAAC,gBAAAC,CAAe,CACnC,EAAUC,GAAWC,EAAY,EAC3BC,EAAiBC,EAClBC,GAAqB,CAgClB,GA9BIA,EAAE,QACFA,EAAE,SACFA,EAAE,SACFC,EAAS,eAAe,GACxBA,EAAS,SAAW,QACpBA,EAAS,aACTC,GAAyCF,EAAE,MAAqB,GAChE,SAAS,eAAe,UAAY,SACpC,SAAS,eAAe,UAAY,aAIpCA,EAAE,MAAQ,KACVC,EAAS,aAAa,kBAAkB,EACxCD,EAAE,gBAAgB,EAClBA,EAAE,eAAe,GACVA,EAAE,MAAQ,KACjBG,EAAW,6BAA6B,SAAU,CAAC,aAAc,EAAI,CAAC,EACtEC,GAAaJ,CAAC,GACPA,EAAE,MAAQ,KACjBG,EAAW,6BAA6B,SAAU,CAAC,aAAc,EAAI,CAAC,EACtEC,GAAaJ,CAAC,GACPA,EAAE,MAAQ,MACbC,EAAS,8BAAgC,SACzCE,EAAW,6BAA6B,QAAQ,EAEhDA,EAAW,6BAA6B,QAAQ,EAEpDC,GAAaJ,CAAC,GAEdL,IAAoB,UACpB,OAEJ,IAAMU,EAAgBJ,EAAS,cAAc,MAC7C,GAAI,CAACI,EACD,OAEJ,IAAMC,EAAsCC,EAAa,iBACrDF,EACAV,EACAU,EAAc,IAClB,EACA,GACIL,EAAE,MAAQ,KACVK,EAAc,aAAe,GAC7B,CAACJ,EAAS,aACVK,EAAoC,aACtC,CACEH,EAAW,8BAA8B,KAAK,EAC9CC,GAAaJ,CAAC,EACd,MACJ,SACIA,EAAE,MAAQ,KACVK,EAAc,aAAe,GAC7B,CAACJ,EAAS,aACVK,EAAoC,aACtC,CACEH,EAAW,8BAA8B,OAAO,EAChDC,GAAaJ,CAAC,EACd,MACJ,CACA,IAAMQ,EAAOP,EAAS,YACtB,GAAI,CAACO,EACD,OAEJ,IAAMC,EAAQC,EAAe,KAAKF,EAAK,SAAS,EAChD,GAAI,CAACC,EACD,OAEJ,IAAIE,EAAS,GACPC,EAAcL,EAAa,iBAAiBE,EAAOd,EAAiBa,CAAI,EAC9E,GAAIR,EAAE,MAAQ,KAAOY,EAAY,cAC7BC,GAAc,4BACVJ,EACAD,EACAP,EAAS,aAAa,iBAAiBO,EAAK,MAAM,CACtD,UACOR,EAAE,MAAQ,KAAOY,EAAY,cACpCC,GAAc,4BAA4BJ,EAAOD,CAAI,UAC9CR,EAAE,MAAQ,KAAOY,EAAY,cACpCT,EAAW,mBAAmBK,EAAK,UAAWA,EAAK,GAAG,UAC/CR,EAAE,MAAQ,KAAOY,EAAY,gBACpCC,GAAc,YAAYJ,EAAOD,CAAI,UAC9BR,EAAE,MAAQ,KAAOY,EAAY,iBACpCC,GAAc,qBAAqBJ,EAAOD,CAAI,UACvCR,EAAE,MAAQ,KAAOY,EAAY,cACpCT,EAAW,sBAAsB,CAC7B,MAAAM,EACA,KAAAD,CACJ,CAAC,UACMR,EAAE,MAAQ,IACjBG,EAAW,cAAcK,CAAI,UACtBR,EAAE,MAAQ,IACjBG,EAAW,uBAAuBK,CAAI,WAErCR,EAAE,MAAQ,KAAOA,EAAE,MAAQ,MAC5BS,EAAM,aAAe,GACrBG,EAAY,aACd,CACE,IAAME,EAAWD,GAAc,iBAC3BJ,EACAT,EAAE,SACIe,GAAsBP,CAAI,EAC1BQ,GAAsBR,EAAM,CACxB,qBACIP,EAAS,aAAa,qBAAqBO,CAAI,CACvD,CAAC,EACP,CAAC,KAAM,IAAIS,GAAK,CAAC,CAAC,CAAC,CACvB,EACIH,IAAa,kBACbX,EAAW,mBAAmBM,EAAM,IAAKK,CAAQ,CAEzD,MACId,EAAE,MAAQ,KACVS,EAAM,aAAe,GACrBG,EAAY,aAEZC,GAAc,SAASJ,EAAOD,CAAI,EAC3BR,EAAE,MAAQ,KAAOY,EAAY,cACpCC,GAAc,UAAUJ,EAAOD,CAAI,GAElCR,EAAE,MAAQ,KAAOA,EAAE,MAAQ,MAC5BS,EAAM,aAAe,GACrBG,EAAY,aAEZC,GAAc,WACVJ,EACAT,EAAE,SACIe,GAAsBP,CAAI,EAC1BQ,GAAsBR,EAAM,CACxB,qBACIP,EAAS,aAAa,qBAAqBO,CAAI,CACvD,CAAC,CACX,EAEAG,EAAS,GAETA,GACAP,GAAaJ,CAAC,CAEtB,EACA,CAACL,CAAe,CACpB,EACA,OAAMuB,EAAU,IAAM,CAClB,GAAI,CAACC,EAAyB,EAC1B,gBAAS,iBAAiB,UAAWrB,CAAQ,EACtC,IAAM,CACT,SAAS,oBAAoB,UAAWA,CAAQ,CACpD,CAER,EAAG,CAACA,CAAQ,CAAC,EACN,IACX,CAAC,EC3KDsB,IAIA,IAAMC,GAAiBC,EACnB,IAAM,OAAoC,gCAA6C,CAC3F,EACMC,GAAoBD,EACtB,IAAM,OAAoC,oCAAiD,CAC/F,EACME,GAAiBF,EAAW,IAAM,OAAO,+BAA+C,CAAC,EACzFG,GAA2BH,EAC7B,IACI,OACiC,2CACjC,CACR,EACMI,GAAwBJ,EAC1B,IACI,OACiC,uCACjC,CACR,EACMK,GAAyBL,EAC3B,IACI,OACiC,yCACjC,CACR,EACMM,GAAiBN,EACnB,IAAM,OAAoC,gCAAgD,CAC9F,EACMO,GAA+BP,EACjC,IACI,OAEQ,+CACR,CACR,EACMQ,GAAmBR,EACrB,IAAM,OAAoC,kCAAkD,CAChG,EACMS,GAA0BT,EAC5B,IACI,OACiC,yCACjC,CACR,EACMU,GAAmBV,EACrB,IACI,OAAoC,kCAAsD,CAClG,EACMW,GAAoBX,EACtB,IAAM,OAAO,kCAAkD,CACnE,EACMY,GAAcZ,EAChB,IAAM,OAAoC,4BAAyC,CACvF,EACMa,GAAkBb,EAAW,IAAM,OAAO,sBAAsC,CAAC,EACjFc,GAAkBd,EACpB,IAAM,OAAoC,iCAAiD,CAC/F,EACMe,GAAiBf,EACnB,IAAM,OAAoC,gCAAgD,CAC9F,EACMgB,GAAoBhB,EAAW,IAAM,OAAO,mCAAgD,CAAC,EAEtFiB,GAAkBC,EAAS,IAAM,CAC1C,IAAIC,EACJ,OAAIC,EAAS,SAAW,YACpBD,EAASE,EAACN,GAAA,IAAe,EAClBK,EAAS,SAAW,aAC3BD,EAASE,EAACP,GAAA,IAAgB,EACnBM,EAAS,SAAW,iBAC3BD,EAASE,EAACd,GAAA,IAA6B,EAChCa,EAAS,SAAW,cAC3BD,EAASE,EAACb,GAAA,IAAiB,EACpBY,EAAS,SAAW,cAC3BD,EAASE,EAACX,GAAA,IAAiB,EACpBU,EAAS,SAAW,cAC3BD,EAASE,EAACtB,GAAA,CAAgB,GAAGqB,EAAS,uBAAyB,EACxDA,EAAS,SAAW,gBAC3BD,EAASE,EAACpB,GAAA,CAAmB,GAAGmB,EAAS,2BAA6B,EAC/DA,EAAS,SAAW,WAC3BD,EAASE,EAACnB,GAAA,CAAe,UAAWoB,EAAW,aAAc,EACtDF,EAAS,SAAW,8BAC3BD,EAASE,EAAClB,GAAA,IAAyB,EAC5BiB,EAAS,SAAW,mBAC3BD,EAASE,EAACjB,GAAA,IAAsB,EACzBgB,EAAS,SAAW,qBAC3BD,EAASE,EAACZ,GAAA,IAAwB,EAC3BW,EAAS,SAAW,cAC3BD,EAASE,EAACV,GAAA,IAAkB,EACrBS,EAAS,SAAW,QAC3BD,EAASE,EAACT,GAAA,IAAY,EACfQ,EAAS,SAAW,iBAC3BD,EAASE,EAACL,GAAA,CAAmB,GAAGI,EAAS,0BAA2B,GAGpEC,EAACE,EAAA,KACIH,EAAS,iCACNC,EAAChB,GAAA,CAAwB,GAAGe,EAAS,gCAAkC,EAE3EC,EAACR,GAAA,IAAgB,EAChBM,EACDE,EAACf,GAAA,IAAe,CACpB,CAER,CAAC,EC5GDkB,IASO,IAAMC,GAAkBC,EAAS,IAAM,CAC1C,GAAM,CAAC,WAAAC,CAAU,EAAIC,GACfC,EAAYC,EAAaC,GAAmC,CAC9DC,EAAY,IAAM,CACdC,EAAS,YAAc,CAAC,CAACF,CAC7B,CAAC,CACL,EAAG,CAAC,CAAC,EACL,OAAKJ,EAIDO,EAAC,OACG,UAAWC,EAAW,QAAS,CAC3B,6BAA8BC,EAAyB,GAAKH,EAAS,aACzE,CAAC,EACD,IAAKJ,GAELK,EAAC,QAAK,UAAU,eAAeG,EAAK,cAAe,EACnDH,EAAC,YACG,UAAU,sBACV,MAAO,KAAK,MAAMN,GAAkB,cAAc,EAClD,IAAKA,GAAkB,aAC3B,CACJ,EAfO,IAiBf,CAAC,EbAD,IAAAU,GAAqB,WclCrBC,IA0BO,IAAMC,GAAmBC,EAACC,GAA2B,CAClDC,EAAU,IAAM,CAClB,UAAU,KAAK,EACfC,GAAS,gBAAgB,EACzBC,EAAW,6BAA6B,QAAQ,CACpD,EAAG,CAAC,CAAC,EACL,GAAM,CAACC,EAASC,CAAW,EAAUC,EAAS,EAAI,EAC5C,CAACC,EAAWC,CAAa,EAAUF,EAAiB,EACpD,CAACG,EAAaC,CAAe,EAAUJ,EAAS,EAAE,EAClD,CAACK,EAAYC,CAAc,EAAUN,EAAqB,CAAC,CAAC,EAC5D,CAACO,EAAsBC,CAAwB,EAAUR,EAAiB,EAC1ES,EAAqBC,EAAaC,GAAe,CACnDC,EAAa,uDAAwDD,CAAK,EAC1ET,EAAcW,EAAK,mCAAmC,EACtDd,EAAY,EAAK,CACrB,EAAG,CAAC,CAAC,EACCe,EAAcJ,EAAY,IAAM,CAClCX,EAAY,EAAI,EAChBgB,EACI,IAAIC,GAAsB,CACtB,aAAc,SAAS,OAAO,MAAM,CAAC,EACrC,UAAW,IAAIC,GAAwB,CAAC,CAAC,CAC7C,CAAC,EACDC,EACJ,EACK,KAAK,CAAC,CAAC,mBAAAC,EAAoB,mBAAAC,CAAkB,IAAM,CAChD,GAAIA,EAAoB,CACpB,KAAKA,CAAkB,EACvB,MACJ,CACA,IAAMC,EAAMC,EAASH,EAAoB,qCAAqC,EAC9E,KAAKE,EAAI,YAAY,CACzB,CAAC,EACA,MAAMZ,CAAY,CAC3B,EAAG,CAACA,CAAY,CAAC,EACXd,EAAU,IAAM,CAClBoB,EACI,IAAIC,GAAsB,CACtB,aAAc,SAAS,OAAO,MAAM,CAAC,EACrC,SAAU,IAAIO,GAAuB,CAAC,CAAC,CAC3C,CAAC,EACDL,EACJ,EACK,KAAK,CAAC,CAAC,kBAAAM,EAAmB,mBAAAJ,CAAkB,IAAM,CAC/C,GAAIA,EAAoB,CAGpB,KAAKA,CAAkB,EACvB,MACJ,CACA,IAAMC,EAAMC,EAASE,EAAmB,oCAAoC,EAC5E,GACIC,GAAY,WAAW,IAAMC,IAC7BD,GAAY,cAAc,GAAG,WACzB,WAAW,SAAS,IAAI,oBAC5B,EACF,CACEX,EAAM,EACN,MACJ,CACAV,EAAgBiB,EAAI,WAAW,EAC/Bf,EAAee,EAAI,UAAU,EAC7Bb,EAAyBa,EAAI,oBAAoB,EACjDtB,EAAY,EAAK,CACrB,CAAC,EACA,MAAMU,CAAY,CAC3B,EAAG,CAACA,EAAcK,CAAK,CAAC,EACxB,IAAMa,EAAgBjB,EAAY,IAAM,CACpCX,EAAY,EAAI,EAChB,KAAKQ,GAAwB,IAAI,CACrC,EAAG,CAACA,CAAoB,CAAC,EACnBqB,EAAQf,EAAK,cAAcV,CAAW,EACtC0B,EACFnC,EAACoC,GAAA,CACG,WACIpC,EAAC,OAAI,UAAU,uGACXA,EAACqC,GAAA,CAAe,OAAM,GAAC,EACvBrC,EAAC,WACI,KAAK,IAAEkC,CACZ,CACJ,EAEJ,UAAU,2BACd,EAEJ,OAAI3B,EAEIP,EAACsC,GAAA,CAAK,eAAgBJ,EAAO,YAAaC,GACtCnC,EAAC,OAAI,UAAU,+CACXA,EAACuC,GAAA,CACG,MAAM,uBACN,UAAU,wBACV,MAAO,CAAC,SAAU,OAAO,GAExBhC,CACL,CACJ,EAAM,GAEV,EAGHE,EAaDT,EAACsC,GAAA,CAAK,eAAgBJ,EAAO,YAAaC,GACrCK,GACGxC,EAAC,OAAI,UAAU,+CACXA,EAACuC,GAAA,CAAK,UAAU,wBAAwB,MAAO,CAAC,SAAU,OAAO,GAC5DpB,EAAK,GAAGsB,GAAUC,EAAa,OAAO,CAAC,EACxC1C,EAAC,SAAG,EACJA,EAAC,SAAG,EACJA,EAAC,YACImB,EAAK,8CACFV,EACAiC,EAAa,mBAAmB,KACpC,CACJ,EACA1C,EAAC,UACIW,EAAW,IAAKgC,GACb3C,EAAC,MAAG,IAAK2C,GAAIxB,EAAK,UAAUwB,CAAC,CAAE,CAClC,CACL,EACA3C,EAAC,OAAI,UAAU,oDACXA,EAAC4C,EAAA,CACG,SAAUxC,EACV,SAAQ,GACR,UAAU,oBACV,QAASgB,EACT,eAAa,0BAEbpB,EAAC,OAAI,UAAU,gCACVmB,EAAK,MACLf,GAAWJ,EAAC6C,GAAA,IAAiB,CAClC,CACJ,EACA7C,EAAC4C,EAAA,CACG,QAASX,EACT,SAAU7B,EACV,SAAQ,GACR,OAAM,GACN,UAAU,SAETe,EAAK,OACV,CACJ,CACJ,CACJ,CACJ,CACJ,EAvDInB,EAACsC,GAAA,CAAK,eAAgBJ,EAAO,YAAaC,GACtCnC,EAAC,OAAI,UAAU,+CACXA,EAACuC,GAAA,CAAK,UAAU,wBAAwB,MAAO,CAAC,SAAU,OAAO,GAC7DvC,EAAC6C,GAAA,IAAiB,CACtB,CACJ,EAAM,GAEV,CAkDZ,EAhKgC,oBAkKzBC,GAAQhD,GdnIf,IAAMiD,GAAoBC,EACtB,IAAM,OAAoC,kCAA+C,CAC7F,EACMC,GAAsBD,EACxB,IAAM,OAAoC,qCAAkD,CAChG,EACME,GAAmBF,EACrB,IAAM,OAAoC,6BAAqC,CACnF,EACMG,GAAOH,EAAW,IACpB,OAAoC,oBAAiC,EAAE,KAAMI,IAAO,CAChF,QAASA,EAAE,IACf,EAAE,CACN,EACMC,GAAuBL,EAAW,IAAM,OAAO,4BAAyC,CAAC,EACzFM,GAAkBN,EACpB,IAAM,OAAoC,iCAA+C,CAC7F,EACMO,GAAkBP,EACpB,IAAM,OAAoC,iCAA+C,CAC7F,EACMQ,GAAeR,EACjB,IAAM,OAAoC,6BAA2C,CACzF,EAEaS,GAAN,MAAMA,WAAkBL,EAAU,CAErC,YAAYM,EAAY,CACpB,MAAMA,CAAK,EAFfC,GAAA,KAAQ,qBAAqC,CAAC,GAGtC,GAAAC,EAAyB,EAAG,CAG5B,IAAMC,EAAwBC,EAAA,IAAM,CAChC,IAAMC,EAAWD,EAACE,GAAW,CACzB,IAAMC,EAASD,EAAE,OAEbC,EAAO,UAAY,SACnBC,GAAyCD,CAAM,IAInDD,EAAE,yBAAyB,EAC3BA,EAAE,eAAe,EACjBA,EAAE,gBAAgB,EACtB,EAXiB,YAYjB,gBAAS,iBAAiB,cAAeD,CAAQ,EAC1C,IAAM,OAAO,oBAAoB,cAAeA,CAAQ,CACnE,EAf8B,yBAgB9B,KAAK,mBAAmB,KAAKF,EAAsB,CAAC,CACxD,MACI,KAAK,mBAAmB,KACpBM,GAAQ,IAAM,CACV,GAAM,CAAC,MAAAC,CAAK,EAAIC,EAAS,cACzB,GAAI,CAACD,EACD,OAEJ,IAAME,EAAa,SAAS,SAAS,QACjC,gBACAC,GAAiBH,EAAM,IAAKI,GAAWJ,CAAK,CAAC,CACjD,EACA,OAAO,QAAQ,aACX,QAAQ,MACR,GACA,GAAGE,CAAU,GAAG,SAAS,MAAM,GAAG,SAAS,IAAI,EACnD,CACJ,CAAC,CACL,EAEJ,KAAK,mBAAmB,KACpBG,GACI,IAAMJ,EAAS,uBACdK,GAA2B,CACxB,IAAMN,EAAQC,EAAS,cAAc,MACjC,CAACK,GAA0B,CAACN,GAG3BA,EAAM,SAASM,EAAuB,QAAQ,GAI1Cd,EAAyB,IAEtBe,EAAe,UAAU,SAASD,EAAuB,QAAQ,IAE5DL,EAAS,iBACVO,EAAW,uBAAuB,GAGtCD,EAAe,SAAS,SAASD,EAAuB,QAAQ,IAC3DL,EAAS,gBACVO,EAAW,sBAAsB,GAKrD,EACA,CAAC,gBAAiB,GAAM,KAAM,gCAAgC,CAClE,CACJ,CACJ,CAEA,sBAAuB,CACnB,QAAWC,KAAW,KAAK,mBACvBA,EAAQ,EAEZ,KAAK,mBAAqB,CAAC,CAC/B,CAEA,MAAM,kBAAkBC,EAAc,CAIlCC,EAAa,kDAAmDD,CAAK,EACrE,KACIE,GACI;AAAA;AAAA;AAAA,EAAqDC,GAAgBH,CAAK,CAC9E,CACJ,CACJ,CAEA,QAAS,CACL,OAAAI,EAAI,MAAM,sCAAsC,SAAS,QAAQ,EAAE,EAE/DC,EAAAC,GAAA,KACID,EAACE,GAAa,SAAb,CAAsB,MAAOhB,GAC1Bc,EAAC,eAEOA,EAACG,GAAA,CACG,oBAAqBC,GAAqBC,EAAa,QAAQ,GAAG,EAClE,QAAO,GACX,EAEH,GACDL,EAACG,GAAA,CAAgB,KAAK,0BAA0B,EAChDH,EAACG,GAAA,CAAgB,KAAK,mCAAmC,cAAa,GAAC,EACvEH,EAACG,GAAA,CAAgB,KAAK,oCAAoC,EAC1DH,EAACG,GAAA,CACG,KAAK,6CACL,cAAa,GACjB,EAC0BH,EAACM,GAAA,CAAoB,KAAK,kBAAkB,EAC5CN,EAACO,GAAA,CAAiB,KAAK,cAAc,EACrCP,EAACQ,GAAA,CAAiB,KAAK,eAAe,EAE5DR,EAACS,GAAA,CAAoB,KAAK,6BAA6B,EAEjCT,EAACU,GAAA,CAAsB,KAAK,mBAAmB,EAErEV,EAACU,GAAA,CAAsB,KAAK,4DAA4D,EAGxFV,EAACW,GAAA,CAAwB,KAAK,uBAAuB,CAE7D,EACAX,EAACY,GAAA,IAAU,EACeZ,EAACa,GAAA,IAAqB,EACtBb,EAACc,GAAA,IAAiB,EAClBd,EAACe,GAAA,IAAgB,EACjBf,EAACgB,GAAA,IAAiB,EAClBhB,EAACiB,GAAA,IAAoB,EAC/CjB,EAACkB,GAAA,IAAgB,EACSlB,EAACmB,GAAA,IAAwB,EACzBnB,EAACoB,GAAA,IAAkB,EAC7CpB,EAACqB,GAAA,IAAkB,EACO,CAAC5C,EAAyB,GAChDuB,EAACsB,GAAA,IAA0B,EAELtB,EAACuB,GAAA,IAAS,EACpCvB,EAACwB,GAAA,IAAyB,EAC1BxB,EAACyB,GAAA,IAAM,CACX,EACC,CAAChD,EAAyB,GAAKuB,EAAC0B,GAAA,IAAuB,CAC5D,CAER,CACJ,EAtJyC/C,EAAAL,GAAA,OAAlC,IAAMqD,GAANrD,GAwJD6B,GAAkBxB,EAAA,CAAC,CACrB,oBAAAiD,EACA,SAAAC,EACA,cAAAC,CACJ,IAIO,CACH,IAAMC,EAAuCC,EACzC,CAACC,EAA4BC,EAA0BC,IAAkC,CACrF,IAAIC,EAAYH,EAChB,GAAI,CAACI,GAAYD,CAAS,EAAG,CACzB,KAAK,gBAAgB,EACrB,MACJ,CACA,GAAIlD,EAAS,oBAAsBkD,EAAW,CAC1C3C,EAAW,eAAeyC,CAAc,EACxC,MACJ,CACA,IAAMI,EAAaC,GAAeH,CAAS,EACtC3D,EAAyB,GAGtB,IAAwC,EAAE,SAAS6D,CAAU,IAC7DF,EAAYhC,GAAqBC,EAAa,QAAQ,GAAG,GAG5D,UAAU,QAAQ,GACnB,UAAU,MAAM,GAAK,CAAC,MAAO,GAAG,CAAC,EAGrCb,EACK,cAAc4C,CAAS,EACvB,KAAK,IAAM,CACR,UAAU,KAAK,CACnB,CAAC,EACA,MAAM,MAAOzC,GAAU,CACpB,UAAU,KAAK,EACX,CAAC,IAAK,IAAK,GAAG,EAAE,SAAS6C,GAAiB7C,CAAK,EAAE,MAAM,EACvD,KAAK,gBAAgB,EAEjB4C,GAAeE,GAAYL,CAAS,CAAC,IAAM,EAC3C,KAAKvC,GAAgBF,CAAK,CAAC,GAE3BC,EACI,4DACAD,CACJ,EACA+C,GAAe,CAAC,QAAS,EAAI,CAAC,EAAE,MAAM9C,CAAY,EAG9D,CAAC,EACL+C,EAAQ,2BAA2BP,CAAS,EAC5CQ,EAAY,IAAM,CACdC,GAAoB,MAAM,EACtB3D,EAAS,sBAAsBkD,EAAY,QAAQ,IAC9C3D,EAAyB,IACtB6D,IAAe,GAAuB,CAACpD,EAAS,iBAChDO,EAAW,uBAAuB,EAElC6C,IAAe,GAAsB,CAACpD,EAAS,gBAC/CO,EAAW,sBAAsB,GAGzCA,EAAW,eAAeyC,CAAc,EACpCC,GAAuBD,GACvBzC,EAAW,cAAcyC,CAAc,EAGnD,CAAC,CACL,EACA,CAAC,CACL,EACM,CAACY,EAAUC,CAAY,EAAUC,EAAc,EAC/CC,EAAMrB,GAAqB,SAAS,GAAG,EACvCA,GAAqB,MAAM,GAAG,EAAE,IAAI,EACpCA,EACN,OAAMsB,EAAU,IAAM,CAClB,GAAID,IAAQH,EAGZ,GAA8BK,GAAWF,CAAG,GAAKpB,EAAW,CACxD,IAAMuB,EAAkBvB,GAAYwB,GAAWJ,CAAG,EAClDN,EAAQ,2BAA2B,EACnCW,GACIF,EACAf,GAAYY,CAAG,EAAI,IAAQ,IAC3BZ,GAAYY,CAAG,EAAIA,EAAM,MAC7B,EACK,KAAMb,GAAc,CACjB,GAAI,CAACA,EAAW,CACRC,GAAYY,CAAG,GAEflD,EAAI,MACA,0CAA0C,KAAK,UAAUkD,CAAG,CAAC,EACjE,EACAN,EAAQ,2BAA2BM,CAAG,EACtC/D,EAAS,aAAa,WAAW,EACjC6D,EAAaE,CAAG,EAChBlB,EAA+BkB,CAAG,GAElC,KAAK,gBAAgB,EAEzB,MACJ,CACAlD,EAAI,MAAM,0CAA0C,KAAK,UAAUqC,CAAS,CAAC,EAAE,EAC/EO,EAAQ,2BAA2BP,CAAS,EAC5ClD,EAAS,aAAa,WAAW,EACjC6D,EAAaE,CAAU,EACvBlB,EAA+BK,EAAWgB,EAAiBtB,CAAa,CAC5E,CAAC,EACA,MAAOnC,GAAU,CACdC,EAAaD,CAAK,EAClB,KAAK,gBAAgB,CACzB,CAAC,CACT,KAAO,CACH,IAAI4D,EACJ,GAAIlB,GAAYY,CAAG,EACfM,EAAgBN,MAGhB,IAAI,CACAM,EAAgBd,GACZe,GAAkBC,GAAW,UAAO,KAAKR,EAAK,UAAU,CAAC,EAAG,KAAK,CAAC,CACtE,CACJ,MAAQ,CACJ,KAAK,gBAAgB,EACrB,MACJ,CAEJlD,EAAI,MAAM,0CAA0C,KAAK,UAAUwD,CAAa,CAAC,EAAE,EACnFZ,EAAQ,2BAA2BY,CAAa,EAChDrE,EAAS,aAAa,WAAW,EACjC6D,EAAaQ,CAAa,EAC1BxB,EAA+BwB,EAAe1B,EAAUC,CAAa,CACzE,CACJ,EAAG,CAACmB,EAAKH,EAAUjB,EAAUE,EAAgCD,CAAa,CAAC,EAC3E4B,GAAe,EACR,IACX,EA5IwB,mBAoJxB,SAASC,GAAiBC,EAA4B,CAClD,OACIC,EAACC,EAAA,KACGD,EAACE,GAAA,CAAc,GAAGH,EAAO,CAC7B,CAER,CANSI,EAAAL,GAAA,oBAQT,SAASM,GAAoBL,EAA4B,CACrD,OACIC,EAACC,EAAA,KACGD,EAACK,GAAA,CAAiB,GAAGN,EAAO,CAChC,CAER,CANSI,EAAAC,GAAA,uBAQT,SAASE,GAAoBP,EAA4B,CACrD,OACIC,EAACC,EAAA,KACGD,EAACO,GAAA,CAAiB,GAAGR,EAAO,CAChC,CAER,CANSI,EAAAG,GAAA,uBAQT,SAASE,GAAsBT,EAA4B,CACvD,OACIC,EAACC,EAAA,KACGD,EAACS,GAAA,CAAmB,GAAGV,EAAO,CAClC,CAER,CANSI,EAAAK,GAAA,yBAQT,SAASE,GAAwBX,EAA4B,CACzD,OACIC,EAACC,EAAA,KACGD,EAACW,GAAA,CAAqB,GAAGZ,EAAO,CACpC,CAER,CANSI,EAAAO,GAAA,2BAQT,SAASE,IAAuB,CAC5B,OACIZ,EAACC,EAAA,KACGD,EAACa,GAAA,CAAiB,YAAaC,GAAM,CACzC,CAER,CANSX,EAAAS,GAAA,wBAQT,IAAMG,GAAWC,EAAS,IACjBC,GAAW,MAIZjB,EAACC,EAAA,KACGD,EAACkB,GAAA,IAAK,CACV,EALO,IAOd,EAEKC,GAA2BH,EAAS,IACjCI,GAAmB,IAIpBpB,EAACC,EAAA,KACGD,EAACqB,GAAA,IAAqB,CAC1B,EALO,IAOd,EAEGC,GACAC,GAEEC,GAAiBrB,EAAA,IAAM,CACnBsB,EAAU,IAAM,CAClB,IAAMC,EAAoBC,EAAS,kBAC/BL,KAAmBI,GAAqB,CAACA,IAGzCH,IAAwBD,IACxBM,EAAW,uBAAuBN,GAAgBC,EAAoB,EAE1ED,GAAiBI,EAEjBG,EACK,cAAcH,CAAiB,EAC/B,KAAMI,GAAU,CACbC,GAAS,MAAM,EAEfR,GADcS,GAAkB,CAAC,UAAW,IAAIC,GAAS,CAAC,CAAC,CAAC,CAAC,EAChC,KAAK,KAClCX,GAAiBI,EAKbI,EAAM,IAAI,QAAQI,EAAa,kBAAkB,EAAE,OAAS,GAC5DP,EAAS,kBAAkBG,EAAM,UAAU,GAE3CC,GAAS,aAAaI,EAAK,sBAAuBA,EAAK,KAAM,IACzDC,GAAoB,KAAK,CAC7B,CAER,CAAC,EACA,MAAOC,GAAU,CAGdC,EAAYD,CAAK,CACrB,CAAC,EACT,CAAC,CACL,EApCuB,kBAsCjBE,GAAoBvB,EAAS,IAC/BhB,EAAC+B,GAAA,CACG,UAAWS,EAAW,gBAAiB,CACnC,qCAAsCb,EAAS,aACnD,CAAC,EACL,CACH,EAEKc,GAA0BzB,EAAS,IAAM,CAC3C,IAAM0B,EAAuBC,EAAY,IAAM,CAC3C,IAAMC,EAAS,+CACfC,GAAuB,CAAC,KAAM,SAAU,OAAAD,CAAM,CAAC,EAC/C,OAAOA,CAAM,CACjB,EAAG,CAAC,CAAC,EACC,CAAC,cAAAE,CAAa,EAAUC,GAAWC,EAAY,EAIrD,MAHI,CAACrB,EAAS,4BAGV,CAACmB,EAEM,KAGP9C,EAACiD,GAAA,CACG,UAAWT,EAAW,gBAAiB,CACnC,qCAAsCb,EAAS,aACnD,CAAC,EACD,QAASQ,EAAK,sBACd,oBAAqBA,EAAK,OAC1B,OAAQO,EACZ,CAER,CAAC,EAED,eAAeQ,GACXC,EACAC,EAAU,IACVC,EAC6B,CAC7B,IAAIC,EACJ,GAAID,EAAW,CACX,IAAMvB,EAAQD,EAAe,KAAKwB,CAAS,EAC3C,GAAIvB,GAAO,SAASqB,CAAQ,EACxB,OAAOrB,EAAM,GAErB,CACA,IAAMyB,EAAepD,EAAA,SAAY,CAC7B,GAAM,CAAC,QAAAqD,CAAO,EAAI,MAAMC,EACpB,IAAIC,GAAoB,CAAC,SAAAP,CAAQ,CAAC,EAClCQ,EACJ,EACA,GAAIH,EAAQ,SAAW,EACnB,OAAAF,EAAkBE,EAAQ,CAAC,EAAE,UACtBF,CAGf,EAVqB,gBAajBM,EAAc,KAAK,IAAI,EAAIR,EAC3BS,EAAiB,GACrB,OAAS,CAKL,GAJIC,GAAc,GAAK,CAACD,IACpBA,EAAiB,GACjBN,EAAa,EAAE,MAAMQ,CAAY,GAEjCT,EACA,OAAOA,EAEX,IAAMU,EAAQC,GAAmB,YAAYd,CAAQ,gBAAgB,EACrEe,GAAO,CAACF,EAAM,QAAS,2BAA2B,EAClD,GAAM,CAAC,QAAAR,EAAS,mBAAAW,CAAkB,EAAI,MAAMxC,EAAS,aAAa,YAAYqC,CAAK,EACnF,GAAIR,EAAQ,OAAS,EAAG,CACpB,IAAMY,EAAoBZ,EAAQ,CAAC,EAAE,UACrC,OAAAU,GACIG,GAAYD,CAAiB,EAC7B,mDAAmDA,CAAiB,EACxE,EACOA,CACX,SAAW,KAAK,IAAI,EAAIR,EACpB,OAEAO,EAAmB,QAAUG,GAAoB,SAAS,EAAE,SAE5DV,GAAe,KAEnB,MAAMW,GAA6C,GAAI,CAC3D,CACJ,CAtDepE,EAAA+C,GAAA,yBetff,eAAsBsB,GAAmB,CACrC,YAAAC,EACA,OAAAC,EACA,aAAAC,EACA,eAAAC,CACJ,EAYyB,CACrB,IAAIC,EAAU,GACVC,EAAU,EACd,SAASC,GAAuB,CAC5BJ,EAAaF,GAAmC,EAChDE,EAAaF,GAA8C,EAC3DE,EAAaF,GAA4C,EACzDE,EAAaF,GAAwC,EACrDE,EAAaF,GAA6C,CAC9D,CANSO,EAAAD,EAAA,wBAOT,SAASE,GAAqB,CAC1B,QAAWC,KAAKC,GACZR,EAAaS,GAAwBX,EAAaS,CAAC,GAAuB,EAE1EN,GACAD,EAAaC,GAAoC,CAEzD,CAGA,IAVSI,EAAAC,EAAA,sBAQTF,EAAqB,EACrBE,EAAmB,IAEf,GAAI,CACA,IAAII,EACJ,GAAI,CACA,IAAMC,EAAUZ,GAA6B,EAAE,IAAID,CAAW,EACxDc,EAAoBb,GAAuC,EAAE,IAAID,CAAW,EAC5Ee,EACFd,GAAwC,EAAE,IAAID,CAAW,EACvDgB,EAAmBf,GAAsC,EAAE,IAAID,CAAW,EAC1EiB,EAAehB,GAAkC,EAAE,IAAID,CAAW,EACxEY,EAAe,IAAIM,GAAY,CAC3B,QAAAL,EACA,mBAAAE,EACA,kBAAAD,EACA,iBAAAE,EACA,aAAAC,EACA,OAAQ,EACZ,CAAC,CACL,OAASE,EAAO,CAGZ,MAAId,GAAW,IAAMA,EAAU,KAAO,IAClCe,EAAI,MAAM,+DAAgE,CACtE,QAAAf,CACJ,CAAC,EACDC,EAAqB,GAEnBa,CACV,CAEA,GAAI,CACA,QAAWV,KAAKC,GAAoB,CAChC,IAAMW,EAAmBV,GAAwBX,EAAaS,CAAC,EAC/DR,GAA2B,EAAE,IAAIoB,CAAgB,CACrD,CAGJ,OAASF,EAAO,CACZ,MAAId,GAAW,IAAMA,EAAU,KAAO,IAClCe,EAAI,MAAM,gEAAiE,CACvE,QAAAf,CACJ,CAAC,EACDG,EAAmB,GAEjBW,CACV,CACA,OAAOP,CACX,MAAQ,CACJR,EAAU,KAAK,IAAI,IAAKA,EAAU,GAAG,EACrCC,GAAW,EACX,MAAMiB,GAAMlB,CAAO,CACvB,CAER,CA1FsBG,EAAAR,GAAA,sBCIf,SAASwB,GACZC,EACgB,CAChB,OAAO,IAAIC,GAAe,CAAC,KAAAD,CAAI,CAAC,CACpC,CAJgBE,EAAAH,GAAA,uBAMT,IAAMI,GAAN,MAAMA,EAEb,CAII,YAAY,CAAC,KAAAH,CAAI,EAA0B,CAH3CI,GAAA,KAAQ,MAAM,IAAI,KAClBA,GAAA,KAAQ,QAGJC,GAA4C,KAAM,CAC9C,IAAKC,GAAW,OACpB,CAAC,EACD,KAAK,KAAON,CAChB,CAEA,IAAIO,EAAW,CACX,IAAMC,EAAc,KAAK,IAAI,IAAID,CAAG,EACpC,GAAI,CAACC,EACD,MAAM,IAAIC,GAAS,WAAW,KAAK,KAAK,IAAI,kBAAmBF,CAAG,EAEtE,OAAKC,EAAY,IACbA,EAAY,EAAIE,GAAY,KAAK,KAAMF,EAAY,EAAG,EACtDA,EAAY,GAAK,QAEdA,EAAY,CACvB,CAEA,IAAID,EAAiB,CACjB,OAAO,KAAK,IAAI,IAAIA,CAAG,CAC3B,CAEA,IAAIA,EAAQI,EAAgBC,EAAO,CAC/BC,EAAY,IAAM,KAAK,IAAI,IAAIN,EAAK,CAAC,GAAAI,EAAI,EAAAC,CAAC,CAAC,CAAC,CAChD,CAEA,OAAOL,EAAQ,CACXM,EAAY,IAAM,KAAK,IAAI,OAAON,CAAG,CAAC,CAC1C,CAEA,CAAC,QAAsB,CACnB,QAAWA,KAAO,KAAK,KAAK,EACxB,MAAM,KAAK,IAAIA,CAAG,CAE1B,CAEA,MAAoB,CAChB,OAAO,KAAK,IAAI,KAAK,CACzB,CACJ,EA5CAL,EAAAC,GAAA,kBAFO,IAAMF,GAANE,GCGP,IAAMW,GAAc,IAAI,IACpBC,GACAC,GACAC,GACEC,GAAsB,CAAC,EAE7B,eAAsBC,GAAKC,EAAgD,CACvEJ,GAAqBI,EACrB,IAAMC,EAAYC,EACdC,GAEOC,GAA0BD,CAAI,EAHvB,aAKZE,EAAS,CACV,EAAuBJ,EAA2BK,EAAK,EACvD,EAA4BL,EAA+BM,EAAS,EACpE,EAAyBN,EAA+BO,EAAO,EAC/D,EAAkCP,EAAuCQ,EAAe,EACxF,EAAoCR,EACjCS,EACJ,EACC,EAA8BT,EAAmCU,EAAW,EAC5E,EAAmCV,EAChCW,EACJ,EACC,GAA8BX,EAAyCY,EAAY,EACnF,GAAsCZ,EACnCa,EACJ,EACC,EAAsBb,EAAyBc,EAAI,EACnD,EAA8Bd,EAAgCe,EAAW,EACzE,GAA0Bf,EAA2BgB,EAAO,EAC5D,GAA4BhB,EAA8BiB,EAAS,EACnE,GAA6BjB,EAAgCkB,EAAU,CAC5E,EACMC,EAA6BC,GAA2B,EAC9D,OAAAD,EAA2B,iBAAiB,CAAC,CAAC,KAAME,CAAG,IAAM,CAOzDxB,GAAM,KAAKwB,CAAG,EACT3B,KACDA,GAAsB,WAAW,IAAM4B,GAAalB,CAAM,EAAG,EAAE,EAEvE,CAAC,EACM,CACH,OAAAA,EACA,2BAAAe,EACA,iBAAkBlB,EAACsB,GAAqC3B,GAAoB2B,EAA1D,mBACtB,CACJ,CA/CsBtB,EAAAH,GAAA,QAiDtB,SAASwB,GAAalB,EAAsD,CACxE,GAAI,CACAoB,EAAY,IAAM,CACd,IAAMC,EAAS,CAAC,EAChB,GAAI,CACA,KAAO5B,GAAM,OAAS,GAAG,CACrB,IAAMwB,EAAMxB,GAAM,MAAM,EACxB,GAAIwB,EAAI,MAAQzB,GAAmB,CAC/B6B,EAAO,KAAKJ,CAAG,EACf,QACJ,CACAK,GAAgBL,EAAKjB,CAAM,CAC/B,CACJ,QAAE,CACEP,GAAM,KAAK,GAAG4B,CAAM,CACxB,CACJ,CAAC,CACL,QAAE,CACE/B,GAAsB,CAC1B,CACIG,GAAM,OAAS,IACf,aAAaH,EAAmB,EAChCA,GAAsB,WAAW,IAAM4B,GAAalB,CAAM,EAAG,GAAG,EAExE,CAxBSH,EAAAqB,GAAA,gBA0BT,SAASI,GAAgBL,EAAiBjB,EAAsD,CAC5F,IAAMuB,EAAWC,GAAqBP,EAAI,iBAAkBA,EAAI,GAAG,EAC7DQ,EAAUpC,GAAY,IAAIkC,CAAQ,EAClCG,EAAQC,EACV3B,EAAOiB,EAAI,gBAAgB,EAC3B,gBAAgBW,GAAeX,EAAI,gBAAgB,CAAC,EACxD,EACA,GAAI1B,GAAmB0B,CAAG,EAAG,CACzBY,EAAI,MAAM,wBAAyB,CAC/B,aAAcZ,EAAI,KAClB,IAAKA,EAAI,IACT,iBAAkBW,GAAeX,EAAI,gBAAgB,CACzD,CAAC,EACD,MACJ,CAMA,GALAY,EAAI,MAAM,wBAAyB,CAC/B,aAAcZ,EAAI,KAClB,IAAKA,EAAI,IACT,iBAAkBW,GAAeX,EAAI,gBAAgB,CACzD,CAAC,EACGA,EAAI,OAAS,WACbS,EAAM,IAAIT,EAAI,IAAKA,EAAI,OAAO,EAC9BQ,GAAS,QAAQ,UACVR,EAAI,OAAS,cACpBS,EAAM,OAAOT,EAAI,GAAG,EACpBQ,GAAS,OAAO,IAAIK,GAAS,2BAA4Bb,EAAI,GAAG,CAAC,UAC1DA,EAAI,OAAS,aACpBS,EAAM,OAAOT,EAAI,GAAG,EAChBA,EAAI,mBAAqB,EACzBQ,GAAS,OAAO,IAAIK,GAAS,2BAA4Bb,EAAI,GAAG,CAAC,EAC1DA,EAAI,mBAAqB,GAChCQ,GAAS,OAAO,IAAIM,GAAK,iBAAkBd,EAAI,GAAG,CAAC,EAC5CA,EAAI,mBAAqB,EAChCQ,GAAS,OAAO,IAAIO,GAAU,2BAA4B,CAAC,KAAM,CAACf,EAAI,GAAG,CAAC,CAAC,CAAC,EAE5EQ,GAAS,OACL,IAAIQ,GAAW,kBAAkBC,GAAejB,EAAI,gBAAgB,CAAC,GAAI,IAAK,CAC1E,MAAO,CAAC,iBAAkBA,EAAI,gBAAgB,EAC9C,KAAM,CAACA,EAAI,GAAG,CAClB,CAAC,CACL,UAEGA,EAAI,OAAS,kBACpBQ,GAAS,QAAQ,MAEjB,OAAMU,EAAalB,CAAG,EAE1B5B,GAAY,OAAOkC,CAAQ,CAC/B,CAhDS1B,EAAAyB,GAAA,mBAkDF,IAAMc,GACTvC,EAAA,CAAC,CAAC,aAAAwC,CAAY,IACd,CAACC,EAAUxC,IAAyB,CAChC,IAAMyB,EAAWC,GAAqB1B,EAAMwC,CAAG,EAC3CjD,GAAY,IAAIkC,CAAQ,IAG5BM,EAAI,MAAM,eAAeS,CAAG,IAAIV,GAAe9B,CAAI,CAAC,EAAE,EACtDT,GAAY,IAAIkC,EAAU,MAAS,EACnCc,EAAaC,EAAKxC,CAAI,EAC1B,EATA,wBAWSyC,GACT1C,EAAA,CAAC,CAAC,aAAAwC,CAAY,IACd,MAAOC,EAAUxC,IAAyB,CACtC,IAAMyB,EAAWC,GAAqB1B,EAAMwC,CAAG,EACzCE,EAAkBnD,GAAY,IAAIkC,CAAQ,EAChD,GAAIiB,EACA,OAAOA,EAEXX,EAAI,MAAM,eAAeS,CAAG,IAAIV,GAAe9B,CAAI,CAAC,EAAE,EACtD,IAAM2B,EAAUgB,GAA8B,EAC9C,OAAApD,GAAY,IAAIkC,EAAUE,CAAO,EACjCY,EAAaC,EAAKxC,CAAI,EACf2B,CACX,EAZA,yBAcJ,SAASD,GAAqB1B,EAAsBwC,EAAU,CAC1D,MAAO,GAAGxC,CAAI,IAAIwC,CAAG,EACzB,CAFSzC,EAAA2B,GAAA,wBrBrDT,IAAAkB,GAAuB,WAGvB,IAAMC,GAA0BC,GAAQ,CAAC,EACnCC,GAAwBC,GAA8B,EAE5D,eAAsBC,GAClBC,EACAC,EACgB,CAChBC,GAAsB,EACtBC,GAA2B,CAAC,EAAGH,CAAW,CAAC,EAC3C,GAAM,CAAC,cAAAI,EAAe,IAAAC,CAAG,EAAIC,GAAS,EACtCC,GAAU,CAAC,IAAAF,CAAG,CAAC,EACfG,GAAuB,EACvB,IAAMC,EAAe,SAAS,OAAO,SAAS,cAAc,EACtDC,EAAeN,EAAgB,kBAAoBK,EAAe,iBAAmB,GAC3FE,EAAI,MAAM,kBAAkBD,CAAY,IAAI,MAAM,QAAQ,UAAU,EAAG,CAAC,CAAC,IAAIV,CAAW,EAAE,EAC1F,IAAMY,EAASC,EAAyB,MACpCC,EACAC,EACJ,GAAIX,EACAU,EAAY,CACR,YAAa,sBACb,UAAW,CACPE,GAAW,wBAAwB,EACnCA,GAAW,wBAAwB,EACnCA,GAAW,2BAA2B,CAC1C,EACA,wBAAyB,CAAC,EAC1B,eAAgB,EAA+B,CACnD,EACAC,GAAcH,CAAS,MACpB,CACH,IAAMI,EAAoB,MAAMC,GAAW,CACvC,aAAc,CAACV,EACf,kBAAmBW,EAACC,GAAmBN,EAAaM,EAAjC,oBACvB,CAAC,EACGH,EACAJ,EAAYI,GAEZP,EAAI,KAAK,kDAAkD,EAC3DV,EAAU,4BAA4B,EACtCa,EAAY,MAAMQ,GAAyB,GAE/CrB,EAAU,UAAU,CACxB,CAOA,GANAsB,GAAOT,EAAW,kCAAkC,EAGpD,MAAM,cAAgB,GACtBX,GAA2B,CAAC,EAAGW,EAAU,YAAa,EAAGd,CAAW,CAAC,EACrEwB,GAAkBf,CAAY,EAC1BA,EACA,OAAAE,EAAI,KAAK,8CAA8C,EAChD,GAEX,IAAMc,EAAuC,CAAC,EAC9CC,GAAe,CAAC,oBAAAD,CAAmB,CAAC,EACpC,IAAIE,EACJC,GAAwBC,GAAgB,CACpCF,EAAaE,EACbf,EAAY,CACR,YAAaa,EAAW,YACxB,UAAWA,EAAW,UACtB,wBAAyBA,EAAW,wBACpC,eAAgBE,EAAY,cAChC,EAGA,IAAMC,EAAa,uCACfH,GAAY,aAAeb,GAAW,WAC1C,IAAId,CAAW,IAIf,SAAS,OAAS,GAAGK,EAAM,OAAS,GAAG,IAAIyB,CAAU,aACjD,SAAS,QACb,oCAEE,MAAc,WAAaH,CACjC,CAAC,EACDH,GAAU,CAIN,iBAAkBJ,EAAA,MAAOW,GAAQ,CAC7B,IAAMC,EAAK,KAAK,IAAI,EAEpB,KAAO,CAACL,GAAY,CAGhB,GAAII,EAAI,KAAK,SAAS,mBAAmB,EACrC,OAEJ,GAAI,KAAK,IAAI,EAAIC,EAAK,IAClB,MAAM,IAAIC,GAAW,qCAAsC,GAAG,EAElE,MAAMC,GAAM,GAAG,CACnB,CACAH,EAAI,QAAQ,oBAAoB,EAAIhB,CACxC,EAfkB,oBAgBlB,OAAQoB,EACZ,CAAC,EACDC,GAAyBxB,CAAM,EAC/B,IAAMyB,EAAcC,GAAmC,EACjDC,EAAwB,MAAMC,GAAkB,IAE/C,MAAMC,GAAkB,MAG/B9B,EAAI,MAAM,oDAAoD,EAC9D,IAAM+B,EAAO,MAAMC,GAAa,CAC5B,YAAa7B,EAAU,YACvB,aAAc,CAAC,KAAM,OAAQ,qBAAAyB,EAAsB,gBAAiB,SAAS,MAAM,CACvF,CAAC,EACD5B,EAAI,MAAM,gEAAgE,EAC1E,IAAMiC,EAAoBC,GAA8C,EAClE,CAAC,mBAAAC,EAAoB,cAAeC,CAAc,EAAIvB,GAAgBoB,CAAiB,EACvF,CAAC,OAAAI,EAAQ,2BAAAC,EAA4B,iBAAAC,EAAgB,EAAI,MAAM1B,GAChE2B,IACOA,EAAI,mBAAqB,GAAwBA,EAAI,OAAS,YAC9DC,GAAeC,GAAYF,EAAI,GAAG,EAAGA,EAAI,QAAQ,MAAM,EAEpDL,EAAmBK,CAAG,EAErC,EACMG,GAAmBT,GAAsD,EACzEU,GAAenC,EAAA,CAACoC,EAAUC,IAC5BH,GAAiB,YAAY,CACzB,KAAM,eACN,IAAAE,EACA,iBAAkBC,CACtB,CAAC,EALgB,gBAMfC,GAAab,GAA0C,EACvDc,GAAiCd,GAAwC,EAC/ErB,GAAoB,CAChB,mBAAoBJ,EAAA,IAAMwC,EAAS9C,CAAS,EAAxB,sBACpB,oBAAqBM,EAAA,IAAML,EAAN,uBACrB,KAAA2B,EACA,iBAAkBO,EAClB,iBAAAK,GACA,kBAAAV,EACA,+BAAAe,GACA,WAAAD,GACA,aAAc,CAAC,KAAM,OAAQ,qBAAAnB,EAAsB,gBAAiB,SAAS,MAAM,CACvF,CAAC,EACD5B,EAAI,MAAM,+EAA+E,EACzFkD,GAAqBP,EAAgB,EACrC3C,EAAI,MAAM,8CAA8C,EACxD,IAAMmD,EAAe,MAAMC,GAAmB,CAC1C,YAAajD,EAAU,YACvB,OAAAkC,EACA,aAAAO,GACA,eAAgBS,GAAe,SAAS,IAAI,CAChD,CAAC,EACDF,EAAa,OAASzB,EAClB,MAAM,eAENwB,GAAqBP,EAAgB,EAEzC3C,EAAI,MAAM,8CAA8C,EACxDa,GAAe,CACX,aAAAsC,EACA,OAAAd,EACA,aAAciB,GAAqB,CAAC,aAAAV,EAAY,CAAC,EACjD,cAAeW,GAAsB,CAAC,aAAAX,EAAY,CAAC,CACvD,CAAC,EACD/B,GAAY,CACR,0BAA2BJ,EAAA,MAAO,CAC9B,SAAA+C,EACA,UAAAC,EACA,WAAAC,EACA,aAAAC,GACA,YAAAC,CACJ,IAMM,CACF,GAAI,CACA,IAAMC,GAAa,IAAIC,GAAU,CAC7B,MAAOF,EACP,OAAQD,GACR,SAAAH,EACA,QAAS,EACT,UAAAC,EACA,KAAMC,EAAW,IACrB,CAAC,EACDV,GAA+B,YAAY,CACvC,KAAM,6BACN,WAAYa,EAChB,CAAC,EACD,MAAME,GAA0B,CAC5B,SAAAP,EACA,UAAAC,EACA,KAAMC,EACN,MAAOE,EACP,OAAQD,EACZ,CAAC,EAGDf,GAAaY,IAAmC,CACpD,OAASQ,GAAO,CACZC,EAAa,sCAAuCD,EAAK,CAC7D,CACJ,EAvC2B,4BAwC/B,CAAC,EAED1B,EAA2B,iBAAkBE,GAAQ,CACjD,GACIA,EAAI,KAAK,mBAAqB,KAC7BA,EAAI,KAAK,OAAS,YAAcA,EAAI,KAAK,OAAS,mBACrD,CACE,GAAIA,EAAI,KAAK,UAAY,EAGrB,OAEJ0B,GAA6BC,GAAW3B,EAAI,KAAK,GAAG,CAAC,EAChD,KAAM4B,GAAY,CACXA,GAEAC,GAAS,6BAA6BF,GAAW3B,EAAI,KAAK,GAAG,CAAC,CAEtE,CAAC,EACA,MAAMyB,CAAY,CAC3B,CACJ,CAAC,EACD,IAAMK,GAAmD,CAAC,EACpDC,EAAuC,CAAC,EACxCC,GAAgB/D,EAACgE,GAOjB,CACFrC,EAAeqC,CAAI,EACnB,IAAMC,EAAmB,CAAC,GAAGD,EAAK,MAAM,gBAAgB,EACxD,QAAWE,KAAKF,EAAK,oBACjBC,EAAiB,KAAK,GAAGC,EAAE,gBAAgB,EAE/C,OAAW,CAAC,IAAAC,CAAG,IAAKF,EAChBG,GAAoB,KAAKD,CAAG,EAE5BnF,GACA6E,GAA+B,KAAK,GAAGI,CAAgB,GAEzD,SAAY,CAIV,KAAOH,EAAoB,OAAS,GAChC,MAAMA,EAAoB,MAAM,EAEpC,OAAW,CAAC,IAAAK,EAAK,OAAAE,EAAM,IAAKJ,EAAkB,CAC1C,IAAIb,EAAagB,GAAoB,KAAKD,CAAG,EACvCvD,GAAK,KAAK,IAAI,EACpB,KAAO,KAAK,IAAI,EAAIA,GAAK,KAAO,CAACwC,GAC7B,MAAMtC,GAAM,EAAE,EACdsC,EAAagB,GAAoB,KAAKD,CAAG,EAE7C,GAAI,CAACf,GAAcA,GAAY,QAC3B,SAEJ,IAAMkB,GAAiB,IAAIjB,GAAU,CAAC,GAAGD,EAAY,SAAUiB,EAAM,CAAC,EACtE9B,GAA+B,YAAY,CACvC,KAAM,6BACN,WAAY+B,EAChB,CAAC,EACD1C,IAAgC,EAAE,IAAIyC,GAAQE,GAAUD,EAAc,CAAC,EAGvEnC,GAAamC,GAAe,WAAmC,EAC/DR,EAAoB,MACf,SAAY,CAET,IAAMU,GAAMC,GAAc,CACtB,SAAUN,EACV,MAAOO,GAAyBA,GAAyB,OAAS,CAAC,EACnE,OAAQA,GAAyBA,GAAyB,OAAS,CAAC,CACxE,CAAC,EACKC,GAAM,MAAM,MAAMH,EAAG,EAC3B,MAAMlB,GAA0B,CAC5B,SAAUgB,GAAe,SACzB,UAAWA,GAAe,UAC1B,KAAO,MAAMK,GAAI,KAAK,EACtB,MAAOL,GAAe,MACtB,OAAQA,GAAe,MAC3B,CAAC,CACL,GAAG,EAAE,MAAMM,CAAW,CAC1B,CACJ,CACA,KAAOd,EAAoB,OAAS,GAChC,MAAMA,EAAoB,MAAM,CAExC,GAAG,EAAE,MAAMN,CAAY,CAC3B,EApEsB,iBAqEhBqB,GAAcC,GAAY,WAAY,IAAMpC,EAAa,QAAQ,MAAM,EAC7EA,EAAa,QAAQ,OAASmC,GAC9B,MAAMzE,GAAUyE,EAAW,EAC3BzE,GAAc,IAAM,GAAO2E,EAAa,EACxC,IAAMnB,GAAiBxD,GAAK,CACxB,aAAAsC,EACA,YAAasC,GAAoB1C,EAAU,EAC3C,cAAAyB,GACA,iBAAAjC,EACJ,CAAC,EAOD,GANA3B,GAAauC,EAAc,4CAA4C,EACvEuC,GAAmBrD,CAAM,EACzBsD,GAAa,EACbC,GAAiC,EACjC/E,GAAoB,EAAE,MAAMoD,CAAY,EACxCjE,EAAI,MAAM,+CAA+C,EACrDP,EAAe,CACf,IAAMoG,EAAa,CACf,wBAAyB,4BACzB,yBAA0B,4BAC1B,yBAA0B,4BAC1B,yBAA0B,4BAC1B,6BAA8B,yBAC9B,8BAA+B,yBAC/B,8BAA+B,yBAC/B,sBAAuB,cACvB,uBAAwB,cACxB,uBAAwB,cACxB,yBAA0B,WAC9B,EACA,MAAMhF,GAAgB,CAClB,cAAeJ,EAAA,CAAC,CAAC,SAAA+C,CAAQ,IAAM,CAC3B,IAAMsC,EACFxB,GAA+B,KAAMyB,GAAMA,EAAE,SAAWvC,CAAQ,GAAG,KACnEA,EAEJ,MAAO,yDADMqC,EAAWC,CAAiB,CAC2B,EACxE,EANe,iBAOf,yBAA0BrF,EAAA,IAAM,EAAN,2BAC9B,CAAC,CACL,MACI,MAAMI,GAAgB,CAClB,cAAeJ,EAACgE,GAAS,CACrB,IAAMrD,EAAM,IAAI4E,GAAsB,CAAC,GAAGvB,EAAM,WAAY7C,CAAoB,CAAC,EACjF,MAAO,WAAW,SAAS,QAAQ,sBAAsBqE,GAAU7E,CAAG,CAAC,EAC3E,EAHe,iBAIf,yBAAgCiD,EAAS,yBAAyB,KAAWA,CAAQ,CACzF,CAAC,EAEL,OAAAxD,GAAe,CACX,OAAAZ,EACA,eAAgB,MAAM,QACtB,kBAAmBQ,EAAA,KAAO,CACtB,YAAa0C,EAAa,mBAAmB,YAC7C,OAAQA,EAAa,QAAQ,OAC7B,iBAAkBA,EAAa,mBAAmB,iBAClD,KAAMA,EAAa,mBAAmB,KACtC,UAAWA,EAAa,mBAAmB,UAC3C,YAAaA,EAAa,QAAQ,aAAa,IACnD,GAPmB,qBAQnB,gBAAiB1D,EACXyG,GACA,CAACC,EAAuBC,IAA4B,CAChD,IAAMC,EAAaF,EAAW,UACxBG,GAAoB,KAAKH,EAAW,SAAS,EAC7C,OACNC,EAAY,kBAAoB,SAAS,SAAS,WAC9C,WAAW,SAAS,IAAI,EAC5B,EACM,GACA,SAAS,SACXC,GAAY,0BAEZD,EAAY,eAAiB,QAAQG,GAAWF,CAAU,CAAC,IAG3DD,EAAY,eAAiB,kBAC7BA,EAAY,kBAAoB,GAAG,SAAS,QAAQ,KAAK,SAAS,IAAI,sBAE1EpH,GAAwB,IACpBwH,GAAsB,EACjB,KAAK,IACFC,EACI,IAAIC,GAAuB,CACvB,YAAa,CAACP,CAAU,EACxB,YAAAC,CACJ,CAAC,CACL,EAAE,MAAMnC,CAAY,CACxB,EACC,MAAMA,CAAY,CAC3B,EAAE,MAAMA,CAAY,CACxB,EACN,kBAAmBxD,EAAA,IAAM4D,GAAS,kBAAf,oBACvB,CAAC,EACDnF,GAAsB,QAAQ,EAC9B2B,GAAc,CACV,OAAQsC,EAAa,mBAAmB,OACxC,MAAOA,EAAa,mBAAmB,MACvC,UAAWwD,GAAUxD,EAAa,OAAO,CAC7C,CAAC,EACDtC,GAAwB,EACxBb,EAAI,MAAM,yDAAyD,EACnE,MAAM,QAAQ,IAAIc,CAAmB,EACjCqC,EAAa,oBAAoB,4BACjC,aAAS,sBAAsB,EAAE,MAAMc,CAAY,EAEvD2C,GAAaC,EAAcC,EAAG,EAAG,SAAS,eAAe,MAAM,CAAE,EACjE9G,EAAI,MAAM,8DAA8D,EACxE+G,GAA6B,EAAE,MAAM9C,CAAY,EACjDjE,EAAI,MAAM,sEAAsE,EAChFgH,EAAe,KAAKC,EAA2B,EAC/CD,EAAe,KAAKE,EAAsB,EAC1CV,GAAsB,EACjB,KAAK,IAAMW,GAAkB,EAAE,MAAMlD,CAAY,CAAC,EAClD,MAAMA,CAAY,EAEnB,SAAS,SAAS,WAAW,MAAM,IACjC,OAAe,YAAc,CAC3B,QAAAmD,GACA,OAAAC,GACA,WAAAC,GACA,gBAAAC,EACJ,GAEG,EACX,CArasB9G,EAAArB,GAAA,iBAuatB,SAASuC,IAAqC,CAC1C,IAAM6F,EAAQC,EAAqB,QAAQ,qBAAqB,EAIhE,GAAI,CAACD,EACD,MAAO,GAEX,IAAME,EAAgB,SAClBD,EAAqB,QAAQ,uBAAuB,CACxD,EAGA,GAFAA,EAAqB,WAAW,qBAAqB,EACrDA,EAAqB,WAAW,uBAAuB,EACnDD,IAAU,SAAU,CACpB,IAAMG,EAAaF,EAAqB,QAAQ,YAAY,EACtDG,EAAOD,EAAa,KAAK,IAAI,EAAI,SAASA,CAAU,EAAI,EAC9DzI,GACK,KAAK,IAAM,CACR2I,GAAkB,CAAC,QAAS,IAAIC,GAAO,CAAC,cAAAJ,EAAe,KAAAE,CAAI,CAAC,CAAC,CAAC,CAClE,CAAC,EACA,MAAM3D,CAAY,CAC3B,MACI/E,GACK,KAAK,IAAM,CACR2I,GAAkB,CAAC,MAAO,IAAIE,GAAM,CAAC,cAAAL,CAAa,CAAC,CAAC,CAAC,CACzD,CAAC,EACA,MAAMzD,CAAY,EAE3B,OAAAwD,EAAqB,WAAW,YAAY,EACrCD,IAAU,QACrB,CA9BS/G,EAAAkB,GAAA,sCAgCT,SAASiE,IAAmC,CACxC3E,GAAuB,MAAO,CAAC,eAAA+G,CAAc,IAAM,CAE3C,KAAK,UAAU,CAAC,GAAGA,CAAc,EAAE,KAAK,CAAC,IACzC,KAAK,UAAU,CAAC,GAAS7E,EAAa,aAAa,cAAc,EAAE,KAAK,CAAC,GAI7E,MAAMsD,EACF,IAAIwB,GAAwB,CACxB,UAAWC,GAAgB,EAC3B,mBAAoB,IAAIC,GAAiB,CACrC,eAAAH,CACJ,CAAC,CACL,CAAC,CACL,CACJ,CAAC,CACL,CAjBSvH,EAAAmF,GAAA,oCAuBT,SAASD,IAAe,CACpB,IAAMyC,EAAM,CACR,UAAW,IAAI,IACf,wBAAyB,IAAI,IAC7B,iBAAkB,IAAI,IACtB,MACJ,EACAC,GAAeD,EAAK,CAChB,UAAWE,GAAW,QACtB,wBAAyBA,GAAW,QACpC,iBAAkBA,GAAW,QAC7B,KAAMA,EACV,CAAC,EACD,IAAIC,EACJtH,GAAuB,MAAO,CAAC,UAAAuH,EAAW,wBAAAC,EAAyB,oBAAAC,CAAmB,IAAM,CACxFC,EAAY,IAAM,CACdP,EAAI,UAAY,IAAI,IAAII,CAAS,EACjCJ,EAAI,wBAA0B,IAAI,IAAIK,CAAuB,EAC7DL,EAAI,iBAAmB,IAAI,IACvBM,EAAoB,oCAAoC,GAAK,CAAC,CAClE,EACAN,EAAI,KAAOM,EAAoB,wBAAwB,GAAK,CAChE,CAAC,EACIH,IACDA,EAAkBK,GAAQ,IAAM,CAC5B,IAAMC,EAAU1F,EAAa,mBACzB2F,EAAU,GACTC,GAAU,IAAI,IAAIF,EAAE,SAAS,EAAGT,EAAI,SAAS,EAM7CW,GAAU,IAAI,IAAIF,EAAE,uBAAuB,EAAGT,EAAI,uBAAuB,EAMlEW,GAAU,IAAI,IAAIF,EAAE,gBAAgB,EAAGT,EAAI,gBAAgB,EAK5DS,EAAE,OAAST,EAAI,OACtBpI,EAAI,KAAK,mEAAmE,EAC5E8I,EAAU,KANV9I,EAAI,KACA,+EACJ,EACA8I,EAAU,KARV9I,EAAI,KACA,sFACJ,EACA8I,EAAU,KAVV9I,EAAI,KACA,wEACJ,EACA8I,EAAU,IAiBVA,GACAE,GAAgB,CAExB,CAAC,EAET,CAAC,CACL,CAtDSvI,EAAAkF,GAAA,gBA4DT,SAASD,GAAmBrD,EAMzB,CACCuG,GACI,IAAM,CACF,IAAMK,EAAoB9F,EAAa,QAAQ,IACzC+F,EAAU7G,GAA6B,EAAE,IAAI4G,CAAW,EACxDE,EAAmB9G,GAAsC,EAAE,IAAI4G,CAAW,EAC1EG,EAAoB/G,GAAuC,EAAE,IAAI4G,CAAW,EAC5EI,EAAqBhH,GAAwC,EAAE,IAAI4G,CAAW,EAC9EK,EAAejH,GAAkC,EAAE,IAAI4G,CAAW,EACxEN,EAAY,IAAM,CACVO,EAAQ,QAAgB/F,EAAa,QAAQ,UACvCA,EAAa,QAAU+F,GAE7BC,EAAiB,QAAgBhG,EAAa,iBAAiB,UACzDA,EAAa,iBAAmBgG,GAEtCC,EAAkB,QAAgBjG,EAAa,kBAAkB,UAC3DA,EAAa,kBAAoBiG,GAEvCC,EAAmB,QAAgBlG,EAAa,mBAAmB,UAC7DA,EAAa,mBAAqBkG,GAExCC,EAAa,QAAgBnG,EAAa,aAAa,UACjDA,EAAa,aAAemG,EAE1C,CAAC,EACGD,GAAoB,iBACpBE,GAAuCF,EAAmB,eAAe,CAEjF,EACA,CAAC,KAAM,oCAAoC,CAC/C,CACJ,CAtCS5I,EAAAiF,GAAA,sBAwCT,SAASD,GAAoB1C,EAAiD,CAC1E,IAAMyG,EAAc,IAAI,IACxB,OAAAzG,EAAW,iBAAkByE,GAAU,CACnC,IAAMhF,EAAMgF,EAAM,KAClB,GAAIhF,EAAI,OAAS,qBAAsB,CACnC,IAAMiH,EAAUD,EAAY,IAAIhH,EAAI,SAAS,EAC7C,GAAI,CAACiH,EAAS,CACVzJ,EAAI,KAAK,2DAA4D,CACjE,UAAWwC,EAAI,SACnB,CAAC,EACD,MACJ,CACAxC,EAAI,MAAM,gCAAiC,CACvC,mBAAoBwC,EAAI,QAAQ,OAChC,sBAAuBA,EAAI,mBAAmB,MAClD,CAAC,EACDgH,EAAY,OAAOhH,EAAI,SAAS,EAChCiH,EAAQ,QAAQ,CAAC,QAASjH,EAAI,QAAS,mBAAoBA,EAAI,kBAAkB,CAAC,CACtF,CACJ,CAAC,EACM,eAAgBkH,EAAoB,CACvC,IAAMC,EAAYC,GAAW,GAAG,EAC1BH,EAAUtK,GAA0C,EAC1D,OAAAqK,EAAY,IAAIG,EAAWF,CAAO,EAClC1G,EAAW,YAAY,CAAC,KAAM,SAAU,UAAA4G,EAAW,MAAAD,CAAK,CAAC,EAClDD,CACX,CACJ,CA3BShJ,EAAAgF,GAAA,uBA6BT,SAASvC,GAAqBP,EAAmE,CAC7FA,EAAiB,YAAY,CACzB,KAAM,8BACN,kBACJ,CAAC,EACDA,EAAiB,YAAY,CACzB,KAAM,8BACN,kBACJ,CAAC,EACDA,EAAiB,YAAY,CACzB,KAAM,8BACN,kBACJ,CAAC,CACL,CAbSlC,EAAAyC,GAAA,wBAkBT,eAAe6D,IAA+B,CAE1C,IAAM8C,GADiB,MAAM7C,EAAe,cAAc8C,EAAyB,GACjD,cAC7B,IAAK/D,GACFA,EAAE,KAAOgE,GAAkChE,EAAE,MAAM,GAAG,GAAG,UAAY,MACzE,EACC,OAAQA,GAAM,CAAC,CAACA,CAAC,EACtB,QAAWA,KAAK8D,EACZ7C,EAAe,KAAKjB,CAAC,CAE7B,CAVetF,EAAAsG,GAAA,gCAef,eAAe/E,GAAa,CACxB,YAAAiH,EACA,aAAAe,CACJ,EAGmE,CAC/D,IAAMC,EAAO,SAAS,MAAM,OAAO,IAAIhB,CAAW,GAE5CiB,EAAoB,OAAO,cAAgB,CAAC,SAAS,OAAO,SAAS,gBAAgB,EACrF1J,EAAQC,EAAA,IAAY,CACtB,GAAIyJ,EAAmB,CACnBlK,EAAI,KAAK,wCAAwC,EACjD,IAAMmK,EAAS,IAAI,aAAa,6BAAyB,CAAC,KAAAF,CAAI,CAAC,EAC/D,OAAAE,EAAO,KAAK,MAAM,EACXA,EAAO,IAClB,KACI,QAAAnK,EAAI,KAAK,qBAAqB,EACvB,IAAI,OAAO,6BAAyB,CAAC,KAAAiK,CAAI,CAAC,CAEzD,EAVc,SAWRG,EAAsB3J,EAAA,CAACsB,EAAYsI,IACrC,IAAI,QAAc,CAACC,EAASC,IAAW,CACnC,IAAMC,EAAc,WAAW,IAAM,CACjCC,EAAS,EACTF,EAAO,IAAIG,GAAa,yBAAyB,CAAC,CACtD,EAAGL,CAAO,EACJI,EAAWhK,EAAA,IAAM,CACnBsB,EAAK,oBAAoB,UAAW4I,CAAU,EAC9C5I,EAAK,oBAAoB,eAAgB6I,CAAgB,EACzD,aAAaJ,CAAW,CAC5B,EAJiB,YAKXI,EAAmBnK,EAACuD,GAAe,CACrCyG,EAAS,EACTF,EAAOvG,CAAK,CAChB,EAHyB,oBAInB2G,EAAalK,EAAA,CAAC,CAAC,KAAM,CAAC,IAAA+B,CAAG,CAAC,IAAmB,CAC3CA,EAAI,OAAS,SACbiI,EAAS,EACTH,EAAQ,EAEhB,EALmB,cAMnBvI,EAAK,iBAAiB,UAAW4I,CAAU,EAC3C5I,EAAK,iBAAiB,eAAgB6I,CAAgB,EACtD7I,EAAK,YAAY,CAAC,IAAKiI,CAAY,CAAC,CACxC,CAAC,EAxBuB,uBAyBtBjI,EAAOvB,EAAM,EACnB,aAAM4J,EAAoBrI,EAAM,GAAM,EAC/BA,CACX,CAjDetB,EAAAuB,GAAA,gBAyDR,SAASqB,GAAe4B,EAAmC,CAC9D,IAAM4F,EAAYd,GAAkC9E,CAAG,GAAG,UAC1D,GAAK4F,GAGD,CAAAC,GAAoBD,CAAS,GAG7B,IAAI,IAAI5F,CAAG,EAAE,SAAS,MAAM,GAAG,EAAE,SAAW,EAGhD,OAAO4F,CACX,CAZgBpK,EAAA4C,GAAA,kBsBr0BT,IAAM0H,GAAN,MAAMA,WAAyB,KAAM,CAKxC,YACIC,EACA,CACI,YAAAC,EACA,SAAAC,EACA,iBAAAC,CACJ,EAAyE,CAAC,EAC5E,CACE,MAAMH,CAAO,EAZjBI,GAAA,oBACAA,GAAA,iBACAA,GAAA,yBAYI,OAAO,eAAe,KAAML,GAAiB,SAAS,EACtD,KAAK,YAAcE,EACnB,KAAK,SAAWC,EAChB,KAAK,iBAAmBC,CAC5B,CACJ,EApB4CE,EAAAN,GAAA,oBAArC,IAAMO,GAANP,GAsBA,SAASQ,GACZC,EAIF,CACE,GAAI,CACA,IAAMC,EAAqB,sCACrBC,EAAc,OAAO,MAAQ,GAC7BC,EAA8BD,EAAY,WAAWD,CAAkB,EACzEG,EACJ,GAAIF,EAAY,WAAW,WAAW,EAAG,CACrCE,EAAcC,GAAcH,EAAY,OAAOA,EAAY,YAAY,MAAM,EAAI,CAAC,CAAC,EAEnF,GAAI,CACA,IAAMI,EAAIC,EAAqB,QAAQ,eAAeH,CAAW,EAAE,EACnE,GAAIE,EAAG,CACH,IAAME,EAAI,KAAK,MAAMF,CAAC,EACtBG,GAAY,QAAQ,GAAGD,CAAC,CAC5B,CACJ,MAAQ,CAER,CACJ,MACIJ,EAAcM,GAAkB,EAKpC,OAAO,KAAO,YAAYN,CAAW,GACrC,IAAMO,EAAmBd,EAAA,IAAM,CAC3B,GAAI,CACAU,EAAqB,QACjB,eAAeH,CAAW,GAC1B,KAAK,UAAUK,EAAW,CAC9B,CACJ,MAAQ,CAER,CACJ,EATyB,oBAUzB,OAAO,OAAUG,GAAmB,CAChCC,EAAI,KAAKD,EAAS,wBAAwB,EAC1CD,EAAiB,EACjB,SAAS,OAAO,CACpB,EACA,IAAMG,EAAQ,KACd,OAAO,KAAQC,GAAgB,CAC3BJ,EAAiB,EACjBG,EAAMC,CAAG,CACb,EACA,IAAIC,EAAmD,WACnDC,EAOEC,EAAwBlB,EAAiBI,EAN7BP,EAACsB,GAAyD,CACxEH,EAAQG,EACJA,IAAc,+BACdF,EAAmC,KAAK,IAAI,EAEpD,EALkB,YAMmD,EAC/DG,EAAmBC,GAA8B,EACjDC,EAAK,KAAK,IAAI,EAChBC,EAAkB,GAClBC,EAAsB,GACpBC,EAAc,YAAY,IAAM,CAClC,GAAIF,EAAiB,CACjBG,EAAQ,SAAS,EACjB,MACJ,CACA,IAAMC,EAAM,KAAK,IAAI,EACrB,GAAIX,IAAU,6BACNW,EAAMV,EAAoC,KAC1CG,EAAiB,OACb,IAAItB,GAAiB,2CAA4C,CAC7D,SAAU,QACd,CAAC,CACL,MAED,CACH,IAAM8B,EAAyBnB,GAAYA,GAAY,OAAS,CAAC,EAC3DoB,EAAID,EAAuB,YAAcA,EAAuB,UAClED,EAAME,EAAI,OACVC,EAAY,iCAAiC,EAE7CH,EAAML,EAAK,KAAU,CAACE,IACtBA,EAAsB,GACtBM,EAAY,iCAAiC,GAE7CH,EAAML,EAAK,QACXE,EAAsB,GACtBJ,EAAiB,OAAO,IAAItB,GAAiB,+BAA+B,CAAC,EAErF,CACJ,EAAG,GAAG,EACN,QAAQ,KAAK,CAACoB,EAAuBE,CAAgB,CAAC,EACjD,KAAMW,GAAoB,CACnBA,GACAlB,EAAI,MAAM,gCAAgC,KAAK,MAAM,KAAK,IAAI,EAAIS,CAAE,CAAC,KAAK,EAC1EC,EAAkB,IAGlB,cAAcE,CAAW,CAEjC,CAAC,EACA,MAAM,MAAOO,GAAU,CACpB,cAAcP,CAAW,EACzB,IAAMQ,EAAI,2BAA2BD,EAAM,OAAO,GAClD,GAAIA,aAAiBlC,GAAkB,CACnC,GAAM,CAAC,YAAAL,EAAa,SAAAC,GAAU,iBAAAC,EAAgB,EAAIqC,EAC9CvC,IAAgB,CAACE,IAAoB,CAACQ,GACtC,OAAO8B,CAAC,EAER,KAAKvC,IAAYwC,GAAgBF,CAAK,CAAC,CAE/C,MACI,OAAO,KAAO/B,EAAqBG,EAC/BD,GAEA,QAAQ,MAAM6B,CAAK,EACnB,KAAKE,GAAgBF,CAAK,CAAC,IAE3BG,EAAaF,EAAGD,CAAK,EACrB,OAAOC,CAAC,EAGpB,CAAC,CACT,OAASD,EAAO,CACZ,KAAKE,GAAgBF,CAAK,CAAC,CAC/B,CACJ,CAhIgBnC,EAAAE,GAAA,YCvBVqC,EAAA,gBAAuB,CACrBC,GAAK,EACA,MAAM,gBACPA,GAAU,CAAC,OAAQ,MAAM,GAAG,CAAC,EAC7B,MAAMC,GAAqB,GAE/BC,GAASC,EAAa,CAC1B,EAPE,SAOC,EAAE,MAAMC,CAAY", "names": ["login_or_signup_redirected", "log", "redirect_result", "getRedirectResult", "auth", "profile", "not_null", "getAdditionalUserInfo", "token_res", "given_name", "account_uid_from_gip_uid", "error", "__name", "handle_auth_redirect", "authenticated", "login_or_signup_redirected", "report_error", "log", "init_faas", "sign_up_request_str", "safe_session_storage", "sign_up_request", "from_b64url", "SignUpRequest", "locale", "is_Locale", "call_sign_up", "__name", "redirect_based_on_sign_up_response", "res", "url", "LAST_LOCATION_KEY", "req", "call_function", "SignUpResponse", "enforce_refresh_promise", "error", "account_uid", "access_token", "ManageSessionRequest", "faas_trace_provider", "create_SessionUID", "init", "init", "install_global_error_handler", "default_logger", "log_history", "safe_local_storage", "log_history_to_string_array", "line", "__name", "init_compat_module", "init_preact_module", "init", "publish_patch_bus", "pending_patches", "event", "msg", "__name", "is_BoardUID", "board_uid", "x", "board_uids", "patch_pb", "patch_uid", "transformed_patches_pb", "init", "swc", "log", "swr", "error", "check_for_new_version", "__name", "error_str", "error_to_string", "report_info", "report_error", "not_controlled_by_service_worker", "controlled_by_wrong_service_worker", "validate_active_service_worker", "not_controlled_by_service_worker_", "controlled_by_wrong_service_worker_", "runInAction", "ui_state", "data", "msg", "severity", "context", "message", "extra", "blob_uid", "url", "as_BlobUID", "q", "elm", "img", "_port", "last_pong_received_at", "handle_message_from_worker", "sync_updates_bus", "search_bus", "publish_patch_bus", "event", "msg", "severity", "context", "message", "extra", "prefix", "log", "sensors", "fatal_error_url", "Snackbar", "i18n", "open_intercom", "enforce_refresh", "assert_never", "__name", "send_message_to_worker", "init", "auth_info_provider", "csrf_token_provider", "port", "request_sync_bus", "add_provisional_media_info_bus", "ping_message", "register_auth_listener", "account_uid", "team_uids", "admin_organization_uids", "start_watchdog", "last_ping_sent_at", "send_ping", "now", "report_info", "init_compat_module", "import_router", "init_compat_module", "init_compat_module", "CalendarView", "React_lazy", "SearchResult", "ColumnsView", "BoardContainer", "observer", "board", "display_version", "x", "BoardContext", "y", "profiler", "sensors", "log", "ui_state", "_", "React_suspense", "assert_never", "init_compat_module", "BoardBackground", "observer", "board_uid", "board_style", "image_url", "set_image_url", "d", "prev_board_uid", "set_prev_board_uid", "timeout", "A", "media_info_resource", "url", "board_background_image_url", "y", "img", "_", "background_style", "init_compat_module", "TopToolbarItems", "__name", "is_dashboard", "board_info", "permissions", "open_drawer", "is_cling_hp", "running_on_mobile_device", "_", "TopToolbarItemsMobileWebsite", "TopToolbarItemsDesktopWebsite", "TopToolbarItemsMobileBoard", "TopToolbarItemsDesktopBoard", "BottomMobileToolbarItems", "board", "board_resource", "BottomToolbarItemsMobileWebsite", "BottomToolbarItemsMobileBoard", "BottomDesktopToolbars", "init_compat_module", "import_router", "BoardDrawer", "observer", "header_style", "is_open", "close", "onOpen", "onClose", "drawer_ref", "b", "clicks_on_version_counter", "set_clicks_on_version_counter", "d", "y", "open_account_settings_dialog", "q", "ui_actions", "logout", "report_error", "open_teams_dialog", "goto_organizations_page", "open_cling_website", "as_language", "current_user", "open_privacy", "open_terms", "open_about_cling", "import_board", "files", "let_user_select_files", "upload_files", "x", "LIMIT_BOARD_PACKAGE_SIZE", "__name", "o", "call_function", "GetUploadTempURLRequest", "GetUploadTempURLResponse", "upload_id", "import_board_state", "open_help", "open_intercom", "goto_whats_new_board", "board_info", "board_info_resource", "whats_new_board_uid", "goto_board", "on_click_on_version", "can_import_board", "account", "visible_team_uids", "visible_teams", "i18n", "team_resource", "header", "_", "simple_tooltip_event_handlers", "PrincipalInfo", "whats_new_board_info", "usage", "board_resource", "limits", "board_quota_limits", "show_condensed_pro_teaser", "has_visible_teams", "is_organization_admin", "Drawer", "running_on_mobile_device", "List", "QuotaOverview", "ListItem", "Icon", "BrowserExtLink", "ListDivider", "init_compat_module", "DesktopBoardChooser", "observer", "search_visible", "set_search_visible", "d", "y", "reaction", "ui_state", "current_board", "searchable_list_ref", "ui_actions", "activate_people_tab", "q", "activate_boards_tab", "A", "focus_search", "goto_board_", "board_uid", "current_user", "board_type", "board_uid_type", "running_on_mobile_device", "goto_dashboard", "report_error", "goto_board", "on_toggle_search", "auto_close", "sort_boards_alphabetically", "on_auto_close_change", "runInAction", "call_function", "PatchFullAccountRequest", "create_PatchUID", "PatchAccountSettings", "add_board", "close", "tab", "people_board_badge", "people_chooser_board_infos", "x", "badge", "board_badge", "board_chooser_board_infos", "items", "board_chooser_items", "board_chooser_props", "people_chooser_props", "_", "classNames", "GlobalBackdrop", "Button", "i18n", "TabBar", "Tab", "with_shortcut", "SearchableList", "IconButton", "ToggleSortBoardsAlphabetically", "ObservingBoardHistory", "React_lazy", "BoardPage", "observer", "is_drawer_open", "set_is_drawer_open", "d", "open_drawer", "q", "ui_actions", "y", "profiler", "board", "display_version", "current_board_uid", "x", "BoardContext", "close_drawer", "on_drawer_open", "board_info", "board_style", "board_info_resource", "permissions", "current_user", "is_dashboard", "board_uid_type", "document_title", "ui_state", "i18n", "Page", "board_name", "num_changed_user_boards", "top_app_bar", "_", "TopAppBar", "TopToolbarItems", "classNames", "GlobalBackdrop", "bottom_app_bar_shown", "running_on_mobile_device", "bottom_app_bar", "BottomAppBar", "BottomMobileToolbarItems", "drawer", "BoardDrawer", "background_style", "board_background_image_url", "css_transition_enter_class", "BoardBackground", "DesktopBoardChooser", "CSSTransition_default", "BoardContainer", "React_suspense", "BottomDesktopToolbars", "init_compat_module", "ExportBoardToast", "observer", "open_download_url", "q", "export_board_state", "ref", "elm", "runInAction", "ui_state", "job_status", "download_url", "text", "i18n", "assert_never", "_", "classNames", "running_on_mobile_device", "Button", "init_compat_module", "ImportBoardToast", "observer", "open_imported_board", "q", "import_board_state", "goto_board", "not_null", "report_error", "ref", "elm", "runInAction", "ui_state", "job_status", "text", "failure", "success", "i18n", "assert_never", "_", "classNames", "running_on_mobile_device", "Button", "init_compat_module", "UploadProgressToast", "observer", "cancel_uploads", "q", "upload_state", "ref", "elm", "runInAction", "ui_state", "num_files_total", "num_files_uploaded", "num_bytes_total", "num_bytes_uploaded_of_uploaded_files", "num_bytes_uploaded_of_uploading_file", "name_of_uploading_file", "num_bytes_uploaded", "_", "classNames", "running_on_mobile_device", "i18n", "Button", "init_compat_module", "Debug", "observer", "mode", "set_mode", "d", "maximize", "q", "minimize", "copy", "range", "pre_error", "selection", "current_user", "_", "debug_state", "IconButton", "offline", "num_errors", "init_compat_module", "KeyboardShortcuts", "observer", "display_version", "x", "BoardContext", "key_down", "q", "e", "ui_state", "is_elm_inside_an_active_rich_text_editor", "ui_actions", "cancel_event", "current_board", "current_board_root_card_permissions", "current_user", "card", "board", "board_resource", "cancel", "permissions", "model_actions_default", "card_uid", "above_card_insert_pos", "below_card_insert_pos", "Note", "y", "running_on_mobile_device", "init_compat_module", "TaskEditDialog", "React_lazy", "SendToBoardDialog", "CheckoutDialog", "QuotaLimitExceededDialog", "AccountSettingsDialog", "ProFeatureTeaserDialog", "ClingProTeaser", "BoardSettingsDialogContainer", "ShareBoardDialog", "StartConversationDialog", "ImportDataDialog", "DiagnosticsDialog", "TeamsDialog", "PromptContainer", "CopyBoardDialog", "AddBoardDialog", "ReportAbuseDialog", "DialogContainer", "observer", "dialog", "ui_state", "_", "ui_actions", "React_suspense", "init_compat_module", "ImportDataToast", "observer", "job_status", "import_data_state", "ref", "q", "elm", "runInAction", "ui_state", "_", "classNames", "running_on_mobile_device", "i18n", "import_buffer", "init_compat_module", "AuthorizeAppPage", "__name", "_", "y", "profiler", "ui_actions", "waiting", "set_waiting", "d", "error_msg", "set_error_msg", "client_name", "set_client_name", "api_scopes", "set_api_scopes", "decline_redirect_uri", "set_decline_redirect_uri", "handle_error", "q", "error", "report_error", "i18n", "allow", "call_function", "InitOauth2FlowRequest", "InitOauth2FlowAuthorize", "InitOauth2FlowResponse", "authorize_response", "error_redirect_uri", "res", "not_null", "InitOauth2FlowValidate", "validate_response", "query_param", "CLING_BUTTON_OAUTH2_CLIENT_ID", "decline", "title", "top_app_bar", "TopAppBar", "TypographyLogo", "Page", "Card", "with_perfect_scrollbar", "full_name", "current_user", "x", "Button", "LoadingIndicator", "authorize_app_page_default", "OrganizationsPage", "React_lazy", "AddOrganizationPage", "DragAndDropGhost", "Meet", "x", "VideoPlayerContainer", "ShareTargetPage", "EmailMarkupPage", "CheckoutPage", "_App", "props", "__publicField", "running_on_mobile_device", "suppress_context_menu", "__name", "listener", "e", "target", "is_elm_inside_an_active_rich_text_editor", "autorun", "board", "ui_state", "new_vanity", "board_vanity_uri", "board_name", "reaction", "highlighted_card_state", "board_resource", "ui_actions", "dispose", "error", "report_error", "fatal_error_url", "error_to_string", "log", "_", "k", "BoardContext", "BoardOrCardPage", "derive_dashboard_uid", "current_user", "LazyShareTargetPage", "LazyCheckoutPage", "authorize_app_page_default", "LazyEmailMarkupPage", "LazyOrganizationsPage", "LazyAddOrganizationPage", "BoardPage", "LazyDragAndDropGhost", "ImportBoardToast", "ImportDataToast", "ExportBoardToast", "UploadProgressToast", "DialogContainer", "NewVersionAvailableHint", "KeyboardShortcuts", "ObservingSnackbar", "GlobalDropAndPasteHandler", "LazyMeet", "LazyVideoPlayerContainer", "Debug", "SimpleTooltipContainer", "App", "vanity_text_and_uid", "card_uid", "open_comments", "set_ui_state_current_board_uid", "q", "props_board_uid", "props_card_uid", "props_open_comments", "board_uid", "is_BoardUID", "board_type", "board_uid_type", "categorize_error", "as_BoardUID", "goto_dashboard", "sensors", "runInAction", "board_history_state", "prev_uid", "set_prev_uid", "d", "uid", "y", "is_CardUID", "search_card_uid", "as_CardUID", "board_uid_by_card_uid", "cur_board_uid", "BoardUID_prefix", "encode_b62", "useBoardChange", "LazyCheckoutPage", "props", "_", "React_suspense", "CheckoutPage", "__name", "LazyEmailMarkupPage", "EmailMarkupPage", "LazyShareTargetPage", "ShareTargetPage", "LazyOrganizationsPage", "OrganizationsPage", "LazyAddOrganizationPage", "AddOrganizationPage", "LazyDragAndDropGhost", "DragAndDropGhost", "Card", "LazyMeet", "observer", "meet_state", "Meet", "LazyVideoPlayerContainer", "video_player_state", "VideoPlayerContainer", "last_board_uid", "last_board_change_at", "useBoardChange", "y", "current_board_uid", "ui_state", "ui_actions", "board_resource", "board", "Snackbar", "report_user_event", "PageView", "current_user", "i18n", "board_history_state", "error", "report_info", "ObservingSnackbar", "classNames", "NewVersionAvailableHint", "update_web_app", "q", "reason", "send_message_to_worker", "current_board", "x", "BoardContext", "StickySnackbar", "board_uid_by_card_uid", "card_uid", "timeout", "board_uid", "found_on_server", "query_server", "matches", "call_function", "SearchBoardsRequest", "SearchBoardsResponse", "retry_until", "server_queried", "can_call_faas", "report_error", "query", "parse", "assert", "indexed_board_uids", "matched_board_uid", "is_BoardUID", "board_info_resource", "sleep", "sync_initial_state", "account_uid", "caches", "request_sync", "board_uid_hint", "backoff", "attempt", "request_account_sync", "__name", "request_board_sync", "x", "SYSTEM_BOARD_TYPES", "derive_system_board_uid", "current_user", "account", "account_analytics", "account_attributes", "account_settings", "account_auth", "CurrentUser", "error", "log", "system_board_uid", "sleep", "default_local_cache", "type", "LocalCacheImpl", "__name", "_LocalCacheImpl", "__publicField", "makeObservable", "observable", "key", "cache_entry", "NotFound", "from_buffer", "pb", "o", "runInAction", "outstanding", "apply_batch_timeout", "ignore_sync_update", "board_sync_paused", "batch", "init", "ignore_sync_update_", "new_cache", "__name", "type", "default_local_cache", "caches", "Board", "BoardInfo", "Account", "AccountSettings", "AccountAttributes", "AccountAuth", "AccountAnalytics", "Organization", "OrganizationMembers", "Team", "TeamMembers", "URLInfo", "MediaInfo", "MeetStatus", "local_cache_sync_event_bus", "local_eventbus", "msg", "_apply_batch", "board_uid", "runInAction", "retain", "_handle_message", "sync_key", "outstanding_sync_key", "promise", "cache", "not_null", "SyncEntityType", "log", "NotFound", "Gone", "Forbidden", "ClingError", "ClingErrorCode", "assert_never", "request_sync_factory", "request_sync", "uid", "wait_for_sync_factory", "cur_outstanding", "new_ControllablePromise", "import_router", "report_user_event_queue", "pLimit", "analytics_initialized", "new_ControllablePromise", "start_web_app", "session_uid", "set_state", "parse_source_campaign", "set_fatal_error_url_params", "frontend_only", "dev", "init_dev", "misc_init", "set_global_css_classes", "silent_login", "special_mode", "log", "client", "running_on_mobile_device", "auth_info", "csrf_token", "as_TeamUID", "set_auth_info", "initial_auth_info", "start", "__name", "token", "wait_until_authenticated", "assert", "init", "await_before_render", "preload_assets", "auth_state", "register_auth_listener", "auth_state_", "faas_trace", "req", "t0", "ClingError", "sleep", "on_authentication_error", "init_log_event_reporting", "is_new_user", "_detect_and_report_login_or_signup", "thumbnail_image_type", "is_avif_supported", "is_webp_supported", "port", "start_worker", "publish_patch_bus", "local_eventbus", "ignore_sync_update", "_publish_patch", "caches", "local_cache_sync_event_bus", "pause_board_sync", "msg", "set_board_size", "as_BoardUID", "request_sync_bus", "request_sync", "uid", "type", "search_bus", "add_provisional_media_info_bus", "not_null", "eagerly_request_sync", "current_user", "sync_initial_state", "board_uid_hint", "request_sync_factory", "wait_for_sync_factory", "blob_uid", "mime_type", "image_file", "image_height", "image_width", "media_info", "MediaInfo", "add_provisional_thumbnail", "error", "report_error", "remove_provisional_thumbnail", "as_BlobUID", "removed", "ui_state", "frontend_only_blob_uid_mapping", "copy_media_promises", "publish_patch", "args", "blob_uid_mapping", "p", "src", "media_info_resource", "target", "new_media_info", "to_buffer", "url", "thumbnail_url", "supported_thumbnail_dims", "res", "report_info", "user_locale", "query_param", "can_call_faas", "call_search_factory", "_sync_current_user", "_sync_claims", "_sync_auth_providers_with_server", "thumbnails", "resolved_blob_uid", "x", "QueryThumbnailRequest", "to_b64url", "nop", "user_event", "browser_env", "board_info", "board_info_resource", "board_name", "can_call_faas_promise", "call_function", "ReportUserEventRequest", "full_name", "D", "_", "App", "eagerly_sync_board_templates", "board_resource", "background_images_board_uid", "title_images_board_uid", "set_user_currency", "load_js", "logout", "goto_board", "start_drag_card", "event", "safe_session_storage", "auth_provider", "ttfl_start", "ttfl", "report_user_event", "SignUp", "Login", "auth_providers", "PatchFullAccountRequest", "create_PatchUID", "PatchAccountAuth", "gip", "makeObservable", "observable", "autorun_dispose", "team_uids", "admin_organization_uids", "access_token_claims", "runInAction", "autorun", "a", "refresh", "Set_equal", "enforce_refresh", "account_uid", "account", "account_settings", "account_analytics", "account_attributes", "account_auth", "store_source_campaign_to_local_storage", "outstanding", "promise", "query", "search_id", "random_uid", "board_uids", "board_templates_board_uid", "extract_linked_board_and_card_uid", "ping_message", "name", "use_shared_worker", "worker", "wait_for_connection", "timeout", "resolve", "reject", "timeout_var", "clean_up", "TimeoutError", "on_message", "on_message_error", "board_uid", "is_system_board_uid", "_StartWebAppError", "message", "reload_page", "goto_url", "reload_only_once", "__publicField", "__name", "StartWebAppError", "watchdog", "startup_function", "fail_marker_prefix", "window_name", "start_web_app_failed_before", "session_uid", "as_SessionUID", "s", "safe_session_storage", "a", "log_history", "create_SessionUID", "save_log_history", "reason", "log", "goto_", "url", "state", "waiting_for_authentication_since", "start_web_app_promise", "new_state", "watchdog_promise", "new_ControllablePromise", "t0", "web_app_running", "long_start_reported", "watchdog_id", "sensors", "now", "last_log_history_entry", "t", "report_info", "web_app_started", "error", "m", "fatal_error_url", "report_error", "__name", "init", "handle_auth_redirect", "watchdog", "start_web_app", "report_error"] }