\n \n >\n );\n}\n// propTypes 定义 \nCustomModal.propTypes = {\n isOpen: PropTypes.bool.isRequired,\n title: PropTypes.string,\n content: PropTypes.any,\n cancelText: PropTypes.any,\n okText: PropTypes.any.isRequired,\n onCancelClick: PropTypes.any.isRequired,\n onOkClick: PropTypes.any.isRequired,\n width: PropTypes.number,\n // maskClosable: PropTypes.bool,\n};\n\nexport default CustomModal;","// Default to a dummy \"batch\" implementation that just runs the callback\nfunction defaultNoopBatch(callback) {\n callback();\n}\n\nlet batch = defaultNoopBatch; // Allow injecting another batching function later\n\nexport const setBatch = newBatch => batch = newBatch; // Supply a getter just to skip dealing with ESM bindings\n\nexport const getBatch = () => batch;","import * as React from 'react';\nconst ContextKey = Symbol.for(`react-redux-context`);\nconst gT = typeof globalThis !== \"undefined\" ? globalThis :\n/* fall back to a per-module scope (pre-8.1 behaviour) if `globalThis` is not available */\n{};\n\nfunction getContext() {\n var _gT$ContextKey;\n\n if (!React.createContext) return {};\n const contextMap = (_gT$ContextKey = gT[ContextKey]) != null ? _gT$ContextKey : gT[ContextKey] = new Map();\n let realContext = contextMap.get(React.createContext);\n\n if (!realContext) {\n realContext = React.createContext(null);\n\n if (process.env.NODE_ENV !== 'production') {\n realContext.displayName = 'ReactRedux';\n }\n\n contextMap.set(React.createContext, realContext);\n }\n\n return realContext;\n}\n\nexport const ReactReduxContext = /*#__PURE__*/getContext();\nexport default ReactReduxContext;","import { useContext } from 'react';\nimport { ReactReduxContext } from '../components/Context';\n\n/**\r\n * Hook factory, which creates a `useReduxContext` hook bound to a given context. This is a low-level\r\n * hook that you should usually not need to call directly.\r\n *\r\n * @param {React.Context} [context=ReactReduxContext] Context passed to your ``.\r\n * @returns {Function} A `useReduxContext` hook bound to the specified context.\r\n */\nexport function createReduxContextHook(context = ReactReduxContext) {\n return function useReduxContext() {\n const contextValue = useContext(context);\n\n if (process.env.NODE_ENV !== 'production' && !contextValue) {\n throw new Error('could not find react-redux context value; please ensure the component is wrapped in a ');\n }\n\n return contextValue;\n };\n}\n/**\r\n * A hook to access the value of the `ReactReduxContext`. This is a low-level\r\n * hook that you should usually not need to call directly.\r\n *\r\n * @returns {any} the value of the `ReactReduxContext`\r\n *\r\n * @example\r\n *\r\n * import React from 'react'\r\n * import { useReduxContext } from 'react-redux'\r\n *\r\n * export const CounterComponent = () => {\r\n * const { store } = useReduxContext()\r\n * return
{store.getState()}
\r\n * }\r\n */\n\nexport const useReduxContext = /*#__PURE__*/createReduxContextHook();","export const notInitialized = () => {\n throw new Error('uSES not initialized!');\n};","import { useCallback, useDebugValue, useRef } from 'react';\nimport { createReduxContextHook, useReduxContext as useDefaultReduxContext } from './useReduxContext';\nimport { ReactReduxContext } from '../components/Context';\nimport { notInitialized } from '../utils/useSyncExternalStore';\nlet useSyncExternalStoreWithSelector = notInitialized;\nexport const initializeUseSelector = fn => {\n useSyncExternalStoreWithSelector = fn;\n};\n\nconst refEquality = (a, b) => a === b;\n/**\r\n * Hook factory, which creates a `useSelector` hook bound to a given context.\r\n *\r\n * @param {React.Context} [context=ReactReduxContext] Context passed to your ``.\r\n * @returns {Function} A `useSelector` hook bound to the specified context.\r\n */\n\n\nexport function createSelectorHook(context = ReactReduxContext) {\n const useReduxContext = context === ReactReduxContext ? useDefaultReduxContext : createReduxContextHook(context);\n return function useSelector(selector, equalityFnOrOptions = {}) {\n const {\n equalityFn = refEquality,\n stabilityCheck = undefined,\n noopCheck = undefined\n } = typeof equalityFnOrOptions === 'function' ? {\n equalityFn: equalityFnOrOptions\n } : equalityFnOrOptions;\n\n if (process.env.NODE_ENV !== 'production') {\n if (!selector) {\n throw new Error(`You must pass a selector to useSelector`);\n }\n\n if (typeof selector !== 'function') {\n throw new Error(`You must pass a function as a selector to useSelector`);\n }\n\n if (typeof equalityFn !== 'function') {\n throw new Error(`You must pass a function as an equality function to useSelector`);\n }\n }\n\n const {\n store,\n subscription,\n getServerState,\n stabilityCheck: globalStabilityCheck,\n noopCheck: globalNoopCheck\n } = useReduxContext();\n const firstRun = useRef(true);\n const wrappedSelector = useCallback({\n [selector.name](state) {\n const selected = selector(state);\n\n if (process.env.NODE_ENV !== 'production') {\n const finalStabilityCheck = typeof stabilityCheck === 'undefined' ? globalStabilityCheck : stabilityCheck;\n\n if (finalStabilityCheck === 'always' || finalStabilityCheck === 'once' && firstRun.current) {\n const toCompare = selector(state);\n\n if (!equalityFn(selected, toCompare)) {\n let stack = undefined;\n\n try {\n throw new Error();\n } catch (e) {\n ;\n ({\n stack\n } = e);\n }\n\n console.warn('Selector ' + (selector.name || 'unknown') + ' returned a different result when called with the same parameters. This can lead to unnecessary rerenders.' + '\\nSelectors that return a new reference (such as an object or an array) should be memoized: https://redux.js.org/usage/deriving-data-selectors#optimizing-selectors-with-memoization', {\n state,\n selected,\n selected2: toCompare,\n stack\n });\n }\n }\n\n const finalNoopCheck = typeof noopCheck === 'undefined' ? globalNoopCheck : noopCheck;\n\n if (finalNoopCheck === 'always' || finalNoopCheck === 'once' && firstRun.current) {\n // @ts-ignore\n if (selected === state) {\n let stack = undefined;\n\n try {\n throw new Error();\n } catch (e) {\n ;\n ({\n stack\n } = e);\n }\n\n console.warn('Selector ' + (selector.name || 'unknown') + ' returned the root state when called. This can lead to unnecessary rerenders.' + '\\nSelectors that return the entire state are almost certainly a mistake, as they will cause a rerender whenever *anything* in state changes.', {\n stack\n });\n }\n }\n\n if (firstRun.current) firstRun.current = false;\n }\n\n return selected;\n }\n\n }[selector.name], [selector, globalStabilityCheck, stabilityCheck]);\n const selectedState = useSyncExternalStoreWithSelector(subscription.addNestedSub, store.getState, getServerState || store.getState, wrappedSelector, equalityFn);\n useDebugValue(selectedState);\n return selectedState;\n };\n}\n/**\r\n * A hook to access the redux store's state. This hook takes a selector function\r\n * as an argument. The selector is called with the store state.\r\n *\r\n * This hook takes an optional equality comparison function as the second parameter\r\n * that allows you to customize the way the selected state is compared to determine\r\n * whether the component needs to be re-rendered.\r\n *\r\n * @param {Function} selector the selector function\r\n * @param {Function=} equalityFn the function that will be used to determine equality\r\n *\r\n * @returns {any} the selected state\r\n *\r\n * @example\r\n *\r\n * import React from 'react'\r\n * import { useSelector } from 'react-redux'\r\n *\r\n * export const CounterComponent = () => {\r\n * const counter = useSelector(state => state.counter)\r\n * return
{counter}
\r\n * }\r\n */\n\nexport const useSelector = /*#__PURE__*/createSelectorHook();","import { getBatch } from './batch'; // encapsulates the subscription logic for connecting a component to the redux store, as\n// well as nesting subscriptions of descendant components, so that we can ensure the\n// ancestor components re-render before descendants\n\nfunction createListenerCollection() {\n const batch = getBatch();\n let first = null;\n let last = null;\n return {\n clear() {\n first = null;\n last = null;\n },\n\n notify() {\n batch(() => {\n let listener = first;\n\n while (listener) {\n listener.callback();\n listener = listener.next;\n }\n });\n },\n\n get() {\n let listeners = [];\n let listener = first;\n\n while (listener) {\n listeners.push(listener);\n listener = listener.next;\n }\n\n return listeners;\n },\n\n subscribe(callback) {\n let isSubscribed = true;\n let listener = last = {\n callback,\n next: null,\n prev: last\n };\n\n if (listener.prev) {\n listener.prev.next = listener;\n } else {\n first = listener;\n }\n\n return function unsubscribe() {\n if (!isSubscribed || first === null) return;\n isSubscribed = false;\n\n if (listener.next) {\n listener.next.prev = listener.prev;\n } else {\n last = listener.prev;\n }\n\n if (listener.prev) {\n listener.prev.next = listener.next;\n } else {\n first = listener.next;\n }\n };\n }\n\n };\n}\n\nconst nullListeners = {\n notify() {},\n\n get: () => []\n};\nexport function createSubscription(store, parentSub) {\n let unsubscribe;\n let listeners = nullListeners; // Reasons to keep the subscription active\n\n let subscriptionsAmount = 0; // Is this specific subscription subscribed (or only nested ones?)\n\n let selfSubscribed = false;\n\n function addNestedSub(listener) {\n trySubscribe();\n const cleanupListener = listeners.subscribe(listener); // cleanup nested sub\n\n let removed = false;\n return () => {\n if (!removed) {\n removed = true;\n cleanupListener();\n tryUnsubscribe();\n }\n };\n }\n\n function notifyNestedSubs() {\n listeners.notify();\n }\n\n function handleChangeWrapper() {\n if (subscription.onStateChange) {\n subscription.onStateChange();\n }\n }\n\n function isSubscribed() {\n return selfSubscribed;\n }\n\n function trySubscribe() {\n subscriptionsAmount++;\n\n if (!unsubscribe) {\n unsubscribe = parentSub ? parentSub.addNestedSub(handleChangeWrapper) : store.subscribe(handleChangeWrapper);\n listeners = createListenerCollection();\n }\n }\n\n function tryUnsubscribe() {\n subscriptionsAmount--;\n\n if (unsubscribe && subscriptionsAmount === 0) {\n unsubscribe();\n unsubscribe = undefined;\n listeners.clear();\n listeners = nullListeners;\n }\n }\n\n function trySubscribeSelf() {\n if (!selfSubscribed) {\n selfSubscribed = true;\n trySubscribe();\n }\n }\n\n function tryUnsubscribeSelf() {\n if (selfSubscribed) {\n selfSubscribed = false;\n tryUnsubscribe();\n }\n }\n\n const subscription = {\n addNestedSub,\n notifyNestedSubs,\n handleChangeWrapper,\n isSubscribed,\n trySubscribe: trySubscribeSelf,\n tryUnsubscribe: tryUnsubscribeSelf,\n getListeners: () => listeners\n };\n return subscription;\n}","import * as React from 'react'; // React currently throws a warning when using useLayoutEffect on the server.\n// To get around it, we can conditionally useEffect on the server (no-op) and\n// useLayoutEffect in the browser. We need useLayoutEffect to ensure the store\n// subscription callback always has the selector from the latest render commit\n// available, otherwise a store update may happen between render and the effect,\n// which may cause missed updates; we also must ensure the store subscription\n// is created synchronously, otherwise a store update may occur before the\n// subscription is created and an inconsistent state may be observed\n// Matches logic in React's `shared/ExecutionEnvironment` file\n\nexport const canUseDOM = !!(typeof window !== 'undefined' && typeof window.document !== 'undefined' && typeof window.document.createElement !== 'undefined');\nexport const useIsomorphicLayoutEffect = canUseDOM ? React.useLayoutEffect : React.useEffect;","import _extends from \"@babel/runtime/helpers/esm/extends\";\nimport _objectWithoutPropertiesLoose from \"@babel/runtime/helpers/esm/objectWithoutPropertiesLoose\";\nconst _excluded = [\"reactReduxForwardedRef\"];\n\n/* eslint-disable valid-jsdoc, @typescript-eslint/no-unused-vars */\nimport hoistStatics from 'hoist-non-react-statics';\nimport * as React from 'react';\nimport { isValidElementType, isContextConsumer } from 'react-is';\nimport defaultSelectorFactory from '../connect/selectorFactory';\nimport { mapDispatchToPropsFactory } from '../connect/mapDispatchToProps';\nimport { mapStateToPropsFactory } from '../connect/mapStateToProps';\nimport { mergePropsFactory } from '../connect/mergeProps';\nimport { createSubscription } from '../utils/Subscription';\nimport { useIsomorphicLayoutEffect } from '../utils/useIsomorphicLayoutEffect';\nimport shallowEqual from '../utils/shallowEqual';\nimport warning from '../utils/warning';\nimport { ReactReduxContext } from './Context';\nimport { notInitialized } from '../utils/useSyncExternalStore';\nlet useSyncExternalStore = notInitialized;\nexport const initializeConnect = fn => {\n useSyncExternalStore = fn;\n}; // Define some constant arrays just to avoid re-creating these\n\nconst EMPTY_ARRAY = [null, 0];\nconst NO_SUBSCRIPTION_ARRAY = [null, null]; // Attempts to stringify whatever not-really-a-component value we were given\n// for logging in an error message\n\nconst stringifyComponent = Comp => {\n try {\n return JSON.stringify(Comp);\n } catch (err) {\n return String(Comp);\n }\n};\n\n// This is \"just\" a `useLayoutEffect`, but with two modifications:\n// - we need to fall back to `useEffect` in SSR to avoid annoying warnings\n// - we extract this to a separate function to avoid closing over values\n// and causing memory leaks\nfunction useIsomorphicLayoutEffectWithArgs(effectFunc, effectArgs, dependencies) {\n useIsomorphicLayoutEffect(() => effectFunc(...effectArgs), dependencies);\n} // Effect callback, extracted: assign the latest props values to refs for later usage\n\n\nfunction captureWrapperProps(lastWrapperProps, lastChildProps, renderIsScheduled, wrapperProps, // actualChildProps: unknown,\nchildPropsFromStoreUpdate, notifyNestedSubs) {\n // We want to capture the wrapper props and child props we used for later comparisons\n lastWrapperProps.current = wrapperProps;\n renderIsScheduled.current = false; // If the render was from a store update, clear out that reference and cascade the subscriber update\n\n if (childPropsFromStoreUpdate.current) {\n childPropsFromStoreUpdate.current = null;\n notifyNestedSubs();\n }\n} // Effect callback, extracted: subscribe to the Redux store or nearest connected ancestor,\n// check for updates after dispatched actions, and trigger re-renders.\n\n\nfunction subscribeUpdates(shouldHandleStateChanges, store, subscription, childPropsSelector, lastWrapperProps, lastChildProps, renderIsScheduled, isMounted, childPropsFromStoreUpdate, notifyNestedSubs, // forceComponentUpdateDispatch: React.Dispatch,\nadditionalSubscribeListener) {\n // If we're not subscribed to the store, nothing to do here\n if (!shouldHandleStateChanges) return () => {}; // Capture values for checking if and when this component unmounts\n\n let didUnsubscribe = false;\n let lastThrownError = null; // We'll run this callback every time a store subscription update propagates to this component\n\n const checkForUpdates = () => {\n if (didUnsubscribe || !isMounted.current) {\n // Don't run stale listeners.\n // Redux doesn't guarantee unsubscriptions happen until next dispatch.\n return;\n } // TODO We're currently calling getState ourselves here, rather than letting `uSES` do it\n\n\n const latestStoreState = store.getState();\n let newChildProps, error;\n\n try {\n // Actually run the selector with the most recent store state and wrapper props\n // to determine what the child props should be\n newChildProps = childPropsSelector(latestStoreState, lastWrapperProps.current);\n } catch (e) {\n error = e;\n lastThrownError = e;\n }\n\n if (!error) {\n lastThrownError = null;\n } // If the child props haven't changed, nothing to do here - cascade the subscription update\n\n\n if (newChildProps === lastChildProps.current) {\n if (!renderIsScheduled.current) {\n notifyNestedSubs();\n }\n } else {\n // Save references to the new child props. Note that we track the \"child props from store update\"\n // as a ref instead of a useState/useReducer because we need a way to determine if that value has\n // been processed. If this went into useState/useReducer, we couldn't clear out the value without\n // forcing another re-render, which we don't want.\n lastChildProps.current = newChildProps;\n childPropsFromStoreUpdate.current = newChildProps;\n renderIsScheduled.current = true; // TODO This is hacky and not how `uSES` is meant to be used\n // Trigger the React `useSyncExternalStore` subscriber\n\n additionalSubscribeListener();\n }\n }; // Actually subscribe to the nearest connected ancestor (or store)\n\n\n subscription.onStateChange = checkForUpdates;\n subscription.trySubscribe(); // Pull data from the store after first render in case the store has\n // changed since we began.\n\n checkForUpdates();\n\n const unsubscribeWrapper = () => {\n didUnsubscribe = true;\n subscription.tryUnsubscribe();\n subscription.onStateChange = null;\n\n if (lastThrownError) {\n // It's possible that we caught an error due to a bad mapState function, but the\n // parent re-rendered without this component and we're about to unmount.\n // This shouldn't happen as long as we do top-down subscriptions correctly, but\n // if we ever do those wrong, this throw will surface the error in our tests.\n // In that case, throw the error from here so it doesn't get lost.\n throw lastThrownError;\n }\n };\n\n return unsubscribeWrapper;\n} // Reducer initial state creation for our update reducer\n\n\nconst initStateUpdates = () => EMPTY_ARRAY;\n\nfunction strictEqual(a, b) {\n return a === b;\n}\n/**\r\n * Infers the type of props that a connector will inject into a component.\r\n */\n\n\nlet hasWarnedAboutDeprecatedPureOption = false;\n/**\r\n * Connects a React component to a Redux store.\r\n *\r\n * - Without arguments, just wraps the component, without changing the behavior / props\r\n *\r\n * - If 2 params are passed (3rd param, mergeProps, is skipped), default behavior\r\n * is to override ownProps (as stated in the docs), so what remains is everything that's\r\n * not a state or dispatch prop\r\n *\r\n * - When 3rd param is passed, we don't know if ownProps propagate and whether they\r\n * should be valid component props, because it depends on mergeProps implementation.\r\n * As such, it is the user's responsibility to extend ownProps interface from state or\r\n * dispatch props or both when applicable\r\n *\r\n * @param mapStateToProps A function that extracts values from state\r\n * @param mapDispatchToProps Setup for dispatching actions\r\n * @param mergeProps Optional callback to merge state and dispatch props together\r\n * @param options Options for configuring the connection\r\n *\r\n */\n\nfunction connect(mapStateToProps, mapDispatchToProps, mergeProps, {\n // The `pure` option has been removed, so TS doesn't like us destructuring this to check its existence.\n // @ts-ignore\n pure,\n areStatesEqual = strictEqual,\n areOwnPropsEqual = shallowEqual,\n areStatePropsEqual = shallowEqual,\n areMergedPropsEqual = shallowEqual,\n // use React's forwardRef to expose a ref of the wrapped component\n forwardRef = false,\n // the context consumer to use\n context = ReactReduxContext\n} = {}) {\n if (process.env.NODE_ENV !== 'production') {\n if (pure !== undefined && !hasWarnedAboutDeprecatedPureOption) {\n hasWarnedAboutDeprecatedPureOption = true;\n warning('The `pure` option has been removed. `connect` is now always a \"pure/memoized\" component');\n }\n }\n\n const Context = context;\n const initMapStateToProps = mapStateToPropsFactory(mapStateToProps);\n const initMapDispatchToProps = mapDispatchToPropsFactory(mapDispatchToProps);\n const initMergeProps = mergePropsFactory(mergeProps);\n const shouldHandleStateChanges = Boolean(mapStateToProps);\n\n const wrapWithConnect = WrappedComponent => {\n if (process.env.NODE_ENV !== 'production' && !isValidElementType(WrappedComponent)) {\n throw new Error(`You must pass a component to the function returned by connect. Instead received ${stringifyComponent(WrappedComponent)}`);\n }\n\n const wrappedComponentName = WrappedComponent.displayName || WrappedComponent.name || 'Component';\n const displayName = `Connect(${wrappedComponentName})`;\n const selectorFactoryOptions = {\n shouldHandleStateChanges,\n displayName,\n wrappedComponentName,\n WrappedComponent,\n // @ts-ignore\n initMapStateToProps,\n // @ts-ignore\n initMapDispatchToProps,\n initMergeProps,\n areStatesEqual,\n areStatePropsEqual,\n areOwnPropsEqual,\n areMergedPropsEqual\n };\n\n function ConnectFunction(props) {\n const [propsContext, reactReduxForwardedRef, wrapperProps] = React.useMemo(() => {\n // Distinguish between actual \"data\" props that were passed to the wrapper component,\n // and values needed to control behavior (forwarded refs, alternate context instances).\n // To maintain the wrapperProps object reference, memoize this destructuring.\n const {\n reactReduxForwardedRef\n } = props,\n wrapperProps = _objectWithoutPropertiesLoose(props, _excluded);\n\n return [props.context, reactReduxForwardedRef, wrapperProps];\n }, [props]);\n const ContextToUse = React.useMemo(() => {\n // Users may optionally pass in a custom context instance to use instead of our ReactReduxContext.\n // Memoize the check that determines which context instance we should use.\n return propsContext && propsContext.Consumer && // @ts-ignore\n isContextConsumer( /*#__PURE__*/React.createElement(propsContext.Consumer, null)) ? propsContext : Context;\n }, [propsContext, Context]); // Retrieve the store and ancestor subscription via context, if available\n\n const contextValue = React.useContext(ContextToUse); // The store _must_ exist as either a prop or in context.\n // We'll check to see if it _looks_ like a Redux store first.\n // This allows us to pass through a `store` prop that is just a plain value.\n\n const didStoreComeFromProps = Boolean(props.store) && Boolean(props.store.getState) && Boolean(props.store.dispatch);\n const didStoreComeFromContext = Boolean(contextValue) && Boolean(contextValue.store);\n\n if (process.env.NODE_ENV !== 'production' && !didStoreComeFromProps && !didStoreComeFromContext) {\n throw new Error(`Could not find \"store\" in the context of ` + `\"${displayName}\". Either wrap the root component in a , ` + `or pass a custom React context provider to and the corresponding ` + `React context consumer to ${displayName} in connect options.`);\n } // Based on the previous check, one of these must be true\n\n\n const store = didStoreComeFromProps ? props.store : contextValue.store;\n const getServerState = didStoreComeFromContext ? contextValue.getServerState : store.getState;\n const childPropsSelector = React.useMemo(() => {\n // The child props selector needs the store reference as an input.\n // Re-create this selector whenever the store changes.\n return defaultSelectorFactory(store.dispatch, selectorFactoryOptions);\n }, [store]);\n const [subscription, notifyNestedSubs] = React.useMemo(() => {\n if (!shouldHandleStateChanges) return NO_SUBSCRIPTION_ARRAY; // This Subscription's source should match where store came from: props vs. context. A component\n // connected to the store via props shouldn't use subscription from context, or vice versa.\n\n const subscription = createSubscription(store, didStoreComeFromProps ? undefined : contextValue.subscription); // `notifyNestedSubs` is duplicated to handle the case where the component is unmounted in\n // the middle of the notification loop, where `subscription` will then be null. This can\n // probably be avoided if Subscription's listeners logic is changed to not call listeners\n // that have been unsubscribed in the middle of the notification loop.\n\n const notifyNestedSubs = subscription.notifyNestedSubs.bind(subscription);\n return [subscription, notifyNestedSubs];\n }, [store, didStoreComeFromProps, contextValue]); // Determine what {store, subscription} value should be put into nested context, if necessary,\n // and memoize that value to avoid unnecessary context updates.\n\n const overriddenContextValue = React.useMemo(() => {\n if (didStoreComeFromProps) {\n // This component is directly subscribed to a store from props.\n // We don't want descendants reading from this store - pass down whatever\n // the existing context value is from the nearest connected ancestor.\n return contextValue;\n } // Otherwise, put this component's subscription instance into context, so that\n // connected descendants won't update until after this component is done\n\n\n return _extends({}, contextValue, {\n subscription\n });\n }, [didStoreComeFromProps, contextValue, subscription]); // Set up refs to coordinate values between the subscription effect and the render logic\n\n const lastChildProps = React.useRef();\n const lastWrapperProps = React.useRef(wrapperProps);\n const childPropsFromStoreUpdate = React.useRef();\n const renderIsScheduled = React.useRef(false);\n const isProcessingDispatch = React.useRef(false);\n const isMounted = React.useRef(false);\n const latestSubscriptionCallbackError = React.useRef();\n useIsomorphicLayoutEffect(() => {\n isMounted.current = true;\n return () => {\n isMounted.current = false;\n };\n }, []);\n const actualChildPropsSelector = React.useMemo(() => {\n const selector = () => {\n // Tricky logic here:\n // - This render may have been triggered by a Redux store update that produced new child props\n // - However, we may have gotten new wrapper props after that\n // If we have new child props, and the same wrapper props, we know we should use the new child props as-is.\n // But, if we have new wrapper props, those might change the child props, so we have to recalculate things.\n // So, we'll use the child props from store update only if the wrapper props are the same as last time.\n if (childPropsFromStoreUpdate.current && wrapperProps === lastWrapperProps.current) {\n return childPropsFromStoreUpdate.current;\n } // TODO We're reading the store directly in render() here. Bad idea?\n // This will likely cause Bad Things (TM) to happen in Concurrent Mode.\n // Note that we do this because on renders _not_ caused by store updates, we need the latest store state\n // to determine what the child props should be.\n\n\n return childPropsSelector(store.getState(), wrapperProps);\n };\n\n return selector;\n }, [store, wrapperProps]); // We need this to execute synchronously every time we re-render. However, React warns\n // about useLayoutEffect in SSR, so we try to detect environment and fall back to\n // just useEffect instead to avoid the warning, since neither will run anyway.\n\n const subscribeForReact = React.useMemo(() => {\n const subscribe = reactListener => {\n if (!subscription) {\n return () => {};\n }\n\n return subscribeUpdates(shouldHandleStateChanges, store, subscription, // @ts-ignore\n childPropsSelector, lastWrapperProps, lastChildProps, renderIsScheduled, isMounted, childPropsFromStoreUpdate, notifyNestedSubs, reactListener);\n };\n\n return subscribe;\n }, [subscription]);\n useIsomorphicLayoutEffectWithArgs(captureWrapperProps, [lastWrapperProps, lastChildProps, renderIsScheduled, wrapperProps, childPropsFromStoreUpdate, notifyNestedSubs]);\n let actualChildProps;\n\n try {\n actualChildProps = useSyncExternalStore( // TODO We're passing through a big wrapper that does a bunch of extra side effects besides subscribing\n subscribeForReact, // TODO This is incredibly hacky. We've already processed the store update and calculated new child props,\n // TODO and we're just passing that through so it triggers a re-render for us rather than relying on `uSES`.\n actualChildPropsSelector, getServerState ? () => childPropsSelector(getServerState(), wrapperProps) : actualChildPropsSelector);\n } catch (err) {\n if (latestSubscriptionCallbackError.current) {\n ;\n err.message += `\\nThe error may be correlated with this previous error:\\n${latestSubscriptionCallbackError.current.stack}\\n\\n`;\n }\n\n throw err;\n }\n\n useIsomorphicLayoutEffect(() => {\n latestSubscriptionCallbackError.current = undefined;\n childPropsFromStoreUpdate.current = undefined;\n lastChildProps.current = actualChildProps;\n }); // Now that all that's done, we can finally try to actually render the child component.\n // We memoize the elements for the rendered child component as an optimization.\n\n const renderedWrappedComponent = React.useMemo(() => {\n return (\n /*#__PURE__*/\n // @ts-ignore\n React.createElement(WrappedComponent, _extends({}, actualChildProps, {\n ref: reactReduxForwardedRef\n }))\n );\n }, [reactReduxForwardedRef, WrappedComponent, actualChildProps]); // If React sees the exact same element reference as last time, it bails out of re-rendering\n // that child, same as if it was wrapped in React.memo() or returned false from shouldComponentUpdate.\n\n const renderedChild = React.useMemo(() => {\n if (shouldHandleStateChanges) {\n // If this component is subscribed to store updates, we need to pass its own\n // subscription instance down to our descendants. That means rendering the same\n // Context instance, and putting a different value into the context.\n return /*#__PURE__*/React.createElement(ContextToUse.Provider, {\n value: overriddenContextValue\n }, renderedWrappedComponent);\n }\n\n return renderedWrappedComponent;\n }, [ContextToUse, renderedWrappedComponent, overriddenContextValue]);\n return renderedChild;\n }\n\n const _Connect = React.memo(ConnectFunction);\n\n // Add a hacky cast to get the right output type\n const Connect = _Connect;\n Connect.WrappedComponent = WrappedComponent;\n Connect.displayName = ConnectFunction.displayName = displayName;\n\n if (forwardRef) {\n const _forwarded = React.forwardRef(function forwardConnectRef(props, ref) {\n // @ts-ignore\n return /*#__PURE__*/React.createElement(Connect, _extends({}, props, {\n reactReduxForwardedRef: ref\n }));\n });\n\n const forwarded = _forwarded;\n forwarded.displayName = displayName;\n forwarded.WrappedComponent = WrappedComponent;\n return hoistStatics(forwarded, WrappedComponent);\n }\n\n return hoistStatics(Connect, WrappedComponent);\n };\n\n return wrapWithConnect;\n}\n\nexport default connect;","import * as React from 'react';\nimport { ReactReduxContext } from './Context';\nimport { createSubscription } from '../utils/Subscription';\nimport { useIsomorphicLayoutEffect } from '../utils/useIsomorphicLayoutEffect';\n\nfunction Provider({\n store,\n context,\n children,\n serverState,\n stabilityCheck = 'once',\n noopCheck = 'once'\n}) {\n const contextValue = React.useMemo(() => {\n const subscription = createSubscription(store);\n return {\n store,\n subscription,\n getServerState: serverState ? () => serverState : undefined,\n stabilityCheck,\n noopCheck\n };\n }, [store, serverState, stabilityCheck, noopCheck]);\n const previousState = React.useMemo(() => store.getState(), [store]);\n useIsomorphicLayoutEffect(() => {\n const {\n subscription\n } = contextValue;\n subscription.onStateChange = subscription.notifyNestedSubs;\n subscription.trySubscribe();\n\n if (previousState !== store.getState()) {\n subscription.notifyNestedSubs();\n }\n\n return () => {\n subscription.tryUnsubscribe();\n subscription.onStateChange = undefined;\n };\n }, [contextValue, previousState]);\n const Context = context || ReactReduxContext; // @ts-ignore 'AnyAction' is assignable to the constraint of type 'A', but 'A' could be instantiated with a different subtype\n\n return /*#__PURE__*/React.createElement(Context.Provider, {\n value: contextValue\n }, children);\n}\n\nexport default Provider;","import { ReactReduxContext } from '../components/Context';\nimport { useReduxContext as useDefaultReduxContext, createReduxContextHook } from './useReduxContext';\n/**\r\n * Hook factory, which creates a `useStore` hook bound to a given context.\r\n *\r\n * @param {React.Context} [context=ReactReduxContext] Context passed to your ``.\r\n * @returns {Function} A `useStore` hook bound to the specified context.\r\n */\n\nexport function createStoreHook(context = ReactReduxContext) {\n const useReduxContext = // @ts-ignore\n context === ReactReduxContext ? useDefaultReduxContext : // @ts-ignore\n createReduxContextHook(context);\n return function useStore() {\n const {\n store\n } = useReduxContext(); // @ts-ignore\n\n return store;\n };\n}\n/**\r\n * A hook to access the redux store.\r\n *\r\n * @returns {any} the redux store\r\n *\r\n * @example\r\n *\r\n * import React from 'react'\r\n * import { useStore } from 'react-redux'\r\n *\r\n * export const ExampleComponent = () => {\r\n * const store = useStore()\r\n * return
{store.getState()}
\r\n * }\r\n */\n\nexport const useStore = /*#__PURE__*/createStoreHook();","import { ReactReduxContext } from '../components/Context';\nimport { useStore as useDefaultStore, createStoreHook } from './useStore';\n/**\r\n * Hook factory, which creates a `useDispatch` hook bound to a given context.\r\n *\r\n * @param {React.Context} [context=ReactReduxContext] Context passed to your ``.\r\n * @returns {Function} A `useDispatch` hook bound to the specified context.\r\n */\n\nexport function createDispatchHook(context = ReactReduxContext) {\n const useStore = // @ts-ignore\n context === ReactReduxContext ? useDefaultStore : createStoreHook(context);\n return function useDispatch() {\n const store = useStore(); // @ts-ignore\n\n return store.dispatch;\n };\n}\n/**\r\n * A hook to access the redux `dispatch` function.\r\n *\r\n * @returns {any|function} redux store's `dispatch` function\r\n *\r\n * @example\r\n *\r\n * import React, { useCallback } from 'react'\r\n * import { useDispatch } from 'react-redux'\r\n *\r\n * export const CounterComponent = ({ value }) => {\r\n * const dispatch = useDispatch()\r\n * const increaseCounter = useCallback(() => dispatch({ type: 'increase-counter' }), [])\r\n * return (\r\n *
\n );\n};\n\nTabPlus.defaultProps = {\n defaultActiveKey: \"0\",\n onChange: null,\n items: [],\n position: \"top\",\n iconNormal: false,\n iconActive: false,\n iconPosition: \"left\",\n};\n\nexport default TabPlus;\n","export default __webpack_public_path__ + \"./imgs/webSite_logo.a2da3f.png\";","import React from 'react';\nimport HeaderHomeAgent from '@/components/HeaderAgent';\nimport GlobalLanguage from '@/components/GlobalLanguage';\nimport webSiteLogo from '@/assets/img/webSite_logo.png';\nimport Styles from './index.less';\n\nconst HomeHeader = () => {\n return (\n
\n
\n \n
\n
\n \n \n
\n
\n );\n}\n\nexport default HomeHeader;","export default __webpack_public_path__ + \"./imgs/check_icon.a239a4.png\";","export default __webpack_public_path__ + \"./imgs/planFeatures_icon_1.ad2758.png\";","export default __webpack_public_path__ + \"./imgs/planFeatures_icon_2.6d5e18.png\";","export default __webpack_public_path__ + \"./imgs/planFeatures_icon_3.0983d6.png\";","export default __webpack_public_path__ + \"./imgs/planFeatures_icon_4.ce12d9.png\";","export default __webpack_public_path__ + \"./imgs/planFeatures_icon_5.f5628f.png\";","export default __webpack_public_path__ + \"./imgs/planFeatures_icon_6.cd1b3e.png\";","export default __webpack_public_path__ + \"./imgs/planIntro_icon_1.f38519.png\";","export default __webpack_public_path__ + \"./imgs/planIntro_icon_2.0930f2.png\";","export default __webpack_public_path__ + \"./imgs/planIntro_icon_4.6e3e41.png\";","export default __webpack_public_path__ + \"./imgs/planIntro_icon_3.95ecf1.png\";","export default __webpack_public_path__ + \"./imgs/file_icon_1.d68574.png\";","export default __webpack_public_path__ + \"./imgs/file_icon_2.74a58b.png\";","import planFeaturesIcon_1 from '@/assets/img/home/planFeatures_icon_1.png';\nimport planFeaturesIcon_2 from '@/assets/img/home/planFeatures_icon_2.png';\nimport planFeaturesIcon_3 from '@/assets/img/home/planFeatures_icon_3.png';\nimport planFeaturesIcon_4 from '@/assets/img/home/planFeatures_icon_4.png';\nimport planFeaturesIcon_5 from '@/assets/img/home/planFeatures_icon_5.png';\nimport planFeaturesIcon_6 from '@/assets/img/home/planFeatures_icon_6.png';\nimport planIntro_icon_1 from '@/assets/img/home/planIntro_icon_1.png';\nimport planIntro_icon_2 from '@/assets/img/home/planIntro_icon_2.png';\nimport planIntro_icon_3 from '@/assets/img/home/planIntro_icon_3.png';\nimport planIntro_icon_4 from '@/assets/img/home/planIntro_icon_4.png';\nimport file_icon_1 from '@/assets/img/home/file_icon_1.png';\nimport file_icon_2 from '@/assets/img/home/file_icon_2.png';\nimport i18n from \"i18next\";\nexport const planFeaturesData = ([\n {\n logo: planFeaturesIcon_1,\n titleCN: '旅程不似預期?幫您趕上變化',\n title: \"Trip Not Going As Planned? We've Got You Covered\",\n descCN: '保障因惡劣天氣﹑天然災難導致的航班延誤﹑額外住宿費用﹑旅行團取消等。',\n desc: 'Cover flight delays, additional accommodation expenses, tour cancellations, and more caused by adverse weather conditions, natural disasters, etc.',\n },\n {\n logo: planFeaturesIcon_2,\n titleCN: '意外受傷,頭暈身㷫無有怕',\n title: 'Relief for Accidents & Illness',\n descCN: '全球醫療費用保障高達 HK$1,600,000,同時保障回港後 90 天內的醫療費用。',\n desc: 'Worldwide medical expenses benefit HK$1,600,000 with follow-up medical expenses incurred within 90 days after returning to Hong Kong.',\n },\n {\n logo: planFeaturesIcon_3,\n titleCN: '唔見嘢?唔使急',\n title: \"Lost Your Belongings? Don't Panic\",\n descCN: '保障涵蓋行李、手提電話、手提電腦、平板電腦及個人財物等等於旅程期間因意外遺失或破損所引致的損失',\n desc: 'Cover the accident of or damage to baggage, mobile phone, laptop computer, tablet computer and personal property and more suffered during the journey.',\n },\n {\n logo: planFeaturesIcon_4,\n titleCN: '俾您盡情上山下海',\n title: 'Worry-Free Exploration and Adventure',\n descCN: '保障消閒及非專業性質的運動,包括滑雪及其他冬季運動、潛水、跳傘及笨豬跳及業餘馬拉松等。',\n desc: 'Cover leisure and non-professional sports activities, including skiing and other winter sports, diving, parachuting, bungee jumping, marathon for leisure and more.',\n },\n {\n logo: planFeaturesIcon_5,\n titleCN: '放心享受自駕旅程',\n title: 'Enjoy Your Self-Driving Journey With Peace of Mind',\n descCN: '如租用車輛於旅程期間發生意外或在停泊時遭損毀或被偷竊,受保人將獲支付該租用車輛的汽車保險保單自負額。',\n desc: 'Reimburse the rental vehicle insurance excess or deductible and/or non-operation, charge charged by the licensed vehicle rental company due to car accident, parking damage or theft of a rental vehicle during the journey. ',\n },\n {\n logo: planFeaturesIcon_6,\n titleCN: '多人同行,保費更抵',\n title: 'Affordable Premium for Group Travel',\n descCN: '公司客戶投保全年保障的「個人」組別,保費可享低至75折優惠。',\n desc: 'Enjoy up to 25% off for corporate clients enrolling in the \"Individual\" package of Annual Cover.',\n }\n]);\n\nexport const planIntroData = ([\n {\n logo: planIntro_icon_1,\n titleCN: '環球計劃(1)',\n title: 'Worldwide Plan (1)',\n descCN: '全面保障,安心之選',\n desc: 'All-round Protection, Worry-Free Option',\n // medicalPremium: 1500000,\n // personAccidentPremium: 10000,\n // travelCancelPremium: 1500,\n // luggagePremium: 50000,\n guarantees: [\n {\n labelCN: '醫療費用保障',\n label: 'Medical Expenses Benefit',\n value: '1600000',\n },\n {\n labelCN: '個人意外保障',\n label: 'Personal Accident Benefit',\n value: '1600000',\n },\n {\n labelCN: '個人責任保障',\n label: 'Personal Liability Benefit',\n value: '3000000',\n },\n {\n labelCN: '旅程阻礙保障',\n label: 'Trip Interruption Benefit',\n value: '50000',\n showTooltip: true,\n tooltipCN: '賠償縮短旅程、行程改道、當地旅遊團取消、缺席旅遊活動及因超額訂票導致未能登上公共交通工具時所引致的相關費用。',\n tooltip: 'Cover relevant expenses for trip curtailment, re-routing, missed travel event, cancellation of local tour, failure of boarding public conveyance due to overbooking.',\n },\n {\n labelCN: '旅程取消保障',\n label: 'Trip Cancellation Benefit',\n value: '50000',\n showTooltip: true,\n tooltipCN: '賠償因受保兒童(及其同行受保父母)需要出席學校面試或公開考試,但日期被重新編排至旅程預定期間時所招致的損失。',\n tooltip: 'Cover if the insured child (and his/her parent insured in the journey) has to attend a school interview or public examination in person being rescheduled to a date within the scheduled travel period.',\n },\n {\n labelCN: '行李保障',\n label: 'Baggage Benefit',\n value: '25000',\n showTooltip: true,\n tooltipCN: '涵蓋行李、手提電話、手提電腦、平板電腦及個人財物等等於旅程期間因意外遺失或破損所引致的損失。',\n tooltip: 'Cover the accident of or damage to baggage, mobile phone, laptop computer, tablet computer and personal property and more suffered during the journey.',\n },\n {\n labelCN: '租車自負額保障',\n label: 'Rental Vehicle Excess Protection Benefit',\n value: '25000',\n },\n ]\n },\n {\n logo: planIntro_icon_2,\n titleCN: '環球計劃(2)',\n title: 'Worldwide Plan (2)',\n descCN: '升級保障,周全之選',\n desc: 'Advanced Protection, Comprehensive Protection',\n guarantees: [\n {\n labelCN: '醫療費用保障',\n label: 'Medical Expenses Benefit',\n value: '800000',\n },\n {\n labelCN: '個人意外保障',\n label: 'Personal Accident Benefit',\n value: '800000',\n },\n {\n labelCN: '個人責任保障',\n label: 'Personal Liability Benefit',\n value: '2000000',\n },\n {\n labelCN: '旅程阻礙保障',\n label: 'Trip Interruption Benefit',\n value: '25000',\n showTooltip: true,\n tooltipCN: '賠償縮短旅程、行程改道、當地旅遊團取消、缺席旅遊活動及因超額訂票導致未能登上公共交通工具時所引致的相關費用。',\n tooltip: 'Cover relevant expenses for trip curtailment, re-routing, missed travel event, cancellation of local tour, failure of boarding public conveyance due to overbooking.',\n },\n {\n labelCN: '旅程取消保障',\n label: 'Trip Cancellation Benefit',\n value: '20000',\n showTooltip: true,\n tooltipCN: '賠償因受保兒童(及其同行受保父母)需要出席學校面試或公開考試,但日期被重新編排至旅程預定期間時所招致的損失。',\n tooltip: 'Cover if the insured child (and his/her parent insured in the journey) has to attend a school interview or public examination in person being rescheduled to a date within the scheduled travel period.',\n },\n {\n labelCN: '行李保障',\n label: 'Baggage Benefit',\n value: '15000',\n showTooltip: true,\n tooltipCN: '涵蓋行李、手提電話、手提電腦、平板電腦及個人財物等等於旅程期間因意外遺失或破損所引致的損失。',\n tooltip: 'Cover the accident of or damage to baggage, mobile phone, laptop computer, tablet computer and personal property and more suffered during the journey.',\n },\n {\n labelCN: '租車自負額保障',\n label: 'Rental Vehicle Excess Protection Benefit',\n value: '15000',\n },\n ]\n },\n {\n logo: planIntro_icon_2,\n titleCN: '環球計劃(3)',\n title: 'Worldwide Plan (3)',\n descCN: '標準保障,經濟之選',\n desc: 'Standard Protection, Affordable Alternative',\n guarantees: [\n {\n labelCN: '醫療費用保障',\n label: 'Medical Expenses Benefit',\n value: '400000',\n },\n {\n labelCN: '個人意外保障',\n label: 'Personal Accident Benefit',\n value: '400000',\n },\n {\n labelCN: '個人責任保障',\n label: 'Personal Liability Benefit',\n value: '1000000',\n },\n {\n labelCN: '旅程阻礙保障',\n label: 'Trip Interruption Benefit',\n value: '5000',\n showTooltip: true,\n tooltipCN: '賠償縮短旅程及行程改道的相關費用。',\n tooltip: 'Cover relevant expenses for trip curtailment and re-routing.',\n },\n {\n labelCN: '旅程取消保障',\n label: 'Trip Cancellation Benefit',\n value: '5000',\n showTooltip: true,\n tooltipCN: '賠償因受保兒童(及其同行受保父母)需要出席學校面試或公開考試,但日期被重新編排至旅程預定期間時所招致的損失。',\n tooltip: 'Cover if the insured child (and his/her parent insured in the journey) has to attend a school interview or public examination in person being rescheduled to a date within the scheduled travel period.',\n },\n {\n labelCN: '行李保障',\n label: 'Baggage Benefit',\n value: '5000',\n showTooltip: true,\n tooltipCN: '涵蓋行李、手提電話、手提電腦、平板電腦及個人財物等等於旅程期間因意外遺失或破損所引致的損失。',\n tooltip: 'Cover the accident of or damage to baggage, mobile phone, laptop computer, tablet computer and personal property and more suffered during the journey.',\n },\n {\n labelCN: '租車自負額保障',\n label: 'Rental Vehicle Excess Protection Benefit',\n value: '-',\n },\n ]\n },\n {\n logo: planIntro_icon_4,\n titleCN: '郵輪計劃',\n title: 'Cruise Plan',\n descCN: '為郵輪旅行度身訂造的保障',\n desc: 'Tailored Cruise Travel Protection',\n guarantees: [\n {\n labelCN: '醫療費用保障',\n label: 'Medical Expenses Benefit',\n value: '1600000',\n },\n {\n labelCN: '個人意外保障',\n label: 'Personal Accident Benefit',\n value: '1600000',\n },\n {\n labelCN: '個人責任保障',\n label: 'Personal Liability Benefit',\n value: '3000000',\n },\n {\n labelCN: '旅程阻礙保障',\n label: 'Trip Interruption Benefit',\n value: '80000',\n showTooltip: true,\n tooltipCN: '賠償縮短旅程、行程改道、當地旅遊團取消、缺席旅遊活動及因超額訂票導致未能登上公共交通工具時所引致的相關費用。',\n tooltip: 'Cover relevant expenses for trip curtailment, re-routing, missed travel event, cancellation of local tour, failure of boarding public conveyance due to overbooking.',\n },\n {\n labelCN: '旅程取消保障',\n label: 'Trip Cancellation Benefit',\n value: '80000',\n showTooltip: true,\n tooltipCN: '賠償因受保兒童(及其同行受保父母)需要出席學校面試或公開考試,但日期被重新編排至旅程預定期間時所招致的損失。',\n tooltip: 'Cover if the insured child (and his/her parent insured in the journey) has to attend a school interview or public examination in person being rescheduled to a date within the scheduled travel period.',\n },\n {\n labelCN: '行李保障',\n label: 'Baggage Benefit',\n value: '25000',\n showTooltip: true,\n tooltipCN: '涵蓋行李、手提電話、手提電腦、平板電腦及個人財物等等於旅程期間因意外遺失或破損所引致的損失。',\n tooltip: 'Cover the accident of or damage to baggage, mobile phone, laptop computer, tablet computer and personal property and more suffered during the journey.',\n },\n {\n labelCN: '租車自負額保障',\n label: 'Rental Vehicle Excess Protection Benefit',\n value: '25000',\n },\n ]\n }\n])\n\nexport const faqsData = ({\n 'Application Related': [\n {\n questionCN: '我打算投保「智遨遊」單次旅程保障,如果我與我的配偶、子女、父母、朋友(及他們的家屬)一同外遊,我們是否需要各自投保旅遊保險?',\n question: 'I am planning to enrol with my spouse, son and father, plus my friend and his family, do we need to enrol travel insurance separately for each family?',\n answersCN: [\n \"不需要。「智遨遊」可以接受為同一個旅程同一份保單最多30位受保人(無須家庭關係)一同投保。\",\n ],\n answers: [\n \"No. This is not necessary. TravelElite allows you to enrol upon to 30 insured person together in the same policy for the same journey regardless of family relationship.\",\n ],\n },\n {\n questionCN: '投保人、受保人及受益人有什麼分別?',\n question: 'What is the difference between an applicant, an insured person and a beneficiary?',\n answersCN: [\n \"投保人(即保單持有人)是指於保險證明書(適用於單次旅程保障)或保單(適用於全年保障)上的證書持有人或保單上的保單持有人,而保險證明書上或保單上的受保人,則指受保險保單所保障的人士。另外,受益人是指在受保人不幸身故後有權領取相關賠償的人士。\",\n ],\n answers: [\n \"An applicant (i.e. policyholder) means a person named as the certificate holder in the certificate of insurance (for Single-trip Cover) or the policyholder in the policy schedule (for Annual Cover), while an insured person named in the certificate of insurance or the policy schedule is a person who is covered by the insurance policy. A beneficiary is a person who has the right to receive the benefits of the insurance policy upon the death of the insured person.\",\n ],\n },\n {\n questionCN: '「智遨遊」的最長保障期是多久?可於出發前多少天投保?',\n question: 'What is the maximum coverage period for TravelElite? When can I enrol in the plan prior to the departure date? ',\n answersCN: [\n \"單次旅程保障: 每次旅程最長保障期為180天(來回旅程)及每次旅程最長保障期為10天(單段旅程),您可於出發前 180 天內投保。\",\n \"全年保障: 受保期1年內旅程次數不限,每次旅程最長保障期為90天。您可於保單生效日前1年內投保 (只適用於從AIG或Zurich轉移過來的保單)或於保單生效日前180天內投保(其他情況)。\",\n ],\n answers: [\n \"For Single-trip Cover, the coverage period for “Round-trip” is up to 180 days per journey and the coverage period for “One-way trip” is 10 days per journey. You can enrol within 180 days prior to the departure date.\",\n \"For Annual Cover, the period of insurance is 1 year with unlimited no. of journey and up to 90 days per journey. You can enrol within 1 year prior to the policy effective date (for AIG or Zurich migration policy only) or within 180 days prior to the policy effective date (for other cases).\",\n ]\n },\n {\n questionCN: '計劃有投保及受保年齡的限制嗎?',\n question: 'Is there any age limit for the applicant and insured person?',\n answersCN: [\n \"投保人的年齡必須為 18 歲或以上。18 歲以下的兒童必須獲家長或監護人同意方可單獨受保。\",\n \"單次旅程保障的受保年齡為 6 星期或以上。\",\n \"全年保障的受保年齡為6星期至75歲,可續保至80 歲。\"\n ],\n answers: [\n \"The applicant must be 18 years old or above. Child under the Age of 18 must obtain consent from the parent or legal guardian in order to be insured individually.\",\n \"For Single-trip Cover, enrolment age is 6 weeks or above.\",\n \"For Annual Cover, enrolment age is from 6 weeks to 75 years, and renewable up to age 80.\"\n ],\n },\n {\n questionCN: '我可否於抵達目的地時才投保「智遨遊」?',\n question: 'Can I enrol in \"TravelElite\" upon arrival at destination?',\n answersCN: [\n \"您必須於香港境內辦妥離境手續前投保「智遨遊」並完成付款。\",\n ],\n answers: [\n \"You have to enrol in TravelElite with the premium fully paid before immigration clearance when departing Hong Kong. \",\n ]\n },\n {\n questionCN: '如果我要到外地公幹,投保「智遨遊」適合嗎?',\n question: 'Can I enrol in \"TravelElite\" for business trip?',\n answersCN: [\n \"適合,「智遨遊」適用於消閒或公幹(只限行政及文職)性質的旅程。\",\n ],\n answers: [\n \"Yes, this policy is valid for the purpose of leisure travel or business travel (limited to administrative and clerical works only). \",\n ],\n },\n {\n questionCN: '如果我的旅程涉及乘搭郵輪,我可以投保甚麼計劃?',\n question: 'If my journey includes cruise tour, which plan should I enrol in?',\n answersCN: [\n \"如果您的旅程包括郵輪旅遊,您可以投保單次旅程保障的郵輪計劃,除享基本保障外,還涵蓋遊輪指定保障如郵輪旅程取消及阻礙保障、岸上觀光取消保障及衛星電話費用保障。\",\n \"如果您準備投保全年保障當中既有一般旅遊也有郵輪旅遊,您可以投保全年保障的郵輪計劃,為您的一般旅行提供基本保障外,還涵蓋遊輪指定保障如郵輪旅程取消及阻礙保障、岸上觀光取消保障及衛星電話費用保障,讓您全年全方位得到保障。\"\n ],\n answers: [\n \"If your journey includes cruise tour, you can enrol Single-trip Cover - Cruise Plan which provides both basic benefits and cruise-specific benefits e.g. Cruise Cancellation and Interruption Benefit, Shore Excursion Cancellation Benefit and Satellite Phone Expenses Benefit.\",\n \"If you plan to have Annual Cover and may have some general travel plans and some cruise travel plans in the year, you can enrol Annual Cover - Cruise Plan which provides all-round coverages for both general travel plans (with basic benefits) and cruise travel plans (with cruise-specific benefits e.g. Cruise Cancellation and Interruption Benefit, Shore Excursion Cancellation Benefit and Satellite Phone Expenses Benefit) throughout the year.\"\n ],\n },\n {\n questionCN: '如果我的航班在 12 月 1 日凌晨 00:30由香港起飛,但我會在11 月 30 日 23:00在香港機場完成離境手續,而我的回程航班會在12 月 10 日 00:05 (12 月 9日夜晚) 抵達香港,我應如何選擇「旅程日期」(即保單生效日期及屆滿日期)?',\n question: 'How should I choose the \"Period of Travel\" (ie. effective date and expiry date of the policy) if my flight departs at 00:30 on 1 Dec from Hong Kong, but I will complete the immigration departure clearance procedure at Hong Kong Airport at 23:00 on 30 November, and my return flight arrive Hong Kong at 00:05 on 10 Dec (9 Dec night)?',\n answersCN: [\n \"您可以根據由公共交通工具供應商(例如: 航空公司)提供的行程內所訂明已安排乘搭的公共交通工具(例如: 飛機)之預定啟程及預定抵達時間來選擇保單的生效日期及屆滿日期。就上述情況,您可以選擇12 月1 日至12 月 10 日為「旅程日期」。\",\n ],\n answers: [\n \"You can refer to the scheduled time of departure and arrival of the arranged Public Conveyance (e.g. flight) as specified in the itinerary supplied to you by the Public Conveyance provider (e.g. airline) to determine the effective date and expiry date of the policy. For above scenario, you can choose 1 Dec – 10 Dec as your \\\"Period of Travel\\\".\",\n ],\n },\n {\n questionCN: '保費表內分別有「同行兒童」及「兒童」不同的保費,「同行兒童」及「兒童」有甚麼分別?',\n question: 'There are \"Accompany Child\" and \"Child\" in the premium table with different premium, what\\'s the difference between \"Child\" and \"Accompany Child\"?',\n answersCN: [\n \"「同行兒童」指未婚、受供養及年齡為6週至17歲的受保兒童,並於整個旅程中與成人或長者同行。如「同行兒童」與成人或長者一同受保於同一保單內,應付保費為「同行兒童」保費。\",\n \"「兒童」指未婚、受供養及年齡為6週至17歲的受保兒童,並於整個旅程中沒有與任何成人或長者同行。如「兒童」沒有與任何成人或長者一同受保於同一保單內,應付保費為「兒童」保費(即與「成人」保費相同)。\",\n \"「同行兒童」與「兒童」的保障相同。\"\n ],\n answers: [\n \"\\\"Accompany Child\\\" means an Insured Person who is a dependent unmarried child who is from the age of 6 weeks to the age of 17 and must be accompanied by an Adult or Elderly during the whole journey. If an \\\"Accompanied Child\\\" being covered with Adult or Elderly in the same policy, premium for \\\"Accompanied Child\\\" is payable.\",\n \"\\\"Child\\\" means an Insured Person who is a dependent unmarried child who is from the age of 6 weeks to the age of 17 and is travelling without Adult or Elderly during the whole journey. If a \\\"Child\\\" being covered without any Adult or Elderly in the same policy, premium for \\\"Child\\\" is payable which is same premium of \\\"Adult\\\" premium.\",\n \"Benefit entitled by \\\"Accompany Child\\\" and \\\"Child\\\" are the same.\"\n ],\n },\n {\n questionCN: '甚麼是「單次旅程保障的單段旅程」?',\n question: 'What\\'s \"One-way Single-trip Cover\"?',\n answersCN: [\n \"「單次旅程保障的單段旅程」由受保人於保險證明書上列明的受保期之起始日期或之後,在起保地點辦妥離境手續起開始,直至保險證明書上列明的受保期之最後一天或為不遲於受保人原定抵達列明於預訂行程中最終目的地國家後10日為止,以較早者為準,之旅程。\",\n \"「因不能避免的延誤所引致自動延長期」不適用於「單次旅程保障的單段旅程」。\"\n ],\n answers: [\n \"\\\"One-way trip Single-trip Cover\\\" means the journey taken by an insured person, which shall commence when the insured person completes the immigration departure clearance procedure at the Place of Origin on or after the commencement date of the Period of Insurance specified in the Certificate of Insurance and ends on the last day of the period of insurance specified in the certificate of insurance or no later than 10 days from scheduled time of arrival at the country of final destination shown on the booking itinerary, whichever is earlier.\",\n \"\\\"Automatic Extension for Unavoidable Delay\\\" is not applicable to \\\"One-way Single-trip Cover\\\".\"\n ],\n }\n ],\n 'Coverage Related': [\n // {\n // questionCN: '長者及小童的保障有分別嗎?',\n // question: 'What is the difference if the coverage for the elderly and children?',\n // answersHtmlCN: `\n //
Except the following coverage, the elderly and children are entitled to the same benefits in \"Travel Smart\".
\n // \n //
\n // \"Medical Expenses Benefit\": \n //
For an Elderly (means an insured person aged above 70): the maximum amount of benefit payable shall be 50% of the benefit limit applicable to Section 1 (Medical Expenses Benefit).
\n //
\n //
\n // \"Personal Accident Benefit\": \n //
For an Accompany Child (means a dependent unmarried child insured who is from the age of 6 weeks to the age of 17 and must be accompanied by an Adult or Elderly during the whole journey) or Child (means a dependent unmarried child insured who is from the age of 6 weeks to the age of 17 and is travelling without an Adult or Elderly during the whole journey): the maximum limit of benefit payable shall be the maximum limit under Subsection 4.2 (Other Accidents Benefit).
\n //
For an Elderly (means an insured person aged above 70), the maximum limit of benefit payable shall be 50% of the maximum limit under Subsection 4.2 (Other Accidents Benefit).
\n //
\n //
\n // \"Personal Money Benefit\": \n //
Not applicable to an insured person aged below 10.
\n //
\n // \n //
`,\n // },\n {\n questionCN: '投保「智遨遊」後,我的手提電話、平板電腦和手提電腦於旅程期間被盜,是否在保障範圍之內?',\n question: 'Will I be covered if my mobile phone, tablet computer and laptop computer being stolen during the journey after enrolling TravelElite?',\n answersCN: [\n \"是,「行李保障」涵蓋於旅程期間因盜竊、搶劫、爆竊或意外令受保人的手提電話、平板電腦和手提電腦的遺失、破損或毀壞。賠償額須受限於所選計劃下每名受保人每次旅程之最高賠償額。\",\n \"每名受保人在同一個旅程內只可獲保障1部手提電話。\",\n \"每名受保人在同一個旅程內只可獲保障1部平板電腦或1部手提電腦。\",\n \"如受保人就手提電話遺失提出索償,須提供載有國際行動裝置辨識碼(IMEI)、序號及機型號碼/型號、購買日期及購買款項之正式收據。如手提電話破損或毀壞,有關維修服務需經由官方授權服務支援中心提供。\"\n ],\n answers: [\n \"Yes, \\\"Baggage Benefit\\\" covers loss or physical breakage of, or damage to mobile phone, tablet computer and laptop computer resulting from theft, robbery, burglary, accident during the journey. The payable amount is subject to the maximum benefit limit per insured person per journey of the plan selected.\",\n \"Only one mobile phone for each insured person will be covered in the same journey.\",\n \"Only one tablet computer or one laptop computer for each insured person will be covered in the same journey.\",\n \"If the insured person would like to claim the loss of mobile phone, he/she is able to provide the original receipt for the purchase of the mobile phone showing its International Mobile Equipment Identity (IMEI), Serial Number and Model Number, the date of purchase and the price paid. For damage of the mobile phone, the relevant repair services should be provided by an official authorised service support centre.\"\n ],\n },\n {\n questionCN: '如果我在旅遊後返抵香港時,寄艙行李延誤 3 小時,是否在保障範圍之內?',\n question: 'Will I be covered if my checked-in baggage is delayed for 3 hours after I have returned to HK?',\n answersCN: [\n \"此情況不屬保障範圍之內。行李延誤保障只適用於受保人在抵達海外目的地後 6 小時或以上仍未取得寄艙行李的延誤情況,並不包括返抵香港或抵達最終目的地的行李延誤。\",\n ],\n answers: [\n \"No, the above situation will not be covered. “Baggage Delay Benefit” is only payable if the checked-in baggage is delayed for at least 6 hours after the insured person’s arrival at a destination overseas. Any loss which occurs after the insured person has returned to Hong Kong or reached his/her final destination will be excluded.\",\n ],\n },\n {\n questionCN: '如果我到北海道滑雪,是否在保險的保障範圍內?那些運動受此保險所保障?',\n question: 'Will I be covered if I go skiing in Hokkaido? What kinds of sports activities are covered?',\n answersCN: [\n \"是,「智遨遊」保障消閒及非專業性質的運動,包括滑雪及其他冬季運動、45米水深範圍內潛水、由教練或培訓員指導跳傘、高空彈簧跳繩(常稱笨豬跳)、在海拔 5 千米或以下進行高山遠足,以及各種水上活動。\",\n ],\n answers: [\n \"Yes, TravelElite covers leisure and non-professional sports activities including skiing and other winter sports, diving to a depth not greater than 45 metres below sea level, parachuting with instructor/trainer, bungee jumping, trekking at an altitude limit not greater than 5,000 metres above sea level, and all water sports.\",\n ],\n },\n {\n questionCN: '如果在投保「智遨遊」後,香港特別行政區政府向該旅遊目的地發出外遊警示,而我決定取消旅行是否在保障範圍內?',\n question: 'Will I be covered if I cancel the trip to the planned destination due to the Outbound Travel Alert (\"OTA\") issued by HKSAR upon enrolment of TravelElite?',\n answersCN: [\n \"是,如保險證明書(適用於單次旅程保障及多次旅程保障)或保單(適用於全年保障)簽發緊接 24 小時後,香港特別行政區政府向旅遊目的地發出外遊警示,導致該旅程於預定出發日前7 天內需要取消,將可按外遊警示伸延保障之「旅程取消保障」項目賠償。\",\n ],\n answers: [\n \"Yes, if the OTA is issued to the destination by HKSAR at least 24 hours after the certificate of insurance (for Single-trip Cover and Multi-trip Cover) or the Policy (for Annual Cover) is issued, and the travel arrangement has to cancel within 7 days before the scheduled date of departure of the journey, the benefit shall be payable according to the OTA Extension of the “Trip Cancellation Benefit”.\",\n ],\n },\n {\n questionCN: '如果我於旅遊時遇到惡劣天氣而令航班延誤,要另租酒店留在當地一晚,是否在保障範圍內?',\n question: 'If my flight is delayed due to adverse weather and I have to pay for one night hotel accommodation, will I be covered?',\n answersCN: [\n \"「智遨遊」保障範圍包括因惡劣天氣導致旅程延誤達連續6 小時或以上而產生的額外海外住宿費用。\",\n ],\n answers: [\n \"TravelElite covers the additional accommodation costs incurred overseas due to travel delay of at least 6 consecutive hours caused by adverse weather.\",\n ],\n },\n {\n questionCN: '「旅程取消保障」的保障範圍包括甚麼?',\n question: 'What is the coverage of \"Trip Cancellation Benefit\"?',\n answersHtmlCN: `\n
\"Trip Cancellation Benefit\" covers the loss of the prepaid and unused portion of the travel ticket, accommodation, tour package or admission tickets to travel event (e.g. theme park, museum, concert, musical or sport-related ornamental performance) which is forfeited and irrecoverable if the following event occurs:
\n \n
\n within 90 days prior to the scheduled departure date of the Journey: \n \n
death, serious bodily injury or serious sickness of the insured person, immediate family member, close business partner, foreign domestic helper or travel companion; or
\n
duty of the insured person to comply with a witness summons, jury service or compulsory quarantine (provided that the notice or order of such witness summons, jury service or compulsory quarantine is served on the insured person after (a) the issue date of the Certificate of Insurance (for Single-trip Cover), or (b) (i) the issue date of the policy or (ii) the date when any travel arrangement for the journey are confirmed by or for the benefit of the insured person, whichever is later (for Annual Cover); or
\n \n
\n
\n within 7 days prior to the scheduled date of departure of the Journey: \n \n
adverse weather condition, natural disaster, infectious disease, unanticipated outbreak of industrial action involving the arranged public conveyance, closure of airport, act of terrorist, riot or civil commotion at the planned destination of the journey; or
\n
severe damage to the insured person or travel companion’s principal home in Hong Kong arising from fire, flood, burglary or natural disaster; or
\n
death of the insured person’s pet which is covered by Blue Cross’ designated pet insurance; or
\n
Security Bureau of The Government of the Hong Kong Special Administrative Region issued Outbound Travel Alert for the planned destination (payable according to Outbound Travel Alert Extension); or
\n \n
\n
\n the insured child or the insured person (who is a parent or legal guardian and a travel companion of an insured child) needs to attend a school interview or public examination in person which has been rescheduled to a date falling within the scheduled travel period. \n
\n \n
`\n },\n {\n questionCN: '「旅程阻礙保障」中「縮短旅程保障」的保障範圍包括甚麽?',\n question: 'What is the coverage of \"Trip Curtailment\" under \"Trip Interruption Benefit\"?',\n answersHtmlCN: `\n
In the occurrence of the following incidents during the journey that directly lead to the insured person to abandon the journey inevitably and return to the place of origin (i.e. Hong Kong):
\n \n
death, serious bodily Injury or serious sickness of the insured person, immediate family member, foreign domestic helper, close business partner or travel companion; or
\n
hijack of public conveyance or any a mechanically propelled vehicles and vessels arranged by a travel agency; or
\n
adverse weather condition, natural disaster, infectious disease, unanticipated outbreak of industrial action involving the arranged public conveyance, closure of airport, act of terrorist, riot or civil commotion at the planned destination; or
\n
severe damage to the insured person or travel companion's principal home in Hong Kong arising from fire, flood, burglary or natural disaster; or
\n
death of the insured person’s pet which is covered by Blue Cross’ designated pet insurance; or
\n
Security Bureau of The Government of the Hong Kong Special Administrative Region issued Outbound Travel Alert for the planned destination (payable according to Outbound Travel Alert Extension);
\n \n
\"Trip Curtailment Benefit\" will reimburse:
\n \n
a.\tthe loss of the prepaid and unused portion of the travel ticket, accommodation, tour package or admission tickets to travel event (e.g. theme park, museum, concert, musical or sport-related ornamental performance) which is forfeited and irrecoverable for each complete day on pro-rata basis; and
\n
the additional public conveyance expenses reasonably and inevitably incurred for direct returning to the Place of Origin.
\n \n
`,\n },\n {\n questionCN: '「旅程阻礙保障」中「行程改道保障」的保障範圍包括甚麽?',\n question: 'What is the coverage of \"Re-routing\" under \"Trip Interruption Benefit\"?',\n answersHtmlCN: `\n
In the occurrence of the following incidents during the journey which prevents the insured person from continuing with his original itinerary after the journey has begun and the insured person is inevitably required to re-route solely for the purpose of continuing his journey to the original planned destination or returning to the place of origin (i.e. Hong Kong):
\n \n
adverse weather condition;
\n
natural disaster;
\n
Infectious Disease;
\n
unanticipated outbreak of industrial action involving the arranged public conveyance;
\n
closure of airport;
\n
act of terrorist;
\n
riot or civil commotion;
\n
serious bodily injury or serious sickness of the insured person or travel companion; or
\n
Security Bureau of The Government of the Hong Kong Special Administrative Region issued Outbound Travel Alert for the planned destination (payable according to Outbound Travel Alert Extension);
\n \n
\"Re-routing Benefit\" will reimburse:
\n \n
the additional public conveyance and/or accommodation expenses reasonably and inevitably incurred outside of the place of origin solely for the purpose of continuing the journey to the original planned destination or returning to the place of origin; or
\n
the loss of the prepaid and unused portion of the travel ticket, accommodation, tour package or admission tickets to travel event (e.g. theme park, museum, concert, musical or sport-related ornamental performance) which is forfeited and irrecoverable for each complete day on pro-rata basis.
\n \n
`,\n },\n {\n questionCN: '「旅程阻礙保障」還有甚麼其他保障?',\n question: 'What\\'s other benefits will be provided under \"Trip Interruption Benefit\"? ',\n answersHtmlCN: `\n
Apart from \"Trip Curtailment\" and \"Re-routing\", \"Trip Interruption Benefit\" also covers the following:
\n \n
\n Cancellation of Local Tour \n \n
Reimburse the forfeited and irrecoverable expense of local tour in the event of (i) the closure of local tour operator due to bankruptcy; or (ii) the closure of the tourist spot due to unpredictable serious destruction.
\n \n
\n
\n Overbooking\n \n
Reimburse the additional accommodation and meal expenses for the failure of boarding the public conveyance due to overbooking.
\n \n
\n
\n Special Allowance - Closure of Designated Service Providers \n \n
Offer a special allowance for purchasing alternative services in the event of the closure of the accommodation, private car or motorhome rental service providers due to its bankruptcy.
\n \n
\n \n
`,\n },\n ],\n 'Claims Related': [\n {\n questionCN: '我需於何時以及如何申請索償?',\n question: 'When and how should I file the claims?',\n answersCN: [\n \"您需於事發後 30 天內以書面通知或透過 Blue Cross HK App 或 藍十字網站內 24/7 運作的「智」易Claims 網上平台遞交索償申請,只需 3 個簡單步驟(輸入、上傳及確認)便可完成,賠償款項將自動轉賬至您的戶口,大大縮短索償申請的時間。\",\n \"有關「個人責任」索償 ,受保人須就可能會導致法律責任⼀事即時以書面通知藍十字,並提供一切所需文件。\",\n ],\n answers: [\n \"The claim must be submitted within 30 days after the occurrence of any event in writing or through our 24/7 Smart eClaims online platform on Blue Cross HK App or Blue Cross website with 3 simple steps (Input, Upload and Confirm). The service significantly shortens the claim processing time so that the claim payment will be settled faster via autopay. \",\n \"For claim under Personal Liability Benefit, written notice of the event giving rise to the legal liability must be given to Blue Cross immediately together with required documents. \",\n ],\n },\n {\n questionCN: '如果遇到旅程延誤,需要提供那些文件申請索償?',\n question: 'What claim documents should I provide for travel delay?',\n answersCN: [\n \"您需要提供的文件包括登機證、機票或交通票據副本,以及由航空公司或公共交通機構發出的證明信,信內須列明延誤原因及延誤期。有關額外交通及海外住宿費用,需提供由相關服務提供者或任何其他替代旅行安排服務提供者發出的正式收據,以及已預付而未使用的旅程安排的退款證明。\",\n ],\n answers: [\n \"Copy of boarding pass, air/travel ticket, and confirmation from the airlines or public conveyances stating the reason and duration of delay should be provided. For additional travel and overseas accommodation expenses, provision of original receipt(s) issued by the relevant service providers and any other providers of alternative travel arrangement as well as refund proof of original prepaid and unused travel arrangement are also required. \",\n ],\n },\n {\n questionCN: '如果我於旅遊時遇到搶劫而遺失旅遊證件,我應該怎樣做?',\n question: 'What should I do if my travel documents are lost due to robbery during the journey?',\n answersCN: [\n \"受保人必須於發現遺失旅遊證件後 24 小時內向當地警方報案並取回報案紀錄,連同回港後補領旅遊證件費用的收據正本遞交索償申請。\",\n ],\n answers: [\n \"Insured person must report to the local police within 24 hours upon discovery of loss, and provide the original report from local police as well as the receipts of travel document replacement in order to submit a claim.\",\n ],\n },\n ],\n 'Renewal Cancellation Related': [\n {\n questionCN: '全年保障可不可以提前取消保單及申請退款?',\n question: 'Can I cancel the policy and get a refund for Annual Cover?',\n answersCN: [\n \"保單持有人可於任何時候向藍十字發出不少於7天通知以取消保單。在未有於受保期內提出任何索償之前提下,保單持有人可獲得退還部分保費,退還的價值相等於已付的保費在扣除藍十字按保單已生效的受保期及短期保費率所計算出的應收保費後的餘額。而每張保單最低保費金額為HK$500。\",\n ],\n answers: [\n \"The policyholder may cancel the policy at any time by giving no less than 7 days’ prior written notice to Blue Cross. Provided that no claim has been made during the period of insurance, the policyholder shall be entitled to a partial refund of premium equivalent to the actual premium paid for that period of insurance less the premium to be charged as calculated at the Blue Cross’ short period rates for the period of insurance has been in force. The minimum premium of each policy is HK$500.\",\n ],\n },\n {\n questionCN: '全年保障怎樣安排續保?',\n question: 'How to renew policy of Annual Cover?',\n answersCN: [\n \"全年保障可按年續保,但需經核保程序審批。續保通知書將於保單到期前30至45天內透過電郵或郵寄發送,客戶需於到期日前繳交續保保費,否則保單將於到期當天會自動取消,並不作另行通知。\",\n ],\n answers: [\n \"Annual Cover can be renewed annually, subject to underwriting approval. The renewal notice will be sent to your designated email address or by post within 30 – 45 days before policy expiry. Customer shall settle the renewal premium before expiry date, otherwise the policy will be automatically lapsed on the expiry date without further notice. \",\n ],\n },\n ],\n});\n\nexport const fileData = ([\n {\n logo: file_icon_2,\n title: i18n.t(\"home.InsureCard.Product\"),\n link: PRODUCT_LEAFLET_EN,\n linkCN: PRODUCT_LEAFLET_ZH,\n },\n {\n logo: file_icon_1,\n title: i18n.t(\"home.InsureCard.Other\"),\n link: TERMS_CONDITIONS,\n linkCN: TERMS_CONDITIONS,\n },\n])\n\nexport const faqsTabs = [\n {\n key: \"Application Related\",\n labelCN: \"有關投保事宜\",\n label: \"Application Related\",\n },\n {\n key: \"Coverage Related\",\n labelCN: \"有關保障事宜\",\n label: \"Coverage Related\",\n },\n {\n key: \"Claims Related\",\n labelCN: \"有關索償事宜\",\n label: \"Claims Related\",\n },\n {\n key: \"Renewal Cancellation Related\",\n labelCN: \"有關續保/取消事宜\",\n label: \"Renewal/Cancellation Related\",\n },\n];","import React, { useState, useEffect } from 'react';\nimport { Tabs, Form, Button } from 'antd';\nimport { useNavigate, useLocation } from \"react-router-dom\";\nimport dayjs from 'dayjs';\nimport { add, subtract, multiply, divide } from 'accurate-core';\nimport { getCurLangField, toFixedFun, getCurLang, formatNum, refreshPmInfo } from '@/utils';\nimport checkIcon from '@/assets/img/home/check_icon.png';\nimport { fileData } from '../../constants';\nimport InsuredTypeSelect from '../InsuredTypeSelect';\nimport RangeDatePicker from '../RangeDatePicker';\nimport { referralLinkDetails } from '@/store/referralLinkInfo/index';\nimport Styles from './index.less';\nimport { useTranslation } from \"react-i18next\";\nimport { useSearchParams } from 'react-router-dom';\nimport { dateFormatVal, dateFormatValCN } from \"@/config/commonUtil.js\";\n\nimport { useSelector, useDispatch } from 'react-redux';\nimport { premiumInfo, premiumDiscountListInfo, setPremiumInfo } from '@/store/premiumInfo';\nimport classNames from 'classnames';\n\nconst groupDiscount = {\n // o-1: 0, 2: 10%, 3-4: 15%, 5-10: 20%, >10: 25%\n 1: 0,\n 2: 0.1,\n 3: 0.15,\n 4: 0.15,\n 5: 0.2,\n 6: 0.2,\n 7: 0.2,\n 8: 0.2,\n 9: 0.2,\n 10: 0.2,\n}\n\nconst InsureCard = (props) => {\n const { t } = useTranslation();\n const [searchParams] = useSearchParams();\n const { callbackCurType, premiumList, productPlans, benefitTree } = props;\n const [form] = Form.useForm();\n const navigate = useNavigate();\n const location = useLocation();\n const urlParams = new URLSearchParams(location.search);\n const clientType = urlParams.get('clientType'); // 詳情過來的客戶類型 如果是公司類型 就不顯示家庭選項\n\n const [curType, setCurType] = useState('AST');\n const [curSingleType, setCurSingleType] = useState('RoundTrip'); // 單次旅程類型 往返還是單次\n const [curProduct, setCurProduct] = useState('W2');\n const [days, setDays] = useState(5); // 要加當天\n const [premiumObj, setPremiumObj] = useState({originalPrice: 0, discountedPrice: 0});\n\n //獲取客戶詳情頁跳轉來的參數\n const [ProspectClientId] = useState(searchParams.get('ProspectClientId')); \n const [clientId] = useState(searchParams.get('clientId')); \n \n // referralLink相關\n const referralLinkInfo = useSelector(referralLinkDetails);\n\n useEffect(()=>{\n callbackCurType(curType);\n },[curType])\n\n useEffect(()=>{\n // 切換單次旅游的往返或者單程選項 也要重置計劃選項\n setCurProduct(curSingleType === 'RoundTrip' ? 'W2' : 'O2');\n },[curSingleType])\n\n // 用插件加減乘除 和toFixedFun是爲了解決精度 一分錢誤差問題\n const calcPremium = () => {\n const { InsuredObj = {} } = form.getFieldsValue();\n const { insuredType = 'individual', adults = 1, elderly = 0, children = 0 } = InsuredObj;\n // 成人的保費列表\n let adultPremiumNewList = premiumList?.filter(p => p.productCode === curType && p.planCode === curProduct && p.package === \"Adult\") ?? [];\n // 長者的保費列表\n let elderlyPremiumNewList = premiumList?.filter(p => p.productCode === curType && p.planCode === curProduct && p.package === \"Elderly\") ?? [];\n // 小童的保費列表\n let childPremiumNewList = premiumList?.filter(p => p.productCode === curType && p.planCode === curProduct && p.package === \"Child\") ?? [];\n if(curType === 'AAT') {\n //全年 insuredDays為-1\n adultPremiumNewList = adultPremiumNewList.filter(p => p.insuredDays === -1);\n elderlyPremiumNewList = elderlyPremiumNewList.filter(p => p.insuredDays === -1);\n childPremiumNewList = childPremiumNewList.filter(p => p.insuredDays === -1);\n } else {\n adultPremiumNewList = adultPremiumNewList.filter(p => p.insuredDays <= days).sort((a,b) => b.insuredDays - a.insuredDays);\n elderlyPremiumNewList = elderlyPremiumNewList.filter(p => p.insuredDays <= days).sort((a,b) => b.insuredDays - a.insuredDays);\n childPremiumNewList = childPremiumNewList.filter(p => p.insuredDays <= days).sort((a,b) => b.insuredDays - a.insuredDays);\n }\n const adultPremiumAmount = adultPremiumNewList?.[0]?.premiumAmount ?? 0;\n const elderlyPremiumAmount = elderlyPremiumNewList?.[0]?.premiumAmount ?? 0;\n const childPremiumAmount = childPremiumNewList?.[0]?.premiumAmount ?? 0;\n let originalPrice = 0;\n if(adults + elderly < 1) {\n // 如果全部都是小童 就用成人的價格計算\n originalPrice = toFixedFun(multiply(children, adultPremiumAmount));\n } else {\n // 其他情況 成人數量*成人價格 + 長者數量*長者價格 + 小童數量*小童價格\n originalPrice = toFixedFun(add(add(multiply(adults, adultPremiumAmount), multiply(elderly, elderlyPremiumAmount)), multiply(children, childPremiumAmount)));\n }\n console.log('成人價格', adultPremiumAmount, '長者價格', elderlyPremiumAmount, '小童價格', childPremiumAmount);\n let discountedPrice = originalPrice;\n if(insuredType === 'company' && curType === 'AAT') {\n // 公司團體優惠 折扣根據成年人+長者的人數來確定\n // discountedPrice = discountedPrice - ( discountedPrice * (groupDiscount[adults + elderly] ?? 0.25));\n discountedPrice = toFixedFun(subtract(discountedPrice, toFixedFun(multiply(discountedPrice, groupDiscount[adults + elderly] ?? 0.25))));\n }\n if ((adults + elderly + children) >= 10 && curType === 'AST' && curSingleType === 'RoundTrip') {\n // 單次來回 人數總合大於等於10 可以有10%的團體折扣\n // discountedPrice = discountedPrice - ( discountedPrice * 0.1);\n discountedPrice = toFixedFun(subtract(discountedPrice, toFixedFun(multiply(discountedPrice, 0.1))));\n }\n // 保費優惠 动态获取\n // discountedPrice = Number(discountedPrice - ( discountedPrice * 0.15)).toFixed(2);\n \n const premiumRate = divide((pmInfo[curType] ?? pmInfo['*'] ?? 0), 100);\n discountedPrice = toFixedFun(subtract(discountedPrice, toFixedFun(multiply(discountedPrice, premiumRate)))).toFixed(2);\n // referralLink進來需要把銷售折扣也算上\n if(Object.keys(referralLinkInfo).length > 0 ) {\n let discRate = curType === 'AAT' ? referralLinkInfo?.salesDiscountByProduct?.AAT : referralLinkInfo?.salesDiscountByProduct?.AST;\n // discountedPrice = discountedPrice - ( discountedPrice * (discRate ?? 0) / 100);\n discountedPrice = toFixedFun(subtract(discountedPrice, toFixedFun(multiply(discountedPrice, divide((discRate ?? 0), 100)))));\n }\n setPremiumObj({ originalPrice, discountedPrice });\n }\n\n const dispatch = useDispatch();\n const pmInfo = useSelector(premiumInfo);\n const premiumDiscountList = useSelector(premiumDiscountListInfo);\n const [rates, setRates] = useState(0);\n useEffect(()=>{\n // 中英文显示不一样\n const tmpRate = pmInfo[curType] ?? pmInfo['*'] ?? 0;\n let ratesNum = getCurLang() == 'zh' ? (tmpRate ? subtract(100, tmpRate) : 0) : (tmpRate ?? 0);\n if(getCurLang() == 'zh' && ratesNum % 10 === 0) {\n ratesNum = ratesNum / 10; // 90折顯示成9折\n }\n setRates(ratesNum);\n }, [pmInfo, curType])\n\n useEffect(() => {\n // 計算費用\n calcPremium();\n }, [curType, curProduct, days, premiumList, referralLinkInfo, pmInfo])\n\n // 旅程生效日期\n const [effectiveDate, setEffectiveDate] = useState();\n useEffect(() => {\n // 生效日期變化,需要重新匹配對應的保費折扣值,存到store裏面\n refreshPmInfo({\n effectiveDate,\n premiumDiscountList,\n pmInfo,\n setPremiumInfo,\n dispatch,\n })\n }, [effectiveDate, premiumDiscountList])\n\n useEffect(() => {\n // dayjs().startOf('day')獲取的是當天零點的時間 由於日期選擇器也是計算的零點 這樣寫統一就不會有計算誤差\n const startDay = dayjs().startOf('day').add(12, 'days');\n const endDay = startDay.add(4, 'days');\n form.setFieldsValue({\n InsuredObj: {\n insuredType: clientType === 'C' ? 'company' : 'individual',\n adults: 1,\n elderly: 0,\n children: 0,\n },\n travelDate: [startDay, endDay],\n });\n setEffectiveDate(startDay.format('YYYY-MM-DD'));\n }, [])\n\n useEffect(() => {\n if(pmInfo?.isSCodeHolder) {\n // 手動切換到全年保障\n handleTypeChange('AAT');\n }\n }, [pmInfo.isSCodeHolder])\n\n const handleInsure = () => {\n // 拼接旅遊類型(單次全年)、旅遊日期、受保類型(個人 家庭 公司)、人數、兒童人數、旅遊計劃(環球 中國 郵輪)\n const { travelDate, InsuredObj } = form.getFieldsValue();\n const [start, end] = travelDate;\n const { insuredType = 'individual', adults = 1, elderly = 0, children = 0 } = InsuredObj; \n const url = `traveType=${curType}&singleType=${curSingleType}&travelStartDate=${start?.format(dateFormatValCN)}&travelEndDate=${end?.format(dateFormatValCN)}&protectType=${insuredType}&adultCount=${adults}&elderlyCount=${elderly}&childCount=${children}&travelPlan=${curProduct}&ProspectClientId=${ProspectClientId}&clientId=${clientId}`\n const lang = getCurLang();\n navigate(`/${lang}/quote?${url}${clientType === 'C' ? '&clientType=C' : ''}`);\n }\n\n const handleTypeChange = (t) => {\n setCurType(t);\n // 重置表單數據\n setCurProduct((t === 'AST' && curSingleType === 'OneWay') ? 'O2' : 'W2');\n setDays(5);\n const startDay = t === 'AST' ? dayjs().startOf('day').add(12, 'days') : dayjs().startOf('day').add(1, 'days');\n const endDay = t === 'AST' ? startDay.add(4, 'days') : dayjs().startOf('day').add(1, 'year');\n form.setFieldsValue({\n InsuredObj: {\n insuredType: clientType === 'C' ? 'company' : 'individual',\n adults: 1,\n elderly: 0,\n children: 0,\n },\n travelDate: [startDay, endDay],\n });\n setEffectiveDate(startDay.format('YYYY-MM-DD'));\n }\n\n const handleProductChange = (p) => {\n setCurProduct(p);\n if(p === 'PC' && curType === 'AST' && days > 90) {\n // 單次旅遊 中國計劃 時間天數超過90天 重新設置為默認時間 和默認天數\n const startDay = dayjs().startOf('day').add(12, 'days');\n const endDay = startDay.add(4, 'days');\n form.setFieldsValue({\n travelDate: [startDay, endDay],\n });\n setEffectiveDate(startDay.format('YYYY-MM-DD'));\n setDays(5);\n }\n }\n\n const handleFieldsChange = (changedFields) => {\n if(changedFields?.[0].name?.includes('travelDate')) {\n const [startDate, endDate] = changedFields[0].value ?? [];\n const ds = endDate.diff(startDate, 'day') + 1;\n setTimeout(() => {\n setDays(ds); // 不這麽寫的話 在ipad或者mobile下,先點擊結束時間選擇一個時間后 點別的地方 日期沒更新\n }, 50);\n if(curType === 'AAT') {\n const end = startDate.subtract(1, 'day').add(1, 'year');\n form.setFieldsValue({\n travelDate: [startDate, end],\n });\n }\n setEffectiveDate(startDate.format('YYYY-MM-DD'));\n } else if(changedFields?.[0].name?.includes('InsuredObj')) {\n // 重新計算一下費用\n calcPremium();\n }\n }\n\n const getMedicalBenefit = () => {\n const medical = benefitTree?.filter(b => b.benefitCode === 'TravelElite_V241119_1')?.[0] ?? {};\n // 單次的單程跟往返的planCode不一樣 比較planCode後面的數字一樣也行\n const amount = medical?.benefitLimits?.filter(b => b.productCode === curType && (b.planCode === curProduct || b.planCode?.[1] === curProduct?.[1]))?.[0]?.benefitLimit ?? 0;\n return formatNum(amount);\n }\n\n const getAccidentBenefit = () => {\n const accident = benefitTree?.filter(b => b.benefitCode === 'TravelElite_V241119_2')?.[0] ?? {};\n // 單次的單程跟往返的planCode不一樣 比較planCode後面的數字一樣也行\n const amount = accident?.benefitLimits?.filter(b => b.productCode === curType && (b.planCode === curProduct || b.planCode?.[1] === curProduct?.[1]))?.[0]?.benefitLimit ?? 0;\n return formatNum(amount);\n }\n\n const productTabContent = (planDesc, planName) => (\n