From d2e515eb4679bfd9855cec324d6e860f3778ed22 Mon Sep 17 00:00:00 2001 From: snilakandan Date: Fri, 6 Jun 2025 13:37:34 -0500 Subject: [PATCH 01/20] Initial commit for PDP changes for pickup in Store --- .gitignore | 2 + .../app/components/product-view/index.jsx | 143 ++++++++++++++++-- .../app/components/product-view/index.test.js | 98 ++++++++++++ .../app/hooks/use-add-to-cart-modal.js | 42 +++-- .../app/hooks/use-add-to-cart-modal.test.js | 15 +- .../app/pages/product-detail/index.jsx | 116 +++++++++----- .../app/pages/product-detail/index.test.js | 23 +++ .../app/utils/product-utils.js | 8 +- .../translations/en-US.json | 18 +++ 9 files changed, 378 insertions(+), 87 deletions(-) diff --git a/.gitignore b/.gitignore index 0b3080e087..6e0a09c24f 100644 --- a/.gitignore +++ b/.gitignore @@ -14,3 +14,5 @@ lerna-debug.log /test-results/ /playwright-report/ /playwright/.cache/ +my-test-project/ + diff --git a/packages/template-retail-react-app/app/components/product-view/index.jsx b/packages/template-retail-react-app/app/components/product-view/index.jsx index 2da2feaa93..7324e927b1 100644 --- a/packages/template-retail-react-app/app/components/product-view/index.jsx +++ b/packages/template-retail-react-app/app/components/product-view/index.jsx @@ -19,10 +19,12 @@ import { Text, VStack, Fade, - useTheme + useTheme, + Checkbox } from '@salesforce/retail-react-app/app/components/shared/ui' import {useCurrency, useDerivedProduct} from '@salesforce/retail-react-app/app/hooks' import {useAddToCartModalContext} from '@salesforce/retail-react-app/app/hooks/use-add-to-cart-modal' +import useMultiSite from '@salesforce/retail-react-app/app/hooks/use-multi-site' // project components import ImageGallery from '@salesforce/retail-react-app/app/components/image-gallery' @@ -118,7 +120,9 @@ const ProductView = forwardRef( !isProductLoading && variant?.orderable && quantity > 0 && quantity <= stockLevel, showImageGallery = true, setSelectedBundleQuantity = () => {}, - selectedBundleParentQuantity = 1 + selectedBundleParentQuantity = 1, + pickupInStore, + setPickupInStore }, ref ) => { @@ -155,6 +159,28 @@ const ProductView = forwardRef( const isProductASet = product?.type.set const isProductABundle = product?.type.bundle const errorContainerRef = useRef(null) + const [pickupEnabled, setPickupEnabled] = useState(false) + const [pickupError, setPickupError] = useState('') + const {site} = useMultiSite() + + // Get store info from localStorage for stock status display (move to main render scope) + let storeName = null + let inventoryId = null + let storeStockStatus = null + if (typeof window !== 'undefined' && site?.id && product?.inventories) { + const storeInfoKey = `store_${site.id}` + try { + const storeInfo = JSON.parse(window.localStorage.getItem(storeInfoKey)) + inventoryId = storeInfo?.inventoryId + storeName = storeInfo?.name + if (inventoryId) { + const inventoryObj = product.inventories.find(inv => inv.id === inventoryId) + if (inventoryObj) { + storeStockStatus = inventoryObj.orderable + } + } + } catch (e) {} + } const {disableButton, customInventoryMessage} = useMemo(() => { let shouldDisableButton = showInventoryMessage @@ -272,14 +298,17 @@ const ProductView = forwardRef( return } try { - const itemsAdded = await addToCart(variant, quantity) + const itemsAdded = await addToCart([{variant, quantity}]) // Open modal only when `addToCart` returns some data // It's possible that the item has been added to cart, but we don't want to open the modal. // See wishlist_primary_action for example. if (itemsAdded) { onAddToCartModalOpen({ product, - itemsAdded, + itemsAdded: itemsAdded.map(item => ({ + ...item, + product // attach the full product object + })), selectedQuantity: quantity }) } @@ -399,6 +428,55 @@ const ProductView = forwardRef( } }, [showInventoryMessage, inventoryMessage]) + useEffect(() => { + if (site?.id) { + const storeInfoKey = `store_${site.id}` + let inventoryId = null + let storeName = null + let storeStockStatus = null + try { + const storeInfo = JSON.parse(window.localStorage.getItem(storeInfoKey)) + inventoryId = storeInfo?.inventoryId + storeName = storeInfo?.name + if (inventoryId) { + const inventoryObj = product.inventories.find(inv => inv.id === inventoryId) + if (inventoryObj) { + storeStockStatus = inventoryObj.orderable + } + } + } catch (e) {} + setPickupEnabled(!!inventoryId) + } + }, [site?.id]) + + const handlePickupInStoreChange = (e) => { + const checked = e.target.checked + setPickupInStore(checked) + setPickupError('') + if (checked && pickupEnabled) { + const storeInfoKey = `store_${site.id}` + let inventoryId = null + let storeName = null + try { + const storeInfo = JSON.parse(window.localStorage.getItem(storeInfoKey)) + inventoryId = storeInfo?.inventoryId + storeName = storeInfo?.name + } catch (e) {} + if (inventoryId && product?.inventories) { + const inventoryObj = product.inventories.find(inv => inv.id === inventoryId) + if (!inventoryObj?.orderable) { + setPickupInStore(false) + setPickupError( + intl.formatMessage({ + id: 'product_view.error.not_available_for_pickup', + defaultMessage: 'Out of Stock in {storeName}' + }, {storeName: storeName || ''}) + ) + } + } + } + } + return ( {/* Basic information etc. title, price, breadcrumb*/} @@ -552,8 +630,8 @@ const ProductView = forwardRef( )} {!isProductASet && !isProductPartOfBundle && ( - - + + @@ -698,7 +813,9 @@ ProductView.propTypes = { validateOrderability: PropTypes.func, showImageGallery: PropTypes.bool, setSelectedBundleQuantity: PropTypes.func, - selectedBundleParentQuantity: PropTypes.number + selectedBundleParentQuantity: PropTypes.number, + pickupInStore: PropTypes.bool, + setPickupInStore: PropTypes.func } export default ProductView diff --git a/packages/template-retail-react-app/app/components/product-view/index.test.js b/packages/template-retail-react-app/app/components/product-view/index.test.js index b4d1df55ed..a51f9e734f 100644 --- a/packages/template-retail-react-app/app/components/product-view/index.test.js +++ b/packages/template-retail-react-app/app/components/product-view/index.test.js @@ -46,6 +46,12 @@ afterEach(() => { sessionStorage.clear() }) +// Update MockComponent default props for all tests +MockComponent.defaultProps = { + pickupInStore: false, + setPickupInStore: jest.fn() +} + test('ProductView Component renders properly', async () => { const addToCart = jest.fn() renderWithProviders() @@ -346,3 +352,95 @@ test('renders a product bundle properly - child item', () => { expect(addToWishlistButton).toBeNull() expect(quantityPicker).toBeNull() }) + +test('Pickup in store checkbox is enabled when inventoryId is present in localStorage', async () => { + // Arrange: Set up localStorage with inventoryId for the current site + const siteId = 'site-1' + const storeInfoKey = `store_${siteId}` + const inventoryId = 'inventory_m_store_store1' + window.localStorage.setItem(storeInfoKey, JSON.stringify({inventoryId})) + + renderWithProviders() + + // Assert: Checkbox is enabled + const pickupCheckbox = await screen.findByLabelText(/pickup in store/i) + expect(pickupCheckbox).toBeEnabled() +}) + +test('Pickup in store checkbox is disabled when inventoryId is NOT present in localStorage', async () => { + // Arrange: Ensure localStorage does not have inventoryId for the current site + const siteId = 'site-1' + const storeInfoKey = `store_${siteId}` + window.localStorage.removeItem(storeInfoKey) + + renderWithProviders() + + // Assert: Checkbox is disabled + const pickupCheckbox = await screen.findByLabelText(/pickup in store/i) + expect(pickupCheckbox).toBeDisabled() +}) + + +test('Add to Cart includes inventoryId when Pickup in store is checked and product is orderable', async () => { + // Arrange: Set up localStorage with inventoryId for the current site + const siteId = 'site-1' + const storeInfoKey = `store_${siteId}` + const inventoryId = 'inventory_m_store_store1' + window.localStorage.setItem(storeInfoKey, JSON.stringify({inventoryId})) + + // Mock product with inventories array, orderable: true, and imageGroups + const mockProductWithOrderableInventory = { + ...mockProductDetail, + imageGroups: mockProductDetail.imageGroups || [ + { + viewType: 'small', + images: [{link: 'http://example.com/image.jpg'}] + } + ], + inventories: [ + { + ats: 10, + backorderable: false, + id: inventoryId, + orderable: true, + preorderable: false, + stockLevel: 10 + } + ] + } + + // Mock addToCart to capture the productItems argument + let receivedProductItems = null + const addToCart = jest.fn((variant, quantity) => { + receivedProductItems = {variant, quantity} + return Promise.resolve([ + { + product: mockProductWithOrderableInventory, // include the full product object + variant, + quantity + } + ]) + }) + + // Render with pickupInStore true + renderWithProviders( + {}} + /> + ) + + // Act: Click Add to Cart + const addToCartButton = await screen.findByRole('button', {name: /add to cart/i}) + fireEvent.click(addToCartButton) + + // Assert: addToCart was called and inventoryId is present in the product item + await waitFor(() => { + expect(addToCart).toHaveBeenCalled() + }) + // In a real integration, you'd check the POST body, but here we check the call + // If you want to check the actual POST, you'd need to mock the network layer + // For now, just ensure the test structure is in place +}) diff --git a/packages/template-retail-react-app/app/hooks/use-add-to-cart-modal.js b/packages/template-retail-react-app/app/hooks/use-add-to-cart-modal.js index a885a4f915..7b9565b67b 100644 --- a/packages/template-retail-react-app/app/hooks/use-add-to-cart-modal.js +++ b/packages/template-retail-react-app/app/hooks/use-add-to-cart-modal.js @@ -155,22 +155,17 @@ export const AddToCartModal = () => { gridGap={4} > {itemsAdded.map(({product, variant, quantity}) => { - const variationAttributeValues = - getDisplayVariationValues( + const displayProduct = variant || product + const variationAttributeValues = variant && product.variationAttributes + ? getDisplayVariationValues( product.variationAttributes, variant.variationValues ) + : {} return ( - - - {product.name}{' '} - {quantity > 1 - ? `(${quantity})` - : ''} + + + {(variant.name || product.name) + (quantity > 1 ? ` (${quantity})` : '')} { )} {!isProductABundle && itemsAdded.map(({product, variant, quantity}, index) => { + const displayProduct = variant || product const image = findImageGroupBy(product.imageGroups, { viewType: 'small', - selectedVariationAttributes: variant.variationValues + selectedVariationAttributes: variant?.variationValues })?.images?.[0] - const priceData = getPriceData(product, {quantity}) - const variationAttributeValues = getDisplayVariationValues( - product.variationAttributes, - variant.variationValues - ) + const priceData = getPriceData(displayProduct, {quantity}) + const variationAttributeValues = variant && product.variationAttributes + ? getDisplayVariationValues( + product.variationAttributes, + variant.variationValues + ) + : {} return ( { - {image.alt} + {image?.alt} @@ -241,7 +239,7 @@ export const AddToCartModal = () => { fontFamily="body" fontWeight="700" > - {product.name} + {displayProduct.name || product.name} { expect(screen.getByText(mockProductBundle.name)).toBeInTheDocument() expect(screen.getByRole('dialog', {name: /1 item added to cart/i})).toBeInTheDocument() - // bundle data is displayed in 1 row const numOfRowsRendered = screen.getAllByTestId('product-added').length expect(numOfRowsRendered).toBe(1) - // modal displays product name of children and variant selection mockBundleItemsAdded.forEach(({product, variant, quantity}) => { - const displayedName = quantity > 1 ? `${product.name} (${quantity})` : product.name - expect(screen.getByText(displayedName)).toBeInTheDocument() - + expect( + screen.getByText((content) => content.trim().includes(product.name)) + ).toBeInTheDocument(); + if (quantity > 1) { + expect( + screen.getByText((content) => content.includes(`(${quantity})`)) + ).toBeInTheDocument(); + } const variationAttributeValues = getDisplayVariationValues( product.variationAttributes, variant.variationValues ) - - // Looks for text displaying variant ('Color: Black' or 'Size: S') in modal Object.entries(variationAttributeValues).forEach(([name, value]) => { expect(screen.getAllByText(`${name}: ${value}`)[0]).toBeInTheDocument() }) diff --git a/packages/template-retail-react-app/app/pages/product-detail/index.jsx b/packages/template-retail-react-app/app/pages/product-detail/index.jsx index 0a64b4129b..9ea080e16c 100644 --- a/packages/template-retail-react-app/app/pages/product-detail/index.jsx +++ b/packages/template-retail-react-app/app/pages/product-detail/index.jsx @@ -15,7 +15,7 @@ import { } from '@salesforce/retail-react-app/app/utils/product-utils' // Components -import {Box, Button, Stack} from '@salesforce/retail-react-app/app/components/shared/ui' +import {Box, Button, Stack, Checkbox} from '@salesforce/retail-react-app/app/components/shared/ui' import { useProduct, useProducts, @@ -34,6 +34,7 @@ import useEinstein from '@salesforce/retail-react-app/app/hooks/use-einstein' import useDataCloud from '@salesforce/retail-react-app/app/hooks/use-datacloud' import useActiveData from '@salesforce/retail-react-app/app/hooks/use-active-data' import {useServerContext} from '@salesforce/pwa-kit-react-sdk/ssr/universal/hooks' +import useMultiSite from '@salesforce/retail-react-app/app/hooks/use-multi-site' // Project Components import RecommendedProducts from '@salesforce/retail-react-app/app/components/recommended-products' import ProductView from '@salesforce/retail-react-app/app/components/product-view' @@ -56,6 +57,7 @@ import {rebuildPathWithParams} from '@salesforce/retail-react-app/app/utils/url' import {useHistory, useLocation, useParams} from 'react-router-dom' import {useToast} from '@salesforce/retail-react-app/app/hooks/use-toast' import {useWishList} from '@salesforce/retail-react-app/app/hooks/use-wish-list' +import {useAddToCartModalContext} from '@salesforce/retail-react-app/app/hooks/use-add-to-cart-modal' const ProductDetail = () => { const {formatMessage} = useIntl() @@ -67,6 +69,12 @@ const ProductDetail = () => { const toast = useToast() const navigate = useNavigation() const customerId = useCustomerId() + const {site} = useMultiSite() + const storeInfoKey = `store_${site.id}` + let inventoryId = null + try { + inventoryId = JSON.parse(window.localStorage.getItem(storeInfoKey))?.inventoryId + } catch (e) {} /****************************** Basket *********************************/ const {isLoading: isBasketLoading} = useCurrentBasket() @@ -104,7 +112,8 @@ const ProductDetail = () => { 'bundled_products', 'page_meta_tags' ], - allImages: true + allImages: true, + ...(inventoryId ? {inventoryIds: inventoryId} : {}) } }, { @@ -294,26 +303,52 @@ const ProductDetail = () => { }) } - const handleAddToCart = async (productSelectionValues) => { - try { - const productItems = productSelectionValues.map(({variant, quantity}) => ({ - productId: variant.productId, - price: variant.price, - quantity - })) + const [pickupInStoreMap, setPickupInStoreMap] = useState({}) - await addItemToNewOrExistingBasket(productItems) + const handlePickupInStoreChange = (productId, checked) => { + setPickupInStoreMap((prev) => ({ + ...prev, + [productId]: checked + })) + } - einstein.sendAddToCart(productItems) + const addToCartModal = useAddToCartModalContext(); - // If the items were successfully added, set the return value to be used - // by the add to cart modal. - return productSelectionValues + const handleAddToCart = async (productSelectionValues = []) => { + try { + const productItems = productSelectionValues.map((item) => { + const {variant, quantity} = item; + // Use variant if present, otherwise use the main product + const prod = variant || item.product || product; + const result = { + productId: prod.productId || prod.id, // productId for variant, id for product + price: prod.price, + quantity + }; + if (pickupInStoreMap[prod.id] && inventoryId) { + result.inventoryId = inventoryId; + } + return result; + }); + // Defensive check: This block ensures that if, for any reason, pickup is selected for a product but no store (inventoryId) is set, + // we show an error. With the current UI logic, this should never be reached, but it guards against unexpected state. + if (productItems.some(item => item.inventoryId === undefined && pickupInStoreMap[item.productId])) { + showError(formatMessage({ + id: 'product_view.error.no_store_selected_for_pickup', + defaultMessage: 'No store selected for pickup' + })); + return; + } + await addItemToNewOrExistingBasket(productItems); + einstein.sendAddToCart(productItems); + // Open modal with itemsAdded + addToCartModal.onOpen({ product, itemsAdded: productSelectionValues }); + return productSelectionValues; } catch (error) { - console.log('error', error) - showError(error) + console.log('error', error); + showError(error); } - } + }; /**************** Product Set/Bundles Handlers ****************/ const handleChildProductValidation = useCallback(() => { @@ -326,7 +361,7 @@ const ProductDetail = () => { // Using ot state for which child products are selected, scroll to the first // one that isn't selected. const selectedProductIds = Object.keys(childProductSelection) - const firstUnselectedProduct = comboProduct.childProducts.find( + const firstUnselectedProduct = comboProduct.childProducts?.find( ({product: childProduct}) => !selectedProductIds.includes(childProduct.id) )?.product @@ -347,12 +382,14 @@ const ProductDetail = () => { return true }, [product, childProductSelection]) - /**************** Product Set Handlers ****************/ + // Handles adding a product set to the cart. + // 1. Gather the selected child products from state. + // 2. Call handleAddToCart with the selected products. + // 3. The add-to-cart modal will be opened in handleAddToCart. const handleProductSetAddToCart = () => { - // Get all the selected products, and pass them to the addToCart handler which - // accepts an array. const productSelectionValues = Object.values(childProductSelection) - return handleAddToCart(productSelectionValues) + handleAddToCart(productSelectionValues) + // Modal will be opened in handleAddToCart } /**************** Product Bundle Handlers ****************/ @@ -360,15 +397,11 @@ const ProductDetail = () => { const handleProductBundleAddToCart = async (variant, selectedQuantity) => { try { const childProductSelections = Object.values(childProductSelection) - const productItems = [ { productId: product.id, price: product.price, quantity: selectedQuantity, - // The add item endpoint in the shopper baskets API does not respect variant selections - // for bundle children, so we have to make a follow up call to update the basket - // with the chosen variant selections bundledProductItems: childProductSelections.map((child) => { return { productId: child.variant.productId, @@ -377,33 +410,22 @@ const ProductDetail = () => { }) } ] - const res = await addItemToNewOrExistingBasket(productItems) - const bundleChildMasterIds = childProductSelections.map((child) => { return child.product.id }) - - // since the returned data includes all products in basket - // here we compare list of productIds in bundleProductItems of each productItem to filter out the - // current bundle that was last added into cart const currentBundle = res.productItems.find((productItem) => { if (!productItem.bundledProductItems?.length) return const bundleChildIds = productItem.bundledProductItems?.map((item) => { - // seek out the bundle child that still uses masterId as product id return item.productId }) return bundleChildIds.every((id) => bundleChildMasterIds.includes(id)) }) - const itemsToBeUpdated = getUpdateBundleChildArray( currentBundle, childProductSelections ) - if (itemsToBeUpdated.length) { - // make a follow up call to update child variant selection for product bundle - // since add item endpoint doesn't currently consider product bundle child variants await updateItemsInBasketMutation.mutateAsync({ method: 'PATCH', parameters: { @@ -412,9 +434,9 @@ const ProductDetail = () => { body: itemsToBeUpdated }) } - einstein.sendAddToCart(productItems) - + // Open modal with itemsAdded and selectedQuantity for bundles + addToCartModal.onOpen({ product, itemsAdded: childProductSelections, selectedQuantity }); return childProductSelections } catch (error) { showError(error) @@ -490,6 +512,9 @@ const ProductDetail = () => { validateOrderability={handleChildProductValidation} childProductOrderability={childProductOrderability} setSelectedBundleQuantity={setSelectedBundleQuantity} + selectedBundleParentQuantity={selectedBundleQuantity} + pickupInStore={!!pickupInStoreMap[product?.id]} + setPickupInStore={(checked) => product && handlePickupInStoreChange(product.id, checked)} />
@@ -554,6 +579,8 @@ const ProductDetail = () => { setChildProductOrderability={ setChildProductOrderability } + pickupInStore={!!pickupInStoreMap[childProduct?.id]} + setPickupInStore={(checked) => childProduct && handlePickupInStoreChange(childProduct.id, checked)} /> @@ -570,13 +597,18 @@ const ProductDetail = () => { - handleAddToCart([{product, variant, quantity}]) - } + addToCart={handleAddToCart} addToWishlist={handleAddToWishlist} isProductLoading={isProductLoading} isBasketLoading={isBasketLoading} isWishlistLoading={isWishlistLoading} + validateOrderability={handleChildProductValidation} + childProductOrderability={childProductOrderability} + setChildProductOrderability={setChildProductOrderability} + setSelectedBundleQuantity={setSelectedBundleQuantity} + selectedBundleParentQuantity={selectedBundleQuantity} + pickupInStore={!!pickupInStoreMap[product?.id]} + setPickupInStore={(checked) => product && handlePickupInStoreChange(product.id, checked)} /> diff --git a/packages/template-retail-react-app/app/pages/product-detail/index.test.js b/packages/template-retail-react-app/app/pages/product-detail/index.test.js index 2699837c24..2f1e5fdda9 100644 --- a/packages/template-retail-react-app/app/pages/product-detail/index.test.js +++ b/packages/template-retail-react-app/app/pages/product-detail/index.test.js @@ -488,3 +488,26 @@ describe('product bundles', () => { }) }) }) + +test('fetches product with inventoryIds from localStorage if present', async () => { + // Arrange: Set up localStorage with inventoryId for the current site + const siteId = 'site-1' // Use the actual site id used in your test context + const storeInfoKey = `store_${siteId}` + const inventoryId = 'inventory_m_store_store1' + window.localStorage.setItem(storeInfoKey, JSON.stringify({inventoryId})) + + // Mock the product API to check for inventoryIds param + let inventoryIdsParam + global.server.use( + rest.get('*/products/:productId', (req, res, ctx) => { + inventoryIdsParam = req.url.searchParams.get('inventoryIds') + return res(ctx.json(masterProduct)) + }) + ) + + renderWithProviders() + + // Assert: Product page loads and inventoryIds param was sent + expect(await screen.findByTestId('product-details-page')).toBeInTheDocument() + expect(inventoryIdsParam).toBe(inventoryId) +}) diff --git a/packages/template-retail-react-app/app/utils/product-utils.js b/packages/template-retail-react-app/app/utils/product-utils.js index fcd646f54a..83e4bcfbb5 100644 --- a/packages/template-retail-react-app/app/utils/product-utils.js +++ b/packages/template-retail-react-app/app/utils/product-utils.js @@ -23,15 +23,17 @@ import {productUrlBuilder, rebuildPathWithParams} from '@salesforce/retail-react * // returns { "Colour": "royal" } */ export const getDisplayVariationValues = (variationAttributes, values = {}) => { + if (!Array.isArray(variationAttributes)) return {}; const returnVal = Object.entries(values).reduce((acc, [id, value]) => { const attribute = variationAttributes.find(({id: attributeId}) => attributeId === id) + if (!attribute) return acc; const attributeValue = attribute.values.find( ({value: attributeValue}) => attributeValue === value ) - return { - ...acc, - [attribute.name]: attributeValue.name + if (attributeValue) { + acc[attribute.name] = attributeValue.name } + return acc }, {}) return returnVal } diff --git a/packages/template-retail-react-app/translations/en-US.json b/packages/template-retail-react-app/translations/en-US.json index b34b57dc3a..110a1036c0 100644 --- a/packages/template-retail-react-app/translations/en-US.json +++ b/packages/template-retail-react-app/translations/en-US.json @@ -1258,6 +1258,12 @@ "product_view.link.full_details": { "defaultMessage": "See full details" }, + "product_view.label.pickup_in_store": { + "defaultMessage": "Pickup in store" + }, + "product_view.label.delivery": { + "defaultMessage": "Delivery:" + }, "profile_card.info.profile_updated": { "defaultMessage": "Profile updated" }, @@ -1776,5 +1782,17 @@ }, "with_registration.info.please_sign_in": { "defaultMessage": "Please sign in to continue!" + }, + "product_view.error.not_available_for_pickup": { + "defaultMessage": "Out of Stock in Store" + }, + "product_view.error.no_store_selected_for_pickup": { + "defaultMessage": "No store selected for pickup" + }, + "product_view.status.in_stock_at_store": { + "defaultMessage": "In Stock at {storeName}" + }, + "product_view.status.out_of_stock_at_store": { + "defaultMessage": "Out of Stock at {storeName}" } } From 983089a579a5c2be4b6ce69de2bba81064ac32f4 Mon Sep 17 00:00:00 2001 From: snilakandan Date: Fri, 6 Jun 2025 15:56:13 -0500 Subject: [PATCH 02/20] Modified Pickup as a Radio Button --- .../app/components/product-view/index.jsx | 89 +++++++++++-------- .../app/components/product-view/index.test.js | 35 ++++---- .../app/pages/product-detail/index.jsx | 81 ++++++++++++++--- 3 files changed, 137 insertions(+), 68 deletions(-) diff --git a/packages/template-retail-react-app/app/components/product-view/index.jsx b/packages/template-retail-react-app/app/components/product-view/index.jsx index 7324e927b1..df58a9fa81 100644 --- a/packages/template-retail-react-app/app/components/product-view/index.jsx +++ b/packages/template-retail-react-app/app/components/product-view/index.jsx @@ -20,7 +20,10 @@ import { VStack, Fade, useTheme, - Checkbox + Checkbox, + Stack, + Radio, + RadioGroup } from '@salesforce/retail-react-app/app/components/shared/ui' import {useCurrency, useDerivedProduct} from '@salesforce/retail-react-app/app/hooks' import {useAddToCartModalContext} from '@salesforce/retail-react-app/app/hooks/use-add-to-cart-modal' @@ -449,34 +452,6 @@ const ProductView = forwardRef( } }, [site?.id]) - const handlePickupInStoreChange = (e) => { - const checked = e.target.checked - setPickupInStore(checked) - setPickupError('') - if (checked && pickupEnabled) { - const storeInfoKey = `store_${site.id}` - let inventoryId = null - let storeName = null - try { - const storeInfo = JSON.parse(window.localStorage.getItem(storeInfoKey)) - inventoryId = storeInfo?.inventoryId - storeName = storeInfo?.name - } catch (e) {} - if (inventoryId && product?.inventories) { - const inventoryObj = product.inventories.find(inv => inv.id === inventoryId) - if (!inventoryObj?.orderable) { - setPickupInStore(false) - setPickupError( - intl.formatMessage({ - id: 'product_view.error.not_available_for_pickup', - defaultMessage: 'Out of Stock in {storeName}' - }, {storeName: storeName || ''}) - ) - } - } - } - } - return ( {/* Basic information etc. title, price, breadcrumb*/} @@ -720,22 +695,58 @@ const ProductView = forwardRef( )} - {/* Pickup in store checkbox just before Add to Cart */} - { + setPickupError(''); + if (value === 'pickup') { + if (pickupEnabled) { + const storeInfoKey = `store_${site.id}`; + let inventoryId = null; + let storeName = null; + try { + const storeInfo = JSON.parse(window.localStorage.getItem(storeInfoKey)); + inventoryId = storeInfo?.inventoryId; + storeName = storeInfo?.name; + } catch (e) {} + if (inventoryId && product?.inventories) { + const inventoryObj = product.inventories.find(inv => inv.id === inventoryId); + if (!inventoryObj?.orderable) { + setPickupInStore(false); + setPickupError( + intl.formatMessage({ + id: 'product_view.error.not_available_for_pickup', + defaultMessage: 'Out of Stock in {storeName}' + }, {storeName: storeName || ''}) + ); + return; + } + } + } + } + setPickupInStore(value === 'pickup'); + }} mb={1} - disabled={!pickupEnabled || (storeName && inventoryId && storeStockStatus === false)} > - - + + + + + + + + + {storeName && inventoryId && ( diff --git a/packages/template-retail-react-app/app/components/product-view/index.test.js b/packages/template-retail-react-app/app/components/product-view/index.test.js index a51f9e734f..3517f09bd1 100644 --- a/packages/template-retail-react-app/app/components/product-view/index.test.js +++ b/packages/template-retail-react-app/app/components/product-view/index.test.js @@ -353,7 +353,7 @@ test('renders a product bundle properly - child item', () => { expect(quantityPicker).toBeNull() }) -test('Pickup in store checkbox is enabled when inventoryId is present in localStorage', async () => { +test('Pickup in store radio is enabled when inventoryId is present in localStorage', async () => { // Arrange: Set up localStorage with inventoryId for the current site const siteId = 'site-1' const storeInfoKey = `store_${siteId}` @@ -362,12 +362,12 @@ test('Pickup in store checkbox is enabled when inventoryId is present in localSt renderWithProviders() - // Assert: Checkbox is enabled - const pickupCheckbox = await screen.findByLabelText(/pickup in store/i) - expect(pickupCheckbox).toBeEnabled() + // Assert: Radio is enabled + const pickupRadio = await screen.findByRole('radio', {name: /pickup in store/i}) + expect(pickupRadio).toBeEnabled() }) -test('Pickup in store checkbox is disabled when inventoryId is NOT present in localStorage', async () => { +test('Pickup in store radio is disabled when inventoryId is NOT present in localStorage', async () => { // Arrange: Ensure localStorage does not have inventoryId for the current site const siteId = 'site-1' const storeInfoKey = `store_${siteId}` @@ -375,13 +375,12 @@ test('Pickup in store checkbox is disabled when inventoryId is NOT present in lo renderWithProviders() - // Assert: Checkbox is disabled - const pickupCheckbox = await screen.findByLabelText(/pickup in store/i) - expect(pickupCheckbox).toBeDisabled() + // Assert: Radio is disabled + const pickupRadio = await screen.findByRole('radio', {name: /pickup in store/i}) + expect(pickupRadio).toBeDisabled() }) - -test('Add to Cart includes inventoryId when Pickup in store is checked and product is orderable', async () => { +test('Add to Cart (Pickup in Store) includes inventoryId for the selected variant', async () => { // Arrange: Set up localStorage with inventoryId for the current site const siteId = 'site-1' const storeInfoKey = `store_${siteId}` @@ -391,6 +390,7 @@ test('Add to Cart includes inventoryId when Pickup in store is checked and produ // Mock product with inventories array, orderable: true, and imageGroups const mockProductWithOrderableInventory = { ...mockProductDetail, + productId: 'variant-123', // ensure this is set for the variant imageGroups: mockProductDetail.imageGroups || [ { viewType: 'small', @@ -411,13 +411,13 @@ test('Add to Cart includes inventoryId when Pickup in store is checked and produ // Mock addToCart to capture the productItems argument let receivedProductItems = null - const addToCart = jest.fn((variant, quantity) => { - receivedProductItems = {variant, quantity} + const addToCart = jest.fn((items) => { + receivedProductItems = items return Promise.resolve([ { - product: mockProductWithOrderableInventory, // include the full product object - variant, - quantity + product: mockProductWithOrderableInventory, + variant: mockProductWithOrderableInventory, + quantity: 1 } ]) }) @@ -439,8 +439,7 @@ test('Add to Cart includes inventoryId when Pickup in store is checked and produ // Assert: addToCart was called and inventoryId is present in the product item await waitFor(() => { expect(addToCart).toHaveBeenCalled() + expect(receivedProductItems[0].inventoryId).toBe(inventoryId) + expect(receivedProductItems[0].productId).toBe('variant-123') }) - // In a real integration, you'd check the POST body, but here we check the call - // If you want to check the actual POST, you'd need to mock the network layer - // For now, just ensure the test structure is in place }) diff --git a/packages/template-retail-react-app/app/pages/product-detail/index.jsx b/packages/template-retail-react-app/app/pages/product-detail/index.jsx index 9ea080e16c..79cbe2cb04 100644 --- a/packages/template-retail-react-app/app/pages/product-detail/index.jsx +++ b/packages/template-retail-react-app/app/pages/product-detail/index.jsx @@ -71,10 +71,26 @@ const ProductDetail = () => { const customerId = useCustomerId() const {site} = useMultiSite() const storeInfoKey = `store_${site.id}` - let inventoryId = null - try { - inventoryId = JSON.parse(window.localStorage.getItem(storeInfoKey))?.inventoryId - } catch (e) {} + + // --- Add state for inventoryId --- + const [selectedInventoryId, setSelectedInventoryId] = useState(() => { + try { + return JSON.parse(window.localStorage.getItem(storeInfoKey))?.inventoryId || null; + } catch (e) { return null; } + }); + + // --- Listen for store changes in localStorage --- + useEffect(() => { + function handleStorageChange() { + try { + setSelectedInventoryId(JSON.parse(window.localStorage.getItem(storeInfoKey))?.inventoryId || null); + } catch (e) { setSelectedInventoryId(null); } + } + window.addEventListener('storage', handleStorageChange); + // Also update on mount in case store was changed in this tab + handleStorageChange(); + return () => window.removeEventListener('storage', handleStorageChange); + }, [storeInfoKey]); /****************************** Basket *********************************/ const {isLoading: isBasketLoading} = useCurrentBasket() @@ -113,7 +129,7 @@ const ProductDetail = () => { 'page_meta_tags' ], allImages: true, - ...(inventoryId ? {inventoryIds: inventoryId} : {}) + ...(selectedInventoryId ? {inventoryIds: selectedInventoryId} : {}) } }, { @@ -316,36 +332,79 @@ const ProductDetail = () => { const handleAddToCart = async (productSelectionValues = []) => { try { + // Debug: Log all productSelectionValues + // eslint-disable-next-line no-console + console.log('DEBUG AddToCart: productSelectionValues', productSelectionValues); const productItems = productSelectionValues.map((item) => { const {variant, quantity} = item; // Use variant if present, otherwise use the main product const prod = variant || item.product || product; - const result = { + // Debug: Log the variant and product being used + // eslint-disable-next-line no-console + console.log('DEBUG AddToCart: variant', variant); + // eslint-disable-next-line no-console + console.log('DEBUG AddToCart: prod', prod); + const prodKey = prod.productId || prod.id; + // eslint-disable-next-line no-console + console.log('DEBUG AddToCart: pickupInStoreMap', pickupInStoreMap); + // eslint-disable-next-line no-console + console.log('DEBUG AddToCart: prodKey', prodKey); + let result = { productId: prod.productId || prod.id, // productId for variant, id for product price: prod.price, quantity }; - if (pickupInStoreMap[prod.id] && inventoryId) { - result.inventoryId = inventoryId; + // Robustly fetch inventoryId from localStorage if pickupInStore is true + if (pickupInStoreMap[prodKey]) { + const siteId = site?.id || (window.SFCC && window.SFCC.siteId); + const storeInfoKey = `store_${siteId}`; + let inventoryId = undefined; + let storeName = undefined; + try { + const storeInfo = JSON.parse(window.localStorage.getItem(storeInfoKey)); + inventoryId = storeInfo?.inventoryId; + storeName = storeInfo?.name; + } catch (e) {} + // Debug logs + // eslint-disable-next-line no-console + console.log('DEBUG AddToCart: pickupInStore:', pickupInStoreMap[prodKey]); + // eslint-disable-next-line no-console + console.log('DEBUG AddToCart: inventoryId:', inventoryId); + // eslint-disable-next-line no-console + console.log('DEBUG AddToCart: localStorage:', window.localStorage.getItem(storeInfoKey)); + // eslint-disable-next-line no-console + console.log('DEBUG AddToCart: product.inventories:', prod.inventories); + if (inventoryId) { + result.inventoryId = inventoryId; + } } return result; }); + // Debug: Log error check state + // eslint-disable-next-line no-console + console.log('DEBUG AddToCart: error check', productItems, pickupInStoreMap); // Defensive check: This block ensures that if, for any reason, pickup is selected for a product but no store (inventoryId) is set, // we show an error. With the current UI logic, this should never be reached, but it guards against unexpected state. - if (productItems.some(item => item.inventoryId === undefined && pickupInStoreMap[item.productId])) { + if (productItems.some(item => item.inventoryId === undefined && pickupInStoreMap[item.productId || item.id])) { + // eslint-disable-next-line no-console + console.error('DEBUG AddToCart: No valid store or inventory found for pickup', productItems); showError(formatMessage({ id: 'product_view.error.no_store_selected_for_pickup', - defaultMessage: 'No store selected for pickup' + defaultMessage: 'No valid store or inventory found for pickup' })); return; } + // Debug: Log final productItems array + // eslint-disable-next-line no-console + console.log('DEBUG AddToCart: final productItems', productItems); await addItemToNewOrExistingBasket(productItems); einstein.sendAddToCart(productItems); // Open modal with itemsAdded addToCartModal.onOpen({ product, itemsAdded: productSelectionValues }); return productSelectionValues; } catch (error) { - console.log('error', error); + // eslint-disable-next-line no-console + console.error('DEBUG AddToCart: error', error); showError(error); } }; From 51282f7edb427a8cfc6cb75d6e11f6cbf4a8162d Mon Sep 17 00:00:00 2001 From: snilakandan Date: Fri, 6 Jun 2025 15:59:41 -0500 Subject: [PATCH 03/20] Modified Pickup as a Radio Button --- .../app/pages/product-detail/index.jsx | 31 ------------------- 1 file changed, 31 deletions(-) diff --git a/packages/template-retail-react-app/app/pages/product-detail/index.jsx b/packages/template-retail-react-app/app/pages/product-detail/index.jsx index 79cbe2cb04..f4023db126 100644 --- a/packages/template-retail-react-app/app/pages/product-detail/index.jsx +++ b/packages/template-retail-react-app/app/pages/product-detail/index.jsx @@ -332,23 +332,11 @@ const ProductDetail = () => { const handleAddToCart = async (productSelectionValues = []) => { try { - // Debug: Log all productSelectionValues - // eslint-disable-next-line no-console - console.log('DEBUG AddToCart: productSelectionValues', productSelectionValues); const productItems = productSelectionValues.map((item) => { const {variant, quantity} = item; // Use variant if present, otherwise use the main product const prod = variant || item.product || product; - // Debug: Log the variant and product being used - // eslint-disable-next-line no-console - console.log('DEBUG AddToCart: variant', variant); - // eslint-disable-next-line no-console - console.log('DEBUG AddToCart: prod', prod); const prodKey = prod.productId || prod.id; - // eslint-disable-next-line no-console - console.log('DEBUG AddToCart: pickupInStoreMap', pickupInStoreMap); - // eslint-disable-next-line no-console - console.log('DEBUG AddToCart: prodKey', prodKey); let result = { productId: prod.productId || prod.id, // productId for variant, id for product price: prod.price, @@ -365,46 +353,27 @@ const ProductDetail = () => { inventoryId = storeInfo?.inventoryId; storeName = storeInfo?.name; } catch (e) {} - // Debug logs - // eslint-disable-next-line no-console - console.log('DEBUG AddToCart: pickupInStore:', pickupInStoreMap[prodKey]); - // eslint-disable-next-line no-console - console.log('DEBUG AddToCart: inventoryId:', inventoryId); - // eslint-disable-next-line no-console - console.log('DEBUG AddToCart: localStorage:', window.localStorage.getItem(storeInfoKey)); - // eslint-disable-next-line no-console - console.log('DEBUG AddToCart: product.inventories:', prod.inventories); if (inventoryId) { result.inventoryId = inventoryId; } } return result; }); - // Debug: Log error check state - // eslint-disable-next-line no-console - console.log('DEBUG AddToCart: error check', productItems, pickupInStoreMap); // Defensive check: This block ensures that if, for any reason, pickup is selected for a product but no store (inventoryId) is set, // we show an error. With the current UI logic, this should never be reached, but it guards against unexpected state. if (productItems.some(item => item.inventoryId === undefined && pickupInStoreMap[item.productId || item.id])) { - // eslint-disable-next-line no-console - console.error('DEBUG AddToCart: No valid store or inventory found for pickup', productItems); showError(formatMessage({ id: 'product_view.error.no_store_selected_for_pickup', defaultMessage: 'No valid store or inventory found for pickup' })); return; } - // Debug: Log final productItems array - // eslint-disable-next-line no-console - console.log('DEBUG AddToCart: final productItems', productItems); await addItemToNewOrExistingBasket(productItems); einstein.sendAddToCart(productItems); // Open modal with itemsAdded addToCartModal.onOpen({ product, itemsAdded: productSelectionValues }); return productSelectionValues; } catch (error) { - // eslint-disable-next-line no-console - console.error('DEBUG AddToCart: error', error); showError(error); } }; From ca7d6ad3581800f5e0cee93ec7959513f4fc0829 Mon Sep 17 00:00:00 2001 From: snilakandan Date: Sun, 8 Jun 2025 22:11:56 -0500 Subject: [PATCH 04/20] Linting errors --- .../app/components/product-view/index.jsx | 145 +++++++++++------ .../app/components/product-view/index.test.js | 146 +++++++++++------- .../components/quantity-picker/index.test.jsx | 24 +-- .../components/reset-password/index.test.js | 2 +- .../index.test.js | 1 - .../app/hooks/use-add-to-cart-modal.js | 45 +++--- .../app/hooks/use-add-to-cart-modal.test.js | 10 +- .../app/pages/account/profile.test.js | 2 - .../pages/checkout/partials/payment-form.jsx | 3 +- .../app/pages/product-detail/index.jsx | 105 ++++++++----- .../app/pages/product-detail/index.test.js | 52 +++++++ .../static/translations/compiled/en-US.json | 44 ++++++ .../static/translations/compiled/en-XA.json | 92 +++++++++++ .../app/utils/product-utils.js | 4 +- 14 files changed, 485 insertions(+), 190 deletions(-) diff --git a/packages/template-retail-react-app/app/components/product-view/index.jsx b/packages/template-retail-react-app/app/components/product-view/index.jsx index df58a9fa81..720e71e84a 100644 --- a/packages/template-retail-react-app/app/components/product-view/index.jsx +++ b/packages/template-retail-react-app/app/components/product-view/index.jsx @@ -20,7 +20,6 @@ import { VStack, Fade, useTheme, - Checkbox, Stack, Radio, RadioGroup @@ -177,12 +176,14 @@ const ProductView = forwardRef( inventoryId = storeInfo?.inventoryId storeName = storeInfo?.name if (inventoryId) { - const inventoryObj = product.inventories.find(inv => inv.id === inventoryId) + const inventoryObj = product.inventories.find((inv) => inv.id === inventoryId) if (inventoryObj) { storeStockStatus = inventoryObj.orderable } } - } catch (e) {} + } catch (e) { + // intentionally empty: ignore errors + } } const {disableButton, customInventoryMessage} = useMemo(() => { @@ -308,7 +309,7 @@ const ProductView = forwardRef( if (itemsAdded) { onAddToCartModalOpen({ product, - itemsAdded: itemsAdded.map(item => ({ + itemsAdded: itemsAdded.map((item) => ({ ...item, product // attach the full product object })), @@ -435,19 +436,13 @@ const ProductView = forwardRef( if (site?.id) { const storeInfoKey = `store_${site.id}` let inventoryId = null - let storeName = null - let storeStockStatus = null try { const storeInfo = JSON.parse(window.localStorage.getItem(storeInfoKey)) inventoryId = storeInfo?.inventoryId - storeName = storeInfo?.name - if (inventoryId) { - const inventoryObj = product.inventories.find(inv => inv.id === inventoryId) - if (inventoryObj) { - storeStockStatus = inventoryObj.orderable - } - } - } catch (e) {} + // storeName and storeStockStatus are not used, so removed + } catch (e) { + // intentionally empty: ignore errors + } setPickupEnabled(!!inventoryId) } }, [site?.id]) @@ -697,38 +692,54 @@ const ProductView = forwardRef( - + { - setPickupError(''); + setPickupError('') if (value === 'pickup') { if (pickupEnabled) { - const storeInfoKey = `store_${site.id}`; - let inventoryId = null; - let storeName = null; + const storeInfoKey = `store_${site.id}` + let inventoryId = null + let storeName = null try { - const storeInfo = JSON.parse(window.localStorage.getItem(storeInfoKey)); - inventoryId = storeInfo?.inventoryId; - storeName = storeInfo?.name; - } catch (e) {} + const storeInfo = JSON.parse( + window.localStorage.getItem( + storeInfoKey + ) + ) + inventoryId = storeInfo?.inventoryId + storeName = storeInfo?.name + } catch (e) { + // intentionally empty: ignore errors + } if (inventoryId && product?.inventories) { - const inventoryObj = product.inventories.find(inv => inv.id === inventoryId); + const inventoryObj = + product.inventories.find( + (inv) => inv.id === inventoryId + ) if (!inventoryObj?.orderable) { - setPickupInStore(false); + setPickupInStore(false) setPickupError( - intl.formatMessage({ - id: 'product_view.error.not_available_for_pickup', - defaultMessage: 'Out of Stock in {storeName}' - }, {storeName: storeName || ''}) - ); - return; + intl.formatMessage( + { + id: 'product_view.error.not_available_for_pickup', + defaultMessage: + 'Out of Stock in {storeName}' + }, + {storeName: storeName || ''} + ) + ) + return } } } } - setPickupInStore(value === 'pickup'); + setPickupInStore(value === 'pickup') }} mb={1} > @@ -739,7 +750,15 @@ const ProductView = forwardRef( id="product_view.label.ship_to_address" /> - + {storeName && inventoryId && ( - + {storeStockStatus - ? intl.formatMessage({ - id: 'product_view.status.in_stock_at_store', - defaultMessage: 'In Stock at {storeName}' - }, {storeName: {storeName}}) - : intl.formatMessage({ - id: 'product_view.status.out_of_stock_at_store', - defaultMessage: 'Out of Stock at {storeName}' - }, {storeName: {storeName}})} + ? intl.formatMessage( + { + id: 'product_view.status.in_stock_at_store', + defaultMessage: 'In Stock at {storeName}' + }, + { + storeName: ( + + {storeName} + + ) + } + ) + : intl.formatMessage( + { + id: 'product_view.status.out_of_stock_at_store', + defaultMessage: 'Out of Stock at {storeName}' + }, + { + storeName: ( + + {storeName} + + ) + } + )} )} {pickupError && ( - + {pickupError} )} {renderActionButtons()} diff --git a/packages/template-retail-react-app/app/components/product-view/index.test.js b/packages/template-retail-react-app/app/components/product-view/index.test.js index 3517f09bd1..2aa36f8e30 100644 --- a/packages/template-retail-react-app/app/components/product-view/index.test.js +++ b/packages/template-retail-react-app/app/components/product-view/index.test.js @@ -16,6 +16,15 @@ import {renderWithProviders} from '@salesforce/retail-react-app/app/utils/test-u import userEvent from '@testing-library/user-event' import {useCurrentCustomer} from '@salesforce/retail-react-app/app/hooks/use-current-customer' +// Ensure useMultiSite returns site.id = 'site-1' for all tests +jest.mock('@salesforce/retail-react-app/app/hooks/use-multi-site', () => ({ + __esModule: true, + default: () => ({ + site: {id: 'site-1'}, + buildUrl: (url) => url // identity function for tests + }) +})) + const MockComponent = (props) => { const {data: customer} = useCurrentCustomer() return ( @@ -58,7 +67,7 @@ test('ProductView Component renders properly', async () => { expect(screen.getAllByText(/Black Single Pleat Athletic Fit Wool Suit/i)).toHaveLength(2) expect(screen.getAllByText(/299\.99/)).toHaveLength(4) expect(screen.getAllByText(/Add to cart/i)).toHaveLength(2) - expect(screen.getAllByRole('radiogroup')).toHaveLength(3) + expect(screen.getAllByRole('radiogroup')).toHaveLength(4) expect(screen.getAllByText(/add to cart/i)).toHaveLength(2) }) @@ -194,7 +203,13 @@ test('renders a product set properly - parent item', () => { const fromAtLabel = screen.getAllByText(/from/i)[0] const addSetToCartButton = screen.getAllByRole('button', {name: /add set to cart/i})[0] const addSetToWishlistButton = screen.getAllByRole('button', {name: /add set to wishlist/i})[0] - const variationAttributes = screen.queryAllByRole('radiogroup') // e.g. sizes, colors + const variationAttributes = screen + .getAllByRole('radiogroup') + .filter( + (rg) => + !rg.textContent.includes('Ship to Address') && + !rg.textContent.includes('Pickup in Store') + ) const quantityPicker = screen.queryByRole('spinbutton', {name: /quantity/i}) // What should exist: @@ -218,7 +233,13 @@ test('renders a product set properly - child item', () => { const addToCartButton = screen.getAllByRole('button', {name: /add to cart/i})[0] const addToWishlistButton = screen.getAllByRole('button', {name: /add to wishlist/i})[0] - const variationAttributes = screen.getAllByRole('radiogroup') // e.g. sizes, colors + const variationAttributes = screen + .getAllByRole('radiogroup') + .filter( + (rg) => + !rg.textContent.includes('Ship to Address') && + !rg.textContent.includes('Pickup in Store') + ) const quantityPicker = screen.getByRole('spinbutton', {name: /quantity/i}) const fromLabels = screen.queryAllByText(/from/i) @@ -316,7 +337,13 @@ test('renders a product bundle properly - parent item', () => { name: /add bundle to wishlist/i })[0] const quantityPicker = screen.getByRole('spinbutton', {name: /quantity/i}) - const variationAttributes = screen.queryAllByRole('radiogroup') // e.g. sizes, colors + const variationAttributes = screen + .getAllByRole('radiogroup') + .filter( + (rg) => + !rg.textContent.includes('Ship to Address') && + !rg.textContent.includes('Pickup in Store') + ) // What should exist: expect(addBundleToCartButton).toBeInTheDocument() @@ -341,7 +368,13 @@ test('renders a product bundle properly - child item', () => { const addToCartButton = screen.queryByRole('button', {name: /add to cart/i}) const addToWishlistButton = screen.queryByRole('button', {name: /add to wishlist/i}) - const variationAttributes = screen.getAllByRole('radiogroup') // e.g. sizes, colors + const variationAttributes = screen + .getAllByRole('radiogroup') + .filter( + (rg) => + !rg.textContent.includes('Ship to Address') && + !rg.textContent.includes('Pickup in Store') + ) const quantityPicker = screen.queryByRole('spinbutton', {name: /quantity:/i}) // What should exist: @@ -380,66 +413,69 @@ test('Pickup in store radio is disabled when inventoryId is NOT present in local expect(pickupRadio).toBeDisabled() }) -test('Add to Cart (Pickup in Store) includes inventoryId for the selected variant', async () => { - // Arrange: Set up localStorage with inventoryId for the current site +test('Pickup in store radio is disabled when inventoryId is present but product is out of stock', async () => { + const user = userEvent.setup() const siteId = 'site-1' const storeInfoKey = `store_${siteId}` const inventoryId = 'inventory_m_store_store1' window.localStorage.setItem(storeInfoKey, JSON.stringify({inventoryId})) - // Mock product with inventories array, orderable: true, and imageGroups - const mockProductWithOrderableInventory = { + // Product inventory is not orderable + const mockProduct = { ...mockProductDetail, - productId: 'variant-123', // ensure this is set for the variant - imageGroups: mockProductDetail.imageGroups || [ - { - viewType: 'small', - images: [{link: 'http://example.com/image.jpg'}] - } - ], - inventories: [ - { - ats: 10, - backorderable: false, - id: inventoryId, - orderable: true, - preorderable: false, - stockLevel: 10 - } - ] + inventories: [{id: inventoryId, orderable: false}] } - // Mock addToCart to capture the productItems argument - let receivedProductItems = null - const addToCart = jest.fn((items) => { - receivedProductItems = items - return Promise.resolve([ - { - product: mockProductWithOrderableInventory, - variant: mockProductWithOrderableInventory, - quantity: 1 - } - ]) - }) + renderWithProviders() - // Render with pickupInStore true - renderWithProviders( - {}} - /> - ) + const pickupRadio = await screen.findByRole('radio', {name: /pickup in store/i}) + // Chakra UI does not set a semantic disabled attribute, so we test for unclickability + expect(pickupRadio).not.toBeChecked() + await user.click(pickupRadio) + expect(pickupRadio).not.toBeChecked() +}) - // Act: Click Add to Cart - const addToCartButton = await screen.findByRole('button', {name: /add to cart/i}) - fireEvent.click(addToCartButton) +describe('ProductView stock status messages', () => { + const siteId = 'site-1' + const storeInfoKey = `store_${siteId}` + const storeName = 'Test Store' + const inventoryId = 'inventory_m_store_store1' - // Assert: addToCart was called and inventoryId is present in the product item - await waitFor(() => { - expect(addToCart).toHaveBeenCalled() - expect(receivedProductItems[0].inventoryId).toBe(inventoryId) - expect(receivedProductItems[0].productId).toBe('variant-123') + afterEach(() => { + window.localStorage.clear() + }) + + test('shows "In Stock at {storeName}" when store has inventory', async () => { + window.localStorage.setItem(storeInfoKey, JSON.stringify({inventoryId, name: storeName})) + const mockProduct = { + ...mockProductDetail, + inventories: [{id: inventoryId, orderable: true}], + name: 'Test Product' + } + renderWithProviders() + const msg = await screen.findByText(/In Stock at/i) + expect(msg).toBeInTheDocument() + expect(msg).toHaveTextContent(storeName) + // Store name should be a link + const link = msg.querySelector('a') + expect(link.getAttribute('href')).toMatch(/store-locator/) + expect(link).toHaveTextContent(storeName) + }) + + test('shows "Out of Stock at {storeName}" when store is out of inventory', async () => { + window.localStorage.setItem(storeInfoKey, JSON.stringify({inventoryId, name: storeName})) + const mockProduct = { + ...mockProductDetail, + inventories: [{id: inventoryId, orderable: false}], + name: 'Test Product' + } + renderWithProviders() + const msg = await screen.findByText(/Out of Stock at/i) + expect(msg).toBeInTheDocument() + expect(msg).toHaveTextContent(storeName) + // Store name should be a link + const link = msg.querySelector('a') + expect(link.getAttribute('href')).toMatch(/store-locator/) + expect(link).toHaveTextContent(storeName) }) }) diff --git a/packages/template-retail-react-app/app/components/quantity-picker/index.test.jsx b/packages/template-retail-react-app/app/components/quantity-picker/index.test.jsx index e46022416f..12687730ca 100644 --- a/packages/template-retail-react-app/app/components/quantity-picker/index.test.jsx +++ b/packages/template-retail-react-app/app/components/quantity-picker/index.test.jsx @@ -19,34 +19,30 @@ const MINUS = '\u2212' // HTML `−`, not the same as '-' (\u002d) describe('QuantityPicker', () => { test('clicking plus increments value', async () => { - const user = userEvent.setup() renderWithProviders() const input = screen.getByRole('spinbutton') const button = screen.getByText('+') - await user.click(button) + await userEvent.click(button) expect(input.value).toBe('6') }) test('clicking minus decrements value', async () => { - const user = userEvent.setup() renderWithProviders() const input = screen.getByRole('spinbutton') const button = screen.getByText(MINUS) - await user.click(button) + await userEvent.click(button) expect(input.value).toBe('4') }) test('typing enter/space on plus increments value', async () => { - const user = userEvent.setup() renderWithProviders() const input = screen.getByRole('spinbutton') const button = screen.getByText('+') - await user.type(button, '{enter}') + await userEvent.type(button, '{enter}') expect(input.value).toBe('6') - await user.type(button, '{space}') + await userEvent.type(button, '{space}') expect(input.value).toBe('7') }) test('keydown enter/space on plus increments value', async () => { - const user = userEvent.setup() renderWithProviders() const input = screen.getByRole('spinbutton') const button = screen.getByText('+') @@ -57,18 +53,16 @@ describe('QuantityPicker', () => { }) test('typing space on minus decrements value', async () => { - const user = userEvent.setup() renderWithProviders() const input = screen.getByRole('spinbutton') const button = screen.getByText(MINUS) - await user.type(button, '{enter}') + await userEvent.type(button, '{enter}') expect(input.value).toBe('4') - await user.type(button, '{space}') + await userEvent.type(button, '{space}') expect(input.value).toBe('3') }) test('keydown enter/space on minus decrements value', async () => { - const user = userEvent.setup() renderWithProviders() const input = screen.getByRole('spinbutton') const button = screen.getByText(MINUS) @@ -79,18 +73,16 @@ describe('QuantityPicker', () => { }) test('plus button is tabbable', async () => { - const user = userEvent.setup() renderWithProviders() const input = screen.getByRole('spinbutton') - await user.type(input, '{tab}') + await userEvent.type(input, '{tab}') const button = screen.getByText('+') expect(button).toHaveFocus() }) test('minus button is tabbable', async () => { - const user = userEvent.setup() renderWithProviders() const input = screen.getByRole('spinbutton') - await user.type(input, '{shift>}{tab}') // > modifier in {shift>} means "keep key pressed" + await userEvent.type(input, '{shift>}{tab}') // > modifier in {shift>} means "keep key pressed" const button = screen.getByText(MINUS) expect(button).toHaveFocus() }) diff --git a/packages/template-retail-react-app/app/components/reset-password/index.test.js b/packages/template-retail-react-app/app/components/reset-password/index.test.js index dffd983e28..74c9937a54 100644 --- a/packages/template-retail-react-app/app/components/reset-password/index.test.js +++ b/packages/template-retail-react-app/app/components/reset-password/index.test.js @@ -49,7 +49,7 @@ const MockedErrorComponent = () => { } test('Allows customer to generate password token and see success message', async () => { - const mockSubmitForm = jest.fn(async (data) => ({ + const mockSubmitForm = jest.fn(async () => ({ password: jest.fn(async (passwordData) => { // Mock behavior inside the password function console.log('Password function called with:', passwordData) diff --git a/packages/template-retail-react-app/app/components/unavailable-product-confirmation-modal/index.test.js b/packages/template-retail-react-app/app/components/unavailable-product-confirmation-modal/index.test.js index 78fe2fcdf3..df10b88e8d 100644 --- a/packages/template-retail-react-app/app/components/unavailable-product-confirmation-modal/index.test.js +++ b/packages/template-retail-react-app/app/components/unavailable-product-confirmation-modal/index.test.js @@ -103,7 +103,6 @@ describe('UnavailableProductConfirmationModal', () => { }) test('opens confirmation modal when unavailable products are found with defined productIds prop', async () => { - const mockProductIds = ['701642889899M', '701642889830M'] prependHandlersToServer([ { path: '*/products', diff --git a/packages/template-retail-react-app/app/hooks/use-add-to-cart-modal.js b/packages/template-retail-react-app/app/hooks/use-add-to-cart-modal.js index 7b9565b67b..65ab745f5a 100644 --- a/packages/template-retail-react-app/app/hooks/use-add-to-cart-modal.js +++ b/packages/template-retail-react-app/app/hooks/use-add-to-cart-modal.js @@ -155,17 +155,24 @@ export const AddToCartModal = () => { gridGap={4} > {itemsAdded.map(({product, variant, quantity}) => { - const displayProduct = variant || product - const variationAttributeValues = variant && product.variationAttributes - ? getDisplayVariationValues( - product.variationAttributes, - variant.variationValues - ) - : {} + const variationAttributeValues = + variant && product.variationAttributes + ? getDisplayVariationValues( + product.variationAttributes, + variant.variationValues + ) + : {} return ( - - {(variant.name || product.name) + (quantity > 1 ? ` (${quantity})` : '')} + + {(variant.name || product.name) + + (quantity > 1 + ? ` (${quantity})` + : '')} { )} {!isProductABundle && itemsAdded.map(({product, variant, quantity}, index) => { - const displayProduct = variant || product const image = findImageGroupBy(product.imageGroups, { viewType: 'small', selectedVariationAttributes: variant?.variationValues })?.images?.[0] - const priceData = getPriceData(displayProduct, {quantity}) - const variationAttributeValues = variant && product.variationAttributes - ? getDisplayVariationValues( - product.variationAttributes, - variant.variationValues - ) - : {} + const priceData = getPriceData(product, {quantity}) + const variationAttributeValues = + variant && product.variationAttributes + ? getDisplayVariationValues( + product.variationAttributes, + variant.variationValues + ) + : {} return ( { fontFamily="body" fontWeight="700" > - {displayProduct.name || product.name} + {product.name || product.name} { mockBundleItemsAdded.forEach(({product, variant, quantity}) => { expect( screen.getByText((content) => content.trim().includes(product.name)) - ).toBeInTheDocument(); - if (quantity > 1) { - expect( - screen.getByText((content) => content.includes(`(${quantity})`)) - ).toBeInTheDocument(); - } + ).toBeInTheDocument() + const quantityText = `(${quantity})` + const found = !!screen.queryByText((content) => content.includes(quantityText)) + expect(found).toBe(quantity > 1) const variationAttributeValues = getDisplayVariationValues( product.variationAttributes, variant.variationValues diff --git a/packages/template-retail-react-app/app/pages/account/profile.test.js b/packages/template-retail-react-app/app/pages/account/profile.test.js index 8a1ad392bf..0d92363a92 100644 --- a/packages/template-retail-react-app/app/pages/account/profile.test.js +++ b/packages/template-retail-react-app/app/pages/account/profile.test.js @@ -21,8 +21,6 @@ import {Route, Switch} from 'react-router-dom' import mockConfig from '@salesforce/retail-react-app/config/mocks/default' import * as sdk from '@salesforce/commerce-sdk-react' -let mockCustomer = {} - const MockedComponent = () => { return ( diff --git a/packages/template-retail-react-app/app/pages/checkout/partials/payment-form.jsx b/packages/template-retail-react-app/app/pages/checkout/partials/payment-form.jsx index dfe0c42d42..d65fee2a85 100644 --- a/packages/template-retail-react-app/app/pages/checkout/partials/payment-form.jsx +++ b/packages/template-retail-react-app/app/pages/checkout/partials/payment-form.jsx @@ -14,8 +14,7 @@ import { RadioGroup, Stack, Text, - Tooltip, - Heading + Tooltip } from '@salesforce/retail-react-app/app/components/shared/ui' import {useCurrentBasket} from '@salesforce/retail-react-app/app/hooks/use-current-basket' import {LockIcon, PaypalIcon} from '@salesforce/retail-react-app/app/components/icons' diff --git a/packages/template-retail-react-app/app/pages/product-detail/index.jsx b/packages/template-retail-react-app/app/pages/product-detail/index.jsx index f4023db126..9d9addf15b 100644 --- a/packages/template-retail-react-app/app/pages/product-detail/index.jsx +++ b/packages/template-retail-react-app/app/pages/product-detail/index.jsx @@ -15,7 +15,7 @@ import { } from '@salesforce/retail-react-app/app/utils/product-utils' // Components -import {Box, Button, Stack, Checkbox} from '@salesforce/retail-react-app/app/components/shared/ui' +import {Box, Button, Stack} from '@salesforce/retail-react-app/app/components/shared/ui' import { useProduct, useProducts, @@ -75,22 +75,28 @@ const ProductDetail = () => { // --- Add state for inventoryId --- const [selectedInventoryId, setSelectedInventoryId] = useState(() => { try { - return JSON.parse(window.localStorage.getItem(storeInfoKey))?.inventoryId || null; - } catch (e) { return null; } - }); + return JSON.parse(window.localStorage.getItem(storeInfoKey))?.inventoryId || null + } catch (e) { + return null + } + }) // --- Listen for store changes in localStorage --- useEffect(() => { function handleStorageChange() { try { - setSelectedInventoryId(JSON.parse(window.localStorage.getItem(storeInfoKey))?.inventoryId || null); - } catch (e) { setSelectedInventoryId(null); } + setSelectedInventoryId( + JSON.parse(window.localStorage.getItem(storeInfoKey))?.inventoryId || null + ) + } catch (e) { + setSelectedInventoryId(null) + } } - window.addEventListener('storage', handleStorageChange); + window.addEventListener('storage', handleStorageChange) // Also update on mount in case store was changed in this tab - handleStorageChange(); - return () => window.removeEventListener('storage', handleStorageChange); - }, [storeInfoKey]); + handleStorageChange() + return () => window.removeEventListener('storage', handleStorageChange) + }, [storeInfoKey]) /****************************** Basket *********************************/ const {isLoading: isBasketLoading} = useCurrentBasket() @@ -328,55 +334,63 @@ const ProductDetail = () => { })) } - const addToCartModal = useAddToCartModalContext(); + const addToCartModal = useAddToCartModalContext() const handleAddToCart = async (productSelectionValues = []) => { try { const productItems = productSelectionValues.map((item) => { - const {variant, quantity} = item; + const {variant, quantity} = item // Use variant if present, otherwise use the main product - const prod = variant || item.product || product; - const prodKey = prod.productId || prod.id; + const prod = variant || item.product || product + const prodKey = prod.productId || prod.id let result = { productId: prod.productId || prod.id, // productId for variant, id for product price: prod.price, quantity - }; + } // Robustly fetch inventoryId from localStorage if pickupInStore is true if (pickupInStoreMap[prodKey]) { - const siteId = site?.id || (window.SFCC && window.SFCC.siteId); - const storeInfoKey = `store_${siteId}`; - let inventoryId = undefined; - let storeName = undefined; + const siteId = site?.id || (window.SFCC && window.SFCC.siteId) + const storeInfoKey = `store_${siteId}` + let inventoryId = undefined try { - const storeInfo = JSON.parse(window.localStorage.getItem(storeInfoKey)); - inventoryId = storeInfo?.inventoryId; - storeName = storeInfo?.name; - } catch (e) {} + const storeInfo = JSON.parse(window.localStorage.getItem(storeInfoKey)) + inventoryId = storeInfo?.inventoryId + } catch (e) { + // intentionally empty: ignore errors + } if (inventoryId) { - result.inventoryId = inventoryId; + result.inventoryId = inventoryId } } - return result; - }); + return result + }) // Defensive check: This block ensures that if, for any reason, pickup is selected for a product but no store (inventoryId) is set, // we show an error. With the current UI logic, this should never be reached, but it guards against unexpected state. - if (productItems.some(item => item.inventoryId === undefined && pickupInStoreMap[item.productId || item.id])) { - showError(formatMessage({ - id: 'product_view.error.no_store_selected_for_pickup', - defaultMessage: 'No valid store or inventory found for pickup' - })); - return; + if ( + productItems.some( + (item) => + item.inventoryId === undefined && + pickupInStoreMap[item.productId || item.id] + ) + ) { + showError( + formatMessage({ + id: 'product_view.error.no_store_selected_for_pickup', + defaultMessage: 'No valid store or inventory found for pickup' + }) + ) + return } - await addItemToNewOrExistingBasket(productItems); - einstein.sendAddToCart(productItems); + await addItemToNewOrExistingBasket(productItems) + einstein.sendAddToCart(productItems) // Open modal with itemsAdded - addToCartModal.onOpen({ product, itemsAdded: productSelectionValues }); - return productSelectionValues; + addToCartModal.onOpen({product, itemsAdded: productSelectionValues}) + return productSelectionValues } catch (error) { - showError(error); + showError(error) } - }; + } /**************** Product Set/Bundles Handlers ****************/ const handleChildProductValidation = useCallback(() => { @@ -464,7 +478,7 @@ const ProductDetail = () => { } einstein.sendAddToCart(productItems) // Open modal with itemsAdded and selectedQuantity for bundles - addToCartModal.onOpen({ product, itemsAdded: childProductSelections, selectedQuantity }); + addToCartModal.onOpen({product, itemsAdded: childProductSelections, selectedQuantity}) return childProductSelections } catch (error) { showError(error) @@ -542,7 +556,9 @@ const ProductDetail = () => { setSelectedBundleQuantity={setSelectedBundleQuantity} selectedBundleParentQuantity={selectedBundleQuantity} pickupInStore={!!pickupInStoreMap[product?.id]} - setPickupInStore={(checked) => product && handlePickupInStoreChange(product.id, checked)} + setPickupInStore={(checked) => + product && handlePickupInStoreChange(product.id, checked) + } />
@@ -608,7 +624,10 @@ const ProductDetail = () => { setChildProductOrderability } pickupInStore={!!pickupInStoreMap[childProduct?.id]} - setPickupInStore={(checked) => childProduct && handlePickupInStoreChange(childProduct.id, checked)} + setPickupInStore={(checked) => + childProduct && + handlePickupInStoreChange(childProduct.id, checked) + } /> @@ -636,7 +655,9 @@ const ProductDetail = () => { setSelectedBundleQuantity={setSelectedBundleQuantity} selectedBundleParentQuantity={selectedBundleQuantity} pickupInStore={!!pickupInStoreMap[product?.id]} - setPickupInStore={(checked) => product && handlePickupInStoreChange(product.id, checked)} + setPickupInStore={(checked) => + product && handlePickupInStoreChange(product.id, checked) + } /> diff --git a/packages/template-retail-react-app/app/pages/product-detail/index.test.js b/packages/template-retail-react-app/app/pages/product-detail/index.test.js index 2f1e5fdda9..22c3e669b4 100644 --- a/packages/template-retail-react-app/app/pages/product-detail/index.test.js +++ b/packages/template-retail-react-app/app/pages/product-detail/index.test.js @@ -511,3 +511,55 @@ test('fetches product with inventoryIds from localStorage if present', async () expect(await screen.findByTestId('product-details-page')).toBeInTheDocument() expect(inventoryIdsParam).toBe(inventoryId) }) + +test('Add to Cart (Pickup in Store) includes inventoryId for the selected variant', async () => { + // Arrange: Set up localStorage with inventoryId for the current site + const siteId = 'site-1' // Use your actual site id here if different + const storeInfoKey = `store_${siteId}` + const inventoryId = 'inventory_m_store_store1' + window.localStorage.setItem(storeInfoKey, JSON.stringify({inventoryId})) + + // Create a product with a matching, orderable inventory + const masterProductWithInventory = { + ...masterProduct, + inventories: [ + { + id: inventoryId, + orderable: true, + ats: 10, + stockLevel: 10 + } + ] + } + + // Mock the product to be a simple master product with inventory + global.server.use( + rest.get('*/products/:productId', (req, res, ctx) => { + return res(ctx.json(masterProductWithInventory)) + }), + rest.post('*/baskets/:basketId/items', async (req, res, ctx) => { + const body = await req.json() + // Assert: inventoryId is included in the request body + expect(body[0].inventoryId).toBe(inventoryId) + return res(ctx.json({})) + }) + ) + + renderWithProviders() + + // Wait for page to load + expect(await screen.findByTestId('product-details-page')).toBeInTheDocument() + + // Select "Pickup in Store" + const pickupLabel = await screen.findByLabelText(/Pickup in Store/i) + fireEvent.click(pickupLabel) + + // Click Add to Cart + const addToCartButton = await screen.findByRole('button', {name: /add to cart/i}) + fireEvent.click(addToCartButton) + + // Wait for the POST to be called and assertion to run + await waitFor(() => { + // The assertion is inside the mock POST handler above + }) +}) diff --git a/packages/template-retail-react-app/app/static/translations/compiled/en-US.json b/packages/template-retail-react-app/app/static/translations/compiled/en-US.json index 19d7a479aa..46ad8d4a1b 100644 --- a/packages/template-retail-react-app/app/static/translations/compiled/en-US.json +++ b/packages/template-retail-react-app/app/static/translations/compiled/en-US.json @@ -2899,6 +2899,18 @@ "value": "Update" } ], + "product_view.error.no_store_selected_for_pickup": [ + { + "type": 0, + "value": "No store selected for pickup" + } + ], + "product_view.error.not_available_for_pickup": [ + { + "type": 0, + "value": "Out of Stock in Store" + } + ], "product_view.label.assistive_msg.quantity_decrement": [ { "type": 0, @@ -2919,6 +2931,18 @@ "value": "productName" } ], + "product_view.label.delivery": [ + { + "type": 0, + "value": "Delivery:" + } + ], + "product_view.label.pickup_in_store": [ + { + "type": 0, + "value": "Pickup in store" + } + ], "product_view.label.quantity": [ { "type": 0, @@ -2949,6 +2973,26 @@ "value": "See full details" } ], + "product_view.status.in_stock_at_store": [ + { + "type": 0, + "value": "In Stock at " + }, + { + "type": 1, + "value": "storeName" + } + ], + "product_view.status.out_of_stock_at_store": [ + { + "type": 0, + "value": "Out of Stock at " + }, + { + "type": 1, + "value": "storeName" + } + ], "profile_card.info.profile_updated": [ { "type": 0, diff --git a/packages/template-retail-react-app/app/static/translations/compiled/en-XA.json b/packages/template-retail-react-app/app/static/translations/compiled/en-XA.json index fccc43668c..c74b3f8a83 100644 --- a/packages/template-retail-react-app/app/static/translations/compiled/en-XA.json +++ b/packages/template-retail-react-app/app/static/translations/compiled/en-XA.json @@ -6163,6 +6163,34 @@ "value": "]" } ], + "product_view.error.no_store_selected_for_pickup": [ + { + "type": 0, + "value": "[" + }, + { + "type": 0, + "value": "Ƞǿǿ şŧǿǿřḗḗ şḗḗŀḗḗƈŧḗḗḓ ƒǿǿř ƥīƈķŭŭƥ" + }, + { + "type": 0, + "value": "]" + } + ], + "product_view.error.not_available_for_pickup": [ + { + "type": 0, + "value": "[" + }, + { + "type": 0, + "value": "Ǿŭŭŧ ǿǿƒ Şŧǿǿƈķ īƞ Şŧǿǿřḗḗ" + }, + { + "type": 0, + "value": "]" + } + ], "product_view.label.assistive_msg.quantity_decrement": [ { "type": 0, @@ -6199,6 +6227,34 @@ "value": "]" } ], + "product_view.label.delivery": [ + { + "type": 0, + "value": "[" + }, + { + "type": 0, + "value": "Ḓḗḗŀīṽḗḗřẏ:" + }, + { + "type": 0, + "value": "]" + } + ], + "product_view.label.pickup_in_store": [ + { + "type": 0, + "value": "[" + }, + { + "type": 0, + "value": "Ƥīƈķŭŭƥ īƞ şŧǿǿřḗḗ" + }, + { + "type": 0, + "value": "]" + } + ], "product_view.label.quantity": [ { "type": 0, @@ -6269,6 +6325,42 @@ "value": "]" } ], + "product_view.status.in_stock_at_store": [ + { + "type": 0, + "value": "[" + }, + { + "type": 0, + "value": "Īƞ Şŧǿǿƈķ ȧȧŧ " + }, + { + "type": 1, + "value": "storeName" + }, + { + "type": 0, + "value": "]" + } + ], + "product_view.status.out_of_stock_at_store": [ + { + "type": 0, + "value": "[" + }, + { + "type": 0, + "value": "Ǿŭŭŧ ǿǿƒ Şŧǿǿƈķ ȧȧŧ " + }, + { + "type": 1, + "value": "storeName" + }, + { + "type": 0, + "value": "]" + } + ], "profile_card.info.profile_updated": [ { "type": 0, diff --git a/packages/template-retail-react-app/app/utils/product-utils.js b/packages/template-retail-react-app/app/utils/product-utils.js index 83e4bcfbb5..a4bda498d5 100644 --- a/packages/template-retail-react-app/app/utils/product-utils.js +++ b/packages/template-retail-react-app/app/utils/product-utils.js @@ -23,10 +23,10 @@ import {productUrlBuilder, rebuildPathWithParams} from '@salesforce/retail-react * // returns { "Colour": "royal" } */ export const getDisplayVariationValues = (variationAttributes, values = {}) => { - if (!Array.isArray(variationAttributes)) return {}; + if (!Array.isArray(variationAttributes)) return {} const returnVal = Object.entries(values).reduce((acc, [id, value]) => { const attribute = variationAttributes.find(({id: attributeId}) => attributeId === id) - if (!attribute) return acc; + if (!attribute) return acc const attributeValue = attribute.values.find( ({value: attributeValue}) => attributeValue === value ) From 23d3bb174583afac8e8202cf241f8a676d341603 Mon Sep 17 00:00:00 2001 From: snilakandan Date: Sun, 8 Jun 2025 22:39:22 -0500 Subject: [PATCH 05/20] Fixing product bundles --- .../app/pages/product-detail/index.jsx | 13 +++++++++++-- 1 file changed, 11 insertions(+), 2 deletions(-) diff --git a/packages/template-retail-react-app/app/pages/product-detail/index.jsx b/packages/template-retail-react-app/app/pages/product-detail/index.jsx index 9d9addf15b..0c89e3d267 100644 --- a/packages/template-retail-react-app/app/pages/product-detail/index.jsx +++ b/packages/template-retail-react-app/app/pages/product-detail/index.jsx @@ -436,14 +436,22 @@ const ProductDetail = () => { /**************** Product Bundle Handlers ****************/ // Top level bundle does not have variants - const handleProductBundleAddToCart = async (variant, selectedQuantity) => { + const handleProductBundleAddToCart = async (variantOrArray, selectedQuantity) => { + // Support both signatures: (variant, selectedQuantity) and ([{variant, quantity}]) + let quantity; + if (Array.isArray(variantOrArray)) { + quantity = variantOrArray[0]?.quantity; + } else { + quantity = selectedQuantity; + } + try { const childProductSelections = Object.values(childProductSelection) const productItems = [ { productId: product.id, price: product.price, - quantity: selectedQuantity, + quantity: quantity, bundledProductItems: childProductSelections.map((child) => { return { productId: child.variant.productId, @@ -452,6 +460,7 @@ const ProductDetail = () => { }) } ] + const res = await addItemToNewOrExistingBasket(productItems) const bundleChildMasterIds = childProductSelections.map((child) => { return child.product.id From f39b47ff190fe8464430c4c03d0ec4f02a1ef546 Mon Sep 17 00:00:00 2001 From: snilakandan Date: Sun, 8 Jun 2025 22:45:24 -0500 Subject: [PATCH 06/20] Reverting git ignore --- .gitignore | 2 +- my-test-project/.eslintignore | 4 + my-test-project/.eslintrc.js | 10 + my-test-project/.prettierrc.yaml | 7 + my-test-project/README.MD | 56 + my-test-project/babel.config.js | 7 + my-test-project/build/loadable-stats.json | 1319 + my-test-project/config/default.js | 120 + my-test-project/config/sites.js | 26 + my-test-project/jest.config.js | 22 + .../overrides/app/assets/svg/brand-logo.svg | 5 + .../app/components/_app-config/index.jsx | 133 + my-test-project/overrides/app/constants.js | 29 + my-test-project/overrides/app/main.jsx | 14 + .../overrides/app/pages/home/index.jsx | 167 + .../app/pages/my-new-route/index.jsx | 14 + .../overrides/app/request-processor.js | 118 + my-test-project/overrides/app/routes.jsx | 42 + my-test-project/overrides/app/ssr.js | 362 + .../overrides/app/static/dwac-21.7.js | 475 + .../overrides/app/static/dwanalytics-22.2.js | 502 + .../overrides/app/static/head-active_data.js | 43 + .../overrides/app/static/ico/favicon.ico | Bin 0 -> 15406 bytes .../app/static/img/global/app-icon-192.png | Bin 0 -> 10234 bytes .../app/static/img/global/app-icon-512.png | Bin 0 -> 29962 bytes .../static/img/global/apple-touch-icon.png | Bin 0 -> 9171 bytes .../overrides/app/static/img/hero.png | Bin 0 -> 54741 bytes .../overrides/app/static/manifest.json | 19 + .../overrides/app/static/robots.txt | 2 + .../static/translations/compiled/de-DE.json | 3470 +++ .../static/translations/compiled/en-GB.json | 4200 +++ .../static/translations/compiled/en-US.json | 4200 +++ .../static/translations/compiled/en-XA.json | 8952 ++++++ .../static/translations/compiled/es-MX.json | 3482 +++ .../static/translations/compiled/fr-FR.json | 3482 +++ .../static/translations/compiled/it-IT.json | 3454 +++ .../static/translations/compiled/ja-JP.json | 3466 +++ .../static/translations/compiled/ko-KR.json | 3454 +++ .../static/translations/compiled/pt-BR.json | 3486 +++ .../static/translations/compiled/zh-CN.json | 3474 +++ .../static/translations/compiled/zh-TW.json | 3470 +++ my-test-project/package-lock.json | 23144 ++++++++++++++++ my-test-project/package.json | 52 + my-test-project/translations/README.md | 127 + my-test-project/translations/de-DE.json | 1517 + my-test-project/translations/en-GB.json | 1801 ++ my-test-project/translations/en-US.json | 1801 ++ my-test-project/translations/es-MX.json | 1517 + my-test-project/translations/fr-FR.json | 1517 + my-test-project/translations/it-IT.json | 1517 + my-test-project/translations/ja-JP.json | 1517 + my-test-project/translations/ko-KR.json | 1517 + my-test-project/translations/pt-BR.json | 1517 + my-test-project/translations/zh-CN.json | 1517 + my-test-project/translations/zh-TW.json | 1517 + my-test-project/worker/main.js | 6 + 56 files changed, 92671 insertions(+), 1 deletion(-) create mode 100644 my-test-project/.eslintignore create mode 100644 my-test-project/.eslintrc.js create mode 100644 my-test-project/.prettierrc.yaml create mode 100644 my-test-project/README.MD create mode 100644 my-test-project/babel.config.js create mode 100644 my-test-project/build/loadable-stats.json create mode 100644 my-test-project/config/default.js create mode 100644 my-test-project/config/sites.js create mode 100644 my-test-project/jest.config.js create mode 100644 my-test-project/overrides/app/assets/svg/brand-logo.svg create mode 100644 my-test-project/overrides/app/components/_app-config/index.jsx create mode 100644 my-test-project/overrides/app/constants.js create mode 100644 my-test-project/overrides/app/main.jsx create mode 100644 my-test-project/overrides/app/pages/home/index.jsx create mode 100644 my-test-project/overrides/app/pages/my-new-route/index.jsx create mode 100644 my-test-project/overrides/app/request-processor.js create mode 100644 my-test-project/overrides/app/routes.jsx create mode 100644 my-test-project/overrides/app/ssr.js create mode 100644 my-test-project/overrides/app/static/dwac-21.7.js create mode 100644 my-test-project/overrides/app/static/dwanalytics-22.2.js create mode 100644 my-test-project/overrides/app/static/head-active_data.js create mode 100644 my-test-project/overrides/app/static/ico/favicon.ico create mode 100644 my-test-project/overrides/app/static/img/global/app-icon-192.png create mode 100644 my-test-project/overrides/app/static/img/global/app-icon-512.png create mode 100644 my-test-project/overrides/app/static/img/global/apple-touch-icon.png create mode 100644 my-test-project/overrides/app/static/img/hero.png create mode 100644 my-test-project/overrides/app/static/manifest.json create mode 100644 my-test-project/overrides/app/static/robots.txt create mode 100644 my-test-project/overrides/app/static/translations/compiled/de-DE.json create mode 100644 my-test-project/overrides/app/static/translations/compiled/en-GB.json create mode 100644 my-test-project/overrides/app/static/translations/compiled/en-US.json create mode 100644 my-test-project/overrides/app/static/translations/compiled/en-XA.json create mode 100644 my-test-project/overrides/app/static/translations/compiled/es-MX.json create mode 100644 my-test-project/overrides/app/static/translations/compiled/fr-FR.json create mode 100644 my-test-project/overrides/app/static/translations/compiled/it-IT.json create mode 100644 my-test-project/overrides/app/static/translations/compiled/ja-JP.json create mode 100644 my-test-project/overrides/app/static/translations/compiled/ko-KR.json create mode 100644 my-test-project/overrides/app/static/translations/compiled/pt-BR.json create mode 100644 my-test-project/overrides/app/static/translations/compiled/zh-CN.json create mode 100644 my-test-project/overrides/app/static/translations/compiled/zh-TW.json create mode 100644 my-test-project/package-lock.json create mode 100644 my-test-project/package.json create mode 100644 my-test-project/translations/README.md create mode 100644 my-test-project/translations/de-DE.json create mode 100644 my-test-project/translations/en-GB.json create mode 100644 my-test-project/translations/en-US.json create mode 100644 my-test-project/translations/es-MX.json create mode 100644 my-test-project/translations/fr-FR.json create mode 100644 my-test-project/translations/it-IT.json create mode 100644 my-test-project/translations/ja-JP.json create mode 100644 my-test-project/translations/ko-KR.json create mode 100644 my-test-project/translations/pt-BR.json create mode 100644 my-test-project/translations/zh-CN.json create mode 100644 my-test-project/translations/zh-TW.json create mode 100644 my-test-project/worker/main.js diff --git a/.gitignore b/.gitignore index 6e0a09c24f..2321d42bb5 100644 --- a/.gitignore +++ b/.gitignore @@ -14,5 +14,5 @@ lerna-debug.log /test-results/ /playwright-report/ /playwright/.cache/ -my-test-project/ + diff --git a/my-test-project/.eslintignore b/my-test-project/.eslintignore new file mode 100644 index 0000000000..971b77621c --- /dev/null +++ b/my-test-project/.eslintignore @@ -0,0 +1,4 @@ +build +coverage +docs +overrides/app/static diff --git a/my-test-project/.eslintrc.js b/my-test-project/.eslintrc.js new file mode 100644 index 0000000000..6cb29a9bcd --- /dev/null +++ b/my-test-project/.eslintrc.js @@ -0,0 +1,10 @@ +/* + * Copyright (c) 2023, Salesforce, Inc. + * All rights reserved. + * SPDX-License-Identifier: BSD-3-Clause + * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause + */ + +module.exports = { + extends: [require.resolve('@salesforce/pwa-kit-dev/configs/eslint')] +} diff --git a/my-test-project/.prettierrc.yaml b/my-test-project/.prettierrc.yaml new file mode 100644 index 0000000000..33069bf2b2 --- /dev/null +++ b/my-test-project/.prettierrc.yaml @@ -0,0 +1,7 @@ +printWidth: 100 +singleQuote: true +semi: false +bracketSpacing: false +tabWidth: 4 +arrowParens: 'always' +trailingComma: 'none' diff --git a/my-test-project/README.MD b/my-test-project/README.MD new file mode 100644 index 0000000000..0ca39c236c --- /dev/null +++ b/my-test-project/README.MD @@ -0,0 +1,56 @@ +# PWA Kit Generated App + +Welcome to the PWA Kit! + +## Getting Started + +### Requirements + +- Node 18 or later +- npm 9 or later + +### Run the Project Locally + +```bash +npm start +``` + +This will open a browser and your storefront will be running on http://localhost:3000 + +### Deploy to Managed Runtime + +``` +npm run push -- -m "Message to help you recognize this bundle" +``` + +**Note**: This command will push to the MRT project that matches the name field in `package.json`. To push to a different project, include the `-s` argument. + +**Important**: Access to the [Runtime Admin](https://runtime.commercecloud.com/) application is required to deploy bundles. To learn more, read our guide to [Push and Deploy Bundles](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/guide/pushing-and-deploying-bundles.html). + +## Customizing the application + +This version of the application uses [Template Extensibility](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/guide/template-extensibility.html) to empower you to more easily customize base templates. Please refer to our documentation for more information. + +## 🌍 Localization + +See the [Localization README.md](./packages/template-retail-react-app/translations/README.md) for important setup instructions for localization. + +## 📖 Documentation + +The full documentation for PWA Kit and Managed Runtime is hosted on the [Salesforce Developers](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/overview) portal. + +## Further documentation + +For more information on working with the PWA Kit, refer to: + +- [Get Started](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/guide/getting-started.html) +- [Skills for Success](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/guide/skills-for-success.html) +- [Set Up API Access](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/guide/setting-up-api-access.html) +- [Configuration Options](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/guide/configuration-options.html) +- [Proxy Requests](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/guide/proxying-requests.html) +- [Push and Deploy Bundles](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/guide/pushing-and-deploying-bundles.html) +- [The Retail React App](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/guide/retail-react-app.html) +- [Rendering](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/guide/rendering.html) +- [Routing](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/guide/routing.html) +- [Phased Headless Rollouts](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/guide/phased-headless-rollouts.html) +- [Launch Your Storefront](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/guide/launching-your-storefront.html) diff --git a/my-test-project/babel.config.js b/my-test-project/babel.config.js new file mode 100644 index 0000000000..7ae21dc25b --- /dev/null +++ b/my-test-project/babel.config.js @@ -0,0 +1,7 @@ +/* + * Copyright (c) 2023, Salesforce, Inc. + * All rights reserved. + * SPDX-License-Identifier: BSD-3-Clause + * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause + */ +module.exports = require('@salesforce/pwa-kit-dev/configs/babel/babel-config') diff --git a/my-test-project/build/loadable-stats.json b/my-test-project/build/loadable-stats.json new file mode 100644 index 0000000000..4cb847b5e7 --- /dev/null +++ b/my-test-project/build/loadable-stats.json @@ -0,0 +1,1319 @@ +{ + "name": "client", + "hash": "e085b83fe420a61a35ae", + "publicPath": "", + "outputPath": "/Users/snilakandan/dev/git-repos/ecom/pwa-kit/my-test-project/build", + "assetsByChunkName": { + "main": [ + "main.js" + ], + "pages-home": [ + "pages-home.js" + ], + "pages-my-new-route": [ + "pages-my-new-route.js" + ], + "pages-login": [ + "pages-login.js" + ], + "pages-registration": [ + "pages-registration.js" + ], + "pages-reset-password": [ + "pages-reset-password.js" + ], + "pages-account": [ + "pages-account.js" + ], + "pages-cart": [ + "pages-cart.js" + ], + "pages-checkout": [ + "pages-checkout.js" + ], + "pages-checkout-confirmation": [ + "pages-checkout-confirmation.js" + ], + "pages-social-login-redirect": [ + "pages-social-login-redirect.js" + ], + "pages-login-redirect": [ + "pages-login-redirect.js" + ], + "pages-product-detail": [ + "pages-product-detail.js" + ], + "pages-product-search": [ + "pages-product-search.js" + ], + "pages-product-list": [ + "pages-product-list.js" + ], + "pages-store-locator": [ + "pages-store-locator.js" + ], + "pages-account-wishlist": [ + "pages-account-wishlist.js" + ], + "pages-page-not-found": [ + "pages-page-not-found.js" + ], + "vendor": [ + "vendor.js" + ] + }, + "assets": [ + { + "type": "asset", + "name": "vendor.js", + "size": 6102840, + "emitted": false, + "comparedForEmit": false, + "cached": true, + "info": { + "javascriptModule": false, + "related": { + "sourceMap": "vendor.js.map" + } + }, + "chunkNames": [ + "vendor" + ], + "chunkIdHints": [ + "vendor" + ], + "auxiliaryChunkNames": [], + "auxiliaryChunkIdHints": [], + "filteredRelated": 1, + "chunks": [ + "vendor" + ], + "auxiliaryChunks": [] + }, + { + "type": "asset", + "name": "main.js", + "size": 1270989, + "emitted": false, + "comparedForEmit": false, + "cached": true, + "info": { + "javascriptModule": false, + "related": { + "sourceMap": "main.js.map" + } + }, + "chunkNames": [ + "main" + ], + "chunkIdHints": [], + "auxiliaryChunkNames": [], + "auxiliaryChunkIdHints": [], + "filteredRelated": 1, + "chunks": [ + "main" + ], + "auxiliaryChunks": [] + }, + { + "type": "asset", + "name": "pages-product-list.js", + "size": 197026, + "emitted": false, + "comparedForEmit": false, + "cached": true, + "info": { + "javascriptModule": false, + "related": { + "sourceMap": "pages-product-list.js.map" + } + }, + "chunkNames": [ + "pages-product-list" + ], + "chunkIdHints": [ + "vendors" + ], + "auxiliaryChunkNames": [], + "auxiliaryChunkIdHints": [], + "filteredRelated": 1, + "chunks": [ + "pages-product-list" + ], + "auxiliaryChunks": [] + }, + { + "type": "asset", + "name": "pages-checkout.js", + "size": 186272, + "emitted": false, + "comparedForEmit": false, + "cached": true, + "info": { + "javascriptModule": false, + "related": { + "sourceMap": "pages-checkout.js.map" + } + }, + "chunkNames": [ + "pages-checkout" + ], + "chunkIdHints": [ + "vendors" + ], + "auxiliaryChunkNames": [], + "auxiliaryChunkIdHints": [], + "filteredRelated": 1, + "chunks": [ + "pages-checkout" + ], + "auxiliaryChunks": [] + }, + { + "type": "asset", + "name": "pages-account.js", + "size": 165823, + "emitted": false, + "comparedForEmit": false, + "cached": true, + "info": { + "javascriptModule": false, + "related": { + "sourceMap": "pages-account.js.map" + } + }, + "chunkNames": [ + "pages-account" + ], + "chunkIdHints": [ + "vendors" + ], + "auxiliaryChunkNames": [], + "auxiliaryChunkIdHints": [], + "filteredRelated": 1, + "chunks": [ + "pages-account" + ], + "auxiliaryChunks": [] + }, + { + "type": "asset", + "name": "pages-cart.js", + "size": 93569, + "emitted": false, + "comparedForEmit": false, + "cached": true, + "info": { + "javascriptModule": false, + "related": { + "sourceMap": "pages-cart.js.map" + } + }, + "chunkNames": [ + "pages-cart" + ], + "chunkIdHints": [ + "vendors" + ], + "auxiliaryChunkNames": [], + "auxiliaryChunkIdHints": [], + "filteredRelated": 1, + "chunks": [ + "pages-cart" + ], + "auxiliaryChunks": [] + }, + { + "type": "asset", + "name": "vendors-node_modules_salesforce_retail-react-app_app_components_product-view_index_jsx.js", + "size": 65787, + "emitted": false, + "comparedForEmit": false, + "cached": true, + "info": { + "javascriptModule": false, + "related": { + "sourceMap": "vendors-node_modules_salesforce_retail-react-app_app_components_product-view_index_jsx.js.map" + } + }, + "chunkNames": [], + "chunkIdHints": [ + "vendors" + ], + "auxiliaryChunkNames": [], + "auxiliaryChunkIdHints": [], + "filteredRelated": 1, + "chunks": [ + "vendors-node_modules_salesforce_retail-react-app_app_components_product-view_index_jsx" + ], + "auxiliaryChunks": [] + }, + { + "type": "asset", + "name": "vendors-node_modules_salesforce_retail-react-app_app_components_order-summary_index_jsx-node_-51813b.js", + "size": 65513, + "emitted": false, + "comparedForEmit": false, + "cached": true, + "info": { + "javascriptModule": false, + "related": { + "sourceMap": "vendors-node_modules_salesforce_retail-react-app_app_components_order-summary_index_jsx-node_-51813b.js.map" + } + }, + "chunkNames": [], + "chunkIdHints": [ + "vendors" + ], + "auxiliaryChunkNames": [], + "auxiliaryChunkIdHints": [], + "filteredRelated": 1, + "chunks": [ + "vendors-node_modules_salesforce_retail-react-app_app_components_order-summary_index_jsx-node_-51813b" + ], + "auxiliaryChunks": [] + }, + { + "type": "asset", + "name": "pages-checkout-confirmation.js", + "size": 58682, + "emitted": false, + "comparedForEmit": false, + "cached": true, + "info": { + "javascriptModule": false, + "related": { + "sourceMap": "pages-checkout-confirmation.js.map" + } + }, + "chunkNames": [ + "pages-checkout-confirmation" + ], + "chunkIdHints": [ + "vendors" + ], + "auxiliaryChunkNames": [], + "auxiliaryChunkIdHints": [], + "filteredRelated": 1, + "chunks": [ + "pages-checkout-confirmation" + ], + "auxiliaryChunks": [] + }, + { + "type": "asset", + "name": "vendors-node_modules_salesforce_retail-react-app_app_components_action-card_index_jsx-node_mo-cf7e9f.js", + "size": 54076, + "emitted": false, + "comparedForEmit": false, + "cached": true, + "info": { + "javascriptModule": false, + "related": { + "sourceMap": "vendors-node_modules_salesforce_retail-react-app_app_components_action-card_index_jsx-node_mo-cf7e9f.js.map" + } + }, + "chunkNames": [], + "chunkIdHints": [ + "vendors" + ], + "auxiliaryChunkNames": [], + "auxiliaryChunkIdHints": [], + "filteredRelated": 1, + "chunks": [ + "vendors-node_modules_salesforce_retail-react-app_app_components_action-card_index_jsx-node_mo-cf7e9f" + ], + "auxiliaryChunks": [] + }, + { + "type": "asset", + "name": "vendors-node_modules_salesforce_retail-react-app_app_pages_account_wishlist_index_jsx.js", + "size": 51699, + "emitted": false, + "comparedForEmit": false, + "cached": true, + "info": { + "javascriptModule": false, + "related": { + "sourceMap": "vendors-node_modules_salesforce_retail-react-app_app_pages_account_wishlist_index_jsx.js.map" + } + }, + "chunkNames": [], + "chunkIdHints": [ + "vendors" + ], + "auxiliaryChunkNames": [], + "auxiliaryChunkIdHints": [], + "filteredRelated": 1, + "chunks": [ + "vendors-node_modules_salesforce_retail-react-app_app_pages_account_wishlist_index_jsx" + ], + "auxiliaryChunks": [] + }, + { + "type": "asset", + "name": "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a.js", + "size": 47418, + "emitted": false, + "comparedForEmit": false, + "cached": true, + "info": { + "javascriptModule": false, + "related": { + "sourceMap": "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a.js.map" + } + }, + "chunkNames": [], + "chunkIdHints": [ + "vendors" + ], + "auxiliaryChunkNames": [], + "auxiliaryChunkIdHints": [], + "filteredRelated": 1, + "chunks": [ + "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a" + ], + "auxiliaryChunks": [] + }, + { + "type": "asset", + "name": "pages-product-detail.js", + "size": 47362, + "emitted": false, + "comparedForEmit": false, + "cached": true, + "info": { + "javascriptModule": false, + "related": { + "sourceMap": "pages-product-detail.js.map" + } + }, + "chunkNames": [ + "pages-product-detail" + ], + "chunkIdHints": [ + "vendors" + ], + "auxiliaryChunkNames": [], + "auxiliaryChunkIdHints": [], + "filteredRelated": 1, + "chunks": [ + "pages-product-detail" + ], + "auxiliaryChunks": [] + }, + { + "type": "asset", + "name": "vendors-node_modules_salesforce_retail-react-app_app_pages_home_index_jsx.js", + "size": 44344, + "emitted": false, + "comparedForEmit": false, + "cached": true, + "info": { + "javascriptModule": false, + "related": { + "sourceMap": "vendors-node_modules_salesforce_retail-react-app_app_pages_home_index_jsx.js.map" + } + }, + "chunkNames": [], + "chunkIdHints": [ + "vendors" + ], + "auxiliaryChunkNames": [], + "auxiliaryChunkIdHints": [], + "filteredRelated": 1, + "chunks": [ + "vendors-node_modules_salesforce_retail-react-app_app_pages_home_index_jsx" + ], + "auxiliaryChunks": [] + }, + { + "type": "asset", + "name": "vendors-node_modules_salesforce_retail-react-app_app_components_product-item_index_jsx-node_m-ba5a5b.js", + "size": 29023, + "emitted": false, + "comparedForEmit": false, + "cached": true, + "info": { + "javascriptModule": false, + "related": { + "sourceMap": "vendors-node_modules_salesforce_retail-react-app_app_components_product-item_index_jsx-node_m-ba5a5b.js.map" + } + }, + "chunkNames": [], + "chunkIdHints": [ + "vendors" + ], + "auxiliaryChunkNames": [], + "auxiliaryChunkIdHints": [], + "filteredRelated": 1, + "chunks": [ + "vendors-node_modules_salesforce_retail-react-app_app_components_product-item_index_jsx-node_m-ba5a5b" + ], + "auxiliaryChunks": [] + }, + { + "type": "asset", + "name": "pages-reset-password.js", + "size": 26943, + "emitted": false, + "comparedForEmit": false, + "cached": true, + "info": { + "javascriptModule": false, + "related": { + "sourceMap": "pages-reset-password.js.map" + } + }, + "chunkNames": [ + "pages-reset-password" + ], + "chunkIdHints": [ + "vendors" + ], + "auxiliaryChunkNames": [], + "auxiliaryChunkIdHints": [], + "filteredRelated": 1, + "chunks": [ + "pages-reset-password" + ], + "auxiliaryChunks": [] + }, + { + "type": "asset", + "name": "pages-login.js", + "size": 19947, + "emitted": false, + "comparedForEmit": false, + "cached": true, + "info": { + "javascriptModule": false, + "related": { + "sourceMap": "pages-login.js.map" + } + }, + "chunkNames": [ + "pages-login" + ], + "chunkIdHints": [ + "vendors" + ], + "auxiliaryChunkNames": [], + "auxiliaryChunkIdHints": [], + "filteredRelated": 1, + "chunks": [ + "pages-login" + ], + "auxiliaryChunks": [] + }, + { + "type": "asset", + "name": "pages-account-wishlist.js", + "size": 17941, + "emitted": false, + "comparedForEmit": false, + "cached": true, + "info": { + "javascriptModule": false, + "related": { + "sourceMap": "pages-account-wishlist.js.map" + } + }, + "chunkNames": [ + "pages-account-wishlist" + ], + "chunkIdHints": [], + "auxiliaryChunkNames": [], + "auxiliaryChunkIdHints": [], + "filteredRelated": 1, + "chunks": [ + "pages-account-wishlist" + ], + "auxiliaryChunks": [] + }, + { + "type": "asset", + "name": "pages-social-login-redirect.js", + "size": 13238, + "emitted": false, + "comparedForEmit": false, + "cached": true, + "info": { + "javascriptModule": false, + "related": { + "sourceMap": "pages-social-login-redirect.js.map" + } + }, + "chunkNames": [ + "pages-social-login-redirect" + ], + "chunkIdHints": [], + "auxiliaryChunkNames": [], + "auxiliaryChunkIdHints": [], + "filteredRelated": 1, + "chunks": [ + "pages-social-login-redirect" + ], + "auxiliaryChunks": [] + }, + { + "type": "asset", + "name": "pages-home.js", + "size": 12173, + "emitted": false, + "comparedForEmit": false, + "cached": true, + "info": { + "javascriptModule": false, + "related": { + "sourceMap": "pages-home.js.map" + } + }, + "chunkNames": [ + "pages-home" + ], + "chunkIdHints": [], + "auxiliaryChunkNames": [], + "auxiliaryChunkIdHints": [], + "filteredRelated": 1, + "chunks": [ + "pages-home" + ], + "auxiliaryChunks": [] + }, + { + "type": "asset", + "name": "pages-product-search.js", + "size": 11434, + "emitted": false, + "comparedForEmit": false, + "cached": true, + "info": { + "javascriptModule": false, + "related": { + "sourceMap": "pages-product-search.js.map" + } + }, + "chunkNames": [ + "pages-product-search" + ], + "chunkIdHints": [], + "auxiliaryChunkNames": [], + "auxiliaryChunkIdHints": [], + "filteredRelated": 1, + "chunks": [ + "pages-product-search" + ], + "auxiliaryChunks": [] + }, + { + "type": "asset", + "name": "pages-registration.js", + "size": 8757, + "emitted": false, + "comparedForEmit": false, + "cached": true, + "info": { + "javascriptModule": false, + "related": { + "sourceMap": "pages-registration.js.map" + } + }, + "chunkNames": [ + "pages-registration" + ], + "chunkIdHints": [], + "auxiliaryChunkNames": [], + "auxiliaryChunkIdHints": [], + "filteredRelated": 1, + "chunks": [ + "pages-registration" + ], + "auxiliaryChunks": [] + }, + { + "type": "asset", + "name": "pages-page-not-found.js", + "size": 7198, + "emitted": false, + "comparedForEmit": false, + "cached": true, + "info": { + "javascriptModule": false, + "related": { + "sourceMap": "pages-page-not-found.js.map" + } + }, + "chunkNames": [ + "pages-page-not-found" + ], + "chunkIdHints": [], + "auxiliaryChunkNames": [], + "auxiliaryChunkIdHints": [], + "filteredRelated": 1, + "chunks": [ + "pages-page-not-found" + ], + "auxiliaryChunks": [] + }, + { + "type": "asset", + "name": "pages-store-locator.js", + "size": 4526, + "emitted": false, + "comparedForEmit": false, + "cached": true, + "info": { + "javascriptModule": false, + "related": { + "sourceMap": "pages-store-locator.js.map" + } + }, + "chunkNames": [ + "pages-store-locator" + ], + "chunkIdHints": [], + "auxiliaryChunkNames": [], + "auxiliaryChunkIdHints": [], + "filteredRelated": 1, + "chunks": [ + "pages-store-locator" + ], + "auxiliaryChunks": [] + }, + { + "type": "asset", + "name": "pages-my-new-route.js", + "size": 2742, + "emitted": false, + "comparedForEmit": false, + "cached": true, + "info": { + "javascriptModule": false, + "related": { + "sourceMap": "pages-my-new-route.js.map" + } + }, + "chunkNames": [ + "pages-my-new-route" + ], + "chunkIdHints": [], + "auxiliaryChunkNames": [], + "auxiliaryChunkIdHints": [], + "filteredRelated": 1, + "chunks": [ + "pages-my-new-route" + ], + "auxiliaryChunks": [] + }, + { + "type": "asset", + "name": "pages-login-redirect.js", + "size": 2018, + "emitted": false, + "comparedForEmit": false, + "cached": true, + "info": { + "javascriptModule": false, + "related": { + "sourceMap": "pages-login-redirect.js.map" + } + }, + "chunkNames": [ + "pages-login-redirect" + ], + "chunkIdHints": [], + "auxiliaryChunkNames": [], + "auxiliaryChunkIdHints": [], + "filteredRelated": 1, + "chunks": [ + "pages-login-redirect" + ], + "auxiliaryChunks": [] + }, + { + "type": "asset", + "name": "_1242.js", + "size": 284, + "emitted": false, + "comparedForEmit": false, + "cached": true, + "info": { + "javascriptModule": false, + "related": { + "sourceMap": "_1242.js.map" + } + }, + "chunkNames": [], + "chunkIdHints": [], + "auxiliaryChunkNames": [], + "auxiliaryChunkIdHints": [], + "filteredRelated": 1, + "chunks": [ + "_1242" + ], + "auxiliaryChunks": [] + } + ], + "namedChunkGroups": { + "main": { + "name": "main", + "chunks": [ + "vendor", + "main" + ], + "assets": [ + { + "name": "vendor.js" + }, + { + "name": "main.js" + } + ], + "filteredAssets": 0, + "assetsSize": null, + "filteredAuxiliaryAssets": 2, + "auxiliaryAssetsSize": null, + "children": {}, + "childAssets": {} + }, + "pages-home": { + "name": "pages-home", + "chunks": [ + "vendors-node_modules_salesforce_retail-react-app_app_pages_home_index_jsx", + "pages-home" + ], + "assets": [ + { + "name": "vendors-node_modules_salesforce_retail-react-app_app_pages_home_index_jsx.js" + }, + { + "name": "pages-home.js" + } + ], + "filteredAssets": 0, + "assetsSize": null, + "filteredAuxiliaryAssets": 2, + "auxiliaryAssetsSize": null, + "children": {}, + "childAssets": {} + }, + "pages-my-new-route": { + "name": "pages-my-new-route", + "chunks": [ + "pages-my-new-route" + ], + "assets": [ + { + "name": "pages-my-new-route.js" + } + ], + "filteredAssets": 0, + "assetsSize": null, + "filteredAuxiliaryAssets": 1, + "auxiliaryAssetsSize": null, + "children": {}, + "childAssets": {} + }, + "pages-login": { + "name": "pages-login", + "chunks": [ + "pages-login" + ], + "assets": [ + { + "name": "pages-login.js" + } + ], + "filteredAssets": 0, + "assetsSize": null, + "filteredAuxiliaryAssets": 1, + "auxiliaryAssetsSize": null, + "children": {}, + "childAssets": {} + }, + "pages-registration": { + "name": "pages-registration", + "chunks": [ + "pages-registration" + ], + "assets": [ + { + "name": "pages-registration.js" + } + ], + "filteredAssets": 0, + "assetsSize": null, + "filteredAuxiliaryAssets": 1, + "auxiliaryAssetsSize": null, + "children": {}, + "childAssets": {} + }, + "pages-reset-password": { + "name": "pages-reset-password", + "chunks": [ + "pages-reset-password" + ], + "assets": [ + { + "name": "pages-reset-password.js" + } + ], + "filteredAssets": 0, + "assetsSize": null, + "filteredAuxiliaryAssets": 1, + "auxiliaryAssetsSize": null, + "children": {}, + "childAssets": {} + }, + "pages-account": { + "name": "pages-account", + "chunks": [ + "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a", + "vendors-node_modules_salesforce_retail-react-app_app_components_product-view_index_jsx", + "vendors-node_modules_salesforce_retail-react-app_app_components_order-summary_index_jsx-node_-51813b", + "vendors-node_modules_salesforce_retail-react-app_app_components_product-item_index_jsx-node_m-ba5a5b", + "vendors-node_modules_salesforce_retail-react-app_app_components_action-card_index_jsx-node_mo-cf7e9f", + "vendors-node_modules_salesforce_retail-react-app_app_pages_account_wishlist_index_jsx", + "pages-account" + ], + "assets": [ + { + "name": "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a.js" + }, + { + "name": "vendors-node_modules_salesforce_retail-react-app_app_components_product-view_index_jsx.js" + }, + { + "name": "vendors-node_modules_salesforce_retail-react-app_app_components_order-summary_index_jsx-node_-51813b.js" + }, + { + "name": "vendors-node_modules_salesforce_retail-react-app_app_components_product-item_index_jsx-node_m-ba5a5b.js" + }, + { + "name": "vendors-node_modules_salesforce_retail-react-app_app_components_action-card_index_jsx-node_mo-cf7e9f.js" + }, + { + "name": "vendors-node_modules_salesforce_retail-react-app_app_pages_account_wishlist_index_jsx.js" + }, + { + "name": "pages-account.js" + } + ], + "filteredAssets": 0, + "assetsSize": null, + "filteredAuxiliaryAssets": 7, + "auxiliaryAssetsSize": null, + "children": {}, + "childAssets": {} + }, + "pages-cart": { + "name": "pages-cart", + "chunks": [ + "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a", + "vendors-node_modules_salesforce_retail-react-app_app_components_product-view_index_jsx", + "vendors-node_modules_salesforce_retail-react-app_app_components_order-summary_index_jsx-node_-51813b", + "vendors-node_modules_salesforce_retail-react-app_app_components_product-item_index_jsx-node_m-ba5a5b", + "pages-cart" + ], + "assets": [ + { + "name": "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a.js" + }, + { + "name": "vendors-node_modules_salesforce_retail-react-app_app_components_product-view_index_jsx.js" + }, + { + "name": "vendors-node_modules_salesforce_retail-react-app_app_components_order-summary_index_jsx-node_-51813b.js" + }, + { + "name": "vendors-node_modules_salesforce_retail-react-app_app_components_product-item_index_jsx-node_m-ba5a5b.js" + }, + { + "name": "pages-cart.js" + } + ], + "filteredAssets": 0, + "assetsSize": null, + "filteredAuxiliaryAssets": 5, + "auxiliaryAssetsSize": null, + "children": {}, + "childAssets": {} + }, + "pages-checkout": { + "name": "pages-checkout", + "chunks": [ + "vendor", + "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a", + "vendors-node_modules_salesforce_retail-react-app_app_components_order-summary_index_jsx-node_-51813b", + "vendors-node_modules_salesforce_retail-react-app_app_components_action-card_index_jsx-node_mo-cf7e9f", + "pages-checkout" + ], + "assets": [ + { + "name": "vendor.js" + }, + { + "name": "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a.js" + }, + { + "name": "vendors-node_modules_salesforce_retail-react-app_app_components_order-summary_index_jsx-node_-51813b.js" + }, + { + "name": "vendors-node_modules_salesforce_retail-react-app_app_components_action-card_index_jsx-node_mo-cf7e9f.js" + }, + { + "name": "pages-checkout.js" + } + ], + "filteredAssets": 0, + "assetsSize": null, + "filteredAuxiliaryAssets": 5, + "auxiliaryAssetsSize": null, + "children": {}, + "childAssets": {} + }, + "pages-checkout-confirmation": { + "name": "pages-checkout-confirmation", + "chunks": [ + "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a", + "pages-checkout-confirmation" + ], + "assets": [ + { + "name": "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a.js" + }, + { + "name": "pages-checkout-confirmation.js" + } + ], + "filteredAssets": 0, + "assetsSize": null, + "filteredAuxiliaryAssets": 2, + "auxiliaryAssetsSize": null, + "children": {}, + "childAssets": {} + }, + "pages-social-login-redirect": { + "name": "pages-social-login-redirect", + "chunks": [ + "pages-social-login-redirect" + ], + "assets": [ + { + "name": "pages-social-login-redirect.js" + } + ], + "filteredAssets": 0, + "assetsSize": null, + "filteredAuxiliaryAssets": 1, + "auxiliaryAssetsSize": null, + "children": {}, + "childAssets": {} + }, + "pages-login-redirect": { + "name": "pages-login-redirect", + "chunks": [ + "pages-login-redirect" + ], + "assets": [ + { + "name": "pages-login-redirect.js" + } + ], + "filteredAssets": 0, + "assetsSize": null, + "filteredAuxiliaryAssets": 1, + "auxiliaryAssetsSize": null, + "children": {}, + "childAssets": {} + }, + "pages-product-detail": { + "name": "pages-product-detail", + "chunks": [ + "vendors-node_modules_salesforce_retail-react-app_app_components_product-view_index_jsx", + "pages-product-detail" + ], + "assets": [ + { + "name": "vendors-node_modules_salesforce_retail-react-app_app_components_product-view_index_jsx.js" + }, + { + "name": "pages-product-detail.js" + } + ], + "filteredAssets": 0, + "assetsSize": null, + "filteredAuxiliaryAssets": 2, + "auxiliaryAssetsSize": null, + "children": {}, + "childAssets": {} + }, + "pages-product-search": { + "name": "pages-product-search", + "chunks": [ + "pages-product-search" + ], + "assets": [ + { + "name": "pages-product-search.js" + } + ], + "filteredAssets": 0, + "assetsSize": null, + "filteredAuxiliaryAssets": 1, + "auxiliaryAssetsSize": null, + "children": {}, + "childAssets": {} + }, + "pages-product-list": { + "name": "pages-product-list", + "chunks": [ + "pages-product-list" + ], + "assets": [ + { + "name": "pages-product-list.js" + } + ], + "filteredAssets": 0, + "assetsSize": null, + "filteredAuxiliaryAssets": 1, + "auxiliaryAssetsSize": null, + "children": {}, + "childAssets": {} + }, + "pages-store-locator": { + "name": "pages-store-locator", + "chunks": [ + "pages-store-locator" + ], + "assets": [ + { + "name": "pages-store-locator.js" + } + ], + "filteredAssets": 0, + "assetsSize": null, + "filteredAuxiliaryAssets": 1, + "auxiliaryAssetsSize": null, + "children": {}, + "childAssets": {} + }, + "pages-account-wishlist": { + "name": "pages-account-wishlist", + "chunks": [ + "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a", + "vendors-node_modules_salesforce_retail-react-app_app_components_product-view_index_jsx", + "vendors-node_modules_salesforce_retail-react-app_app_components_product-item_index_jsx-node_m-ba5a5b", + "vendors-node_modules_salesforce_retail-react-app_app_pages_account_wishlist_index_jsx", + "pages-account-wishlist" + ], + "assets": [ + { + "name": "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a.js" + }, + { + "name": "vendors-node_modules_salesforce_retail-react-app_app_components_product-view_index_jsx.js" + }, + { + "name": "vendors-node_modules_salesforce_retail-react-app_app_components_product-item_index_jsx-node_m-ba5a5b.js" + }, + { + "name": "vendors-node_modules_salesforce_retail-react-app_app_pages_account_wishlist_index_jsx.js" + }, + { + "name": "pages-account-wishlist.js" + } + ], + "filteredAssets": 0, + "assetsSize": null, + "filteredAuxiliaryAssets": 5, + "auxiliaryAssetsSize": null, + "children": {}, + "childAssets": {} + }, + "pages-page-not-found": { + "name": "pages-page-not-found", + "chunks": [ + "pages-page-not-found" + ], + "assets": [ + { + "name": "pages-page-not-found.js" + } + ], + "filteredAssets": 0, + "assetsSize": null, + "filteredAuxiliaryAssets": 1, + "auxiliaryAssetsSize": null, + "children": {}, + "childAssets": {} + } + }, + "generator": "loadable-components", + "chunks": [ + { + "id": "main", + "files": [ + "main.js" + ] + }, + { + "id": "_1242", + "files": [ + "_1242.js" + ] + }, + { + "id": "pages-home", + "files": [ + "pages-home.js" + ] + }, + { + "id": "pages-my-new-route", + "files": [ + "pages-my-new-route.js" + ] + }, + { + "id": "pages-login", + "files": [ + "pages-login.js" + ] + }, + { + "id": "pages-registration", + "files": [ + "pages-registration.js" + ] + }, + { + "id": "pages-reset-password", + "files": [ + "pages-reset-password.js" + ] + }, + { + "id": "pages-account", + "files": [ + "pages-account.js" + ] + }, + { + "id": "pages-cart", + "files": [ + "pages-cart.js" + ] + }, + { + "id": "pages-checkout", + "files": [ + "pages-checkout.js" + ] + }, + { + "id": "pages-checkout-confirmation", + "files": [ + "pages-checkout-confirmation.js" + ] + }, + { + "id": "pages-social-login-redirect", + "files": [ + "pages-social-login-redirect.js" + ] + }, + { + "id": "pages-login-redirect", + "files": [ + "pages-login-redirect.js" + ] + }, + { + "id": "pages-product-detail", + "files": [ + "pages-product-detail.js" + ] + }, + { + "id": "pages-product-search", + "files": [ + "pages-product-search.js" + ] + }, + { + "id": "pages-product-list", + "files": [ + "pages-product-list.js" + ] + }, + { + "id": "pages-store-locator", + "files": [ + "pages-store-locator.js" + ] + }, + { + "id": "pages-account-wishlist", + "files": [ + "pages-account-wishlist.js" + ] + }, + { + "id": "pages-page-not-found", + "files": [ + "pages-page-not-found.js" + ] + }, + { + "id": "vendor", + "files": [ + "vendor.js" + ] + }, + { + "id": "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a", + "files": [ + "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a.js" + ] + }, + { + "id": "vendors-node_modules_salesforce_retail-react-app_app_components_product-view_index_jsx", + "files": [ + "vendors-node_modules_salesforce_retail-react-app_app_components_product-view_index_jsx.js" + ] + }, + { + "id": "vendors-node_modules_salesforce_retail-react-app_app_components_order-summary_index_jsx-node_-51813b", + "files": [ + "vendors-node_modules_salesforce_retail-react-app_app_components_order-summary_index_jsx-node_-51813b.js" + ] + }, + { + "id": "vendors-node_modules_salesforce_retail-react-app_app_components_product-item_index_jsx-node_m-ba5a5b", + "files": [ + "vendors-node_modules_salesforce_retail-react-app_app_components_product-item_index_jsx-node_m-ba5a5b.js" + ] + }, + { + "id": "vendors-node_modules_salesforce_retail-react-app_app_components_action-card_index_jsx-node_mo-cf7e9f", + "files": [ + "vendors-node_modules_salesforce_retail-react-app_app_components_action-card_index_jsx-node_mo-cf7e9f.js" + ] + }, + { + "id": "vendors-node_modules_salesforce_retail-react-app_app_pages_account_wishlist_index_jsx", + "files": [ + "vendors-node_modules_salesforce_retail-react-app_app_pages_account_wishlist_index_jsx.js" + ] + }, + { + "id": "vendors-node_modules_salesforce_retail-react-app_app_pages_home_index_jsx", + "files": [ + "vendors-node_modules_salesforce_retail-react-app_app_pages_home_index_jsx.js" + ] + } + ] +} \ No newline at end of file diff --git a/my-test-project/config/default.js b/my-test-project/config/default.js new file mode 100644 index 0000000000..264854cd5e --- /dev/null +++ b/my-test-project/config/default.js @@ -0,0 +1,120 @@ +/* + * Copyright (c) 2023, Salesforce, Inc. + * All rights reserved. + * SPDX-License-Identifier: BSD-3-Clause + * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause + */ +/* eslint-disable @typescript-eslint/no-var-requires */ +const sites = require('./sites.js') +module.exports = { + app: { + // Customize how your 'site' and 'locale' are displayed in the url. + url: { + // Determine where the siteRef is located. Valid values include 'path|query_param|none'. Defaults to: 'none' + site: 'none', + // Determine where the localeRef is located. Valid values include 'path|query_param|none'. Defaults to: 'none' + locale: 'none', + // This boolean value dictates whether or not default site or locale values are shown in the url. Defaults to: false + showDefaults: false, + // This boolean value dictates whether the plus sign (+) is interpreted as space for query param string. Defaults to: false + interpretPlusSignAsSpace: false + }, + login: { + passwordless: { + // Enables or disables passwordless login for the site. Defaults to: false + enabled: false, + // The callback URI, which can be an absolute URL (including third-party URIs) or a relative path set up by the developer. + // Required in 'callback' mode; if missing, passwordless login defaults to 'sms' mode, which requires Marketing Cloud configuration. + // If the env var `PASSWORDLESS_LOGIN_CALLBACK_URI` is set, it will override the config value. + callbackURI: + process.env.PASSWORDLESS_LOGIN_CALLBACK_URI || '/passwordless-login-callback', + // The landing path for passwordless login + landingPath: '/passwordless-login-landing' + }, + social: { + // Enables or disables social login for the site. Defaults to: false + enabled: false, + // The third-party identity providers supported by your app. The PWA Kit supports Google and Apple by default. + // Additional IDPs will also need to be added to the IDP_CONFIG in the SocialLogin component. + idps: ['google', 'apple'], + // The redirect URI used after a successful social login authentication. + // This should be a relative path set up by the developer. + // If the env var `SOCIAL_LOGIN_REDIRECT_URI` is set, it will override the config value. + redirectURI: process.env.SOCIAL_LOGIN_REDIRECT_URI || '/social-callback' + }, + resetPassword: { + // The callback URI, which can be an absolute URL (including third-party URIs) or a relative path set up by the developer. + // If the env var `RESET_PASSWORD_CALLBACK_URI` is set, it will override the config value. + callbackURI: process.env.RESET_PASSWORD_CALLBACK_URI || '/reset-password-callback', + // The landing path for reset password + landingPath: '/reset-password-landing' + } + }, + // The default site for your app. This value will be used when a siteRef could not be determined from the url + defaultSite: 'RefArch', + // Provide aliases for your sites. These will be used in place of your site id when generating paths throughout the application. + // siteAliases: { + // RefArch: 'us', + // RefArchGlobal: 'global' + // }, + // The sites for your app, which is imported from sites.js + sites, + // Commerce api config + commerceAPI: { + proxyPath: '/mobify/proxy/api', + parameters: { + clientId: '1d763261-6522-4913-9d52-5d947d3b94c4', + organizationId: 'f_ecom_zzte_053', + shortCode: 'kv7kzm78', + siteId: 'RefArch' + } + }, + // Einstein api config + einsteinAPI: { + host: 'https://api.cquotient.com', + einsteinId: '1ea06c6e-c936-4324-bcf0-fada93f83bb1', + siteId: 'aaij-MobileFirst', + // Flag Einstein activities as coming from a production environment. + // By setting this to true, the Einstein activities generated by the environment will appear + // in production environment reports + isProduction: false + }, + // Datacloud api config + dataCloudAPI: { + appSourceId: 'fb81edab-24c6-4b40-8684-b67334dfdf32', + tenantId: 'mmyw8zrxhfsg09lfmzrd1zjqmg' + } + }, + // This list contains server-side only libraries that you don't want to be compiled by webpack + externals: [], + // Page not found url for your app + pageNotFoundURL: '/page-not-found', + // Enables or disables building the files necessary for server-side rendering. + ssrEnabled: true, + // This list determines which files are available exclusively to the server-side rendering system + // and are not available through the /mobify/bundle/ path. + ssrOnly: ['ssr.js', 'ssr.js.map', 'node_modules/**/*.*'], + // This list determines which files are available to the server-side rendering system + // and available through the /mobify/bundle/ path. + ssrShared: [ + 'static/ico/favicon.ico', + 'static/robots.txt', + '**/*.js', + '**/*.js.map', + '**/*.json' + ], + // Additional parameters that configure Express app behavior. + ssrParameters: { + ssrFunctionNodeVersion: '22.x', + proxyConfigs: [ + { + host: 'kv7kzm78.api.commercecloud.salesforce.com', + path: 'api' + }, + { + host: 'zzte-053.dx.commercecloud.salesforce.com', + path: 'ocapi' + } + ] + } +} diff --git a/my-test-project/config/sites.js b/my-test-project/config/sites.js new file mode 100644 index 0000000000..fcb5df92b0 --- /dev/null +++ b/my-test-project/config/sites.js @@ -0,0 +1,26 @@ +/* + * Copyright (c) 2023, Salesforce, Inc. + * All rights reserved. + * SPDX-License-Identifier: BSD-3-Clause + * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause + */ + +// Provide the sites for your app. Each site includes site id, and its localization configuration. +// You can also provide aliases for your locale. They will be used in place of your locale id when generating paths across the app +module.exports = [ + { + id: 'RefArch', + l10n: { + supportedCurrencies: ['USD'], + defaultCurrency: 'USD', + defaultLocale: 'en-US', + supportedLocales: [ + { + id: 'en-US', + // alias: 'us', + preferredCurrency: 'USD' + } + ] + } + } +] diff --git a/my-test-project/jest.config.js b/my-test-project/jest.config.js new file mode 100644 index 0000000000..8321585ec6 --- /dev/null +++ b/my-test-project/jest.config.js @@ -0,0 +1,22 @@ +/* + * Copyright (c) 2024, Salesforce, Inc. + * All rights reserved. + * SPDX-License-Identifier: BSD-3-Clause + * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause + */ + +// eslint-disable-next-line @typescript-eslint/no-var-requires +const base = require('@salesforce/pwa-kit-dev/configs/jest/jest.config.js') + +module.exports = { + ...base, + // To support extensibility, jest needs to transform the underlying templates/extensions + transformIgnorePatterns: ['/node_modules/(?!@salesforce/retail-react-app/.*)'], + moduleNameMapper: { + ...base.moduleNameMapper, + // pulled from @salesforce/retail-react-app jest.config.js + // allows jest to resolve imports for these packages + '^is-what$': '/node_modules/is-what/dist/cjs/index.cjs', + '^copy-anything$': '/node_modules/copy-anything/dist/cjs/index.cjs' + } +} diff --git a/my-test-project/overrides/app/assets/svg/brand-logo.svg b/my-test-project/overrides/app/assets/svg/brand-logo.svg new file mode 100644 index 0000000000..99970ffaf2 --- /dev/null +++ b/my-test-project/overrides/app/assets/svg/brand-logo.svg @@ -0,0 +1,5 @@ + + + + + diff --git a/my-test-project/overrides/app/components/_app-config/index.jsx b/my-test-project/overrides/app/components/_app-config/index.jsx new file mode 100644 index 0000000000..716651fcdd --- /dev/null +++ b/my-test-project/overrides/app/components/_app-config/index.jsx @@ -0,0 +1,133 @@ +/* + * Copyright (c) 2021, salesforce.com, inc. + * All rights reserved. + * SPDX-License-Identifier: BSD-3-Clause + * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause + */ +import React from 'react' +import PropTypes from 'prop-types' +import {ChakraProvider} from '@salesforce/retail-react-app/app/components/shared/ui' + +// Removes focus for non-keyboard interactions for the whole application +import 'focus-visible/dist/focus-visible' + +import theme from '@salesforce/retail-react-app/app/theme' +import {MultiSiteProvider} from '@salesforce/retail-react-app/app/contexts' +import { + resolveSiteFromUrl, + resolveLocaleFromUrl +} from '@salesforce/retail-react-app/app/utils/site-utils' +import {getConfig} from '@salesforce/pwa-kit-runtime/utils/ssr-config' +import {proxyBasePath} from '@salesforce/pwa-kit-runtime/utils/ssr-namespace-paths' +import {createUrlTemplate} from '@salesforce/retail-react-app/app/utils/url' +import createLogger from '@salesforce/pwa-kit-runtime/utils/logger-factory' + +import {CommerceApiProvider} from '@salesforce/commerce-sdk-react' +import {withReactQuery} from '@salesforce/pwa-kit-react-sdk/ssr/universal/components/with-react-query' +import {useCorrelationId} from '@salesforce/pwa-kit-react-sdk/ssr/universal/hooks' +import {getAppOrigin} from '@salesforce/pwa-kit-react-sdk/utils/url' +import {ReactQueryDevtools} from '@tanstack/react-query-devtools' +import {DEFAULT_DNT_STATE} from '@salesforce/retail-react-app/app/constants' + +/** + * Use the AppConfig component to inject extra arguments into the getProps + * methods for all Route Components in the app – typically you'd want to do this + * to inject a connector instance that can be used in all Pages. + * + * You can also use the AppConfig to configure a state-management library such + * as Redux, or Mobx, if you like. + */ +const AppConfig = ({children, locals = {}}) => { + const {correlationId} = useCorrelationId() + const headers = { + 'correlation-id': correlationId + } + + const commerceApiConfig = locals.appConfig.commerceAPI + + const appOrigin = getAppOrigin() + + const passwordlessCallback = locals.appConfig.login?.passwordless?.callbackURI + + return ( + + + {children} + + + + ) +} + +AppConfig.restore = (locals = {}) => { + const path = + typeof window === 'undefined' + ? locals.originalUrl + : `${window.location.pathname}${window.location.search}` + const site = resolveSiteFromUrl(path) + const locale = resolveLocaleFromUrl(path) + + const {app: appConfig} = getConfig() + const apiConfig = { + ...appConfig.commerceAPI, + einsteinConfig: appConfig.einsteinAPI + } + + apiConfig.parameters.siteId = site.id + + locals.buildUrl = createUrlTemplate(appConfig, site.alias || site.id, locale.id) + locals.site = site + locals.locale = locale + locals.appConfig = appConfig +} + +AppConfig.freeze = () => undefined + +AppConfig.extraGetPropsArgs = (locals = {}) => { + return { + buildUrl: locals.buildUrl, + site: locals.site, + locale: locals.locale + } +} + +AppConfig.propTypes = { + children: PropTypes.node, + locals: PropTypes.object +} + +const isServerSide = typeof window === 'undefined' + +// Recommended settings for PWA-Kit usages. +// NOTE: they will be applied on both server and client side. +// retry is always disabled on server side regardless of the value from the options +const options = { + queryClientConfig: { + defaultOptions: { + queries: { + retry: false, + refetchOnWindowFocus: false, + staleTime: 10 * 1000, + ...(isServerSide ? {retryOnMount: false} : {}) + }, + mutations: { + retry: false + } + } + } +} + +export default withReactQuery(AppConfig, options) diff --git a/my-test-project/overrides/app/constants.js b/my-test-project/overrides/app/constants.js new file mode 100644 index 0000000000..5f200869a2 --- /dev/null +++ b/my-test-project/overrides/app/constants.js @@ -0,0 +1,29 @@ +/* + * Copyright (c) 2023, Salesforce, Inc. + * All rights reserved. + * SPDX-License-Identifier: BSD-3-Clause + * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause + */ + +/* + Hello there! This is a demonstration of how to override a file from the base template. + + It's necessary that the module export interface remain consistent, + as other files in the base template rely on constants.js, thus we + import the underlying constants.js, modifies it and re-export it. +*/ + +import { + DEFAULT_LIMIT_VALUES, + DEFAULT_SEARCH_PARAMS +} from '@salesforce/retail-react-app/app/constants' + +// original value is 25 +DEFAULT_LIMIT_VALUES[0] = 3 +DEFAULT_SEARCH_PARAMS.limit = 3 + +export const CUSTOM_HOME_TITLE = '🎉 Hello Extensible React Template!' + +export {DEFAULT_LIMIT_VALUES, DEFAULT_SEARCH_PARAMS} + +export * from '@salesforce/retail-react-app/app/constants' diff --git a/my-test-project/overrides/app/main.jsx b/my-test-project/overrides/app/main.jsx new file mode 100644 index 0000000000..596e6938e3 --- /dev/null +++ b/my-test-project/overrides/app/main.jsx @@ -0,0 +1,14 @@ +/* + * Copyright (c) 2023, Salesforce, Inc. + * All rights reserved. + * SPDX-License-Identifier: BSD-3-Clause + * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause + */ +import {start, registerServiceWorker} from '@salesforce/pwa-kit-react-sdk/ssr/browser/main' + +const main = () => { + // The path to your service worker should match what is set up in ssr.js + return Promise.all([start(), registerServiceWorker('/worker.js')]) +} + +main() diff --git a/my-test-project/overrides/app/pages/home/index.jsx b/my-test-project/overrides/app/pages/home/index.jsx new file mode 100644 index 0000000000..5f4c340343 --- /dev/null +++ b/my-test-project/overrides/app/pages/home/index.jsx @@ -0,0 +1,167 @@ +/* + * Copyright (c) 2023, Salesforce, Inc. + * All rights reserved. + * SPDX-License-Identifier: BSD-3-Clause + * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause + */ +import React, {useEffect} from 'react' +import {useIntl, FormattedMessage} from 'react-intl' +import {useLocation} from 'react-router-dom' + +// Components +import {Box, Button, Stack, Link} from '@salesforce/retail-react-app/app/components/shared/ui' + +// Project Components +import Hero from '@salesforce/retail-react-app/app/components/hero' +import Seo from '@salesforce/retail-react-app/app/components/seo' +import Section from '@salesforce/retail-react-app/app/components/section' +import ProductScroller from '@salesforce/retail-react-app/app/components/product-scroller' + +// Others +import {getAssetUrl} from '@salesforce/pwa-kit-react-sdk/ssr/universal/utils' + +//Hooks +import useEinstein from '@salesforce/retail-react-app/app/hooks/use-einstein' + +// Constants +import { + CUSTOM_HOME_TITLE, + HOME_SHOP_PRODUCTS_CATEGORY_ID, + HOME_SHOP_PRODUCTS_LIMIT, + MAX_CACHE_AGE, + STALE_WHILE_REVALIDATE +} from '../../constants' + +import {useServerContext} from '@salesforce/pwa-kit-react-sdk/ssr/universal/hooks' +import {useProductSearch} from '@salesforce/commerce-sdk-react' + +/** + * This is the home page for Retail React App. + * The page is created for demonstration purposes. + * The page renders SEO metadata and a few promotion + * categories and products, data is from local file. + */ +const Home = () => { + const intl = useIntl() + const einstein = useEinstein() + const {pathname} = useLocation() + + // useServerContext is a special hook introduced in v3 PWA Kit SDK. + // It replaces the legacy `getProps` and provide a react hook interface for SSR. + // it returns the request and response objects on the server side, + // and these objects are undefined on the client side. + const {res} = useServerContext() + if (res) { + res.set( + 'Cache-Control', + `s-maxage=${MAX_CACHE_AGE}, stale-while-revalidate={STALE_WHILE_REVALIDATE}` + ) + } + + const {data: productSearchResult, isLoading} = useProductSearch({ + parameters: { + refine: [`cgid=${HOME_SHOP_PRODUCTS_CATEGORY_ID}`, 'htype=master'], + expand: ['promotions', 'variations', 'prices', 'images', 'custom_properties'], + perPricebook: true, + allVariationProperties: true, + limit: HOME_SHOP_PRODUCTS_LIMIT + } + }) + + /**************** Einstein ****************/ + useEffect(() => { + einstein.sendViewPage(pathname) + }, []) + + return ( + + + + + + + } + /> + + {productSearchResult && ( +
+ {intl.formatMessage({ + defaultMessage: 'Read docs', + id: 'home.link.read_docs' + })} + + ) + } + )} + > + + + +
+ )} +
+ ) +} + +Home.getTemplateName = () => 'home' + +export default Home diff --git a/my-test-project/overrides/app/pages/my-new-route/index.jsx b/my-test-project/overrides/app/pages/my-new-route/index.jsx new file mode 100644 index 0000000000..053c6ac949 --- /dev/null +++ b/my-test-project/overrides/app/pages/my-new-route/index.jsx @@ -0,0 +1,14 @@ +/* + * Copyright (c) 2023, salesforce.com, inc. + * All rights reserved. + * SPDX-License-Identifier: BSD-3-Clause + * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause + */ + +import React from 'react' + +const MyNewRoute = () => { + return

hello new route!

+} + +export default MyNewRoute diff --git a/my-test-project/overrides/app/request-processor.js b/my-test-project/overrides/app/request-processor.js new file mode 100644 index 0000000000..c6f07939be --- /dev/null +++ b/my-test-project/overrides/app/request-processor.js @@ -0,0 +1,118 @@ +/* + * Copyright (c) 2023, Salesforce, Inc. + * All rights reserved. + * SPDX-License-Identifier: BSD-3-Clause + * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause + */ + +// This is an EXAMPLE file. To enable request processing, rename it to +// 'request-processor.js' and update the processRequest function so that +// it processes requests in whatever way your project requires. + +// Uncomment the following line for the example code to work. +import {QueryParameters} from '@salesforce/pwa-kit-runtime/utils/ssr-request-processing' + +/** + * The processRequest function is called for *every* non-proxy, non-bundle + * request received. That is, all requests that will result in pages being + * rendered, or the Express app requestHook function being invoked. Because + * this function runs for every request, it is important that processing + * take as little time as possible. Do not make external requests from + * this code. Make your code error tolerant; throwing an error from + * this function will cause a 500 error response to be sent to the + * requesting client. + * + * The processRequest function is passed details of the incoming request, + * function to support request-class setting plus parameters that refer to + * the target for which this code is being run. + * + * The function must return an object with 'path' and 'querystring'. These + * may be the same values passed in, or modified values. + * + * Processing query strings can be challenging, because there are multiple + * formats in use, URL-quoting may be required, and the order of parameters + * in the URL may be important. To avoid issues, use the QueryParameters + * class from the SDK's 'utils/ssr-request-processing' module. This + * class will correctly preserve the order, case, values and encoding of + * the parameters. The QueryParameters class is documented in the SDK. + * + * @param path {String} the path part of the URL, beginning with a '/' + * @param querystring {String} the query string part of the URL, without + * any initial '?' + * @param headers {Headers} the headers of the incoming request. This should + * be considered read-only (although header values can be changed, most headers + * are not passed to the origin, so changes have no effect). + * @param setRequestClass {function} call this with a string to set the + * "class" of the incoming request. By default, requests have no class. + * @param parameters {Object} + * @param parameters.appHostname {String} the "application host name" is the + * hostname to which requests are sent for this target: the website's hostname. + * @param parameters.deployTarget {String} the target's id. Use this to have + * different processing for different targets. + * @param parameters.proxyConfigs {Object[]} an array of proxy configuration + * object, each one containing protocol, host and path for a proxy. Use this + * to have different processing for different backends. + * @returns {{path: String, querystring: String}} + */ +export const processRequest = ({ + // Uncomment the following lines for the example code to work. + // headers, + // setRequestClass, + // parameters, + path, + querystring +}) => { + // This is an EXAMPLE processRequest implementation. You should + // replace it with code that processes your requests as needed. + + // This example code will remove any of the parameters whose keys appear + // in the 'exclusions' array. + const exclusions = [ + // 'gclid', + // 'utm_campaign', + // 'utm_content', + // 'utm_medium', + // 'utm_source' + ] + + // This is a performance optimization for SLAS. + // On client side, browser always follow the redirect + // to /callback but the response is always the same. + // We strip out the unique query parameters so this + // endpoint is cached at the CDN level + if (path === '/callback') { + exclusions.push('usid') + exclusions.push('code') + } + + // Build a first QueryParameters object from the given querystring + const incomingParameters = new QueryParameters(querystring) + + // Build a second QueryParameters from the first, with all + // excluded parameters removed + const filteredParameters = QueryParameters.from( + incomingParameters.parameters.filter( + // parameter.key is always lower-case + (parameter) => !exclusions.includes(parameter.key) + ) + ) + + // Re-generate the querystring + querystring = filteredParameters.toString() + + /*************************************************************************** + // This example code will detect bots by examining the user-agent, + // and will set the request class to 'bot' for all such requests. + const ua = headers.getHeader('user-agent') + // This check + const botcheck = /bot|crawler|spider|crawling/i + if (botcheck.test(ua)) { + setRequestClass('bot') + } + ***************************************************************************/ + // Return the path unchanged, and the updated query string + return { + path, + querystring + } +} diff --git a/my-test-project/overrides/app/routes.jsx b/my-test-project/overrides/app/routes.jsx new file mode 100644 index 0000000000..2efb84b269 --- /dev/null +++ b/my-test-project/overrides/app/routes.jsx @@ -0,0 +1,42 @@ +/* + * Copyright (c) 2023, salesforce.com, inc. + * All rights reserved. + * SPDX-License-Identifier: BSD-3-Clause + * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause + */ + +import React from 'react' +import loadable from '@loadable/component' +import {getConfig} from '@salesforce/pwa-kit-runtime/utils/ssr-config' + +// Components +import {Skeleton} from '@salesforce/retail-react-app/app/components/shared/ui' +import {configureRoutes} from '@salesforce/retail-react-app/app/utils/routes-utils' +import {routes as _routes} from '@salesforce/retail-react-app/app/routes' + +const fallback = + +// Create your pages here and add them to the routes array +// Use loadable to split code into smaller js chunks +const Home = loadable(() => import('./pages/home'), {fallback}) +const MyNewRoute = loadable(() => import('./pages/my-new-route')) + +const routes = [ + { + path: '/', + component: Home, + exact: true + }, + { + path: '/my-new-route', + component: MyNewRoute + }, + ..._routes +] + +export default () => { + const config = getConfig() + return configureRoutes(routes, config, { + ignoredRoutes: ['/callback', '*'] + }) +} diff --git a/my-test-project/overrides/app/ssr.js b/my-test-project/overrides/app/ssr.js new file mode 100644 index 0000000000..c3121d818b --- /dev/null +++ b/my-test-project/overrides/app/ssr.js @@ -0,0 +1,362 @@ +/* + * Copyright (c) 2023, Salesforce, Inc. + * All rights reserved. + * SPDX-License-Identifier: BSD-3-Clause + * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause + */ + +'use strict' + +import crypto from 'crypto' +import express from 'express' +import helmet from 'helmet' +import {createRemoteJWKSet as joseCreateRemoteJWKSet, jwtVerify, decodeJwt} from 'jose' +import path from 'path' +import {getRuntime} from '@salesforce/pwa-kit-runtime/ssr/server/express' +import {defaultPwaKitSecurityHeaders} from '@salesforce/pwa-kit-runtime/utils/middleware' +import {getConfig} from '@salesforce/pwa-kit-runtime/utils/ssr-config' +import {getAppOrigin} from '@salesforce/pwa-kit-react-sdk/utils/url' + +const config = getConfig() + +const options = { + // The build directory (an absolute path) + buildDir: path.resolve(process.cwd(), 'build'), + + // The cache time for SSR'd pages (defaults to 600 seconds) + defaultCacheTimeSeconds: 600, + + // The contents of the config file for the current environment + mobify: config, + + // The port that the local dev server listens on + port: 3000, + + // The protocol on which the development Express app listens. + // Note that http://localhost is treated as a secure context for development, + // except by Safari. + protocol: 'http', + + // Option for whether to set up a special endpoint for handling + // private SLAS clients + // Set this to false if using a SLAS public client + // When setting this to true, make sure to also set the PWA_KIT_SLAS_CLIENT_SECRET + // environment variable as this endpoint will return HTTP 501 if it is not set + useSLASPrivateClient: false, + + // If this is enabled, any HTTP header that has a non ASCII value will be URI encoded + // If there any HTTP headers that have been encoded, an additional header will be + // passed, `x-encoded-headers`, containing a comma separated list + // of the keys of headers that have been encoded + // There may be a slight performance loss with requests/responses with large number + // of headers as we loop through all the headers to verify ASCII vs non ASCII + encodeNonAsciiHttpHeaders: true +} + +const runtime = getRuntime() + +/** + * Tokens are valid for 20 minutes. We store it at the top level scope to reuse + * it during the lambda invocation. We'll refresh it after 15 minutes. + */ +let marketingCloudToken = '' +let marketingCloudTokenExpiration = new Date() + +/** + * Generates a unique ID for the email message. + * + * @return {string} A unique ID for the email message. + */ +function generateUniqueId() { + return crypto.randomBytes(16).toString('hex') +} + +/** + * Sends an email to a specified contact using the Marketing Cloud API. The template email must have a + * `%%magic-link%%` personalization string inserted. + * https://help.salesforce.com/s/articleView?id=mktg.mc_es_personalization_strings.htm&type=5 + * + * @param {string} email - The email address of the contact to whom the email will be sent. + * @param {string} templateId - The ID of the email template to be used for the email. + * @param {string} magicLink - The magic link to be included in the email. + * + * @return {Promise} A promise that resolves to the response object received from the Marketing Cloud API. + */ +async function sendMarketingCloudEmail(emailId, marketingCloudConfig) { + // Refresh token if expired + if (new Date() > marketingCloudTokenExpiration) { + const {clientId, clientSecret, subdomain} = marketingCloudConfig + const tokenUrl = `https://${subdomain}.auth.marketingcloudapis.com/v2/token` + const tokenResponse = await fetch(tokenUrl, { + method: 'POST', + headers: {'Content-Type': 'application/json'}, + body: JSON.stringify({ + grant_type: 'client_credentials', + client_id: clientId, + client_secret: clientSecret + }) + }) + + if (!tokenResponse.ok) + throw new Error( + 'Failed to fetch Marketing Cloud access token. Check your Marketing Cloud credentials and try again.' + ) + + const {access_token} = await tokenResponse.json() + marketingCloudToken = access_token + // Set expiration to 15 mins + marketingCloudTokenExpiration = new Date(Date.now() + 15 * 60 * 1000) + } + + // Send the email + const emailUrl = `https://${ + marketingCloudConfig.subdomain + }.rest.marketingcloudapis.com/messaging/v1/email/messages/${generateUniqueId()}` + const emailResponse = await fetch(emailUrl, { + method: 'POST', + headers: { + Authorization: `Bearer ${marketingCloudToken}`, + 'Content-Type': 'application/json' + }, + body: JSON.stringify({ + definitionKey: marketingCloudConfig.templateId, + recipient: { + contactKey: emailId, + to: emailId, + attributes: {'magic-link': marketingCloudConfig.magicLink} + } + }) + }) + + if (!emailResponse.ok) throw new Error('Failed to send email to Marketing Cloud') + + return await emailResponse.json() +} + +/** + * Generates a unique ID, constructs an email message URL, and sends the email to the specified contact + * using the Marketing Cloud API. + * + * @param {string} email - The email address of the contact to whom the email will be sent. + * @param {string} templateId - The ID of the email template to be used for the email. + * @param {string} magicLink - The magic link to be included in the email. + * + * @return {Promise} A promise that resolves to the response object received from the Marketing Cloud API. + */ +export async function emailLink(emailId, templateId, magicLink) { + if (!process.env.MARKETING_CLOUD_CLIENT_ID) { + console.warn('MARKETING_CLOUD_CLIENT_ID is not set in the environment variables.') + } + + if (!process.env.MARKETING_CLOUD_CLIENT_SECRET) { + console.warn(' MARKETING_CLOUD_CLIENT_SECRET is not set in the environment variables.') + } + + if (!process.env.MARKETING_CLOUD_SUBDOMAIN) { + console.warn('MARKETING_CLOUD_SUBDOMAIN is not set in the environment variables.') + } + + const marketingCloudConfig = { + clientId: process.env.MARKETING_CLOUD_CLIENT_ID, + clientSecret: process.env.MARKETING_CLOUD_CLIENT_SECRET, + magicLink: magicLink, + subdomain: process.env.MARKETING_CLOUD_SUBDOMAIN, + templateId: templateId + } + return await sendMarketingCloudEmail(emailId, marketingCloudConfig) +} + +const resetPasswordCallback = + config.app.login?.resetPassword?.callbackURI || '/reset-password-callback' +const passwordlessLoginCallback = + config.app.login?.passwordless?.callbackURI || '/passwordless-login-callback' + +// Reusable function to handle sending a magic link email. +// By default, this implementation uses Marketing Cloud. +async function sendMagicLinkEmail(req, res, landingPath, emailTemplate, redirectUrl) { + // Extract the base URL from the request + const base = req.protocol + '://' + req.get('host') + + // Extract the email_id and token from the request body + const {email_id, token} = req.body + + // Construct the magic link URL + let magicLink = `${base}${landingPath}?token=${encodeURIComponent(token)}` + if (landingPath === config.app.login?.resetPassword?.landingPath) { + // Add email query parameter for reset password flow + magicLink += `&email=${encodeURIComponent(email_id)}` + } + if (landingPath === config.app.login?.passwordless?.landingPath && redirectUrl) { + magicLink += `&redirect_url=${encodeURIComponent(redirectUrl)}` + } + + // Call the emailLink function to send an email with the magic link using Marketing Cloud + const emailLinkResponse = await emailLink(email_id, emailTemplate, magicLink) + + // Send the response + res.send(emailLinkResponse) +} + +const CLAIM = { + ISSUER: 'iss' +} + +const DELIMITER = { + ISSUER: '/' +} + +const throwSlasTokenValidationError = (message, code) => { + throw new Error(`SLAS Token Validation Error: ${message}`, code) +} + +export const createRemoteJWKSet = (tenantId) => { + const appOrigin = getAppOrigin() + const {app: appConfig} = getConfig() + const shortCode = appConfig.commerceAPI.parameters.shortCode + const configTenantId = appConfig.commerceAPI.parameters.organizationId.replace(/^f_ecom_/, '') + if (tenantId !== configTenantId) { + throw new Error( + `The tenant ID in your PWA Kit configuration ("${configTenantId}") does not match the tenant ID in the SLAS callback token ("${tenantId}").` + ) + } + const JWKS_URI = `${appOrigin}/${shortCode}/${tenantId}/oauth2/jwks` + return joseCreateRemoteJWKSet(new URL(JWKS_URI)) +} + +export const validateSlasCallbackToken = async (token) => { + const payload = decodeJwt(token) + const subClaim = payload[CLAIM.ISSUER] + const tokens = subClaim.split(DELIMITER.ISSUER) + const tenantId = tokens[2] + try { + const jwks = createRemoteJWKSet(tenantId) + const {payload} = await jwtVerify(token, jwks, {}) + return payload + } catch (error) { + throwSlasTokenValidationError(error.message, 401) + } +} + +const tenantIdRegExp = /^[a-zA-Z]{4}_([0-9]{3}|s[0-9]{2}|stg|dev|prd)$/ +const shortCodeRegExp = /^[a-zA-Z0-9-]+$/ + +/** + * Handles JWKS (JSON Web Key Set) caching the JWKS response for 2 weeks. + * + * @param {object} req Express request object. + * @param {object} res Express response object. + * @param {object} options Options for fetching B2C Commerce API JWKS. + * @param {string} options.shortCode - The Short Code assigned to the realm. + * @param {string} options.tenantId - The Tenant ID for the ECOM instance. + * @returns {Promise<*>} Promise with the JWKS data. + */ +export async function jwksCaching(req, res, options) { + const {shortCode, tenantId} = options + + const isValidRequest = tenantIdRegExp.test(tenantId) && shortCodeRegExp.test(shortCode) + if (!isValidRequest) + return res + .status(400) + .json({error: 'Bad request parameters: Tenant ID or short code is invalid.'}) + try { + const JWKS_URI = `https://${shortCode}.api.commercecloud.salesforce.com/shopper/auth/v1/organizations/f_ecom_${tenantId}/oauth2/jwks` + const response = await fetch(JWKS_URI) + + if (!response.ok) { + throw new Error('Request failed with status: ' + response.status) + } + + // JWKS rotate every 30 days. For now, cache response for 14 days so that + // fetches only need to happen twice a month + res.set('Cache-Control', 'public, max-age=1209600, stale-while-revalidate=86400') + + return res.json(await response.json()) + } catch (error) { + res.status(400).json({error: `Error while fetching data: ${error.message}`}) + } +} + +const {handler} = runtime.createHandler(options, (app) => { + app.use(express.json()) // To parse JSON payloads + app.use(express.urlencoded({extended: true})) + // Set default HTTP security headers required by PWA Kit + app.use(defaultPwaKitSecurityHeaders) + // Set custom HTTP security headers + app.use( + helmet({ + contentSecurityPolicy: { + useDefaults: true, + directives: { + 'img-src': [ + // Default source for product images - replace with your CDN + '*.commercecloud.salesforce.com' + ], + 'script-src': [ + // Used by the service worker in /worker/main.js + 'storage.googleapis.com' + ], + 'connect-src': [ + // Connect to Einstein APIs + 'api.cquotient.com', + '*.c360a.salesforce.com' + ] + } + } + }) + ) + + // Handle the redirect from SLAS as to avoid error + app.get('/callback?*', (req, res) => { + // This endpoint does nothing and is not expected to change + // Thus we cache it for a year to maximize performance + res.set('Cache-Control', `max-age=31536000`) + res.send() + }) + + app.get('/:shortCode/:tenantId/oauth2/jwks', (req, res) => { + jwksCaching(req, res, {shortCode: req.params.shortCode, tenantId: req.params.tenantId}) + }) + + // Handles the passwordless login callback route. SLAS makes a POST request to this + // endpoint sending the email address and passwordless token. Then this endpoint calls + // the sendMagicLinkEmail function to send an email with the passwordless login magic link. + // https://developer.salesforce.com/docs/commerce/commerce-api/guide/slas-passwordless-login.html#receive-the-callback + app.post(passwordlessLoginCallback, (req, res) => { + const slasCallbackToken = req.headers['x-slas-callback-token'] + const redirectUrl = req.query.redirectUrl + validateSlasCallbackToken(slasCallbackToken).then(() => { + sendMagicLinkEmail( + req, + res, + config.app.login?.passwordless?.landingPath, + process.env.MARKETING_CLOUD_PASSWORDLESS_LOGIN_TEMPLATE, + redirectUrl + ) + }) + }) + + // Handles the reset password callback route. SLAS makes a POST request to this + // endpoint sending the email address and reset password token. Then this endpoint calls + // the sendMagicLinkEmail function to send an email with the reset password magic link. + // https://developer.salesforce.com/docs/commerce/commerce-api/guide/slas-password-reset.html#slas-password-reset-flow + app.post(resetPasswordCallback, (req, res) => { + const slasCallbackToken = req.headers['x-slas-callback-token'] + validateSlasCallbackToken(slasCallbackToken).then(() => { + sendMagicLinkEmail( + req, + res, + config.app.login?.resetPassword?.landingPath, + process.env.MARKETING_CLOUD_RESET_PASSWORD_TEMPLATE + ) + }) + }) + + app.get('/robots.txt', runtime.serveStaticFile('static/robots.txt')) + app.get('/favicon.ico', runtime.serveStaticFile('static/ico/favicon.ico')) + + app.get('/worker.js(.map)?', runtime.serveServiceWorker) + app.get('*', runtime.render) +}) +// SSR requires that we export a single handler function called 'get', that +// supports AWS use of the server that we created above. +export const get = handler diff --git a/my-test-project/overrides/app/static/dwac-21.7.js b/my-test-project/overrides/app/static/dwac-21.7.js new file mode 100644 index 0000000000..f2ad13696c --- /dev/null +++ b/my-test-project/overrides/app/static/dwac-21.7.js @@ -0,0 +1,475 @@ +// Enhance the dw.ac namespace +(function(dw) { + if (typeof dw.ac === "undefined") { + return; // don't do anything if there was no tag, that would create the ac namespace. + } + // Returns the value of the first cookie found whose name is accepted by the given function + function getCookieValue(/*function(x)*/ acceptFunction) { + var cookiePairs = document.cookie.split(';'); + for (var i = 0; i < cookiePairs.length; i++) + { + var index = cookiePairs[i].indexOf('='); + if (index != -1) { + var name = trim(cookiePairs[i].substring(0, index)); + if (acceptFunction(name)) { + return trim(unescape(cookiePairs[i].substring(index + 1))); + } + } + } + + return null; + }; + + // trims a string, replacing the jquery.trim + function trim(/*string*/value) { + return value.replace(/^\s\s*/, '').replace(/\s\s*$/, ''); + }; + + // Sets a cookie with the given name and value + function setCookieValue(/*string*/ name, /*string*/ value, /*integer*/ millisToExpiry) { + var cookie = name + '=' + escape(value) + ';path=/'; + if (millisToExpiry != -1) { + cookie += ";expires=" + expires.toGMTString(); + } + document.cookie = cookie; + }; + + // URL encodes the given string to match the Java URLEncoder class + function urlencode(/*string*/ value) { + var convertByte = function(code) { + if(code < 32) { + //numbers lower than 32 are control chars, not printable + return ''; + } else { + return '%' + new Number(code).toString(16).toUpperCase(); + } + }; + + var encoded = ''; + for (var i = 0; i < value.length; i++) { + var c = value.charCodeAt(i); + if (((c >= 97) && (c <= 122)) || ((c >= 65) && (c <= 90)) || ((c >= 48) && (c <= 57)) || (c == 46) || (c == 45) || (c == 42) || (c == 95)) { + encoded += value.charAt(i); // a-z A-z 0-9 . - * _ + } + else if (c == 32) { + encoded += '+'; // (space) + } + else if (c < 128) { + encoded += convertByte(c); + } + else if ((c >= 128) && (c < 2048)) { + encoded += convertByte((c >> 6) | 0xC0); + encoded += convertByte((c & 0x3F) | 0x80); + } + else if ((c >= 2048) && (c < 65536)) { + encoded += convertByte((c >> 12) | 0xE0); + encoded += convertByte(((c >> 6) & 0x3F) | 0x80); + encoded += convertByte((c & 0x3F) | 0x80); + } + else if (c >= 65536) { + encoded += convertByte((c >> 18) | 0xF0); + encoded += convertByte(((c >> 12) & 0x3F) | 0x80); + encoded += convertByte(((c >> 6) & 0x3F) | 0x80); + encoded += convertByte((c & 0x3F) | 0x80); + } + } + + return encoded; + } + + // Returns the value of the analytics cookie set on the server + function getAnalyticsCookieValue() { + var acceptFunction = function(name) { + return (name.length > 5) && (name.substring(0, 5) === 'dwac_'); + }; + return getCookieValue(acceptFunction); + }; + + // Contextual information retrieved from the server + var analyticsContext = (function() { + if (dw.ac._analytics_enabled === "false") { + return { + enabled: false, + dwEnabled: false + }; + } + var cookieValue = getAnalyticsCookieValue(); + if (cookieValue == null) { + return { + visitorID: '__ANNONYMOUS__', + customer: '__ANNONYMOUS__', + siteCurrency: '', + sourceCode: '', + enabled: "true", + timeZone: dw.ac._timeZone, + dwEnabled: "true", + encoding: 'ISO-8859-1' + }; + } + + var tokens = cookieValue.split('|'); + + return { + visitorID: tokens[0], + repository: tokens[1], + customer: tokens[2], + sourceCode: tokens[3], + siteCurrency: tokens[4], + enabled: tokens[5] == "true", + timeZone: tokens[6], + dwEnabled: tokens[7] == "true", + encoding: 'ISO-8859-1' + }; + }()); + + // Turn debugging on or off + var setDebugEnabled = function(enabled) { + if (typeof enabled != 'boolean') { + return; + } + + setCookieValue('dwacdebug', '' + enabled, -1); + }; + + // Returns true if debug is enabled, false otherwise + function isDebugEnabled() { + var acceptFunction = function(name) { + return name === 'dwacdebug'; + }; + return getCookieValue(acceptFunction) === 'true'; + }; + + // Map data structure + function Map() { + var data = []; + + // Returns an array containing the entries in this map + this.getEntries = function() { + return data; + }; + + // Puts the given value in this map under the given key + this.put = function(/*object*/ key, /*object*/ value) { + for (var i = 0; i < data.length; i++) { + if (data[i].key == key) { + data[i].value = value; + return; + } + } + + data.push({key: key, value: value}); + }; + + // Puts all the key value pairs in the given map into this map + this.putAll = function(/*Map*/ map) { + var entries = map.getEntries(); + for (var i = 0; i < entries.length; i++) { + this.put(entries[i].key, entries[i].value); + } + }; + + // Returns the value in this map under the given key, or null if there is no such value + this.get = function(/*object*/ key) { + for (var i = 0; i < data.length; i++) { + if (data[i].key == key) { + return data[i].value; + } + } + + return null; + }; + + // Clears this map of entries + this.clear = function() { + data.length = 0; + }; + + // Returns if this map is empty of values + this.isEmpty = function() { + return data.length == 0; + } + }; + + // Delay in milliseconds before actually submitting data once some is ready + var SUBMIT_DELAY_MILLIS = 500; + + // Set when the DOM is ready + var domReady = false; + + // Timeout to submit data after a delay + var submitTimeout = null; + + // Product impressions found on the page + var productImpressions = new Map(); + + // Product views found on the page + var productViews = new Map(); + + // Product recommendations found on the page + var productRecommendations = new Map(); + + // Applies values from the given source for fields defined in the given target + function applyFields(/*object*/ source, /*object*/ target) { + for (e in target) { + if (typeof source[e] != 'undefined') { + target[e] = source[e]; + } + } + return target; + }; + + // Collects the given product impression, and returns true if it is valid or false if it is not + var collectProductImpression = function(/*object*/ configs) { + if (typeof configs != 'object') { + return false; + } + + var pi = applyFields(configs, {id:null}); + + // Quit if no SKU provided or is invalid + if (typeof pi.id != 'string') { + return false; + } + + // Throw out the impression if SKU already seen + var previousImpression = productImpressions.get(pi.id); + if (previousImpression != null) { + return false; + } + + productImpressions.put(pi.id, pi); + return true; + }; + + // Collects the given product recommendation, and returns true if it is valid or false if it is not + var collectProductRecommendation = function(/*object*/ configs) { + if (typeof configs != 'object') { + return false; + } + + var pr = applyFields(configs, {id:null}); + + // Quit if no SKU provided or is invalid + if (typeof pr.id != 'string') { + return false; + } + + // Throw out the recommendation if SKU already seen + var previousRecommendation = productRecommendations.get(pr.id); + if (previousRecommendation != null) { + return false; + } + + productRecommendations.put(pr.id, pr); + return true; + }; + + // Collects the given product view, and returns true if it is valid or false if it is not + var collectProductView = function(/*object*/ configs) { + if (typeof configs != 'object') { + return false; + } + + var pv = applyFields(configs, {id:null}); + + // Quit if no SKU provided or is invalid + if (typeof pv.id != 'string') { + return false; + } + + // Throw out the view if SKU already seen + var previousView = productViews.get(pv.id); + if (previousView != null) { + return false; + } + + productViews.put(pv.id, pv); + return true; + }; + + // Returns a new Map with the same contents as the given Map, + // clearing the given Map in the process + function copyAndClearMap(/*Map*/ map) { + var copy = new Map(); + copy.putAll(map); + map.clear(); + return copy; + } + + // Returns if there are collected data to submit + function containsProductDataToSubmit() { + return !productImpressions.isEmpty() || !productRecommendations.isEmpty() + || !productViews.isEmpty(); + } + + // Performs the actual submission of collected data for analytics processing + var performDataSubmission = function() { + + if (dw.ac._analytics != null) + { + var collectedData = { + pageInfo: dw.ac._category, + productImpressions: productImpressions, + productViews: productViews, + productRecommendations: productRecommendations, + debugEnabled: isDebugEnabled() + }; + dw.ac._analytics.trackPageViewWithProducts(analyticsContext, collectedData, null); + productImpressions.clear(); + productViews.clear(); + productRecommendations.clear(); + dw.ac._events.length = 0; + } + }; + + // Submits the collected data for analytics processing after a short delay + function submitCollectedData() { + // don't submit the data before dom is ready, the data is still collected, + // when dom is ready, the onDocumentReady method will call this method again. + if(!domReady) { + return; + } + + if (submitTimeout) { + clearTimeout(submitTimeout); + } + + submitTimeout = setTimeout(performDataSubmission, SUBMIT_DELAY_MILLIS); + } + + // Returns an object with the same properties as the given object, but with string type properties + // in the given array of names set to the URL encoded form of their values using the escape function + function escapeProperties(/*object*/ o, /*Array*/ props) { + if (typeof o == 'undefined') { + return; + } + + var copy = {}; + for (e in o) { + var escapeProp = false; + for (var i = 0; (i < props.length) && !escapeProp; i++) { + var prop = props[i]; + if ((e === prop) && (typeof o[prop] == 'string')) { + escapeProp = true; + } + } + + copy[e] = escapeProp ? urlencode(o[e]) : o[e]; + } + + return copy; + } + + // Captures the given object data collected in subsequent events on the page, + // and returns true if the given object data is valid, or returns false if not + function captureObject(/*object*/ configs) { + if (typeof configs != 'object') { + return false; + } + + if ((configs.type === dw.ac.EV_PRD_SEARCHHIT) || (configs.type === dw.ac.EV_PRD_SETPRODUCT)) { + return collectProductImpression(escapeProperties(configs, ['id'])); + } + + if (configs.type === dw.ac.EV_PRD_DETAIL) { + return collectProductView(escapeProperties(configs, ['id'])); + } + + if (configs.type === dw.ac.EV_PRD_RECOMMENDATION) { + return collectProductRecommendation(escapeProperties(configs, ['id'])); + } + + return false; + } + + // Captures the given data collected in subsequent events on the page + function captureAndSend(/*object*/ configs) { + if (typeof configs == 'undefined') { + return; + } + + // Support both array and single object cases + if (typeof configs === 'object') { + if (configs instanceof Array) { + for (var i = 0; i < configs.length; i++) { + captureObject(configs[i]); + } + } + else { + if (configs[0] instanceof Object) { + captureObject(configs[0]); + } + else { + captureObject(configs); + } + } + } + + // Submit captured data if appropriate + if (domReady) { + submitCollectedData(); + } + }; + + // Enhance existing capture function with submission step + dw.ac.capture = captureAndSend; + + // expose debug API + dw.ac.setDebugEnabled = setDebugEnabled; + + dw.ac._handleCollectedData = function () { + domReady = false; + dw.ac._events.forEach(captureAndSend); + domReady = true; + submitCollectedData(); + }; + + dw.ac._scheduleDataSubmission = function () { + if (dw.ac._submitTimeout) { + clearTimeout(dw.ac._submitTimeout); + } + dw.ac._submitTimeout = setTimeout(dw.ac._handleCollectedData, 500); + }; + + // Added specifically for PWA kit to set currency for Analytics Context + dw.ac._setSiteCurrency = function setSiteCurrency(currency) { + analyticsContext.siteCurrency = currency; + }; + + // replace jQuery.ready() function + (function onDocumentReady(callback) { + // Catch cases where $(document).ready() is called after the browser event has already occurred. + if (document.readyState === "complete") { + // Handle it asynchronously to allow scripts the opportunity to delay ready + setTimeout(callback, 1); + } + + // Mozilla, Opera and webkit nightlies currently support this event + if (document.addEventListener) { + DOMContentLoaded = function() { + document.removeEventListener("DOMContentLoaded", DOMContentLoaded, false); + callback(); + }; + // Use the handy event callback + document.addEventListener("DOMContentLoaded", DOMContentLoaded, false); + // A fallback to window.onload, that will always work + window.addEventListener("load", callback, false); + // If IE event model is used + } else if (document.attachEvent) { + DOMContentLoaded = function() { + // Make sure body exists, at least, in case IE gets a little overzealous + if (document.readyState === "complete") { + document.detachEvent("onreadystatechange", DOMContentLoaded); + callback(); + } + }; + // ensure firing before onload, maybe late but safe also for iframes + document.attachEvent("onreadystatechange", DOMContentLoaded); + + // A fallback to window.onload, that will always work + window.attachEvent("onload", callback); + } + })(function() { + dw.ac._handleCollectedData(); + }); +}((window.dw||{}))); \ No newline at end of file diff --git a/my-test-project/overrides/app/static/dwanalytics-22.2.js b/my-test-project/overrides/app/static/dwanalytics-22.2.js new file mode 100644 index 0000000000..a1b0826e4e --- /dev/null +++ b/my-test-project/overrides/app/static/dwanalytics-22.2.js @@ -0,0 +1,502 @@ +/*! +* dwAnalytics - Web Analytics Tracking +* Based partially on Piwik +* +* @link http://piwik.org +* @license http://www.gnu.org/licenses/gpl-3.0.html Gpl v3 or later +*/ + +// Create dw namespace if necessary +if (typeof dw == 'undefined') { + var dw = {}; +} + +if (typeof dw.__dwAnalyticsLoaded == 'undefined') +{ + dw.__dwAnalyticsLoaded = true; + + // DWAnalytics singleton and namespace + dw.__dwAnalytics = function () { + /************************************************************ + * Private data + ************************************************************/ + + var MAX_URL_LENGTH = 2000; + + var expireDateTime, + + /* plugins */ + plugins = {}, + + /* alias frequently used globals for added minification */ + documentAlias = document, + navigatorAlias = navigator, + screenAlias = screen, + windowAlias = window, + hostnameAlias = windowAlias.location.hostname; + + /************************************************************ + * Private methods + ************************************************************/ + + /* + * Is property (or variable) defined? + */ + function isDefined(property) { + return typeof property !== 'undefined'; + } + + /* + * DWAnalytics Tracker class + * + * trackerUrl and trackerSiteId are optional arguments to the constructor + * + * See: Tracker.setTrackerUrl() and Tracker.setSiteId() + */ + function Tracker(trackerUrl, siteId) { + /************************************************************ + * Private members + ************************************************************/ + + var // Tracker URL + configTrackerUrl = trackerUrl + '?' || '?', + + // Document URL + configCustomUrl, + + // Document title + configTitle = documentAlias.title, + + // Client-side data collection + browserHasCookies = '0', + pageReferrer, + + // Plugin, Parameter name, MIME type, detected + pluginMap = { + // document types + pdf: ['pdf', 'application/pdf', '0'], + // media players + quicktime: ['qt', 'video/quicktime', '0'], + realplayer: ['realp', 'audio/x-pn-realaudio-plugin', '0'], + wma: ['wma', 'application/x-mplayer2', '0'], + // interactive multimedia + director: ['dir', 'application/x-director', '0'], + flash: ['fla', 'application/x-shockwave-flash', '0'], + // RIA + java: ['java', 'application/x-java-vm', '0'], + gears: ['gears', 'application/x-googlegears', '0'], + silverlight: ['ag', 'application/x-silverlight', '0'] + }, + + // Guard against installing the link tracker more than once per Tracker instance + linkTrackingInstalled = false, + + /* + * encode or escape + * - encodeURIComponent added in IE5.5 + */ + escapeWrapper = windowAlias.encodeURIComponent || escape, + + /* + * decode or unescape + * - decodeURIComponent added in IE5.5 + */ + unescapeWrapper = windowAlias.decodeURIComponent || unescape, + + /* + * registered (user-defined) hooks + */ + registeredHooks = {}; + + /* + * Set cookie value + */ + function setCookie(cookieName, value, daysToExpire, path, domain, secure) { + var expiryDate; + + if (daysToExpire) { + // time is in milliseconds + expiryDate = new Date(); + // there are 1000 * 60 * 60 * 24 milliseconds in a day (i.e., 86400000 or 8.64e7) + expiryDate.setTime(expiryDate.getTime() + daysToExpire * 8.64e7); + } + + documentAlias.cookie = cookieName + '=' + escapeWrapper(value) + + (daysToExpire ? ';expires=' + expiryDate.toGMTString() : '') + + ';path=' + (path ? path : '/') + + (domain ? ';domain=' + domain : '') + + (secure ? ';secure' : ''); + } + + /* + * Get cookie value + */ + function getCookie(cookieName) { + var cookiePattern = new RegExp('(^|;)[ ]*' + cookieName + '=([^;]*)'), + + cookieMatch = cookiePattern.exec(documentAlias.cookie); + + return cookieMatch ? unescapeWrapper(cookieMatch[2]) : 0; + } + + /* + * Send image request to DWAnalytics server using GET. + * The infamous web bug is a transparent, single pixel (1x1) image + * Async with a delay of 100ms. + */ + function getImage(urls) { + dw.__timeoutCallback = function() + { + for (var i = 0; i < urls.length; i++) + { + var image = new Image(1, 1); + image.onLoad = function () {}; + image.src = urls[i]; + } + }; + setTimeout(dw.__timeoutCallback, 100); + } + + /* + * Browser plugin tests + */ + function detectBrowserPlugins() { + var i, mimeType; + + // Safari and Opera + // IE6: typeof navigator.javaEnabled == 'unknown' + if (typeof navigatorAlias.javaEnabled !== 'undefined' && navigatorAlias.javaEnabled()) { + pluginMap.java[2] = '1'; + } + + // Firefox + if (typeof windowAlias.GearsFactory === 'function') { + pluginMap.gears[2] = '1'; + } + + if (navigatorAlias.mimeTypes && navigatorAlias.mimeTypes.length) { + for (i in pluginMap) { + mimeType = navigatorAlias.mimeTypes[pluginMap[i][1]]; + if (mimeType && mimeType.enabledPlugin) { + pluginMap[i][2] = '1'; + } + } + } + } + + /* + * Get page referrer + */ + function getReferrer() { + var referrer = ''; + try { + referrer = top.document.referrer; + } catch (e) { + if (parent) { + try { + referrer = parent.document.referrer; + } catch (e2) { + referrer = ''; + } + } + } + if (referrer === '') { + referrer = documentAlias.referrer; + } + + return referrer; + } + + /* + * Does browser have cookies enabled (for this site)? + */ + function hasCookies() { + var testCookieName = '_pk_testcookie'; + if (!isDefined(navigatorAlias.cookieEnabled)) { + setCookie(testCookieName, '1'); + return getCookie(testCookieName) == '1' ? '1' : '0'; + } + + return navigatorAlias.cookieEnabled ? '1' : '0'; + } + + /* + * Log the page view / visit + */ + function logPageView(analyticsContext, collectedData, customTitle) { + var id = Math.random(); + + var tuples = constructDataSet(analyticsContext, collectedData, customTitle, id); + + if (collectedData != null && collectedData.debugEnabled) { + var text = ''; + for (var i = 0; i < tuples.length; i++) + { + text += tuples[i][0] + '"=' + tuples[i][1] + '"\n'; + } + alert(text); + } + + + var urls = createUrls(analyticsContext, configTrackerUrl, tuples, id); + getImage(urls); + } + + /************************************************************ + * Constructor + ************************************************************/ + + /* + * initialize tracker + */ + pageReferrer = getReferrer(); + browserHasCookies = hasCookies(); + detectBrowserPlugins(); + + try { + process_anact_cookie(); + } catch (err) {}; + + /************************************************************ + * Public data and methods + ************************************************************/ + + return { + /* + * Log visit to this page (called from the bottom of the page). + */ + trackPageView: function (customTitle) { + logPageView(null, null, customTitle); + }, + /* + * Log visit to this page (called from the dwac script). + */ + trackPageViewWithProducts: function (analyticsContext, collectedData, customTitle) { + logPageView(analyticsContext, collectedData, customTitle); + } + }; + + + function appendToRequest(/*Array*/ tuple, /*string*/ request) { + + var beginningChar = request.charAt(request.length - 1) == '?' ? '' : '&'; + return request + beginningChar + tuple[0] + "=" + tuple[1]; + } + + function lengthOfTuple(/*Array*/ tuple) { + return tuple[0].length + tuple[1].length + 2; + } + + function constructDataSet(/*object*/ analyticsContext, collectedData, /*string*/ customTitle, /*number*/ id) { + var tuples = [ + ["url", escapeWrapper(isDefined(configCustomUrl) ? configCustomUrl : documentAlias.location.href)], + ["res", screenAlias.width + 'x' + screenAlias.height], + ["cookie", browserHasCookies], + ["ref", escapeWrapper(pageReferrer)], + ["title", escapeWrapper(isDefined(customTitle) && customTitle != null ? customTitle : configTitle)] + ]; + + // plugin data + for (var index in pluginMap) { + tuples.push([pluginMap[index][0], pluginMap[index][2]]) + } + + if (analyticsContext != null && analyticsContext.dwEnabled) + { + tuples.push(["dwac", id]); + tuples.push(["cmpn", analyticsContext.sourceCode]); + tuples.push(["tz", analyticsContext.timeZone]); + + analyticsContext.category = dw.ac._category; + if (dw.ac._searchData) { + analyticsContext.searchData = dw.ac._searchData; + } + + addProducts(analyticsContext, collectedData, tuples); + } + + return tuples; + } + + function addProducts(/*object*/ analyticsContext, /*object*/ collectedData, /*Array*/ tuples) + { + tuples.push(["pcc", analyticsContext.siteCurrency]); + tuples.push(["pct", analyticsContext.customer]); + tuples.push(["pcat", analyticsContext.category]); + if (analyticsContext.searchData) { + if (analyticsContext.searchData.q) tuples.push(["pst-q", analyticsContext.searchData.q]); + if (analyticsContext.searchData.searchID) tuples.push(["pst-id", analyticsContext.searchData.searchID]); + if (analyticsContext.searchData.refs) tuples.push(["pst-refs", analyticsContext.searchData.refs]); + if (analyticsContext.searchData.sort) tuples.push(["pst-sort", analyticsContext.searchData.sort]); + if (undefined != analyticsContext.searchData.persd) tuples.push(["pst-pers", analyticsContext.searchData.persd]); + if (analyticsContext.searchData.imageUUID) tuples.push(["pst-img", analyticsContext.searchData.imageUUID]); + if (analyticsContext.searchData.suggestedSearchText) tuples.push(["pst-sug", analyticsContext.searchData.suggestedSearchText]); + if (analyticsContext.searchData.locale) tuples.push(["pst-loc", analyticsContext.searchData.locale]); + if (analyticsContext.searchData.queryLocale) tuples.push(["pst-qloc", analyticsContext.searchData.queryLocale]); + if (undefined != analyticsContext.searchData.showProducts) tuples.push(["pst-show", analyticsContext.searchData.showProducts]); + } + + var pies = collectedData.productImpressions.getEntries(); + var pres = collectedData.productRecommendations.getEntries(); + var pves = collectedData.productViews.getEntries(); + + var count = 0; + for (var i = 0; i < pies.length; i++) { + tuples.push([("pid-" + count), pies[i].value.id]); + tuples.push([("pev-" + count), "event3"]); + count++; + } + + for (var j = 0; j < pres.length; j++) { + tuples.push([("pid-" + count), pres[j].value.id]); + tuples.push([("pev-" + count), "event3"]); + tuples.push([("evr4-" + count), 'Yes']); + count++; + } + + for (var k = 0; k < pves.length; k++) { + tuples.push([("pid-" + count), pves[k].value.id]); + tuples.push([("pev-" + count), "event4"]); + count++; + } + } + + function createUrls(analyticsContext, configTrackerUrl, tuples, id) { + var urls = []; + var request = configTrackerUrl; + for (var i = 0; i < tuples.length; i++) { + // we don't want to break up a product grouping, for example, + // ["pid-0","p1"],["pev-0","event3"],["evr4-0",'Yes'] should not be broken into two separate requests + var nextTupleIsProductAndWouldMakeRequestTooLong = (tuples[i][0].slice(0, "pid-".length) == "pid-") + && (lengthOfTuple(tuples[i]) + + ((i + 1) < tuples.length ? lengthOfTuple(tuples[i + 1]) : 0) + + ((i + 2) < tuples.length ? lengthOfTuple(tuples[i + 2]) : 0) + + request.length > MAX_URL_LENGTH); + + var nextTupleIsNotProductAndWouldMakeRequestTooLong = (tuples[i][0].slice(0, "pid-".length) != "pid-") + && (lengthOfTuple(tuples[i]) + request.length > MAX_URL_LENGTH); + + if (nextTupleIsProductAndWouldMakeRequestTooLong || nextTupleIsNotProductAndWouldMakeRequestTooLong) { + urls.push(request); + // close the current request and create a new one, + // the new request should have the basic dwac, cmpn,tz, pcc, pct, pcat values + request = appendToRequest(["dwac", id], configTrackerUrl); + if (analyticsContext != null && analyticsContext.dwEnabled) { + request = appendToRequest(["cmpn", analyticsContext.sourceCode], request); + request = appendToRequest(["tz", analyticsContext.timeZone], request); + request = appendToRequest(["pcc", analyticsContext.siteCurrency], request); + request = appendToRequest(["pct", analyticsContext.customer], request); + request = appendToRequest(["pcat", analyticsContext.category], request); + if (analyticsContext.searchData) { + if (analyticsContext.searchData.q) appendToRequest(["pst-q", analyticsContext.searchData.q], request); + if (analyticsContext.searchData.searchID) appendToRequest(["pst-id", analyticsContext.searchData.searchID], request); + if (analyticsContext.searchData.refs) appendToRequest(["pst-refs", JSON.stringify(analyticsContext.searchData.refs)], request); + if (analyticsContext.searchData.sort) appendToRequest(["pst-sort", JSON.stringify(analyticsContext.searchData.sort)], request); + if (undefined != analyticsContext.searchData.persd) appendToRequest(["pst-pers", analyticsContext.searchData.persd], request); + if (analyticsContext.searchData.imageUUID) appendToRequest(["pst-img", analyticsContext.searchData.imageUUID], request); + if (analyticsContext.searchData.suggestedSearchText) appendToRequest(["pst-sug", analyticsContext.searchData.suggestedSearchText], request); + if (analyticsContext.searchData.locale) appendToRequest(["pst-loc", analyticsContext.searchData.locale], request); + if (analyticsContext.searchData.queryLocale) appendToRequest(["pst-qloc", analyticsContext.searchData.queryLocale], request); + if (undefined != analyticsContext.searchData.showProducts) appendToRequest(["pst-show", analyticsContext.searchData.showProducts], request); + } + } + } + + request = appendToRequest(tuples[i], request); + } + + // Add the "do not follow" cookie in the URL as a query param + // The cookie is set per-site, and gets applied to all sub-sites, if present + var doNotFollowCookieValue = getCookie('dw_dnt'); + + // If cookie not found + if (doNotFollowCookieValue === 0 + || doNotFollowCookieValue === '' + || doNotFollowCookieValue === null + || doNotFollowCookieValue === false) { + // do nothing, meaning tracking is allowed + } + // Cookie found, i.e. value should be '0' or '1' (string values) + else { + // Set whatever the cookie value is + request = appendToRequest([ "dw_dnt", doNotFollowCookieValue ], request); + } + + urls.push(request); + return urls; + } + } + + function extractCookieValueAndRemoveCookie(cookieName) { + var cookieValue = extractEncodedCookieValue (cookieName); + if (cookieValue) { + document.cookie = cookieName + '=; path=/; expires=Thu, 01 Jan 1970 00:00:00 GMT;'; + } + return cookieValue; + }; + + function extractEncodedCookieValue (cookieName) { + return decodeURIComponent ( + document.cookie.replace( + new RegExp('(?:(?:^|.*;)\\s*' + + encodeURIComponent(cookieName).replace(/[\-\.\+\*]/g, '\\$&') + + '\\s*\\=\\s*([^;]*).*$)|^.*$') + , '$1').replace(/\+/g, '%20') + ) || null; + } + + function process_anact_cookie() { + if (dw.ac) { + dw.ac._anact=extractCookieValueAndRemoveCookie('__anact'); + if ( dw.ac._anact && !dw.ac.eventsIsEmpty() ) { + return; + } + if ( dw.ac._anact_nohit_tag || dw.ac._anact ) { + var unescaped = dw.ac._anact_nohit_tag ? dw.ac._anact_nohit_tag : dw.ac._anact; + var jsonPayload = JSON.parse(unescaped); + if (jsonPayload) { + var payload = Array.isArray(jsonPayload) ? jsonPayload[0] : jsonPayload; + if (payload + && 'viewSearch' == payload.activityType + && payload.parameters) { + var params = payload.parameters; + var search_params = {}; + search_params.q = params.searchText; + search_params.suggestedSearchText = params.suggestedSearchText; + search_params.persd = params.personalized; + search_params.refs = params.refinements; + search_params.sort = params.sorting_rule; + search_params.imageUUID = params.image_uuid; + search_params.showProducts = params.showProducts; + search_params.searchID = params.searchID; + search_params.locale = params.locale; + search_params.queryLocale = params.queryLocale; + dw.ac.applyContext({searchData: search_params}); + var products = params.products; + if (products && Array.isArray(products)) { + for (i = 0; i < products.length; i++) { + if (products[i]) { + dw.ac._capture({ id : products[i].id, type : dw.ac.EV_PRD_SEARCHHIT }); + } + } + } + } + } + } + } + }; + + /************************************************************ + * Public data and methods + ************************************************************/ + + return { + /* + * Get Tracker + */ + getTracker: function (analyticsUrl) { + return new Tracker(analyticsUrl); + } + }; + }(); +} \ No newline at end of file diff --git a/my-test-project/overrides/app/static/head-active_data.js b/my-test-project/overrides/app/static/head-active_data.js new file mode 100644 index 0000000000..e959d2d86f --- /dev/null +++ b/my-test-project/overrides/app/static/head-active_data.js @@ -0,0 +1,43 @@ +var dw = (window.dw || {}); +dw.ac = { + _analytics: null, + _events: [], + _category: "", + _searchData: "", + _anact: "", + _anact_nohit_tag: "", + _analytics_enabled: "true", + _timeZone: Intl.DateTimeFormat().resolvedOptions().timeZone, + _capture: function(configs) { + if (Object.prototype.toString.call(configs) === "[object Array]") { + configs.forEach(captureObject); + return; + } + dw.ac._events.push(configs); + }, + capture: function() { + dw.ac._capture(arguments); + // send to CQ as well: + if (window.CQuotient) { + window.CQuotient.trackEventsFromAC(arguments); + } + }, + EV_PRD_SEARCHHIT: "searchhit", + EV_PRD_DETAIL: "detail", + EV_PRD_RECOMMENDATION: "recommendation", + EV_PRD_SETPRODUCT: "setproduct", + applyContext: function(context) { + if (typeof context === "object" && context.hasOwnProperty("category")) { + dw.ac._category = context.category; + } + if (typeof context === "object" && context.hasOwnProperty("searchData")) { + dw.ac._searchData = context.searchData; + } + }, + setDWAnalytics: function(analytics) { + dw.ac._analytics = analytics; + }, + eventsIsEmpty: function() { + return 0 == dw.ac._events.length; + } +}; \ No newline at end of file diff --git a/my-test-project/overrides/app/static/ico/favicon.ico b/my-test-project/overrides/app/static/ico/favicon.ico new file mode 100644 index 0000000000000000000000000000000000000000..2b5265a74b3fd093c4db7765f472f0f2e0349491 GIT binary patch literal 15406 zcmeHOYj6|S6<%J()~<|!CJ>TLJSj~mA%%uEeM~xmB+%(}3dORLNt*|m5{42WV2Mm1 znMN=)EnrE60UBdT1`nmJ7$8i5yb2DXFt+4`5)4?9AJ`J_G&H0<4A|;-R=Q?=wJYsP z&ObD>bNBAvbIy0qo_o%@4+%map`TDxB%mx7X7v|@hXp|>E>6@(4Hg6+o{bxqe1D%H z9K1~sMxhNzK#_Qk!q9K#uLM(BsmY;5)LbP#81aeEsJ*vY^G4gO;t^Y^7*~5A@tJ3Y zz0&1~*IdoNw^_vJZKbCF5iL)D&M!z2ue2%bHOJ{v(%UBsB4{@-I#x3NEtTT;K-0)* zmGlcN(gSFJl+m!V%wlRK`jAhW8TLt+m9&X_X{oKWpaktMF`ApDX@|#_e-G$3tI%C- z@=0@uH!xS=mFQDza#j(SYr2VFRY)?;pJ+AwH*TfjLl8gQ;u(i2|0rQk=mX=*5_e2Bkt6Z=L2s?H*J!hbU?hr9_cDiOIT#QLFe`!bVM6)Uy9Y1 zmxesj5}q#6cWD;!Zm(0|mFZmZSkQGWdeHTtEE_hcq=!v~!s|thro=BrE_8P0@Jf-r zCmXy;FKur03TF0>N(KF;_JHdJ0w)BWBfa+6Fqc(v@PIzK<$0VTlgH=w%R*- z2HK^EKe&lkt6jFw$B;Xyu9wMWrCxfB$JxB^ z(JS9(mAc~wlgr9X@*|su6v9va=jtyM)u$R)OF%eiUq$u`%aqs0z~(3j}v zPs{tRU8lZfd=_!v0&BsYMB7|t`XP9>=#?GvO0iIt`DaASehW&)$vXSpi9BYR)hhHu z^4JHqGaqt0^vcFK+zo$=3|Nkxk0O2^Y(KE#+dAc+rFKO7`MN=a!E3u-xgn34^!+Nu znt0sN7qR|z{jV9 zqCLLRJd}7DkbAAkYqpWT{eEk|Xwd11Y3Q5BK=Mf@`;qS87u)s9rf(CeD*Q3gpQv}= z5v_CXzr5GYRg9xEnz2{fm|c{-a)oW^e2O^C(!3JnzEAf3&s0T>@(+BqHS0! zNRYitZ=cbwgT^BHK%$S<%J$u<;Eg#D&4VRchSeCMWf4QnNa zmoL-FhYxKDA;$7F%DT3E_oWkcZK2#bQ+xhB z=J6fr)&cnTe4X;Zu&=PknC9E0tHqio-i|ERAR@s02%Ojrwf1i9j7TyJHIQH?I{5c-Ebg};RVeFxW~-tL2A zg3upxnU^r{ISuSxD6gyG$mUsVm5?9yiVNXW&L-pP{v(y*uxxm#(NJzo`Ud6><-AR; zt&wNshv0ihAh+=#*56<`0qzeptQChF;icA=_|Kn~{}?cT2>dsc*y&!4M(?xw3Sq!8 z*b6Y%GTf}}4g3zPkOzDDJ#fZ&+^nt_E8kAeeZA&|h<)dPxr^auWsdm!U~S`eyA^u@ zrQ$V)RjuT4WvbKnJpPxWV%iH}Sk=mG@zWRu_Q$Y?u~!W*|11+;{=Mv9VB5ggZR@>> z-)=Fz2#hC_{w3{t67_}0r&TBaf^{4R?BxqJy!~|B7rqUTnbi-vgaX*gVqhWvBCmTJDKp`xwMe_wv<`TB#3LSGraHsR zO5^~2Bb5br0XyyEbsE8}Y)kmD50?^uX`KhYWfFWN*-K|8eCgif+chxURK}C`f<1tG zC6+AiVQbPBejb>JN76iCI+YHWj(22hHMIWC@XPV2QhE(o&xd`+Y@P2P`o9-zkfVsF ztQYu~#ZQaFu->%>at)8sp8YX>jlGJEi>!$?WwMvBZ_vHa*ESwU7WE78Q%=7_$YXjT zdnqf)p9p{cNlzSx$13T((NN*4JmQ-er~k=9&prGRbiOm}%fC17Pw*!G?6=S= z4hQ}NTDWvPzla>pqnv9c?S;;Pq|E_z^y>m*+VY0Ax5?`s@wmTV^i$VJoQ0^wI`E4P zen(zz_)RV7`wZH1Cw(;dg}iW;R03Q9T!!Ki-xuT(hr>ScY04{zcRaFsATU3Jb(O}% z+KPK0&Q;u=HGZqOZ|>B*(Ui{-f7xEV(i^~`D}UkfD(aoEmv6~wKPAM^#cFWz_ruTN49*hSzvLK?FjskBjz>w}ZTr^^j@7x} z2JWwzzWLGse%OoXeF=V+aFc$T-!A+P^tw~0ZdJbr;zAdE%a_(mlSj1-VlY*mI3XM;g7-lfW*=I$EoY)w`a@I`J`H z*J|}l_~FwJluZ-IvUnu#=lIMkk-L1Ei{6v8+m2V|7yFa(i1uxOhy07Cz3_cVga0dF zUpIYv((fWSIwsqTv;}(4Egr#M8a;)}P9@j=XpFW5m*0#)eOm&8z))83l16v7~ zm59?FN$iws;Ed0c7+;^}qI0r!;vw@&<}a-^Rr#@ib2_j`GGSGF&+t>O1%E!9&Q+F8 z8+ad!M~AD2iC7C*Mq?}|?1^u-rO8t`lI;z));NIOy$<74x4rOvVEAcVDt}~?WShX8 zd%jD3$C#n9Lo(uif4|lPE5?y*9*@B~#e?@k_2u$81csm43$P!_MdzUHO!z3t!s11| zzGA>hoacnxqqtJykum)4gKgMbCVepM%Sja=`xu<{58L?$7gO_3U&n_xT)b z@6`t6{*0GenI(R*^?;ha@G=bJPn<#fxGh-TeFl=}sjO##A8V}mj|0|3lzg=AjpD}` z-4Lr?ei!pET721aBlyX`V66W!oxL!=tkj7gW5jtnTDNizqtjdJ#80_$ZDXZ*Dw~t) z<*yU}CnsSqaTWiPNsdnZ+sIzj{7WYO>F~o=uH%fv8k&dewHIEVCjP{n@I1!oYesdh zl%a(m@d)Q8o%15Qd&VOrt)6=={Io_4zdD81jP>x*YQy7)&gsnM9`Y~B{6&jC({mO4 zofxOphp|SVjlJ;lIQ$*>f6zMo7wAsDUAA?KzZjeQlkxW)urH>)k!<<#bY$b`Ll@3K zo^217FQ~7dnbY^=`O{nuxy$Roy%TF*Q{WqWl|S&W1$IC3mkGS=-m24FtL?9;X9#

$f#DX9TN=>P!2bb)$z?rxAyLApCdB&0za`FOt{ z&oe*f&z(DG=AL`bgsUjaU_B#!1^@t-oGe1^Y3%y%gQ7kC)mH4#p9YYNnv4WcIYzbz z091e+LR`bs=+M{8M`L#J@rvJrewZa3%4DX3gA=c1%vwp{Z)RU%Snoifm&7y(M-9N? z0VS!bTF8lsv9knf-7RfQwM@KwKRFlG-+=ZhI}8+`F%oP4J9FoXKMv7|NqaR$%jI$O z!1Zlsgn#|qXPo~^7j|j>GUhu}g>-y1vn2|!120I#%t6UAfDTRUbU!Qli+AKfEpyYwBOCydu+>lHCcEG;x@cb=Eqb0G_#Glv$jN+=Qk;t(Qz3E zK%%LTJK<+_kn?qt-IZU*xCsHj$OG7{+d};;D5vR(EHC#R{CW}N;6b4_W;7ZqmKpxD zlk4-=11g%kXYb(0d0Bu6;hOp|M)y6t*w{j6zcHS9rD)Nr873bG@eW6UrbpepR=L^t z?SbSA{h0ge&X)5|pUXl#?Hj%eNV0zBp3|@y7|Y>%l?KX1>Pt1=kH&t-4ymUd5At|W z{ECudda6If8|+ZQ{9ktiMibxqL|{J|d9$%_{`P_B;25mlV|E1LyC`}Oy^df@Ha=+iCmZ3ZhpOU@CHQ$9Dytz zM-Xs429-%j2IY+{&(@k2j4v0$9D&kfAamPBThL$Q`Lg4j0Zg74gl(XCO84hBCi~zo z_SvhIm4Jd_Zzo!0pdzOWZ0{oG@o$@huSo1(VBVw`eJ1c%JC~Kp2*>0bPLMZhB=+3r z!=H-4UtBckDO*5Mi_L)O`Q1egZ$=(enHiT#Adr-OZG!t@>>+6Ee(7_MorSU!gV+NV z@rWQvvZ|-}&SGOb)#XqB)`H zWx_5yTfG2i-{06a{DhJ0Ykz?L_=>s3PQ82@1W&9xA8*ootYMbI9B z+@&^D2sHX!ZKU$1dEUJY>Z-6a`3#~WPPsp9!V60sa1$y!i5;6|B`?xkcMt^od|^xo z`YRs5WKS+#kab)62I?4dA`QK$Kf>v7+R40+I+S+uL?k;IQ`NobQ$||7?>W8xCvJF^ zcF2;j)WiwG=Z0rrQEe+WnePm_&co@tVH3rTNN0?HNfhCj6+@zbmNnpJT;}#DU~Zp~ zNjBM$Zo*7MJ}TcTgq$Q2MWQb)KYugFezR$#uH&_88g90cZYka=C0)HY%8tiUVl?HT zoGg-&ppnDWlwJ0my)<-v1Uv1(emNdcg(G@#=K?rpAC)#7I=Ed-6t%#`QYEO@#(hhS zk1gDhok6^HuLpRR-Mc)-*xrlXQ=l)J1u*r2jhOah0g7V? zfO!-~IoJp5(Sp?cO=FXRXGc)3D#v%t)*4yro%J**YS92zM0G@f7xrd)(tb!CEdw%8 zAAS;GqPX1D|5!R(k0_A`{stI~s&$Y%353k7EU{Xi!wUcqDeu2kNUHuT#Mi2~MNDPs zXeA2B?*t}3ujrznr9b%ue5lmZ_3AihVbdcByY<*hfV%FKkJZ}N(&%> zWzShZ#~V%9Jo#yH#iHZ}o@v!KC&wKno8F1vQD^<$RSHodL`h&fG2RSoZl@RZYCsTD ziERZ`e<6vmOgs-b-Emb+VUi%E7kg;Iv58>ww6R$~YEt!-oB9OS3j&pHqOB(2Qdx>6(cl1Y(k zSPH(fqZ3AHaZ)a(;$ZHU@&nTij;4vi9fq1smJFy$r!Yqcb?(;y93zDgDxWfV_P<*a z&7^-)Aq^a5P3`S&{Ya1;k#&qa#Ae|}^TWd@$Em>`*| z1#mWEMnCOp%56GzQ@SlCV}@|00e{Qto^O2mD!@|Qk>?gnUPhs1uq*{TWj4kSSldfzqHEu*d+Hvq|G=D7?8fz z7mI`jds@=eBX~gAdVm#scoJie`8nIz@(Stxlq9U$&LvSM#2U}>u4bF2Vr>DITc9>i zfrTaPDant`5j*J+-$`f2W`u@ z{nCT@#EZEW8s!!Ft>P{iyfh$te^M8_Q!O&VI>cRsN>SMw)8iKNL*5}*QO3W&6vDElzbhUUyr{yVwF>&i3(b{6QBF#N33fZ% zbp81kO46G`BXPR)xfS+P8Tq#OioP+c7f0m-{!o&Q#7P3%i>gL`F9D!anE|D&WO!3Wx78Lx}WStgMQr+^R0guKm!Lq!fmYR!gofkN(AXa zGdRkgeM1K_K}&{xqA)ROR`e{knK{BnL}j)N>`5Ab{5Wm^CG zeUrJUEDP4W)f(^V6dqW5XNd*O?S7K*>pJXXl_^A64uP`e#^`4C{IA*F=*> zt|2A{>S~m(lxx-FLH>|MN_Hx<`T%0M$^3bC% z8T~@mmJM*I^Ji^0iUiuE!M&0}-hO6Q`*k8Kex!T1?S0oMKv7Bu%W`7&zJll>y}g-2 z;0YFPHZEd57i$Ltoe)0#xDb-AliRP~r6=CidH#k=JJ+&|$NJF4S`qjq3tn2@pCb0; z(h~38ZL3<-7tJOSzb=Gkvze?}8eavMGecw#m30$WO%)X*kyLmT&)+Y#rRul7>ea31 zu^px?%)M$dP?AtY+okcI=7)Eq^)7y-Nj=I{&m29L+|1jwiv|7~W~u1?F2S-e81Cyg zS^h+WwlS2nOHRn$qj>o)>&vH|qBOy{Uj8V?Qo7H>q>bs3Kh^>tVlG%TW$2^#<~0q! zr271XQp8#Bg$$#rbHrWe*w1}=Mdc0R=zHPR-YC58S&&e?c@Si8PUR&8Vpv4jz#ZJC zIzli9nmKk{HHvz0863!9Dx%1h?d?^a9Vg5cC>6uvRX7i67G*Y_z(sCpcYEUta>*Yp zZevU$d-7H*7{4RLoQ#$8Bo$KKCz)|4iA+-Ye%~usktqiTQx#%bztN3;(Zx+3>@F81 z?TnR=-Ni8SvvDKlD2s$VRRCt?U)zB9X^-NEP_kXGE(>F4jG7VeQSLPMtISv&Fn2W7 zPIwd%=Q#~>tbW#m<8_W;0oy=`^XhooDP5|*Q6|Y^k{1K=6ewZ-`at$sj5zp}`R%V! zfoptOM$pVLWz)$y8*UL#K$rt)(7sAu9eQFE?cjcu^;H_L zt9j-hwjlm{G|}HHhJu$HjCH|yVp!rNWA9S@F>*#xm)B7_cmklv=dvmR{w7zmR%*fc z6^nBzT^=aTIAV>P2f#)Ij(B%>3WFKmhI3YLg1TF7rtTj)!(hY3udCi!DMjhgnETZM zD-1*9aU&R@bn82Kzs86?>aSwt{9lhJn0;j)=4vI&GL)s+SFmW+p6^{10{^<8bnywc zg^10=CkV2cs_%JWM)(FCcdT3U#D(c}#_lLTR7Z%>YG00-ndo8_4)g}@%&)kIlvo{=+z4pL&X}?jQZ_rL=rzmjk>m zx7B82ywf-_#lMz@8g*N)ie(?&LrlpVr^Y^J-Jijyys%MrmMHBwq^u}$r7g5Vjo04v zc=i+*x40f&3KHK6YgEz6%g~So0ZDgcN7x_&bfJH{K+VwJHGNoN=tu8$$$sB$6d03bo^G_5V#&O0a_?5F<|RYx&u4_(pORlINcJvrK-njf zwx6Nx;P7?oQsFhm;XgeoE$d1UD^bDWK# zpd`tt5P%Vuue+()7rVnzdZ$Mm-7&!zlyQf#X4tqP4Zy}NGwyI`nNjk2#^iIJzuuLx zXXj+tMm=56pAf9b`t?~O31yh4ylGF8&C$@=$jK>*2UIE2TDpj^+=Hnz6$i{HreU|V z3>-Z_9P`3(xQ$m{o``$sD;y(L*xq;pMUn@vbAL|2Jhce^^Z9*9dP6_X1Q5SDvc=y{ zS(7X)CfaqDA_|vA-rh!JAI9!}-6yD{;BtW@f==qlJ828yf>6;y&p&`Kq%g26=IEH1 zF5sQ^{fGWn2idP66qr=KipFwlJYOL;$t^?svh@bBZABlYPTeB z7en=5Sj0_5JJL@S`ktYCJ`}A#275!a+`F!>ohut!zD&}r05Irs|12kf;z()PhVP03 zZ?S~6??Wb~RB^3!BY0h%p!m=*YIhvJX<4`m>WMRSfUGk-o<;tRu=Qb+uiKn2Vur}1 z%wC{E3dsnYp|8c*_=%%A^8GWx_XY%$X5Ps^(!kG9zJ9(OmQ~Ju1=^RlDqM?Y35hn} z_w9@LWR>Z21zAFL-ovwT1+ckJAc7|QvU2ue8t0LzM|z|C^jCz8)d9_#_|vj$f@c6}xoim}@LVPue51j`iLNCO1c zR2UK+`lziw4uJ+P9we1{3+S9%TZ{@}1FI%ldbt|@OOZfSmoIu@3ia_3s!qp>=VVZ< z8(UN2`3v#n_btwM051JstB@$aTASV)-K|o0TD#QqREGTEkDXwH@bYC6e$KPthja$I_By4e3#g<4T0$ zWra2qVjmX>{QXF?VQ40Vv$W;g8^3Aiy1p>C!hpS5$S;x!K2<@3GvAH~4s zYt~t|-H%Sj-9jl;m9pK()xW64f)Z`e^V11F=IDHrdU58Z9Z|AU_CRxi0Y7s>+8O84 z)1|wb{i}jVqlc!SI^@x+92RyyC>2Fwa%55;1B?l!P&zzN$2^=vR*2P&ygOHB zLFV>$yWE+NYzICtfK-6gKkMncqe0pt&H=v^S;H5~r_`n)b#hU)dcR7oiBD9?{|*y}a}L zwf2^lOE%d^d1r5NHN0#mtbJlnd3nVOubjbZY<;)iOuGJ=zg@?I;)$NL7af{0>O{s7 z_`QEC`W2^vEgh*-V~ZJ87)5Y)TwHykxIB(nMZ87sRkpdFCi>$atDj%$vQ`{FzZ^lO z;+UxPT;zu7+`u{h74LD^adr+QNxu!6Qk!e^D7mh&NCo$dM_$HtxxbP`e#C?dc5w?L zZVk$l4eg1E-ROpF{aJB^-w^>{0&<`A5Y>ZPwxYWxrXS7m-@Cy_?#4aHX>`9z0Oqmf zbFQCpv;7EM*s_80Ma!=&VM#Wy_^aW63v+ zwT)?E@(iht$DxAaTSyDaJ-0A54z;KAPt*+BdJVy)uIB>RW2I9=ebOu9SI_}a7sY^fPj_1FEP5n_R- zBylWI?4z4P63OkzH)(?J93xR385-;fa^jylb~>~Btf1}H1nV6?`w-}wlyRnbY6mi4 zIM&2NUJHH%vN5B-P9<$eVb*QxNx^()n~7h^1vNNLu|4~faznmZYv zl6*BonkFpM>e|RU;Ftw;0;`Uqi63MI>h6AsPD`I3gUs@irv{D?F#qM#bJxVQ_Iah#t0o3th*- zASETJC}~bXqKolituSfRD8Q*oY0Wl##gwaZS2|OEsO>yqt~PPA4KG&Hxf<2`EUX^{#*}P|_Iu9kp?jrLg%%cgUNwwqe_<62atDHD7lq9eWSpDl4fN z<NbdXPF>Oa&!4>a+k=$i%ydE2vBbNR1Z%-!j; z5lEx~Cz>#*ixLAEAsTYUsbV0tuE-k~PE%D+vuvz8`vsL%3uN=O{2u$+LPKc@%H#E^ zbGPe3$D#X_V>^M#%@L-U5%aJZ0-2Gi&%pZD_bv>9AK?w{E}fj_e8YN|UPPg6i8Izp zb*|V-T%1i`0)FVmj3;xXzvBJ8(y;u&^dtx?O<4%jdQT2n?ER)%Yn!e#x1uVUAFGzg zKXxa7WI3e|+L|q+m|5KR_HB){RJVR>6|XrTv)@%2#$XD^CtV|Q^jX&>c(zl)CH%y* zdhRafRqx`;nPOAu-Lvok@m(vc*7^_nYP34z!CwpO5hL7xf*h9PC@9|Im@5(9DtLn# zy{5Z8m96=|{rkZk$x&t}diM2n3N7s7o$#T_7Z~ z%9~baV@{*ndnwtJannMQM6h0pMee+Ev?&_4e3ksX8BS=_P zt>nC#FhdP6C;DylJFf@_5oMjEK;J_&lyxy_y<%#&Dv9&G{=D4-Ic|Jn@p~6c>k$KI zp9CZJV&nPa^C^mbZ_{$w%t?M){njr9eUh`OS9JeJlN{-fs8);X*=P{u$g| z{y7d|zH*rqRdJQff~O+Tp#mN7g#9B3FiY~FiS2X#Xt_J=?fY=+Yur0V-vzqJ3*mxu zi#AVl%_?@N;diDTid6P~K{Y3Ns%koC6+DOI)Q;LF3Rl{r#A8+!OB3RrhA*k}{#KaZ zzz;!=E}N(skA5deJ1}>R&`7;noU`Iadb-lnQ5bUk9d8E8{%QK9R*+;BTrpW0+pV6C zJ23q;H~IWmgT4dpL=aGRTpfgEJqx*?q&qtrIhHhi(ohJ=U=yJb{+F@@ub)8qEy?~! zww5g`Svu&yI-6sSNZuXC@qKKhU3z-wP z<&_9aPl{ReP5o~aRi-zV*@<212(3fB1m2AHaYva^JI@8!#;~K42_fiZ+M=%ceWqmI0Y!vkYbcNQ)A-QS3F{bY-f2H|Wa)GS z0}2|ea)|vUTl7s{YAnnd)}9#zZIKePxCPxo6Y%2|!qRb(HG z6kHGfM2#~TJYxNWODNORCy-N9 ze_v1dVoZ;%t2cz-(A(Khnf4e}R#UGg>m{xU`w-QydYqHo6c)Du)@2`q;NF*ADj+KN z#1{I3C{5G;&gx&G5|ZA&OYi_Yeh_ITVlnGzj~4MA1<*LXgZ5ib==bOFgEX@;a`ew}=Kxul{vlCSe+({%j4q zF6)Ts=UewE_--sq1BYv$gW%UH=#v>bA z_P5B8wK_lb2`Lx8BlK(O>{(`ivWVRuXO9n5LL^JuCQ;*t6&LYU%Ei(RgDM zcY>*>56*OJgkCJj7EscT!*2u@U6w^;1vDQ zrr1D)eRwrz6^i_h;;L2(N)9`v4+gMMG+*fkW4<=oU;^vKN^;?<+nKMg`HG`9}W?YU=p9vAaz#PFlaWUN|Nb@M@Q7aN#FLKkO_tl>L5+!`tl)H`~dy@LXLt z%gxdH$7bUK<~9fy(i`ii%6v;TjJ8<>2kqNVtS4=XI}&p-8`CJz$0|JobK6y}F*G&G z(B{8Oe^As6c+A42KbaUgqRdL!NWNMH&@Ln2U*Y{1Ml*SM4ZrHR+>U66bPr` z1@s_Np05Y%MDB%Q$r2mlT0<3Cc95_hL%qb!QhZT-34Qr4{vQorUQjB@KV{<3#wZtg ztD`P*!Js3q5Fh_vvJ>o%#iF}}U@hODbs$QfPVy%wW8-T)AP!K2<&k~A3T|{r8G)$m z7E}2MbN#Ub&lJW@d4)fWN{-zAw5>n|U%&J2oKb|~wX59DR0W~k+*CoWXH$D;44u6 z=kbD>qj-5p*qO=VZx)aIOLywNVvRCO6D2UWACUpqE$!GuA&!j>6J4wlKbW!2w~TCU z%xj116#R1r*3-ld!X_TO4@%iPx@A^96MZFzMAOL&_x^h#L395M$*?%t_~c8r#tk8G z+rWKz;>|*f4Tus&=qC6fEl!WhCQD zM=hoY!;WtLCJa2LG#5uz0afv*W16kq-WNnQrRkE}GqQ()xk<+|@7siFmJ|V$*vTZu z2k1mKd**s{dnD>x(C%l8R=93B@a#iE663+3W=P%XkKaZajgTkyGw(3qiZ7vP`u)U0 ze)Gc{@XU)b`8V@xb>p*S8kjT$(_isR_qgf1uA0=G9~)1!Y%YN0^Vn`jD>*QCY2knD zjMG37`K-sm=>RTQxz@!78U0?WGwFQ@|1w!{H{lg}|I!*#|H+POE zKnZD1?fY$fb03FT7WsTb%c)9P0nA-4dBml^^dmJ@22lG%fOn+u#PoF_HrM{{kAV@W z5#AuRuhuZ7m9#O4ilc|l?WZQRpY&#tC^`CENrMybd7kt_eeTz|7QfhHh+$&fowmbk ziXQ*%+e(0opBU}u@NdSs@whx7J^HlCrq%hV_5j#4sSx>=GUO>;g#G6;g?O)eq+-r^ zsXpH&4ALV(V8&iu!X3k0si2cjOpm16nk7oeUP4Ptufi*RFAT9yr)nt7%@QPKPV^gu($f~fJSJFm+pLMT3I}EVuWB2H#*J&x>}fHq|~d5!Amp=Ua-V= z=o?M-MS3wI=)^?mj{iW$AT|Yh;aA`Vo4h?q9@ z9YPqi5l~mUuF=}@1qeIRO(D&*lDSP8To<-GW3CsIQYtY%{_b41Byo&GckL?CZWo9u zl-&4uQqzD?c)gaIm&kM$j+Nk*Y%m1wnMz^zxe?Z>pKVs1a?PICzPST? xaDIxx!n80xC=F;t literal 0 HcmV?d00001 diff --git a/my-test-project/overrides/app/static/img/global/app-icon-512.png b/my-test-project/overrides/app/static/img/global/app-icon-512.png new file mode 100644 index 0000000000000000000000000000000000000000..1aa85b2135772c3d1fa68d2c22aa2f9261626963 GIT binary patch literal 29962 zcmX_ncOca9|Nr|&*I79uTh1ogr6e5A7P2EFduQ))XOq20WM!0{t+<5jT}Ec5h^)xw z_xAaGKfk}uo%j3oe!ZUS@f?qLw5GZu88HJf003mlN?0ubfP#NQ0VD$a*z=h@20tL~ zT8gqj)iBc<0H6V7tc;G2$wsbkfX?Tm3+a)pzC5C4&FfJyD8g=o3Yl5C)2qdQMh(uU zm3H$)MsO?T>A6u?+TIY&20S2}b~CB9UUyxq!O+rOunsGqj3Ytz-I}rfDb+DmbK2f` zJxh6WuI1OT=tZFEqI=%2zwcgB9q%mo53}}aAdwJOG&~H4QWA%zx?NZOAdC6GpMWl) zmkkB|@At$Ico$G?Hu1{xzgMH6=71&H|G!rT{Hj&6rd5afzZ-;sIs~}rf4&u?A;JLf zvQjcntgBbF>n1bU13q*3?^O1rl-z7f^osVhl&W~s%)`B3t}| z)7Iz(k`~IVPJqJ*lYc&tx4K*ZoEh8$2#QQGycG7l$x?4yj9jk9{9uWvHucwPe@HYK z+$g{vpwq*P_T1lqlv8e|pf-3-O(v$43}>S}PbZ`g-S&|As~#%MovFWVME$6k z#MSaO_%LI%kj>DiE6(~oqGmUy!-deDEca5q1826KcUAKF&{kEb8XTsS6j%DQh$STU z?%=p$m{rVp$?fY0b|QQwT@+ARv>22x%Q$YG@q&1%!y?Bu^AXm_j86YJ&uF(%KW{TD zL?;A^$D*PZfeOovPaXSLa6$HU`JS4acIV$xOzw(Tg;7CemyD1)l}?$xlP&tbk;DT_ zBM_a#(4)Wa*m-V|frdZ`f`1bO=4qY@+|K{PT}93C{b0}Ez=Vh+z6MJJy-LL7vvnbc zTOcZ|V^dsFSQ}wnj)S{mP0b7W1b)gZ*2z> z@>jPa#LXZR z?uc!n1Z zUWc9_IYs~`N1UHXYDUn|AYSsvT3&@RtC=ulo)kk(9(wdBxGPXn<+%R~+jH93Vs{$+ z4@LmMZYAO$zxwDW-L|!56a=2qKo+A2b3qO24=%rj7HKRX*^U%HCa8vQWwO@s*N<+|CQiGBNAnm_)x<&WVWNqG zHSybF;}mYUnk#AJquk+;c{0K|7fLesL(&_|3>^EHV(O=?kT!Z8EO-Q>aQI1^M8gNP z*vHLu9J>7!E)kIF#m4>qKdt3Q+3kX_p3uHBV;xn7Hr@tKr1$K&w3-yh=SfOm`Z?C5 ztn}Rmox438mqJRwi+sL)QP!TeYkIA2Gn}wYH2oQ1(ix7m5p@?03Y^d1f?qR@iv^7u zeFGXV3Xs=S&RkLkPa6ZP{bHGSy5N;eruerNr@KP$hKq#t4VlEp6`FQ z{NjjbZN{8$mrVgVjl)SH%vdVK*p8|A+RHcgP7@q)8XQPSCDFZk0Dwoxj2s4LWfa`% z&|PfeeunKG;A^OWH)QYMcgF}*wvlxy0Ja@mws@BhAi%QSvM2>u_8P zy#5YwA}kb@=dM^MkmJ$wNXorW={C4HwA>1~c3Sj-K>X@S(@D(97x9j6tpe1&+mInL z!Uuim1&5j6%;@Q_S5u$~b*ZDTg9^TI1KK&df1Si!tw>_6z1eZGXnK4b=w z^Soio39;IM`D{uW+5uEVut0ITUJN5Gz03FW$<)hw94a(ns8i*@@Uh{6GXTYaEO zy+h}&+ynmDqc+#ukVr<{*?aZ?0)fn~ZPp~u!&#=Si1B7O5&j-B3UZJ7R?nyYKR4}e z%p9!T^Xb=Q&A*OM6#`Bq#)%8t`Xlz*72hDD4OkN~;8xn1t60>$PmDKD9?g~V;{y{% zWzoEFtzKZ``#_flMd`ej*j{s-GDJW*92a-FxT7c!w9{c`Go7Tp`FL{aY2*OFnooh( z5d}`vfSREdx44Y;@H>WOYYkP$W$R1iZ5L!n?OmM;LIW8c5CslZlKF+kg@9#zAFrxpXotg(PeZdM$S| zl}a5kNX+LNhG8QDrOaW>lJq(jB`H){^J^3P4`WV(x1>P9%mj|aLbBHx=eP9SKdRhj zO{BY2VH{t$%&A^)H|@yj`HlqD1SI+adz!1GggV zT5&g%+yBW?FfT8MZ!0a82z@aO{5^V=5T_eZGk>hQr+%qJ?%O>iQD%lS+o$B;UhsYl z$Nd4QT;Ib~e^l(#GYZ9*Brijn}AseOAq+pF-Z%u(g()~xzay0R>R3zUq( zRFpAdd3UMoT<~#*mIx9488;~0w|rrpLN2C$cL&?fe=O{JRKKOOGSLF%RYTLk5@s08 zIiGM&nIK+eKDkD4`4- z9pLUuxhkL5GsUbwb&^uZ7L&K~Uzl%>~A@TlqDjSE6^ztkkY-vhHQ zx4q=;MNnj;77yRi*ncW(Bs!BGldCG53z-y!Mj$eOlex%{V9=?6ADGVq(Jjzs_PfJS@4emT>9hi7u+`!sE^&B$#=0XZc zILh(XkeS)mdtdzAPy!4UiF;KQUW}WyDL>LMPpevX?mx4#zT2^nEjP&wBjP}^Au;7lHKF1Y55e@7P)L%6U;n5HS&(^m|_;C7z zyEEm_q|{o3tT@e_fU#@qHDRFDJ5w`nhM_fZ$}<$&n!$El2}+&d_cOBZ&^nA=AO2F} zY1@?QuE&ViAJ=rWFmQYz+BsO=Ix)Fd;y}DG*1=RxPyr)EMKQB`l_b{QZ!OV8)jW?C z7LMTtHM9!9?XO<&-f`(0rYY#nBMzhI8#C-D<&-e9jyxuvE&?ny#oJ*f-`On#7x=Zf zK|~lZY}#7vc2AU1ZT0sWalDmm42`#U3W=eBC8BFe!d@Y#4Jwh^rKFNU?|E4{qfm#J zHhS&JHPU07X7+%fuZJnpo@TyU$`Pm!;mrCB}ZOezA+z{SIV z3{rL?D(UOJaq~DHM1QYp3Ef;eocdGMSq?-aer==tqu;ZK*+}J$%aF-5(f^D$Y}>vU znc&Fycm7YgX4NF!f5TDTSg#){C`a!7uQY0{UWHa{j5WAh+b=a$y}H;8v0wlEDdjn) zNW8BUhyIL#j5cN=kmS~uHgi7nXy4XSC)$)-Pe?JzjApLKdO{b&OZ77!YPkcSx;iV{ z$bk=boK9`#*pW`JD z>TuWO>#jac--M*i?a9KMKZtPh`G3+QK1f8b(p;3CtNtl@xMu(cdz@zlRd)0!9+@8A z3APn}fDJ?# z6Ak9{6Ri$jlIFl5*K4B(3Upzgi)~A)o6X{!cjcc=U0Mu-bk6WXHx|sA){LFB1K9>H zgY|SVg>uFRBvy9sdwS9Fd%-q%@&efa91OIi4g1kZ!LV7;;5&Z@Zv?HUs46gn%ZwJN z>e+MXoaBVw&G&FgNweeBce{)j*SuBhC`oY(@V`UtHnbg^`+h5aPgM!)DOggR)cZQE zwMdt?^Qqv6rs7V6D!-L`IT2{0(Mok?>f5BA%4Vysf_~9maD$=6o+EHm&EkEjJz;+4 zo*5klPkG<5{}8}iim~Hcx&aPU)x0bfKc~0)5_@cHW-hTzXgX z9O7c4VNq5_flb>qt|af@?-U+&+eU#d;9NEHisJ9*c41i1Gp{Gn84o~HNd6?XmPM41 zdi`HJgPRFv+$iZ51pHOrWZ>N-VhN9AOXDxP+HYrJ_;1@(9$Xqj)uz{Z)vUeBaeAlP zn?H8&OA@GC=C*XpA^7Z#-$Fst_k#%W9I8os#+T6d9LN=tY&A~&+%?WB$&x$)%N-q^ zb^!5Nf{*^_4wQ5QSRTflwW%)i|3=;O0|Q&W&7zwALtC2?PR!T$+L8Ypge2R+Mhob{ zjgHU73Q4UW&_o?76c!5=$JtXHUw~eh*u7m1UsY{N@;ojUjkl*38NQ58N0RCR;n+9y z&AdXdmm0dbQ%J4B)y=pbe(JI}|7Iit%NnR+WX%W@FL|@58AS(hdr!^I{=?~H1?zNJ zeJM$EG-ka-?mZ^SyU@|MQm=x(^KZ<2TUF6+z6W-d=1#j(he^(s?C2yl1<=Z*X4*wD z5TWa(e?us~Fd!DiJZ;ZOcJcXCUl|o2wmkpclk)BA_e?f9?F7u8N9~9>*#&cRYw%vZ z@X<^rC_TozpQOe^e#kyvTRS58!>*i~DTB!aGG!i_2Tey91jESEEU_lB^STY4Nd2%Yxa z95GV!U*(V&6&|)Py>m4+Ur&L^`B@)#XTO7JoAhE8^2{Jby{=0IgzSo9%eg5e9CC*} zdD&3xGNX`HFa>R8?@z8?KauUz?OWjGX@*4J%?6-VJ##7Sx4>p@>lo(vpBA&QH1R#M z<8U?yHKTOPH2NG=a(!~)_09NriGS&&uW9e~T|)Mer#+TK_(CWaQ4 zSQw|_Hp4>iRKRkjnsLuJ*|Rvn50rKXd=NlcYFf=Cnl$z4$%wib(#l;%8qSF+BB85M zlVt5b2RV6CjG=voOqaI1;OhGkkp8Vl@2!6G!B2}%y1zz4x`2E2wT7wJ=Q%NZSgu&t zww0y);(9ewj8=_=7%zpC80mfQ-!%(H%tpnb#8j}QeCywa#8e&fvAlJvgyU;5keWPS zVoOJM`Md5{rFF!fRvf`NLyrDL!1c z`uO+YUbA|oDiti>^Mr{vsQmfIrn_-Rn_h}~Hg5~T08zm@obtEIe2VPh2!FuX`aZ)j zpT<@U29heRBD^);HeB*UbH#Pz3opG)2<@ZUbXQe7Bt}55P z-TCFy?Jo9Kt0}R5V<^#jBONZRAdPS#gVUpTzT-K2;NL$XnNtCxxtLv8@1X*emF=C1 z6Mctso=d06Q%fn(!G4OSMMZL;-mB(A5DEMe-w$cSw0AGn7(|Z!@DwTZ*9g1G8#H3{ ztgwuSjWBqbk3LAJmX-%Xn4)pt`QnHD`9z}odH&(JuwWi;8w|13h zfGhpppDVcjSD&<1dWmRAAt^wO+99PI=u%PXd8`Ij`CC>^Ujz4xw^*76zRmHbsFPy) z>+kClzv^~wYPHz96S%JZ>RZ($?`4RxbS@-9jp-}EGmazo{f1OIyooYNpOE7EFq|)# zk)wKYJNqBLoeR#&#O2-r(a_x+`xOFxh!BzW-n^6 z7^_6+;uxmo^Hx8}{D3)(f z9+q5-hSV&#URRFfAS@+B+xgAZoN`~$o&t?%^}bxRSupe^Zc_LBIKp!~KI(?d%?=nS zqF$}hM2rOTEf2~>=YC;=H$c*SE5A-RU z-xccilKSng5z4f#HP>$7-usVQiyf3^LH8@}b2Y}_etfRlpjw(9vwWUaG{v+JH) zQGv9ieS+7(IQ9+4DaR~}vt=jTJyhJkcq@1Fw+FpBa6e9+Yc>pkId$o*G0r-qJ6?~i z<^`|*&RLWzm;cdhu-CTWl|R?@!x!3m0coI3C1k`l3PTDzYVdWJd0j)TijgwarH4k* zJtx8nQuqnajk!6kA5M4~y!cA920D8o8C&OVXnnWY_XxX>@xlG|iPx@iAP66Z(#FlX zwyiiie>KFecR-XX+b(VAoq}b)6r2>{KN0)yggZB>RpY?iE`ttdz|)sWjmG##Z`TN> zx|67A{en`0VX~%PyB4be52GDVedB2UbY!SJ3Z0$}+LWwvPcbE4H$tUN>fUabpw_ar z4CsmV_1ZOhg~kZR4r0>2U^yw&>B#wWh|-4+BHp7Kcw@eUqvRgk0d~4D+FHlO7T>>D`JD7sr zruU2YeR4gyeOFqKZ6Nm*v-#m#(E!D}HHc}qC%e{3$!K#P!1VU?{R=ambyaAcwq31K zr7VC+%;XEOK+OH*V9<47o?@SD7=|H*lM0zY>8-5fG^Xi3`Y2wD9ssaJKK6}s zNVXQu?xX>km>4|4|Ebomrug5#qT1j$ziiQ|MeKN^+$_qBBao0%io+MZlCSlbYXzw( zXaQ&f?wTUqj{pT+QYXW*6GHA$J*j!x#Y?ULzzh_*Bft{KnPvty{c~WAuG5 zJmX4RJ~#lDt4|_rX`#mKm^g*9?}K*I5A6J>zO9P3X(P}!V^=@%^!pHpiSF_0rV``f zDD;Cj)DP`%Jl=MN78=pixdncIXx7fRKpx6Z#Sh+Rco9XKGW;S4E&_&!{q-2TuD}%dV^j1H}@4@=C6< zOD=F^^{ZDCSNy9seogILf7rdtIQ+=j5b^UyB%l8Ig)CtVo(ZiuoH`1BfAPD^7-}pA zT+Ml@|90gj*J}WMVSDdbP&P(_3BvaJu0h%rg#%;H=31}Q3sKP_e}`XY?B=Od%iL}{ zHOy@s*%j;rDItDu_kTkv!}t1aj2F6WM1}zDs~aspicV3AdJr9+YB=TMgFZ8FXuwO; zKkt~k*=IMZ_Hy>*n~)I+{Q>YW5=ilyL8vVa)S3c4n#0VDHyu1(#^JP`iSK*{urfB1 z^{+A{n5SSmT-ESFLqAGIZ72oqrEA+v+d(#d%fS%VKlQ~_A*Mf?)f=%oiyd{J@5oP{BmoVZ&_kI4EGVNt<@T%Uu3Pb`4+v+j~cjgU1(-0vuf;q5s3dPV6!C)f2W?Cxby=Ou4JJ^tjc ziX~zALWd8ejsC_=t;c0UD}&PM0G($_e~Z1_h$-5M!rBcfC~IX2j!>*8ws~S|?37N0 zSk5}KiOpmsB0?LrERMeaH6{R@lTD`s1-V2dv+N#=4?p?^TN&jpq6ZmZE@)Tl{hsd= zPd4>sCKb7r3U!ejI82n%(9ZRP+*f~TyRSPi{-hFuaFkxQgmX9&K}XUb@l&I=ZMqnA&&(IyM(UiSj^?LK za4TgDX}V@#1KiO5F3`~=4Ibmf>^y3JRj#Xu-P@(a|STmDQXrfBMszn z_*|jpTS8uh?|Lh@B}UHH*Dv_YM;(EVL~{603E$3b_EE@ah>+}xXvDwT&sRelg@F@> z*1a^fgs~GVT%^Mnvm`$FAQuYqm*te-o|Nl)eGcl6DA0=MFD&SJDGj1JVqGj>;>VxABLeshC%$4DV&{eeBNR< zuBNSe^3_EgIhG@v@DM5oHrgHKaQJyZrS#fRaM!g$M;qXu%ue0z-kcxnlX@mh6*DFp z!J3GL`jc*JgcehG znn9|Wtc{$GB8ZvKeRG(rrCgwR%D5Kuxc`)FKk#G4=GDJ~7I_@7aGV?wc8gMTbIwTh zD$AIqRkR-+4u*|?qBGSdw_^|8tqkJ;2M}aLVNqp0cVC-@kTrC3^qurKs%hvM^76JD zJJZAxWs$lGKoApNZg1RGHMUy%UW+t{04MoaY1H7wsxu)InaFh8{Ig2ZgMSve_-s49t1VMNYB!K~A=zXzAw{w*9^Ojrr^#24j7Yps&4gU?QEDNVU zH?O{Wr&GvB98=fOJGjDK>%mSyA4c1SJoETa)EX^a=KU|bb;0iD-#Y;Jnqeq7SL32U zQq+KT^tnOGH)fI8Jj4=4eC7`0)i#}3V>9d)M@Ac*^1UHPdoEGEFr&A-*Ky&}3fO(K zDOfD2GGQ#g2px=cDn535=@_|6E0#48z52X6L02TzluU^Ud zNvUDSF1}8_{D)XV$IWFAWl-`Qo09L|7@Oo|`v9JfaIM>;NN^mCkCYcTged}kR@oiq zvCTci{_6d=h()Dm&Z5xuZ}BIctS0yV4t{@l=U==quD&%!2 zSl%I)ggdx(Lcq8ct(-Jnwm`;MCz)iyMY-JGWu3e#iy?t}A}z4s6o%Ql+%q1WlymsK zcM(bz&%x*etIjk$(d_Vg4$R)or0iuz-*E)T5=G&4wM#fF&fkRW^y&RbVUi^@!ZS~Q z^b|Yl@u?E~H+txnekUbJp-rm$CC~5LP)t|=`>QuOvIODvT!h0|>Y?qpn>F26ICkpx z{NDfWB~ghd4)5&X?iBpbPym;L6e^0NKAWMn75EoVN4=`zG<+Ml8s$Ut>;_Qci$10Y zy!A1CPgwIMAc&t={?#vptd%0bUIV!AL|?J#W+pqUYr{ICcn# zO}`Um%W8H5e_tz0nwNiL=dq3K{RMz2>|1%c1WT7YgmjgZCyO1bcZk`!orPZFa}z

c0!VWe?+d2`-4`k34jSb8MszL#ZIx0!o9>REwJ~zb+fD}LSjvc zc=EZJt}T8A*;wjb!$kAtGalg1864l7ns+wPP zMQAzzEWsL1=Mx$C&ppIKV{BKpAkdrW$93x0Na;?DY0mO>@yj_?Cz3o* zxPGLqmP^?eWQ?TRxXxcOv#6TmM6Hh}xyEy1CW-03pF#HNK(tvm_!U^a^*~B;!Us7x zCW;yNtdO})f^R0G3wSg`|4Ev8{eduG%AVFxR@G#*^8m=`BG&97f<#i>4*>X;En3phdXp^DhDR zLai26bjcl#&=(KQDhs#6em>&vC|bW7^7qS^i%#?%ax<_cywQ-o`&rnhbF$!*Vu!=? z%N25jDxa+Nlf7``sx`ba`ban_RYsQ30&hoe=eCc*Zj3f`%{Valw?+R#EsGdCpyn?# z>MnpOUX$tKVvf^OGOCtTClCSR+J)PC+>HL9{2KvDW7Os z^|QkyXeHF8{y*N~f`tAP1~U96YS*>H->PrmrW{rmYQYNdudz_SRR(S|m-@_@8#A=D ztsAtskfAB|u3>$rBEe-bLUMjQj<6-OM^dvvSRVpI-GIu}^=lPP}Jgc0diuF0I2W?gBQx^LZ8l-1427N?0nOOs*k}j)l?X zp*#JDsWT0!?X>jDzka&T=T>i#x0N?Jrs_i3W}iUUua7kh?Vl}#XVeFb>o=Ugb*5s~{`e|$agf>}%Vb51f> zwpQR0BG02;$T4}tJxRW@1PVCaI;N`pd@OKrv^MWI8RIy#$5js5!v-vVu0@Q!XocSr z2E;Se+9`xh-O=y~3Cz=|Zr=u>O-A?xON6E0vJ@YUl%l3i+D9xD*XCCzMA9&Or zS*tms51mhUl#I^WveHcIbL4n|8jZt9WI7~StL>P&*QK+Z>Qy=ShU7el%#mp3Ig_E@ zmn))|5$KcTI``;R!Du1!1(xWpJQIn&Fa9BaQG}3U__FLt?$U#3 zqAjb>{K0=m*j(mS2?tau*g|5+L!?kJLNr%nEvUYj4$r%>Dgn{zVA)=CCo zB)o%nPgD`MCmz*q#vd(F@60@!I4vpC#^IFqK;85HVNUj>go}$J?@F|v2%RlU!mqtK z&e1kEPra01tF^^KjENF`+Q-$}F$t7DBW8IFOrlFx{H{V1XY1alw>x_R(KjdS5EOq5 zF1IG0q29(cm|&=$P@~HlfDay}@N8{Y9IQIuJ`u=RCkF?|~DXpxSDl4AN z32SNJNPUmRh=evPI{JaEqYQA|>Fr}K(n)-|;7o=(O4WTu)m+z|UGAmu_Mdy~?vWRBD58K)*aFk_fH*v-+BqKAJY(5O1bQcyUM{_hE%eH#@_|5wzknM<%DYJ{64xtfpH%C!UAi4i7b7! z7nAla92mVEApAa=uYN;R=I8!38qu=F5pD`oN+}`6TcVV};h)u4;xdQOmNva_%aIKM z39FB5S8ScTVO`Ca#MJL2@@})wflAqQ*UAew5XW>XpJje{w?&HbH{|J zLc+Lt)Fz-B>A~d|k^U8@B2AyCJg!jm7m*`8E};rSMO2}mZ8w#YQEAp5W{7-h3S*8ma31iFra=$TutfE=3r+lGCRKg5fg;wAMf$?#ll&<@$ z8pyqAH$RTdaEG0f-TbQOXq)A9krlS;cZ!n@p@m-`K=9F8=l z_zN|imZs$l=f7W9c6?I$$+d*fFN0vfy#L%<5*!*I8oneo(^_{Pkpm0PFGYbDuXk6w zb0q(0Cg6^q%y8ygT$O*D1xMD4++o6V zRzAB&f|&2?vN6okcM}IGCb(xC!k^2dT=Opa`d0-Y{EO^2T2|jLFyD0N#}{r7% za&U#^=Ts*{pOE9bYbGndBW|e_SvhWZyJcYP1+7Hi(864h+3>@x8OA5NkL|cz_$;jW zzm5+u_c#H@Way9mbIGd6=~xVWFc_V2a?RA$l)vd>_-x%@e3L!?U5Jb~ETDeqFouZ? z?ET*hm@x55di3K><*fT*ff!TmmH?igv#TD{PEzwU7@PbV?!|D^&8x;|Ng5*QO?1nr zsNLqCT&0aQIBMAc?P?$e6148@@r(HQE&2OauYsBP=C>hs;5FN5d2QOQqA;8V(cy>Y zkBbJH<$u7e)EG*?X_V!|0m+L0lS-Yg33mL=KQThzIE0k`cu@6*C@TH;<9aK4YGclm z=N8Z2#d_SrA4JQsgI(aYBM)-S=j`K06_c_!

q!4U6+?nDkfT!{kH45FYSfzUlG6y zVARIS!3o2JPvfPKzQvE%@A2+;4*%`p50}+-@?Ym(Q^)2PX z2!YZngQ=P*oUrjV4u}@Wp}-9{9g|#XU1V{r?s6xoe}^kR8TW2gWSeo9;kdB%2x9J4 zD@CFGWW!zL+?6l=Z?O8!K-6uk*r%Z-p)MiXvuvIm@!&E7Z&zqTG<41j2c9O=;QHRW zOvt;m1d(g1k6S94vzoy!=knio37O}?P52k;%25lPOCqtf^mA?65KFE8OHPsc8)H{J64h^T7JYergmFF)JZdi=`IhGP?NNI*M*-sES zEKmOp@hR##-x#w=Df|TdTQ!VaRcE@KTGf%k_Wb1wX3l3%nlc$@TWwoZ8)MlQyx%T) zR}9?D3d5ZtQKNuY+(F#h3GGSwb7czMiu1jzKitwng-F3N{5g@4Jt-wDF-nSxVRZT2 zYI|*lg@Y}i(?Udh;bYD*J;js?+kO7!BMv;O<}MyZVSRGE(ag-QVC$QK*^kJbkzwEU z2WY=CHk7?h21VO7<_ukJH>(NEt7?PSr3a+G>`7vzJMkha=DwB&zCYl_jiIQi4awRh zi~ZBlw`ouQs@gvAj0d-A8NtL};Xw6pk{?09W-g*`LJJQ}of+A7@QhJTb9OYpU9jMV;H~sYMsjf(p|+cy1S7AYxtrW#RqD z-;*Uj-Yg`h|Jw9o4&{d38%xck#3EN!a5eOZ#nptvi;(2b#CR*63a1BY)cSZ~S;e!$ zmcO9gc;p$|*ofe`P(jQUl|Hp^Ws)UFwBK8y=cwlyJhkc?l!90jb)eYF!AvSTRH%I=I_B2~I4Zk7^IYow{EEnH!fhrq-!M99*{o$06kad1 zB%hgatcuw9Qd`mgnM|>c#Dop(wk3*UJRHqQFNc0WUpDI;bo5#1kF0RRXOVZrhlY~% z-|i@d&Y3_T-o9IhrGm~;@IH2LPo=yGvCQC3QgDS4+f0u_bu6~ z5Mv4TRDvPl;4lT*JaN@RK!JSH?PTjcn5MI_f0WFj;APXio3f*H?>U%4)F3^kCYYu< zx3S%WRi9MU!`NR-Z_;>0+Tes?*v%hhi50R08hD{M(WzX^6N`ZEz;(w09(9WUG&*No zDexJ%M8;np^v*DFQ;wry_c%|po+Q!ZKmA(s^ePvFDBl`Fm$=m(;wRQAVELwzWGJa$$T){1iMI2s_?L0Sl5^(CMsa~ilH6m$Je=6pj92z=k#26jVfk2OiQPFm!J$~r< zX8U{V0w+p7rOkFAfQLa2qxVfy*^)K?3ckZV3>-6Gw{1CV^7|N3PXn@~tXml^UjT_T zquP&)>43Agi@P3{Pi_SK%oD7?Wff!`@yX%^3`P!2Y7a1A>rq0H7!QXfo52Tngjz4Y zw>n?HW%}L;-7-Jc21jIv$`^9PfI%6X)F8I$717#m&A>%cHP zzoMIaCJa}JtgppqS#A>>Z&5~#R~RlDd>H)Bs&U}h(A+KnvLKv{sG4fP&iFv6B8}R| z&ScHGw@yL@m-rjW{&*s4a!4$Z9ZUq=h)~sHh7*EBCR4xu{vcj^@(;|%;a;Z+GN%BV z<QAk;9Y6GN{ChlczDBcPDr5|Dnc>l zV|;1DJZDYS&TYg9`)Jm!yWz9ePV(WP!RSg1QhX#Rs+2QA`F>T2a2Iwz(yQ|DBzfT_ z+eI*E1L=w8$H~J%@Y6v93fqFdOr25Z%kt@V@Q}VQg}xE*+hxg9Tl%NhFQamjy6g>v zb;A$8{+*g8exkLu7rXx{*ySESkJ?tP0c$*~d`gT16zkI$Wu|4O_QBd%8dYI1;X=ea z2ysdNGUO8F1Cqh)ez5i@&Eb&ZwH~9K%grLUldwUYli@DapW!as_CwI~?^XfjE&SDl~BO$s+j+^65Ean1(JEhOS1Z9Ak zUzwtF)q(ayQ=%UNfU(yAwb9{X?IQ_m0;yPI&M?AO%};O5k%DN>#UxjN*Q zh4WSYj!FXG3}C7qqC%NGa>`@7c=@i)2^>hT=sr^#a9=qi-;!`rbEcWBi)5R<4TayP zBS_*SLc+I`pBkExz;xSd15x9~2hf1_a64_0G&)?W<4FhYL;i~Gob=81U$rg;>7S6^ z{@Z6Mv9Yl$W~8vB05s3~eJdiNvNYu1zTOw#8B;nG^-&->WPtub63)Zep{C7Q81ULk z^gKSrz3%Jn-P!b=Tz@N2>6`VSW8Q<>rc8t_n^-o&H;FSDHJS)4dm@Y}>2zyU<@Te% z_VMlbqh}}@+?d8EhK;Jnq_}wr%Lb_)Q)5l4z&AgGiotGZUN%3i@SorW+dEQy+;B$) zbSJihC@lM>f^tE+#zFr@?O%8rO%Qc{0m#{Gc>@yaS{~$5#BKAE`h>o@nZ9P2XtP{$ zt_db_Ps$v~3XPDN*!(m+L-%77V^gBJ{|w|NK3lR4!V~Q%Gg8Uf5$Kf+LK8GIMSau% z-}=o6C^E^2Qggj zF^xH(_F;7z&5HO!ML&gbcq27h*AL>4>Ut2-Pb+}A+=`6N5Znh2kATi^vKZG)7bm7i zX1y&bAp9xxk2<29xjB93)EsE-5!AK5OCNE+dVlq&C&L!yy-uZ(0OGJ^w^*0gw~WgF zCc=@Q1ytG!%9|4|>xICrzf9gnpW-SeEroumluBH_zw@j4)wc>SE|bZSdZYX`KK!O? zlP9_RCyttI<)sZB$HK{5@M|a}ewAM&wh!bMe_2y`W&fwN!_rLNz4PuJ&SX$QmH#=rC}i2>Jdo&3Qvv|zYQtO zFxYv>pP*kcMLBWW8vAae7s+*p1%voS?xb4{a zqO0~`SI*q{`z`1q&^z&7j$cj~$Ueuox+*EImvW?U#ng%PA`MuwD`??Z7g%Mdjp8RN;I`)KUv2xVps(fh^S*9c0mNNGNHA zbxGY9-4(-j#jf@?IEYFm5|I1y3?NY~3!wT8YZgS=SB>raEx*3&okyDC%1DqecLraq zDc&`G>)Eh{@7$NEGA&;hz^@8-CMkWIKp#_}7q1vJd2pmK6A2aFU;1hsQ@1=THUH+x zSE1bKEjGis98`D-6!B;R;jpFF{fuwk2MKwPY=(#`>% zl7%`WV{iIA)JK6tlM&dV0Nab#4rIn-{Qo6+&cW$Ui5LrB)}On6xMu84WO?E2UZA3_ zK{YDs42Z}e?>)y*@n-)R@U^)T6I1^H#^INNK~wrhAf+ERl=_3OaqNF8Q@!(2c(RiJ zBJC~Qq`KhwYW4cwt%V1G+5zMqIoA2V88kKYWRp^p{6t&}@sRx5uJd$O?x!AVp%Gwo zh+2RF4km^&DKBm&$&mX6WbSl>iMX-DpwYXdYZ0x=;L8e^=!1nyq&__@^W7kPnLdyo_=zrJn z&veyBe={ls1upI&CE%icEJ^wV3s;n$2RWAC`ZF|hxkjJjs_X&_PhE{K23Wn7jmga| zh?LGmT0LtfI4lcME+93qa**sU?SI&D4KMmV$;J`_w_JC)z5*EVF6DzM?Zh{{QX&*V0voHPyfUvtTj-9Uxs3Mu>EZ)IcPqyAc5q zL@5Qy4Fu^>=|&nU>2w%$N=i#BDM;6Q_&qPz`R80?-@Nm4$K)`l43IB0q*D`b7mTCc zG&|kh>HIk3*)+M7uCDNT5Crotlf$gENXVJ5H%1tjjFE;syBOIttZ%qU@+=wH-q7%B z;6z{>a}&7(B)n8tcIGIl*s4p$ySejM;(vGD_do|}G7Q!Dvrg$jNhey*YlZ@KHIBXv zgXQkGL3=q|r5zHKZkQu^`~rRs)b;(AL*tS;hcZyUu``$)SpIc>GxzNdDv+~AO1p5w``dqhOpqaN zbxO}6b(kC8g2(>*JM#$A-)Q*T%WJMHZrwrZVLJvjTfD2DWeqHD=~6-&tq0`UnA|1} z^q!6>{QKOoUa`|XC1yEPjh-USY>W~OvAbzS4dL(#mv6h_-w8PN1BGT|&SDS`0fBEk zdk}I~rVnx`Q3buu2?CuWhI}Y?Z!(6%ACx2vwFq>^+TC6eB`yvx}E-k=J|dV-JhE} zb@F5M3bkOI5KH@76x5?fTuf6oIuF#o>OCKip^or*EE2-}NyH_!6UMo5-ui@aGe~q0-eteWohoAD88F_&*ryoRgrUlpEqa$=~+PuT{m ziqg1V%Uyj7qv}3b-T1T1e0EbMg=ji>OUPy~8C;Tjp`K{N4qkOv(W1AFjjWCZlWl35 zX1arfG=jO6TX9!sCoaniUJg-*GjFv;{(i;#>fJ*tA>wB1q(|RDrEH)T&)A7ZJ^Yek z;&3~A5^Pw|Th`stdCfArgGw5r4O+#O;n@?6P*N+B8_~No*FC3GV@4J0-Ir9y=zRSS zrG*Zo(K3S*>$9oqq&TJqG(CkfPMl(R56{_Usc!Wa9&FcD`14qowFo_T1K`GYV!+yR z3CM)nHw#N#kzgSf#48S3TFyfLJ=g>Aeq_rz=h7hTapX$#Di5_yUYr88T+&+reVz9q z)K@yqb;bh6jjj&x^J?&di0d@50@kxH!_=8PjLTZwrD8SdGMV^r^&<&n7+4Rr)nIJ{ z&m68F`a}szZs*mZRq(W!cWkGsf@?T6x%VAaA!uJpuM-=KAR)!XDD7tQ&>L6UuAQdn zOZ4^$AM`pst~Yz45BT%n(mWu3)D^tgeu`)R4nv>(`1JSNKPxFWn~x}E0X%Pyk8yWV zmj^{Er{FI`&>h|NfA0MH2|0OMd?JQIpLkUsmrNHMhP~sQ0U85w&&OX?g()yYHze5~fxEtR0Say^U=*x}T<;W_&kiOxC)W6M;6+5$fB7Payx1jqnjxyBQDoU8!O(bQw5WM~i8+LRo5FX>12SmCu1ctghx zD3TTH4QZI9eCB2USmmKwz*~&S`nvcZ@4Wm%@1#R<;0I;m`q8JXqm^%zmZVszDw~gd z@Z`+l>DD;6?ib{z&+m3tT6b&P%SnWk!smWeU5n*~_n-$L*(2uw-?tnn@AIpXGwcJ_ zjJn?lY<9p=9_KD7RP~<3&&*__7;MG-9Q5EOU{9w2SdW|9hYV%e)hhkIZ;2B zx?RH%F{m<*+W&DitGJcj${Epj^X{4;RC)41&N$2`RMV1RUEhXLRbWoFAprGwU z`Dt?BH?WAD&Ot~?3Cct&_3mED_eKX6(p4iM{&T{@?~YRmN@-PW&3_j9H3(vX(zS5S z_xoA8IA_kDcG0M4dfVL6xId4lkF4Tth;WLjm+T^wT$&d8w`gocJ!)H+!2u3PV8vallz6$sOvQRG!H`;1YdlA@fXoe(Y9mjKn*>)6j(z zgUumUf$eOt6zM59^T%9df!TD-_b0Jf8xT1M>tduCRA91yQ$zP4?ub!7Kj`p`b zlyC-#Ruq%SWtJ=kiXb21cAXs%+4;7C2IGTcwkEm#4!cN`~(mOLUE#fU|>41NbzCndGhX`w7!U*NKTW)+;AFoL%z z7)C0e>iS=6WM;E+{$DCaCIoU{{MhuaU-%m0cm0_-KIDJpxUWaw1Fh{3^m#SkdyAF; z65%p;6t#~@Q5;|mZNp1#_Y`@Y1nGd=qO1BI)j^3cd)~c(%Z^3-9k7t*GWLlO$&z#xanG`PW%U%9F3-1ON%}l(+ zjHDme5Ql=;gen2}#YUTW!%Y8gK&dHFBkzovefcqr`0QzyvCXAmhKCCFi|1YN8n9Qn zrPq<-RsuR<5$*?ek~El!*H|cVRlpN7MY|JWZ)Wq%r58Ec93c1+j;*85RG3jo2Tmz; zh!Y>+wi}>|V$pvtLOWxtuhJwy2)`G8xE_1XKm?SFx$l2O2?PSaG;iby;yJrNi?F3G z334-h+SxJj`>rsUGVEoXZb@+!GKoUN=A!B91P99JRlt4&PC3S07#SFVUVB^kj>?4! z>(XCc&Zoi-r?`h30G8*`qD@7hE&nl@_nvvC1FO$#Q&Rjx-4I##8*mb(UQzc729;wKnkz{EypO=*Jh70NWU>_%*glZ9(4Yt zh>Cl{X#ppJyhEb4ah-mDrut3o`9^ii z)|ubzpJm$(6Yox4oY~gzC>=)R9nCp1-nRMk-fl}5nK&5TL>2k$(Wnjky=b{bo-0BE z8029n!7_7iNczk{a9LwwgY(ySd)__(D5yV<(*D_+WhfHUh|P1-mE{Jm4ZiC?7+HPX!*wIZiD@7mxraVZeWy ztl+s1GxjQQVGnrl;F<>)5=2v9he%zCTsUGBO3U3a&$3pX2U_l{K{sy=S-XFFl_$Am0+yQSFAIB$^6nQx%}CH@7)( zSG*|RrGHLi@;90vCGKI+e@%QxuER>le6Tju)ctGYWp0VwHz57)1 zNhuxfSInk zUs!@lcIJmmwoaQ+h|KkgpIcNC`mlw!I3_rJwGthzjHxVI30{!8FwYR8#YrbpCQOU9 zh3TD?!v0N6HKT zS}7?e&yMFaT~hpLwpb>PxY7A{e22%UM+F#=H{`GbQ*48;ESl5^lnAS>X9U@hFewmg z3&Zx@!k{qFK%B+&nD{?*%dY)q@1vFzO!^a+zz80wjTqWxmI~X7v0}mBq??(3cVF^( z>OZ!VFY(Ns!U!wNTNTG`oJ4hWKtD~wjHTkXAOv#$HH^0KyzJSCT28 z%-auo%WX-pXEMW`vt(1SBN!_Nh#EZltBGkA5RP*x*YCC-MB#UKSqHu)&&HeJVh&KXmT;HTL3>VUP8^ z=P0lkM(2B;y1422PlngE(tcaQT99cu6-|CfP3mhnOHyocV5>d5S@hs^v;i<-4xUrC z9K{Y^9*SjHNAvV@^yjc{etxj>BwY+Rxzo<)Sf@<72hDu6U-1}2vCRfa3(D6esgG>HI`+8nrrzcgr5S{%AdJ6KU3>v*>-)5?3MO{aY{JZBuFzT-3@;PLF@6IcCMyeFwV^qgZmullx^!K@P{Q?nYO3}L0| zs9V{4r)V=U-V~yD(m1Q931z1|G%R_cdl6pjXXctCL?j^YZgG?T2{wxN9XyX6QieLD zs?s>H@lJ2&W%01_=$}QP$MW1w*!?HG{S1s#0J@F1KJ6>W_d&S1gZMA&cp8I-ea69= zyVb*|3m3yCu*T0st-tr%>_jNGneZPGCSH`X_0ypr0?x$&?-RN*$Gha#CD28)+3Lgq z6@mpcaKJN%pX1=yPb%O2;Fp{e(Z}Izb zIZ@#214T<=&U$ade-^y1#oO<(x7J>}1!6(L%}v?da;cOS$6P7a?&f`odE=={C}YZb z#(-@4z*}E^aKW^vQ!z$zWda}#?2}eHeKniUV>Ao#%!-K&kIp((LLW5aHiB*Xw>NIT zh73P@dZ9e3qY1dST$o_LW2|oDnUb>BiC~seo3i1d^ggiigfL@q|4;0n9-wKcU}0{` zXfAkFTktuJVc)+O(!I~y-zpwhtLd?M9QaJDgz={lu5tN#^+!CqdzFle9=w<3d1Jv! zp$a3IPn6NB>aRmId52LzF+!|tYJM%d${>`CDId}%yOe%-)Ic4^iKig8FR@%b>m4+t zIp#u}A*`-jfr`fhxypZUv5q3qjT?EGgnew2dGRl8)@z5~kB>FKIWPB7cJ6R;>i7OL zzmsO>Kb&}0;&s{|Nzoe(zYi}=JEjKCKj~Tia4rbz;sA87LfR_87J$&kIGvUKD(TZe z^ssQt(S}j&;1GtjK1Kd^pcbVg8XrJR-15_HVNjPOiP8kz$M0kb6*t5CAEyQ*hI|BP`8yV>n>m^nx2PJRpTZRk=Ia0k>?4(lPEpxHe2ja?zJWRxm)Y|6$ zdUVFZBi$_eR?6qJb3*=^M|3_MI%!W`6OE&Op|%yNv^0ZD8GD16^A$)ce6<%Z7EdA| z$REb20BYTVT3g$>3xwWt&)tELn)Im?lkKY+HDRArtQ4RVZ+|w6Yj&0FHOb&FmioiL z%wB&x9!GNBz}T^5w4tyNZc0@B8R-#lXWbSeO>3?jS|% zRGCoJawUMSDQZ};oOFo}nk5K$hjNr8KYmAL9{6K zMn`}LS*L-HKv>c4Oq8k$mu^wag#&F3*V2(H1PD|FxQ3mk5js$|N+?ZF3u-Y$3trI` z6hYR>qpJ{TrP`zFf+rZwH**q@YcGiIyoiKeQ=qbw605Sq| z&Vtw(-;DTSg5&)ND&WDSoG=<$hXuDm)Nzt8u*T5x@n&SbTBn&tuRBId2ttqZV0%#W zGBrPoIjDmiXTT1#11Owh!5PBK-{|%xQ$=3@F+xn|t-Qwb@ z7ts#X7hvjAA3*siGa=4&hb`{S&Sx2;teEfhEhY(cf^B~L)XlzNs= zq_bRcSYY>k93sMg#vep+Kvs|gz@7fOInuw!!ET~CL1QE| z5mA(k9N-%7%xU*dUSkMTh(|8E0*b%L?*zhAZ(?C{q+@SCwB`FfNsXe94ks?7;Y;Fx zjb9#v^4s4fvEQ;5wqQ2Y&#&^ny_x@01H7=8Ir~J6aVC0|l8q-wY4P&t&2df$jnaexz#2 zxSTg8`?|HL8an*F6$8$WCv-_qeN6F>W_QQ}{<=CoJl`hIgp}8=bjFLz6vqA4 z$6j05OmBWl=VSxUz$Uyi8lu-F;L?#~QalwNsPQ-cP7(4hgdS{HYc{=ee3Sgcv5ftc zy}!F61`h+TXZ!b`0*&5`%*^!Qcwvb7(vT3>766yAlJd^;qc3UEFh@u#4AD^m%0B|Go@;3rrzB=TC$Q9ckDFfY)RBSO8S1hR<^QR`(|hga88fI@2b8735#w4S||gY;fX;N1=3a(*i$t=hPe=M*b7p zdT5#Hok>6j>F;Zkgh=0-xtkEw!#Iggk zV$`2TCw2J9aJ;lmBs$X*uN)K>iGVk59{pk;vycifRIVduNRNY)HToe!4d9}nCc06goyI!!45 zYkI|9RehBe6at4qme*^$Nq*P^O#?wfjs^{F8{Lz^YFPWO^bYKx z;2%yuB&$weUO9&o%VL>0wjYkk*>RfX2*1jjd2OQ`WWX$DhHOPoTYQ~BD=oFd<0hS!L!#sP5 z;ZCWD4PTI+X126tu2PnyrJ!ATJq~uVsHOx(fYyzYlDO}AGcp$XdO5EWa3w~*G!Y1b z2d}q(tJ5TR&t?Y?mO5mv9H;kP=<20C;r@rDoPdWG1U8 z)u(J2cu;c_Tw#QQ;q2trr*@(@>~2uu-uYZ=`vfNjF zuRKk+QK0ddbBe(ZTI8+m`_^GTa2RK#d(w|@qc8lvXn9E}r1kO>#}^{`@^T^0RbC7{4Gz|yJib`FHtVh?ZsghR!_9_fi!}$}x3KA6@SJY9)NN10J?Eza-4VaeVAzm#_mCj`?#_{H#--MC2 zfMAddUO%~MPd9Sfy{Lsrkz{vvP2|3=Rw4pC{9P6P!eGqzw+Q>-8z9X)szVb83Q2fD z(yMrDkd=ygd^4!ct`K_M=-(XSz&WocFRFzO70p84l$| zdU}jesk({>v8EqLUHc~jGLvR)`^vn|Zt+5V17kogaBcsU==**pAj=X~4Z5t4tx9gh z_P=IU1ORZ-%uoydEQg6xw)b!SX^7QvV=1BmGMm6*6aHm~<=)yKg-_3s3Zgp&nM~Mj znm|OR&-%T%S5F;kB&_tys^DWtEvBM*m>v%q7MEQ&)}2}( zP%d?~%lIVe{to-|v|o>X9FSx60ZuIi$#56m_K%4~d6_6HyoIzS4ci-dD+*CPET^tZ`*Xpz1%3-+>ZCB{m3<7x#Rmjw}X#xhXKj+$9e{5RgT! z5lK&fH(8MUK>gZGS2BG7n;UF!OvY;n zfIuZ&zC91ryutB!wVPVrzndnqLR_xnj&i^KGV=y$bG%zvWN@M?cIxLjQAxyOK!Qu; zg?Ez{JrFIzwz}NO%xcpr*EP8@= zopnB;M;4-8O;4zAEge1?83a5(D_IyC?S9i#GLDN=$MGy{x9+?QM`SjgCP`~Tzj`27 zi}Xzv@7n7vNko2q3L0rv!UL!`!lsfste;3@*yJO!KIRSq@2OkuK^L}TksmjT9wd(H*w<6dZO(KM)*0krRxE0YuCdtO5s!#2QZnA)HYm+d zunZL$b~OPf4AlHlK22a+;i63eBHTETA6gOsGGOd=8S>lO@+_czu)_!Om{0~ucBR}- zrRJIBRf<=tk326OF-8kw(D8uTd9ENaYt#?A!m6)fH=_}<*Ff5IM)BRdPT7%0(V=)d zML~rPr)up28j(1+r*uEnp@sKFU2eP4z-wUzFNI$ux())b3n!OKMC&VdRny|G+-$lv zT&MwF?EQF`Y0el`!*3P4j9BUGWa$*nnXpS|$F>7TQSjtg zLX-t6qUt^JvSp$&*U&n45_nZj7^(p5*pfKd|API^OJfggr_+G)v3!-L!jDVRe{W2S zw{bXMjSySD>b@xhx%E^`i6!Ln2o#NppN_;Pi%-fvy0zeli{J|n1~_sd#8$e-KW2&7 zo7LtX0+b!O?%>q9!Zxqxk$SR25;uh~{c_v4fWdh-7dvpnz?j?|5~E{zS8=VwmFxkT zPsKGF@Gu3ef>~k-1t=oSsnW-3K$MIJNfcHSOuCKz}ym5t*{^`xZKMhkV zY%I49-s^!fubOSxx+fmQTt{889KrMo$nPKtUH-q~+^IyIVC7CFRI0lX9=67GX|CVt zrh|sQ*idrJjSuS(c`O8%-U`Ul(hZsMhwlZQz`luy$fQ$aG{BrOsP#h*UZvC2=tkM7G zq35GWXCRDz<84%!p93;S5z~zYF}#uaLT>h=i@o&B#*|-=5^S!$G)T#9{-`fd0QVf* z&3RMnS7B3~>JuPrq0Jb=YL!PHJ!Voyv^WLCEh*m;0ivvIwHS~Q7L##|VZV)0zWnIC z$SfF57y|9gYb*Di0(31uTSIn27F7gG!qSW7=~Mnke2nK5*P!JJ^~=gwZ5WrlD;{YwkV+^ z0-Q$v6~_PJl;l+4-g6uH!?U^hmk*FFvvu$Y#j;j!(~|srljTyOc1t=X82mw?lB{wm zWCSSrM;|4+?XM$VpYTCspdD_5&PE+b5X!NB+}GPUE(yA)Er^8 zByv{3b#WKmpvMI`yEu;{F`)n71&s#Vk@<_*17FS=P#=#Ez%HviRCF!3L?}M~Q7jEc zSlK8t%0ahSQJ<~$-;jq_LyrT>edS^hxX+|`wt-PQjF+Yvg0~h*Q8X3+>g;Etm1uEd zjP9<|W8O!3)N3+$y~fxf5{XNLmdL?50PEv>vO+aXkBxF;ZJ~JtT7MO{hZh;3p~pmz zjk7;PoJOFmE#wwCTJ$*9R+nUc;%}yYVj3#$ObX_-!TiJ^+gcmz9lp*Qqe>?zu?Ve*V8@*&nm=s5@diOqo6e-p zN9u__m*k-cmEjr~16sYmfJFW8s`cprd5F6C9cHSeUT7*Jgd78ap3NT)$Ib-Y&rfH3 zTvK2JJWxy=l>$+0czNOn=7}MOMwO6e5#`A@B0vxiG>VKAUuDqwwKn6iZH0n@22#}= z9N{-+Z5xB{D%_0@(<@*B4r4fpsJX%rnOG}EW-h3x=Bc}0%_r+{Y#P&RU2u53Njgtk zINX8H+}TDf*;jdOYO)RU=YHgoLpG!%;YK@A9AUi1X}L5l)-=;OW7d)pbb5yMyBeDA zTaA9SKke^CU{^|M_BU=TJpr1kKNjTqz!jw{H_9J~9s6gVH8v{2v|9GQ_T0pvic|ar z6{P3K)`Fe@@^$vcI}qgm5L>b0cr51N8fup5A{R0@&w&?039O}9j1JV3DEqvq2|;9% zh6mkhR?jTyReqTvVi+#9Ub{sEvXJ)^ZF4Mg*y3*4O99qOA_qR4i{Gtx2m*gvwni=T zo2g`M+T=z=s$U%%XWb%i6i^PcwG)QcL(gcDgmjqJ+ad+ zIJgJ$vfnC&C?XmAbfPKnK3)CBSH~s`E;8Jhq=N4fhrqL;wZG@BU6VJzHhM2~m#hTt z3;~|?lEc&-P>M3g)GKnE-{s;gcvBIC;Oj*qRl**1&vNk88tUq|L)d~MVhA3nhmWQ5@hm48y!JSuTz&h4eknt&< zGKoKv+dB&Pq;aN`1-&8Se!MR2a+-i3JSPeD`g#wYX0W{GFJqyU%`d-T&woP$HW$RF z6=;c!a5%rO&hhq$6WjMso=gO=ScQtl5U!wH*KT24IAPv?15&JE1hAw_}+4ULA51?+$)$XbQerj{(Vd10iVKs6B z^=5HDfcN22yKk}N@cF`{mDa9iZ^jHRYp+gS5DZf605IEzAlW{Z{ZjPBd;l~KoX_&K z@GV*1%YrF8PNAGFbunc|Acp`HD6`a3vD=LqV=-z|C7S2swYJ~iO!a~-Tu{!?{{dH& zr9|be8`IK}Pkpy~7A$%a1jw*0Id`JqsTcuUFa4+M1wq*(G!VvhnQ-ky+ zMZRS;zMNe7-?;qCdbrirgG!n3bY0!H&w>(}J6sP*~7LkcE zVN`=YBTtlR=AJQ62@o=Y=-r9gFKLlmz%+eoYR8Y0sz5Q@%+SC2etvKD^n7$hu2r){ zZR$6Auo!e)oV(G3LU0St_7>*^r`RLu`(z~zU5$oV_iq(j(eRi}9L#r3edjoh0g!bH zgsFeaZ)~_KNwZ7wHACaw$LW?Vq9ji$uHO2dF3S~UvuH$d8Ehc6e2IUH6m@N{rU6r@_n+oXX4h?+n4RM(uL@J#%3>blujbg!* zf{PMAWe%l3?uH7g#cUVVd@?-vT(w-w{%uYVoPq+08LiHMd^I8>{R~r}qSSzWRy63_ zN)vrzD!2<;23c(q7_DnysI2JtcV9HEYBTBF>o4r9y(59KNn6|X{=Zg1tdkLqdVcit z4m*`4UU{?IJLt@t=kSB*d+FNeqZP7mLiiLd9wNg#!GsSiw1%P}ZPfEH6EAsxts9_| zbannceARMo7XRjNGnFq}^a?Qr8X^uZ%A@DCfd|%EkNH(&R>?)K2=#i?(Rl3+tv}%= zXz&dzm{D-i;Ptu+zO+)3GNoNXAM9jKRetmR+<$T|z8!4;>MHew*XNe`Xdvv^Qodf* z#)5*F43zPIE1vr(>lg9cJ1z22cbN;Oo}6xYm<)UnO|PkvntrY@A^2#%RObk^165;o zRR}P+bzz&XyO<<-Fob=z^O~KcM|0D%A#;o(65LD>YQV$+?1?0nBcSqW(1d)Q+UWC^ zhMiwPH|KR~3WuBu5D6up?^nUWmB9yniOE98_2Lzv;CI1?4fG0WLs9-3|NjmFu@4j> z?-K?*g3E_C6h!xxUmv>t|2r}I5=Rt^V~+)pAQ8n7l)(WNS-)kx`|lkKT*6}Ig*>7E zn-2$91Oapbiks)D|NjnE2Eh@Wx~WEU?ID4RTV|ze+vNr NRPJjil*(HL{2$wq3A6wJ literal 0 HcmV?d00001 diff --git a/my-test-project/overrides/app/static/img/global/apple-touch-icon.png b/my-test-project/overrides/app/static/img/global/apple-touch-icon.png new file mode 100644 index 0000000000000000000000000000000000000000..401821a29c5024737104679e289fbe1862ba9dfe GIT binary patch literal 9171 zcmV;^BP`sBP)PyA07*naRCr$Poq2pz)!qL;-*aa&$t(d}P=TN*0Th+iMr!@p{t9h<)TdgvV6|=` zNK_WtQDhlhShFaKHh^rcT7yU{zhZ0K$F?q2#D)5>hOz`iHi68NZD#KG_c}9^2(lzO znaRxDx%a=ka?d&UeD3?6Im>q;n3t)5ffOJE^~LOpsQ^r%O$ZF7z-fVYF5lKU6ojqT z`RQH^8Wb{A&lA-dW_sqM1D!)6nBf#%_7&w(AW@HE#CA^#v~zLg*~I!xfNlc9qxfEc z9`qLW{16~Eq7d!Tr{edwpD(N#vj7YPSb*q%!J*+}`k%j{J=#x)HckLKd(rMQSk$cm z^T6W;po2{Ol!dIzj~4VenhxT`vX65=+Sx;pc#S|;eyiTESm(*Xj#(=v_Bq=d%Qn-o zt`mTEE!t8FqS2=iBLJc`0Sb<)E4X-PItr%R=d!g`WlS^@3~`b=Y8m`mro%g8Sl_-r z)i%s>k?BO!b@u!X&bmzNHUQ_GRvhLn5ZYjGRsA}+`!<+DHm^YGM^$@3)b;dt@^%61 zFW=w!?x!ovHB0lNp5%_>fOag|aIVm;{|0b&3u-&egi>F?GY3U^=E9~K!AjTe)}!l@ z)89!{#mpsMe{g|&K##f>ya)4^V-z?JXnXm_^E8WPeG7q(R>SWjh?~7dy$_kno?3y@ zwYyunnC1$Ha1JfXJEPjvwdD%L0BC>+pF_uFPxj}3GPn0mF1`ZLAkaTSm{#rE_MUsd zfMCmCYx>?96QCpVQ8k0+`CPV{7?e|+zLLfY=x9Aehrs-lXU$8`x!rC#Z85LYC=f%S z!>xn>dPPu%ySkwJ4v@KL-Kc%*N9g0;nhuEPbxVEe*zfkJB2(8>A{}d>qk}bVfUZyW z?s@f1n4?NqlQsg~_yX7Jx;}Q?Rp-BF4$~)BAU;4x+G-&17+YO%*}-Av-fE11mbwPP zc+jJ1ue$TP)RoppPU(8of3 z6rdL@K{4k@(M5(o-fbVC<;m< zfQ~L0nemp@YPo;p73UsGC#Q@=1Kl`cZ(?AIuQ2xwql(|oKsRoKe9X*K#`e#7J6%o} zlLct`0%}2+?+th+8POay5kN_>)eU>M!W^c`A=8Ndt65L>)vG4OBnz(Y%YQQd!qzIaq0>hP00?+AlmidaO&; zDM*q5-FOhQpAo#(yJqQ!MsXfU_7S=Xdyu1V{mhE8sKHs=x`SZ(iY@Bi_L!D$bM(;X+^h^ z?$%TTx>3OG0FU#!*1wr5PPs`9bW~Lae*s-Q;;pTGH&vZ-Qx#}AtQ=v&%a&^2l%u1+ zoAjZ{QUU1j-X7x!1m@`(*16;Ro$F7!A-I_bN@1WQ&I8Q&i)PJuu=?KfcP8_JL8<^9 zSP_QjRDV<1W60v(aRfx++Tx;~-ifr~#$B-921 zI;<;!{%jFq!ic;sn-i()x7#*4(2e~)079WR;Q4c+oCgdBbfd02NQ7>;GW7|tJpqsk>mChLF*S>rM1q0e8?SsLAjtEP< zN!KyS_g2oE?gV)nr7O@OuT#oTN%{eW%~ww?v1d9yra z?GYEm1p2s12I&m`i_ppK`LgHQSo$xfG0I2|!D+oQt+ROoS%^I>P|swYdun)C%Uoo*JyS(qXW8`UcQlL?>AtT$P4FqXVGx!Rl38~f}I?BYaa&6!V|FFJF zX&=hht+V<==lmStr$KbF+H)AL)KL%?>ZHvXm)E7u`QlFwbX2pBOFruu(jCh{xDhNP zvzix}{~c(cTk0NG&k<9y_RAar{S5%$limoXs$m8GZqe<(XluN^X2m?~rOmE-rr{ur z1n68-{ICK$!StjziR^AE1V-7m7Qq>%_S)e2BFgahU z{2>8LK)BF^I;=n)2+O>I+z}|EfQlyW4I47D{hbCfhn5kcvq~L?D?{)>$BUM)>!ysn zq4n#PmH{1A&9QL%If4Q&farPvS%wo+twaAJ=24#P^`EFlae8Lm-tM{{`Zb9D3(P|8 zF^pA;fIo8(u+0X3({(!8z0ENsPelS_+=3KL{fQ}7k~u_ z^5fnjb?1T7wO`%{=<@+|Gj)~bsN4XenVCLM@vs4Xea%tUCJAfvg) z(%}Cgfc`-Ok9&5#ycTY^QaX*&4|ZP$P3~FaCR5iiH99l?MBr(o`{#Uex)2I&0y^AO z1#3=k)cAUBvVZ?3^K`F{YQ z*+Or4e$+|)7h?l-RLQKx+j1;=Xa!!4u{8%R*s_GHL%=FB<13efGFS5?p z62vXa)G&&4{AAA42z;$z#4Jr^YG#x3Dl2UbM>7Wsh`C_BZ+pU%q-|~Y2<))yi#^>Iv>JqTg5-|NFt=B7rgFy~nKB0e)CS$Rd04?v4o7_s* z8S^T$gO1Q(hIkafIZBlntdN9S#_RfI@xU6FaRR}PS0cWa0ahnztMRY zG)2NXInep}nmyF@I?^nonArvJpX?2ml0$FK@hY+9X5r|%CkkIf^$eD6XNle{~3e+2gcC0BoGj!Mv<1#kn9MxI73 z0orl<=mL-^2jgT8onJHfxte<4T&!MD(`uq+fzl7MoY`mHO9FGi$X2Suc!jw}YEYNavwp%w7(FLawHU!2idXOKl{X?lt(x^1Q&R($PO4evG z0O`459>f44W?rm^LepxBF5ah_(QEEUdj@L2^B^|9M@(}-JMS6SnQQg`1*o|&1`^^g zm}pYXisCh@P-iaLbb(bDlK?6NV46*aM-h4-9Gd7I(&v4Z(OMqFlzdcmF+n^=ggZe7 z9xR#z+J5V(^GI0M1Kb?YVXc`_&rFZjp5>X31q+mn++{tEg_U;;!P3IaoPtCs4lyv? zcVX@#D2C8-yWPTdUBN^WVv1pH*JBNIlxhai?=-Sb^{kk+O=VP(2QiNBl>-H6I+%Z8 z8smgjtR-MsLohJ2uBdO7imvW=-m$oxy>1{qGzCQ8Gn}q*0Xm|zH1De-4G;P&O8%@O zzAPi1a)Y{KCIQlV&zx5S()_d%paO4U?!Q!ZjqHMi<^y!2Y8^>gE{;Gq_V*|lPuMaW zUON2pa~>rTmh8xM=nW4OXcPfCN_7~o&;bIEx7ft*58s`ur0bF$J2H8_S)TX8Fw0H7nAdqjWp@6m6< zzshP=JD0U=OIIz3x5%^wX_Sze@K>#_?vCn*FF&HHYw`P4SBea=0?g;D){(Gsi2=H) zyBiraspj?KKd1^2_K0B_ZHVt7AXBv-1C?Vif1nF;`wMdarfQB_`pNE|9HOTPETLwU@Y{zTvM^st(HzLybBV%O)yL6ffgMA83^E0bcK$9c$U{0ct$lx%-r?+ z9HKrTPi&=OT55RkCjronQ;-S~Bg%&mMtFUPUc;EHl^5bAYj=+%V0zN-E+re#(RURj&}yd8H2;dS zRt4re_FcOcZ@U_-&jj!zH3ke7JiL$8-W+DJ}VuN~I(P zIyzXRO4s<8wXcc>Ylh|d>Q`o|?XAj#7$*h`=EvBy1&QcNIKVnTnMu6tP+=b> zzfidgqSXgRfFXn5cU2yAVp%Zxfe!apCgpiQNP1EIiZV5G)QSqtS$%OYqKt9~y2ebW z5!O`(X#Yzfpbb~u1(8m<&X20DCLvxVgm;$`d!-1_jUw#;iHH3M9e>5&-Ac}*&KK8r zCR>*DUA#>u_e!k#$R^O4(OF28t1LbU89=OD;k+PK+qr6|cNKLF5T8$vTwryw#@ZnoX>D-g|4&JmM_ zK!-VC=Jzeo3Op<4N^?{-TaZQDE(Pf_qgOvOkYuB*cpZX<`3ia-QVpR{wr=MYtZTnP z#1^D=0Xowa=;-LS5sW$hnug!0PC>F4?LLD=-2{Z4a*-Gdvm_g;0p27R(B9p9SF465 zEB#=1S6F#6SPTKUS>OO3eDxc{J)vSt3)tQ7b8D;b;NSN zy7wH_kygfv`5w%bd)7+VGi$4UqysZR;s@Yn54aA70`-@U|3BYEV?FMex3wuLl%6q%BB~L{ zKBf-8bRqNjE2p~$9G|Sz1Ujk`fqft<@EvshUezfV<$LW;;hjT*hL}^3h_D3S#mv9* zX7~P3^&nzGlk5&!z=n#G^E-6xt2n?N5wbQ}d}5$nOynm3+lN{HU7 z(Z&6aCHwrYgILGo04`}&S>xX9WujsVRKMUY$~zR#ZXO4;$yOraDFjI#ml|7iTf`Kby^H?cgOOTlVVW~NC>*0}CDJ4E?i2}zPv*(Y_aCqDQ|{pUK|^=PMHec*m3eu6+|2(5^2l?=?Op{gaSArzd; zw{=EPA4&|F08_@YPWMX&zTc=5X83n~SrLmV$Y~uy?YEA)LTFkAo1Pm@;4ye%jXy9B zZz*QV1ylB-${Uy<yVZ1^O#P|p6+VIxwg0vdwux{be+A|6elfm4{cv>p-h~NR^VZZb1l~}q|Evcx? z=#{heNq|P00oo()fI<67-~q3r=bDz-f~Wy4TguPZ9O(8lur?Fm?4Zlp?sY++v*s|tjS+NGeCO; zEH5+W_=fb7UP8xRu>(3QIOuPk}BEnTv|w7H80 zu>io&%!8QlYEcgXH`NU3^~Ym%jXBWa%I_KHaMtpD44w;6+PnG_<3r!dk{`4MXjxV| z43O2&C+Qk z5a{TjV!vrZ7g&Q&5Yc@AS{|6MtwUsj%f}7qXuq--ZR^Ptngh@+3GQlpHlKK)!@bRS zXE@k93cy$Zo!e7^M70%fpu_!gvn9Lh*2yd|0-$to9!L_Pqf|L>9Wy{Dnn@Ig3`vP1 z_Z0263(&G{c@SgEzLrB=k_P6e$py63zsrqo`%#;38G)tQq+zEZ?FMw?2UYq(maD^= z6@a+jz@f>K59qM|_q#J4KF@<-lG#VkOtQf>CXdtZKm(8g+I3O;5HX}Vsu8DlNeXm$ zUY)OHhPrptH2wpa3}-f(2%y7Xq72Yp-S27=w48wpV)At+PbEnVbX26w{E6K)4$c7K zW^fxaBqfjN;U`HL(2cq--g=>hxtK^?2j;9KlSlP&k{{@B&u$!QcVs#T$($$v$^6?X zez2pP2x$$|i1838b*3Om3v}ap<;5*swG0#!NJgD) zA1h3?vEkTKDGzj{GuMx>IqkM0rf@p7^V+UU{A);dpu-BRskAxw>63`52*5e=A_FKr)46f7gqWo=&)4T`J>MW zG5s14Hv*g)U;Wf;PZ^-2UF^7IN5@boxE#dSCUMkR;{hGkKfgk=>mNNp6wW-=O&z=V zl}t6Dr4rGDn4w^r0!qpN?FI!p%psHQ=8+d#EE#V_opR$xr$WuC2y{eNrtGELd$Jx{ z1E8lu*W+2l$UsMQbKN=itWbcSBCvGIJzbvYcnW<&-6;!nv?pPY7=)%VD4!^4a_<-) z=&=4by6vvanxEG6NM_1Sq^{`&w3Ofe%L!d57?Q634<$04hH-$7VBPV> zO&5f$np`Xe_wJ+Gs#WbRzT#eE_0v*-Wv3ToG1w-n3WxKAlf%FDCEO!3H z4t6~_iwH92a=Qh)F*49{UfrpDdv;I@J`19I+EG^%=*ESO{q}K%045V~etV26#s)g7 zVEH<`%aT0|!02|eu`z*ef>-8<(a-M-;xYgO;yndP3!tUA6|80ZD)Sh47996@D<;t2 z9*sNRJgQ@ZRTLA`UD81&UZZu|0NpsRj^v0bC(uthe#u%*pic^{j0@uN=Cfcofi8>( z)aeFvSi>dnWIDN90Re6>$0II?3H0e;wdFt3+XBm*V3tm~G2PlrOQ54-I~Q-bgkb$6 zIJ{norLHE>&5gbt?s~LSu)cm8NDP*yA<-&?0KXh7r`&W0Ix+>>k?G{%&xv_qjBG(npj!lV=9!EeZ2Da@{Q*SO`8-s z;38EsUlZuo0v)}d9Ji0T2ShVfGv%5R?o+u}IW^GkrHg2G8fo4a)X>m`Xagm3QolH>nw7S3+l z9wcJv?A)aV4|P!2EtmNpxNv{ty|LWnZbAD7y2b4l&M&Gj)`=DqNUqjTeKGI!uPp6h zpx(!?EADqJ&Ti-QA+pH4=FOy&rhRs6P0#)J_Vb%S$Lf`YM{DmK5afZu$qr&d0MGHi zUOFjOO{POVj)h;GBPgSoiEbs}WclKm2~&K7dp&)u9_9!g3p#EbYR|H{t|MSJecRQa z@J~IY{i^njIeTK!R9e-se7z$(Xuk!_GZ@G@rtb`3rPWV`hezgmOrYaLMb;t}ZzgrzX>)TIY)!FQp92EHLsQ5M-u>)}VOiNYO>r-xk0eq2qzX z&7(S^#uC8W#Z7a&cr=r4b#^NMPX~uTqhZgOoZ3_M-2^(_s4#ecO`r|_g43;gCeZ2j d#tq)z{|~UqPnNW5>4yLS002ovPDHLkV1oAckj?-A literal 0 HcmV?d00001 diff --git a/my-test-project/overrides/app/static/img/hero.png b/my-test-project/overrides/app/static/img/hero.png new file mode 100644 index 0000000000000000000000000000000000000000..abe393f45dbcab1571b0d812f887592f8c41c255 GIT binary patch literal 54741 zcmX6kbzGFs(+CILkq1Xh+|eD<&Cy-bh_rO4q&##;cPk($Afbe$CyjJ>r=Wmz$;}g05D4@LeDc5YSo#0*2!8}T zQa~UO2L}h8ot-44RO{>OySuwuT3V02WE8aX^Yf1{P(DRGQdn78DK0L4L_x>E0000J z3;PkWu(0rmf{u=%prG*BH8L{d?Cjjz+xz?X@9F93M^X-P4R;wfT#XGgqTpOho`&!3}aMPC z0}3)+T-@>TiRtN?mDN=qJ|P7d(a_Kc5!363Z=}l*@s5s88o@}lZ*ptv8_Ubft*xyx z#L#cwzM;vijE;`N#bU=NXQ-*E;RuGo!Jps1qmE84hDN3snc46WK9|?`TzEJ}6l9Fj z2_jH}{a?S$sVK0iT>Ti~b~IF`ROAQFoOk7phd1+ZWkz z4;5`n(FwIepK&2xY&JGD_~-v|j%aKjy$nt7y9Pw~8_|UJ=0T$T%2otQrd00-UNlKuUB6I4o5$VL1 z&J}Uff%GOp&%bu$P%0OB;W6?%_y(njk78<% zqj(=JNyuAQ^Enz8E+LHksUSTI2dxCJypEo-k&LFAna6%!(&U(h!{qSdqV+&=LUMiZ z?9%MGYgCQD+1}SJORnHDG_(l|6?vqd|H9$2WIPp;;=4ytjUGm2C|eQJE2Lc zOs5R{pkfVkN71j!fWzE1I;KLRIWW0E4bZ$P4}tj#C(Y+e32P7Kest@jr_EnlNgw(8 z|8f_O27V9lGt%S8PNTlp>l3=_04@5RxC4}hIqddNf_8v3u7vkmWoU8LUMTuBP>&u_jOFw__LLR%x6tXDy% z0jWHTYNr(e2=E$d$QuGqV)v-B$O!zwjK;K1oi_Y}k3nR19h_~+OLnq&jBEF#d*bs=a5i2q zBIM~#u>dsXKtPa?BB4h(xmDp!vzSkbe1s@3j`28z2t@x&Ai;__L3W0O2=x9h(N@ZB zN`KrleR{C`lmlZNRxg|s0muY7FpPHqFK7w04AP%zJocqaRXAR(Q*=L9Wf>MGli`#C z6xpaK^7Ufi?gSGC(|bOc9803a=~b+BD6z*eR82KXNR=?<(pHa5W0w=~_ib*5ap>EV#;-ZbAq&RP98>~r*=`k-vBw)e^iK4Hp$?qU&)$#o<+sLXibVNzLejb#k<7lnUl)yO>$!$4HDufCV0}YF`GtSksURemeFt1|-ORR$S z!&-j*zRZePJ7)GVSO`!r$Y|{FG@!C4M77`;{K)cp(ykRfiLmd8<^V9hIMjm;Ky>OB z0X>aiC_bu}mx}<$F=cymM3qHujIunsU%t10NTd5K4)IKe0>B<-?#IK_pAcbg#z9>& zZ=b%M#b9B6^%WdoVSg-OwD2~Q8KdrWL^Cnz5QLcrR6*Dwo#Y;fIj!ho!4~t`?;fV^ z_`Ce%VMz>=8#61sp06E3m+NT3&9j!d#Zt4NE~xs``;N}*gMYi-U-O2@@l;}3KHvl&xNCr zx@sI3kLFsC{}Po9fk_0}p>3@TDb8pli|^{iu7V&)xOkJevs|*J$*1miyxZMJ$QqM9 z@W4m(5Ki={p~FKWO22`A-5wDxCS5`P?5iJv zL4nF(^y_Bm*Lc9DSgbCI98ijYC#Q+CG;6`8SjL(Ai74Su$saj)jhUl+M1|&B05gAT zagn+3qaw}OVD_EmeP8J4=`@$!KvWiJaTDDvhjE}VF@$<@5MX%>WCt>ao zSI1+odoX+?lKKj^4sTqv6y7!A|& zi`J5U(!X=Jb)_LxmWi&@Kp zl902<#ISP9OTWv>6EAOP=A&9{b6B|^Ruc>L`pH2(!k8A3JoN_bS+F+aVf!A&$jIlf zS&Q+KhS_H6IDgH(xi&{!(cdy6Iao>l7&;0e2+x}nSKI?Z=KXfs{QPBJ*kX#(Ff-Ep z*Wk@}_68ytF$>m`MU+^Sm91nz{9-7VP1y}mr0fK6NkE9156|j{rV_tk5uw&3o`n#n zl0cE4Vbo~%yMG_GQi>s;d;mHagAhLp*$Fy2wwNkdL&U)mU6YbDI}sGl*S~lbl9Pk& z%>JW`)vTGEtYcjOXX)-lc>xg#1+Q3GW3!Z)A9+Y9JXdls=IA#ZaiL;~eY9JZxa$Ed zqI`LAW#ML0mj1;ZunIN@;QJ14E;IBWZsGO7)nA`)&#Y{rU#ylLZ|C~{ptELY&N*V` zX;co!RQD>abPNASh?0*T2zc#phGp8#$__2Wd_y)R^G=qJ0Lc}FW1r$Um2NNoqoKPG zZCFKVmV$2iAA1Pvf8qoHVA@#vY)Yc;J`hu0Sdh$ZLdSevBkf13hz=M(T86G;q8m1R zdNc3k@<~ecX(^1+CLsoFCFQIK-S}WNl>#@es0)7~CpG44FYw?Kr1E=NW9-jW^2-<0 zp8ttU$N&KR6c{rD-4{h)sll2WX|`5x3#$)5RF{mmja&)lwL)0-n1c%8h>zoNAm`va zd-skCYlq{vle+s9jFaty2*#eft#vrysq3E0mdM&*9PD<;gpkroPS(pV5(}y#M&;PU zeQNRZ-Ilt8vg6AjDv_!nA1OSZJyzgti1uka3dssYl*&R;B}xfkS?p-Tu3+-j#H(KX zi?c9^M_bU1f#J~`86wks4t~VopuW|LI*>A&);pSS5Az)|_r;dD90df~Z5*tZ4J!3{^SQ3@v)W|se@!LL9*)hcIK(rR;@93 z^Ev$$38iclDn9Wwg9~lmhD*58!0Z|H_D!6HEoL|l)~l#}fkOdv+Yj$tKT)0~&*)Eb zqW?|89Xe>%M~f!OPm-H?J$*|!oK!z*gc zXW#Ac-M)mhkJMz{se;~O(b{lO*sXl8YWNpC0DpAtzoAzf2M0+>Mbaxgv@ct{_uqRa zesy0T+;&JutrisDCiwtCN4$uTquUZpmBQ`6ceeUS<>C?;^%E%`oQLR{XTMWiHj08x zxif`bQ@(zC?N`@a&AtZ@zj0;ju(pXl;aTkreVA@)3<*|U7dIRraKFs0 zfDgfG+eRz9TGdZ}&72?5#R(DJz4-Un&HOOscS>iV=kFc;df1X#ewS4acx7oN)^}43 z)y?`cL)s+|e3M1^gYbd7Mvz1yC0816m2GuV@~_*^K*NE=+GgMRk9Ze(gk6xojo)lo zUz!Qi+rPf3y<0w-ef9G?X|~2ZR6`B(e)g|;yUKz1J^nxPK)cxmb)p`RRh>KHmsd~P zausCX36)O}Cw@(r;cn?EUH=CDT1KLR8@TJ@RhOKc&5YpGP{wD}=m=*GSkK^r2Qb8# zqr`WIG&TLyf4TlL$!iH+EnGf)Ob3W{-i;3By!EP0p+IHmyn2v?0fbLs>N5n=O!tzY zx_`2VLY99@>!9x)Otn;$Gku!_44`rI_$l`KUpr3z{PdC@soGrchJ3D|0OBKED`QSs z1S6msnp@sycq9}3qq8Ic#x2-4RP!R%xftdqH*uXa& zac?0T+w>bOhakeKtx?7RVObgp3}7>zX!ozu7I)thJZdevT3&&hozyp~^{-eC+FxKY zm2iI58Dw7fgnm`ISulYTf>6Enn<9F`*>19&*o)dnUx3?$*3HFu5XxA^LLv1vWGf2Q zs${tYoP33WrJUHn9lcNLhzO+r#--GgHq{mq>6ROKH*jP$R)NKab);H_ogeqcCAuF; zQ0UYNYTsmQbZ6+Mw*P&?SQ>B$L=P2z#hujrBsR%vQ!jJMTTex^L6`CkcdF``_`y(x zXS?t6k-2cLzJAXh6jWKw&h{WsF(mMY0uDBE4ha0V8T4_rqV-E(zlPEN(RO{{%eNdH zm-^Azp5~p7ITlFchCj8TlCHY?%e-JumED&;u`#TiO%+e3nY=MtruMuK3QTH}#jAb1 zb*40@2_%23T+-hTR5&8hQFfg8$dKv;Ux07~7Ico%gmyeg`GQ~K*1cH4wuuz+C8`XR zbqK9ebFA6CJ!_olDXvGFK1JE`GnzmA_Vb2+E3F z+x2)p##ZsL9uI9N7Dd!^CpLWx>!oA?w@h&=8}stT#bB;WB(m0$-0fSb z7S^5}Z_(AVxFqh{@0}s6Fn;y;H-E!-zshvT(@VSZK)ZLH)h(mdbMYcnVyl3eCh+4J7Nu2KR=M6Ex6J!*zo*J zMIXF@s{h1lTuxd0bfYj|U!bes>eEY?KX#&n2>}_Z;UPa_C*n9-Jp<7lf;zA70%QD) z%zRop+U1#WrjRXDyoUGV9d}2)Xq12g@M~v4L6P*JNSisg-Ms0wzAIgoJ6O!nhMyY&m zxr#_!JTO?uh%)4bXZy71t;UBuToC}p(4dtHgVwL^M^#BMJsz3O^ESi8P z6YM}Czwmk*bFndh1rLY}M8y0~h?o-0BGF_$|D8@XO*8!l69cG^+W%MVjIWtqpn#7$ z|IpU?)?=K#DM?g5i5~4yJd;#tI-bCW<%hM+c7-Seg`GSeF}W@ewGjbedP^_q?M#}a znw>xa5C=!QJl*~`(`&ZzcKJiuUk2Rd3s)$W93opQ{w&3=sai!X{^ zD+=~vtbtl#l7==tB?JEU+9AQJ2j8YapB!1VIJrmRtii5@u7pz<2K|W%$U{cx3j`5p z-w%7I-X#v^2y>7xoK66AffC9c;SCR5nYWnx_+B8}}E3{^zdaOuOjfA0JAd3?l zz0Z$P!Dl&_$_=+q@d1+q*l^Yi9lv*-f1hD!6GnOqjg6!^`r9h#Z-5LnZ~z<393W{2 z6nZ^9b=3Wxq8~p`~?I6@71>P*# zg*`J{dYKRRCeUw=ejb|%Q1y4uP(x#9oPdN{3SfWX zaBJf;{V5*M$|XK#p~TI&e$1cY3s4hAYxDL>Ag|7!KDPm7odR!km$*DeDv$RTJfTB= z?pW0Os1X`Cl=1_y>k7-{n}DCe$Xb=toONiMV&Z(#RBc(@iK5K@a?#4tClz8bPy3&$ zhmdVNa+xu?^U_v)Fd1f!5 zG3}BIZIjl5x-wQaVqK_*)6g&d7;L#o$NhYO4i5P4En(Q_0RC`=mwz~x#bz`PQW0sh z`irPQ-@vRP4H`Ri_XdY_7_BNPtZ7uQ){u@jk-aS7zZIQ#x;|S4D7Ut4w7a2g?r+2= z>LmVru9;aSFRd0+^aLDO8+1c110p24prAH7@OebvI7ca_VuIZ76%>!rF;R9xivWVwCki(fteau z4f<#L)w!zo166sYv3*#+e1F11uMBiNa<7gPlw<~$ zADAHHIFd_FZdyE9Hh0oc_)>TyvtANCLk-fm6a2c2BU7s-<(@`)r46P9%PDcYLvLaO z=|D*|V41K}w&zbirn`9>JH4Mb~6h>wcaek%-d!GyJ`f=s3_|t*%o`7jRMby!8jPY?P zGdW!ty`PIX8-lGal4bNpDhYz%zF5i(4-(u$yP(-;NEfVvwE?MN`Q|G^gulZJD-9s& zXLD|-WPxrYsJBxg4x>_T^r+ugF{>=Ok8j*)jnd*=> z@X>X{9{4Gf+y}a3sd&Gl*Asvc7uXOycY-YBSK%b8J7PVziSv=;>cffX(ir^P?!8uo zbk`OZfTY(oae_wMiWO%Q%YwN%aZ!Nrgtl~?%JSHEX%v5Zlb0_cs6eu(LlnHh*adk^ z6N3N_R$%QZKaMKp$#JKI_+9Hq=}aq&_=LodY0r#$n}kOpz4%Dy8tk{w86R5$>KFoK zA&o)Ra{*_(Mw_}~V0dRZF*hXAlz|wVC7Bc7elVZL;G_6UN?JVBEl=2Q0bxB>kSKLw zh{e-fGapdzlv{+mzldQfaW49ZJ71fhD=i=)UPa7L2`pI*=CEiU=cpo&@uMvIZ`O?r z6Vf$|(^>lQ@TQfGYfhTKH`R+HODc~8X08zSN#Q9%-mHW!XGFhEaR9t03!FtiCpkVD zehSJ75ic{iLsh?)<@#GMn*HfX*fxTKo5Ci2I1vxoI#8R}=}4Gx)Ch(#WEps`_qzkW z{F2y6?(DQOd@w-?vs(Cnv5S@zXq7j=n0c+FQ(-4>4-eE}{azG&#+6K@ABVBxk3TyPQt@n2W1ZclWyMsD&4Yz+rt&Sw5W+zKOaN*xm@Y2eY5VYUSJ%WTT3~*+UCvAS?=d(!=(<^6?+$*`O#E!1D8}QA-$P4%Zd+F*HE(ih7xeT z6@~GsC(F2FmgN^u0cBolBLsa42b z)c|2*P38nJlA7A9LUB#4CYHEnc9BS&OYe4m!fGB?szv{qMzN`MhG0<#ZnR#t&FjG) zAWa3zsS8Big99eQOlLlqX@EB@oI+4k2KF-F@iQYrO{YH`?-rK!Q}aZ@TMUEbut2|W z$`g)wAGZzq=@DyB-S|OWJJDSQYn2Z+zj^t2>9G*UE8eFJ!j(~Y;!tT2s!*HN-wF>b zgDHlnz7Iy=Ecdhr|PjTqL*^Xr$W(We}mN8(Y>#}snW9ibP{}KC0E#P(6^?N(=t4z z=SlJzov9%=RN7ls=C2+`OCeM#dP|ZLxY6uM;=?v*?@2uwL0K<~NpbTCsx4ZP`CQFG&^p)t{E; zEW--gtgAO&2>os1nwC5!RV*Sv49du2KR%#JpfVyDu-cz)mz>R%E#HqUjgW~(E2N#K zId4UzDSmWV#YHCGJzv4sya;DuP)rf zsF`xTTgxvKZBph%%R)0V`++g4j{c%1kbo-ORYBhUYoyOezpd|$UC>b=m{ckqW%D((lcnSm?zXKNUVLJc)Ouzxp) zpTCH|_2s&v%a~>48hY&Nd{6cX%2ELyG?h>Ifwtr1Zb^xbgOj1lL$yBn&ggRi1Z(bF zl9&76fZxY$wZW-{W^m!E1CF&)#`KF%V3B#g*-gv#^od=P7J^mF$|kO_iMK8+XVKZX zQhrLXsr+fp-Sg4Rz$bVRm6Y%v*1DsTt|yfNxTboL}0? z`s7>LaN@n>EGp#Z(KPL-F~n)L0K-CAnr2Q_PwT5xB}z==XCCrG#2OYWfBpe!hkC*$ z(EcVT8kdW?c#WH2{3L0~Sl^yT)^Iqzio_jr&0jcvK%u#1E|KiMG#=*pguXff^M}>T)c^Qef+raVk`0HZ5cGJk)GQ?g( z-WhANlmzo!#Z1dz2Q6w4N7&jIGUTxa2C#GHE{`t7#!?Y#;Q%5OHFOMlK1y)w)Bq); z{w}M#cgUM%^9+*+cp91mX&M*d+!BH}+d5;^@6<(|xqUVk!6NNN`16D=qS;r5=8>Z< z$VLQe8ZN#8UuKeU%a}o%2u2A`OL!4;9f6Per=ljt$8QEyAk8K-AkTpFHBk5PUAM)m z&&XzLn?xsTnCWJ;=QZ$QNCLI@Ulj1^{H-4ta2rKxTf1ZSfu<|LQ}IIo<*+!xvX3#A zffqEWC!3C0xY^MfaNLoxMKMFw(?wA7DR2>C)_%=oXp^Tkz~act}AOg{@qj-b>8py@l4PYar}u* zQ3wad`#@!~1_=_M+}V`{Zy|E-`7*~4@WG|ci%;Ia*ri0Mu*3<#f9{S?XU#*%#MA19c(=(yrxK67#`-k(5>fT@T<}lcDk$d{9;TYwsrOQ zN@U&JpwPPo`L(vEcfZ6_Sbf1%N7_cuOvSPpPZhrHJq`u=6V!u;_inA}fWAdHM{70o)xtuE0Qhk;qQ$PotMk5(+z8s&tsF%` zkpb-QwcpJnlFxM5UBN34s;JJ{!wN=f&9essJZs>91XrotV#{hZv~VGg9LQ%A=?w7S z=R?gtTGP!cWNY<-0$3%+DB;*RRCav0xBHZ|;Rm>J3NrVD)brPh4hu9YCuK;Y?t7CS z_;pp81nLALOxfw1k8wiQWXIk<#q|4!P7ai?a=*AzQdJc)j>L+4=uuDTqn`BsQ1EeP zEBMpJh0yQe_LnbLaxU{>XrHk!=$ms7BNF&6f7p*12Q_Kd*0CtVX|QC}EZV7GcBd^T zt7%d2(s*a4a1gcWeorHk(jBYSJoaZ+!zkVcDNU|QmwTs$xU(=5y+za)AB9MCO;Ael8mmmWCk>?h;lf)B}iU7 zPfC#Ei^Z}KApT1lkjo$OqV+P^*oz*1&=wL; zeIZS*xT<(LzAQk)K}`_{f+glPfac6ls~O$-vk@Pqz^R|byGpk8lBk&o`I0O6vnwW_ z0u~xR(&GyhS(6g4+`~w|uA5ofVe~UK%9!MP9XJ(c!^IH567vM7xCS)i;-&NKI^4#% zmdvW5s=u38|5C*|JpnCI!F^X2S=v>63BrlDu%Q)RSieKp7k`c<{M(yqjMhZ&|E`!A zweSHxVTmT7Ii?6A-;qRV5K-e;@BoH+n#ra}5hPk8w3!%5KhUFSz$dRwtp_r$`?>;7 z#rpvPXstV0M3R~!I&^YptZic8>$;!}9HIC!rwkyQ6aV{@0t*tY1-aG8gnetC6tE%z z94Ny|1(P|u1Ip1)M3%ItYd^ZE80B<33&wuoEcM}6wefB?C*Y{G`vV%a7R9@XDF72> z)mPJSXPkE=XDsm|pEP>_!(o6O?&xzDFUG(FMmDQd#s?qjg`JpiQ55=&cokjE zXaPJR8p$(n2x=gB%vh;x@%8oh54C+DPpmo#8dqqHgHs~U2rz1=!6p|3c2Bw4B}#8{ zZ2Hkj6p0~{|AxjntBuKRYl%@i6qGNS?f-!4sIh{(J>&4S6#d)37VVa1+-}pajGG$b~d?en5V88r;&xLs5WD(wr76>59Gm6oriO(?bop?Ov17xxQSMVBaAtI$8( z3kt7#e-<$<>uQnwkBMUZ=-={VYBtX?4d>r0HmPt@ zpv{j$6N-i(rXV(iVdcfB@E@DqUA_CqibPZT{f~=Cd*1})uL;u2;75f0T4v53g(|3F z|JcC2K@^R1($WMfZie^#88BVDUbtpUj6yFYDC#MMqhVLWO0Ddzw=T7zEwae7;otQv z%Jh#@tHT1m(S**W_d|_2hbygjexwtrmiaBfmJUIqR7Vi2bh15$-0fN~()0n@>`e`9 z*XG^WKjQ%nqU|uoL?Idi0ETu5`4l>JKV$xBvS`V_wFVr=nes}?9pU?fPJ!P^(JWm? zNVRfCd`MqgSnph9a((UW>}GK^>4^xah;+NN+jQf+sa-*vQ+q?>S~NMbgXL;<8dBI1a{1ngsbH;wg6yi}D6)h#cXW4BHXPT1Q{Y4s z5ksf~xhu{Lp5-<~Ww%xnm2P+;6X|kBQ`I z^C}mJG@xf~^P#uR192M`a7=lH-C8+BuCrEew)QH!|Lq7Dl@dXZ>ZzWRAx81W(K7*M zgq#Y;h}dGxQ=exJd&M_+jLGX#G#&lSYW$F?!L^(c4*)elUKN2tP<-lS>Ud9#EDMuX zIL>@j<_`&dF(bD1(WF#?aL_Yqanw(jK!90JKgmJs_zWXN2W|Z&Rt`8Z{lBG;-d-d7 z-r^`he-RAuaza6}E4wm&oZyit3`+*`C=y*6oC`4yLvUWiF6~1 z4F~@G66i?zBSNz`Hu5(#-i%_F?qOtj=->V2*`0mXp0t$o{Y~0t8t?eMPxJZW!A=&> z@WiBB8W?S3Da%r6U(DGFNb@p}jjGR&TnSits48)JC)G9S6TRuHDHeaZ)AB^OH=#pA6$X3FMXz|O3l zxn&@^@EF#;u2^epWC+a&b0p}f3Uq`(rchVUO8&LRE~Y_$#Pa8 zf=EUbw+ay`7%BSIARVLvR561ggMiAIajh0HCni$#OBX^FiX2NS$q>(!4JRdjK@U;w zQmwr|i(SZ`DV=|#kAVSa2lyG04%);v#D_&~W~-FC7R1zULU}qR zp^b~bSsiZ5B_0Y0=Zlg-4`2Ma-@ScmNnIX2v3qe}9DOmNMp%|U5m$%x^mRB&?fX>s zv;$-?d<@@5*2t>wB|o`&b+|@CIE>ud+0y#>V9sgp^?cXk8SpS7Sq(j0-x~QA`I!1w?1P`#l zK2n~DwOg+pN(En|1PDDwkI=K#Vfda30yHeCPvcc4dEF@L2M!7JJ*pp3LQkX(4K-FO z8D85=qvPH`&a%88f+VKP*8KkSemmRXTbQDoLC95%t(QXz#S^n-ZFejr4+H@w)^wlx zB&yZ!;yV5|OzY3QkI*MNTs-gcHS5|ip?hYC#%%VQ^0fk=?ufXdlI$v>o&;UEXi5&f7@a{gZEIAxuhpFG$|}>b6oW*K30$ zsMsvJ)8t(aj2f{3&v0sK)Ydgk-fN%|RGu#z&l@2S_shJ1fdBS%sqwSyae1(aggk&q zEJpaPfzPoilYs=1fsAJ3cjK1?G~&4dSK)FjuT}#F^NTt82^e*FD`8@s6#6!&d#aXL zA73+{EBDan$s)UW3)$}6jo1`mD#lhj7$>gdL$w}?)q$l{YzrPL(TH1(1pGzvOU*Tm zNEpe%j*OMMd(R;O&v1TmQv~#Dr`^D}y0cYkSkQ@R)Y?*7pk~20pC}!rQ^Pd+XlW5! zd|b^O*xAu#(5sXlt6=`WX4X$JA{CKON|7lms%7u!^VF{E_PDH24Ktq`XN%8Vd{y{o z;~Aoa9H(y#vMsIS^Y-yeT1xsk+l*^`-)mDE3!}$s9(8c89@z#LxDo*S_W{#JX{62- zO})kA3s^6xmN`>ZKa;o1xHbw?cyA2Z{BG2#u2DK>Y%kQ!T%1}3|xWyE;8ba|dO_Vn8(;@G7c|&oFIfGP3 zj5wh2ms_%#fTQhu>vw620fLR_zP0a|H`=}j=rvanW!P`?nvH>Rs8SCg5{`f1#|CK) zj0lXu%p0Q|H(sWZF8T7f&y-ve7LjqPV1YDD+7B@+y^X1+34*n`6{a(j@VOsx>i8T# zdflbWIK2-vx|s&(Ih+(7cmua+yw`I$Txry4 z4k^i4Y4fxWrjmB)?tgKaroMX^gMiLIdqb9^}Msh~>ba>c8dKT6;o*xkRNnCdBSPYa3@1ja0Jsop`lAbto= znKJQm)Hq9}2PT~2=ib|ZsPxo;zBfDcX^(D;Rd7T>RFenuvU&CB9%uj$E;uo8G}Uhh z(tH(&Bj$y&EHs(34I%= zN6?hY?mn@KhrX(v5>yN4b7<8|T+3ej9HIH_gAb#sEscv!sRBU|vF&#avk!Vy$#F$V zkPl4Xvo-%>;t?prxKlIv9SI9Rr3&SLFTfA*QFqTuC$;ZE>#qwIY)qQf@25=*rmV*f zyNC1OKzw2~c0iN#d{$3kcs(xStV>16F}W5z6gd}I>`NDq|27SSD>UdCF<>_ftkGm4 zkWWw_y#UWrO4i!`U#P;HHv`xx{Ky%Vf{D+s?9Ej14~NMBY>V!%uAzcIHu}{+yE8XK zNS@z0q|khD;S@23ag0^8DA;Wd_klo z8Y%Emy|I)8s6#I-Tl~$*1-SJb%uK5roiK${4D2*u`y-1u>s4mr`$tF_GGQdptvm_^^Z!EwQ5NFWRy__N3&p>#x3s0sczs|gL8OqrSb)nSsgQHKGaL!U4644uBTULEx& zjoFX}%a;im?>UO=VwfSwDcWSdHPXC`djsc4{S?8sW{v}|sOFDW`GiV9TGl4y? zdaT2me<U;u1Gc`G@_YzW+Znb%pSHzXUQZrEG!NM%aMgD{7;4;Z z*F8eAxrY7blA?D?b0pqhFPfXnjEOSazrB3@s<4;?Z-f8DQG%SzfHD^fJ-sp&ed%AATG+8DhV{-M4HgfRI+Lj(oYQ&Ma0W2Ba#p=cu3 z-mB_8H#uSl&3i(%MA=U*BZ@->Kn`#9w%$!>)Q@n^agX7G|0dp`A~eT%l7jkT{7;Yl zx&#@XzI*M!oV536Iq4-9)~m^x zA%#H}RVns|nlIJANYJJj%*y9g!V@O7GSksQbvcqSVgXHhgMG%E>{kTIU1HEc#9{-7c}UUaC`W<9j1$slIMz?SMAk1Pd7`E||W^*G-2HX<|J$+cNNO*KWuM+r>XOB3j4XcEz>8 zd+D}D;ugu0VwTdY$5j*TiSv@z9j9RJZZeixt>hm?ljq#G0RNkOxJ%l5tOySK0MD!w z>IehlYBYED>t&fIsv@fC7(WxJOmq}(U9k0U;uilB#TNhXk9Lz%F(-Qt(%&+*0LgzP8(n z`S6DrQick(<@KM?rKmf13GcuVA?~ZTc=pwsKOxs~UceA37ClxulQ?HV>t)pI(7E7w z>iggbqOJCIHgCY0tD>jl`5RiQkERR(?9>Pv!NPJ1+Pdv*tYV#w>a{m)98anX-d=r5 z9{cXmDZ@jOVq0)_`9+7JSSVW}0=_r}{MK&PW-j~sc!Lz((T}P11@m?CqxzkaZE&dc z<50R}$rV@$+CtN^ffNp@%Vo|%#SRDR9d&%jz6HzVVMv_uv!}csy_XM@E=l{YXC;P8 z8X3Nvd8b2*J1-FayRmsh@-(eAxpEvLA=66&w$b;me8YBa9I`6VxDM=NpU~(RvZ6Xz z5oVCRIhINy>Me#=s1U$7ubRyvP#-J{;D72?i(o{Tue54?UH|>+_c=V)R$zjY*Z7*7 zViUTg0Jf@yF`!Bn|Bm6AvS<*X*him5n?!(w99mSYo}%r4RzIi$KH)==6M$7yQvm*KV zEnZmJQ=GN;ChL%Ny>H(F#<-5T&s3X$3{Gb~li|N&{BAt`tRc3QdW4oP6)zGj%uH7; zU%9u=xzTtFQ_%j>mp0fwqb}q=(q|{kPObcU9hn#KMW2rzhc+6k%%HQ)jr$#kUELf< zpY528dEs}6*vk%DGB?@|0W*^-x)tNOdE+^3F76L9kAEQN6?5rn+ItPA-yC-Fa0VYf zS#CLxn=_`P6bXaLzy1jkW4+p1Oo=*~%Lr3O$%$i-66Jj2Luy*E=R|3w);4=HT7DPP z9YX7oJ^Z(kgeRP#!>CG1Yn}2{Ux^82oSVoi<~)eQPS2`jBe7YXtv{n>BQ!|i^%WRB zdH$-w-pxN%+Tn&?lA2O?ER(h|lQ8ezva}deCQ(}6oM%=}kQ+pO2a%Fq$4)w4lK9%; zzs%dqV9+nNtF&Qo@GRMpfSzyT1wR0#-iiK3D!|rk|4nA{$pt4q!d^`73LC{$`8`R0pk#)8 z@MWJVNdvsHm-%-8Sac?M#cCYmDfK@i^mopB9p`2lKSAg#c$wS zQ8b#zkq0$27h`cm&&%z!M4uEDN~iWZ{=2e|`F^4zwVky}I8H!Yc;~y$T0RcBu|-+w z>{c~{=NQpT*n8xh8yf8roJT0@if&w%D(qTS{I0vaZ{j`RUhoUei^18aMFX$JzH27k; z4>qAO>)FMTs48W`_x#@{1>I>%;E{KLq!OX}QssJLSuL7`<3S`Lkfb*^CFAtNSRY&nC!$W&Ui zu%Lr{{`{YO#q~wc*{Ea<2q+BOZGql>0o!Q0TY*dw{S(LEAFqOaa0mX)__8RcMT#R& z-n5A28!8@RU(^8&C%h!xxId5uX)uz1SF8wk2Bzz9jocdY(%cG(q*g}N#6F$cp`T4o zrArU3^S9(+E6^_5+IHjy4~?j(_$#=zrOw;1>Z73(w(5?%g(Y4Dg{He?zQw;DjS#O% z*Q}6VRq#o`ADJ@Ga=O3#oe`Q&iBu@IOD&~T-(q5Uoh%q@7+O3OcZ>(TNr+V7jH@6z zduju>s0s1&&xYc$H2)t*R~^vg_w|VZ8{!xnAkFCRZbml)8|E@{>tHTm-ICoV*ar>Z{l&XIF^XK<&%Y|*&w2wnPI8b5$1Ms?u3vcK(EO`TE zDvgPh#W(=oz0@@s{A zNE{X7VB<{0M|xyN@5t#i<1IX0{!q^bfL;MwYs}O>C>|n2E5nz?>0%?PBjTK2q3Q84 zD730Cx>r@W*h&1L9((h94rprB52vYLn~O#hAV7C>Zzs!~Wy%|Sp#d61+2UCIbA;(Y z>zdNxu8sQHS2BbM`rD}?FrEkyS)bs*oHxk4xfFY|3t$FA(Qi>`_YHufaM9c(&~v3L zF0!l*?UD77QheCXLi>_~%J@b{tRPcWEa+~shk<>3G%nujtl{I_h0xbQ&Vg_>Z0`4> z(;KOmR+D6uz)o9j@E!NIrQm|$Bzw>{*KhL+6qT7hp<({hjPu!(@|7Kcy{&^q?<0d| zAFghWI8^hVoG4k`_@=Ec=HKK4QO-t&d9$Z>*dg)QGFA8!xBpf`ynjCo(E@vNs`)WS zz>SCq1MR`U>yC}U?=&)05QZfZBJy5XMb};mdhzRUpG51wk`4-uk(*wPkc&^xE6WlW zqn)q&1!N@b|Hkl9y!fDCJi+B<>7J#*W6wNhfA>CI0J07PS~tMWH%p0VYu-*|%M-;Z z*8wR`o+~Q@2r>(3yKSoh_I?2meVb0dbTgp1x+|H4??1n0@4(&B`KcE=(A0=$LW6b+ z`%RuVHu{V4!tRUf%p``agpMR)hsP|v>310_!t@BdJmVgIWgmrcwwcrz=RArhWapbH z8F9nW*oNQ@zZKtr%1xcYYj~B!vCs4jMDZS=*x)Vt8q5ke2bYW)$D=Fv!~#5o_E0Go9H>_SpYhB(H)xg`l$3hHl_yT>S50yi zU^K5V`&Kh8ItfR;0g5v$nK;1y>(iTpems37WZl=uE>C$VwfiDC!`x&kZt{&prOXYN zilS<>9XvBKuhrMLavnY-lJ2h_f!xeO9>BvZDC5 zP=3loN1DkNCI0>z#LP((TOh#)Wq5!d5n&;9+$Z2)A9VExP%LpRh+vUM7RXCPh1NmD zlo`#~p~xeL@8<^|P?ikV-<7WS`C4lX+X3G1th-+BSd}?rdonBrb4hA$91VyfseqfA?EmKqHRUXWpq@ot5qPa-99VF#jLYslk0;&b^< zpSV*GC=2|6$-~V6ue{j^K*XHTjMl-h$CMeTi?sZNud*RNjA@%D?WvfP_VBZKa*b^2 z>6xIdCjXi6UzD<#Un#2&I@aDgFqHX4Iuid8!7OvpklGSq;1E4g({xwFECBt3_^A%! zsu0?jVb63(MK}`LA7fvebUsO5nA@0~g8c(BkF}9Cv9v409q{8;3kqFsR0ta(73Jfm z0icuP^XUQ6v@xG3(`+ig0|D+)8%~17XuVC~D1**{C?1=b!SnX3`df@^ntxISfJo5`7=iE!^&B&QD=ttwEVw8!L$3Y(+^K0%QUgI27Ys_ z>HQ+S=j+WO(8L>``Ja!U0jGtrcNXymS^GU)0Zhf z#Zu!V*JB&L`;Pk;F=e7N0#mQ*#3saM=n%R?q>(MM45a$*1?V(+BCn`1F#3aODEAYi zYo$=Qg~PqFQ3zHRdz{P$2ab?*su;~wMeqN23=UrnVjvZGF2}3>&42daS5~X_zehuR z0&}I~t2ccYhHw6TI16N%E_rF)6L9V!iLRfN6_l`)sMCji7?AmMv77Nzz6^nc0{+rh zF8)0G2qFc9AFqL9a_V0=5ci^vo#&E#(Q@i>VKz_CUNv8boKE(50DecHYGIK|&IGn_ zh{so^`L{9%T5veyw+At%@XoP?95ou?4lSaud?F>v&j6Bd%%W%Yxu+xfu1l(^WEg0- z+Pj6@0U&_L*vNnWXb~)v(;3_OTz?PW zf!l|pwdO7o>&W=<^qcYbnO%eLfJAYE56AO-jJfmS`jCdftmomV*6LcQpsbrMShreA4S|C6s zg*e$?EAJw2+eFH(in2KT=K_Yrw17@ABgm3J7Y&3=z~no~j_A-BL3FwF!w?g;FUt@Z|!Ul{*FCZN(DcZ(H!LXn; zD&Y1ksyO0#Vm2~KnFdJIU``{*H^2&$HK)@bR5@Uop!4cb{=;q$`Nmui1&6BC%tDL1}C=4!tJ6zf7(h3UB>^UNJ21_ z$8AU(=105fY!$h@pv&;jAi5w2&^~O+cmN2=iBz7!1(}xQI{@55Hf0S9g^942oTDcq zPCkA%A_Bxj)@w_%uGn3-ZPW&_Rz?b5S$1cH$v%qjBiVvkzP{Zr!fN2$1|y_Jdd`km zfkX^cEVRJzh_}e4l4m*~%k@dvnCSIjSD;`+5)!}y=Vw(7Jd?HaT~1g`zuE>!{Yc4} z!Jpw~o3TK&=}i$N;BSPicEntDtlcqtSSx0vlqo|1jcKXo60m0C4+GO6Vu0$q8SZM- zOfZ5w&rzA13qDK6(d5l>*7<^`8+)gK8?QS8!}dyKnYH;F=x#U}*(U;(MbSkLt^SI) zn@LOf2_Yp=;j*fcu4q2Zdc(4 z8@uOG+P8?5KR|hL{h@(SLt!|LWw}OvtOO7K&-Pak&E<)~=Wx-tSsIGxN|xsLY$O$KynkkGFoU=EXhoUEVj^EM)D!PRWQsx^UPT7*W*J7SsHNY^g(KNcdyQl4C{C zPWq;wId+*#_is!6(FIeDmx+42%D>2iowMFblBv(CH7w+JwncbGGe4=FI|w%%&CO-A zS)6J=8CaALi_h0SL&hCc7q`jyyLdIbotnbUg5* zYbQsHshaXgQOVNt@QWS)NTe{z9giP}++~WbA&z|H-5kn!Sz;i3cCh+x8wu#4RcnoY zjz6Y;EtlEc_^!zYetE|U^h}7fovXP9Mu+7d#$FL-3V6iLgQ`3^ipqTd6eC8yn=hXJ z!o!ds;&j0XXSC6OOq<}l80XGIYLBGU?%6y%@t0Jw7+m>}AR2#2p3$K4vk#irs}}Ck z^zfB@c?gTdw6S_cG$l+0-&n_0Y%TUlOGCwp?EV9^Ed7xvDjI23Yse?8Rb$s*!opfo z$^5g-&mbW~TpF|tf}b`P?>C^+SL*~?H_Qj)t%MI&}6aDp~2 z0asgVWWy>RKe(=S@wvU__64qHc+^T(v31vw^kGNwrsg*m+)25Bc>g}a>FrOWB!Hkp z(3{nqa`nOSoYw4JGyBRjP-rNeCJkVV-QG0|9^%F*E?(&gXUl44;}?Axf?q$0L^J+- zfV|R9Jg|?@d!#-K@QD=feR380loum6*3_p6$)W&6J`;5s>aD1h`yN>zCtCgJwYi z632%ejo9YxgvdCDTy-Xq*^>pQyzcYs|7AY(U&+Wl!lsGBA~7VlRQVyCdA$um21e_R z%xlBLK&6*8&-gikcb5SVfZvNF?v9e6#zccI8vW**fDi9+858o?xhU6e8tIoA=PV#V zW05SL^569c7feiZ3(wDs~JnuGNdNhPEsj>ed0Vw^UGR4HmWA zvVK?l=8U*=cn@H5VX_b45>!!sXNd5^7w`{p^6WzW`fXxFXkOWt$DmG#n%*)xiVIbkwb^lm}ulLPjtW$;7SKhn55MzK9s$x{tNpcf}Pl% zf!3+5`_0VjGr}sHM#HL@vV|a#g#%n%lGM%oIqi(Q7|H9WkFPSoORT3MjQOY%E0o!z z!2i}Mwn4i+Aavn*X%Ws1+I`5ebF~_2{_T6`T8vbL>Ag^O8UfN<;R>xGPaOG=eXT%-2YD~6MR0d;{6(vn9b=GwNx;?pz6F+S30ZJQpKGOO zexqHUJ)Aw4kip!x^*nJiz2TEad{XPEf;lYQUZas7afbq!IJ;Flt~{l(be-v4RxVDz z;xaqMRLQzjnAO05_@JV}Oev^Uow1ZM=Kt4$$!7>}fCEspb=FnjQP*k37n{~F!0A2- zU{DUgj0z7<7{jgnf6m9ArUh|m;nc4K7ruFqC`QO3z0emZ7UPbup3_yi$VWsNBketv zQTUTzREgpW3p5S-tR+)d_eb!;jr@E)f{L6(toOqwW*1s$JX1=99JHvKJ@o3>1nT<+ zcxMe=E546+pU1mg9cOppc@fnREBAF{T? zSNUst=nXQ;ZZT!){YEwNbJ;671x}%3&1kjx$a9$my=(!^nCrn!jWb zdU9)j`9PlHYg%Y3N{lPFJH0hMUZDC6Ct^A&!2k!>m3} zZnvvdo+9bQ$~mFK`xw9TSpwK<)g15!e_AEG4Cec|ahi8Ch5;*}_;DjA4BDt!@PB-u zbCp`H2}Y6IoX>#%o5W;3F$`K8R%)tP0|s_J7H+AiKZ67{Iiqm(xXSG*^krMw?hLj z|xu;?3;u-j(0FU>+3smMomNX}(NthEb5t zU#&`!vSlra5%kg9d`%hv5|@{=*H5DMl6^HMALC(tdYJ6Tpu_5sj5M4n`g!ucQ>#ft z)MQNmMqB=PHGhAGV5zgX$J5@Hc>AQbQ$Pn!hC#|CDlPBZ~7j}XNl`MeSMeSy5da}jIN5tCb6-I9BB7t z-+hsdWc}3T^Sj8w@|9r7>&ZQn4y~1XsKeRJYlCd$kE0VOzr9DQZlM&%R7@o%rhBVB z+!=b~pJR4h%u81FjbAw%3L7EY;3Y9wdmmnm5UX|Y4!%P6LjrX_Ic9xE)#hijzmL`9 z7Sx;Oc)jZYNkpoAn54La{j(X`46z=l$7;`RqZY@dv&@voD``uRqNt1E$tBCU)vLOI zR|b6=Yk%CBwW^2v70>9L1&UsxPx zArAjBF4@TxwL{xIe>|gq8P8-yS^}-{_O5;D#_o^Y8S3(_FVL+3XJdV3JPbH?$$mDC z3D}U9AW@zM<0A2#`nyYXzkkVw)qy!s$F{B|*<~zk!`W;U&U&Q8te>C8z$-SCJ-XDA z8k`xW!-}cvobPIv1a#PgvZ-^)icHZ?)@4TPkGuxb(Jk>}YCulgj?Vsr%Y7>2mZiV_ z2Of)B+AltRN?orvVV%`U|6;p`*3fh?Cc`{1Mx{XXQnDH6!+H7Svev%gk`}uTd(f)vgFi`?W=!CM%BtNWZ=i!^>WcjhWi3BBQUmpl4#^p ztq?Z6oTGhkQxJ!_aG>3mxd7nXo!73K2%rfRQ7H^~8;pJz-sU^ImO#;K^Z=uJ{b_Gn z6=J4K$bAHA4B@HK=g5-=DAmPaWu}v}RAxf8@%X1z(+xSy#RKf3zdyM*1ctdm@pNY) zTNIHnV#8#k%?3B1?D)Ssv;9)YhzJ5NTL(2NH=-W(GJ{3-$wN$sp-R!>%NTgUFrNQZ z(|*{ zld8?P1$Y4kvGDg?QXTm;+SVY`#x0iJ_7a09+brhcbf_(sSo>KA|GnPsoK!hbtn48dG#$oU zh82l+%jucgjP%Oh`^lWSuRVfQZ>}g6k*n7;;iITPIMP;~nX;9Q1l-0q6>5lQh11KI z&HWfOrfVX7tFN8GK!>mlY8B}pN66Mf#sCEjP0www^Z(P_^7eVKsB zhCfs*SkooICOP{rZ>?-7|I?`0rTo%J=)B>bH!p+1J`%qwLL%P^7@LG?;tj66k6PkH z3ny>VC!sGxV>8OqS0m<<5Fcx`444Q?qR&mXoQ&+2RJC<{Kpslv^p6U)MPC#gd^nmq zy$_9#b6#Hw)TGfD?wjApZczXRpW%O}aoyfKX<-RyX{NFW5swfpK<2TyDEfJD$ks2$ zNl(8Y-jG7rJB2=r$;WS>1*ks6oR63yKadL4oUYN#-Wm#bL&SG#1q2kNBBU=K(H0+G zi-;ra4aA-qzjDL#JKAaXfRVZN54;U_*X;>?ffp!_K@}obD5oZrhg{KIL1Gy8ONjV- z*y`I#2RJsmY$>U*1t%GoHQcpUTMYB#2n9N{7-!lL5aPox2}Se1 zZ)bHw_iQi+Hxpf`MHEA}e5EHi^WM{tA0UVayM@ROn392|;JB-{cKf^)LcMT$ygLX# zdxj0O=UfU!H7MuzMv!eO_p?@2s^u>0!R)OcshHw??7Q?rQdjUa4%f5N^B0h}yAvJ@E`eK-R&fCL@hjnmo<841Chz%mC| za!A5dD9l3zSVDnTE|zAr4hIibfCv(oSZe%a*V6OhEWm|N!T#oD4?LwXJ6AiX2yy}Z z8cBe<23j0}H}J*wCnt_pv2_hXNehy!19{7mEquI}DN?(idwrpVFo?s~-iK@{;g~1k zT5TXs0VgzGv|-#coTveCfSbwY5ihz3Ot=h0v~W)7L54Jdb?Y>?No4SMKtxAA{2oMr zJrdT3L#B8C%fFXnvR5w{YJQjQt@4z=6{I+x`;Kuv) ztGzM`T^j+_Puq=&@3%{~<_Q`=`)pg?rsj`OW z*mrMUMF(W1{bkYNrC*mJX_Mqh)^3&jDDw`{+yJYeo(@G%pJ!stAXW$&emyj&3<(9H zp>O$@u7Z}97%%KBI?Ck*!OZG1glMev43O~}*-<@l$uiXUB`q0k)_bfvr>wTJ`j;*q zadO_54JbT(hElJdm|%CQruqVSwt+gSQOr|N8y3mkJ?dIX2 za`)o(DXH2NI#MaiVr_31_sxiF~qCb@Z9~> zrX(tsHTJ+7)58UnWK{eYItZxz+04u-4vNhZz<~78!I;%DZB*$u%^m~vsawFj1xjMx zwj8j@_2k%QKV1m3L8yneUC*}yg+*wiingH91>kT$Kp`E+Why7;pndZZ^J}v^Apkts6&tk}+BV zHw98|#^i_)iRuC>{Wu;(m|O^mgBy8O0yluxpLNRUq(dtJHhBQAb5Kbp(l57(4L3<) zj)2(tjY=FTYXx1mMFCWPxCHB6U&}QSisP})H9}w5Lao4~rvUdzoG?*VnA{Y*7O0UN z*B7M`JEHl2tvVo_|F0M#=*X}CaRs^oVTL(XfG^El6Q=-tj)~1P+?+?}ZS&l^ZK3r< zIME_Za2)-2NzMP)-9RIQ#^8%oZBz|q# zE~5X%#?=|4iJ-TBt6UT8d4!or8F}?>#jLW3N)k3{oO*C$8Op5W!O-^k=V{{}EPosi zCj8{_8ZLZ@YY{` z_8sZXQFnG=%KJH$kN+Rnv4zt$l>+FOe==Dm;EZ{oQP;>R9m;UcUULDe%b{8mc|)GO z3q9~kOlHMAy$`0gYDfdSldvQDW$JZNpns_pIN4KxALti!;h6F6%Ms12osYEJZuY%D z(qXXN?9K*sw2u23si>n{%5}-CJJbD#<2vZy7e$YGUzebl|1nR^{AFajQ7XE$SgifE zu%oW}(!~<}{xjpP#UkccjQcp5g6M8!#zs&H)-5F!eEcjD@Lp>1n-kBB+i{BB{j<5l zs=+5g1utLj{)l?t0@pTrehOGuO#7-R#Bi&)E+$gm+h^qljY@JRA^T@*WVowm>bkMn~B^Z*tY!4kJ>JrZ!l|GZK6FiYjEOz_9nMY zL_unovPL{^kpnaOsPkihJX6v2-=4eQn;$-WXmfsm-7NfK;#HTYw^$M`OxLS943+mw zI1L&f>wb_X^z`Lg@2Sy`?c!%=y8rdtTeJSTv?YJ>179lcKeA_~*k4b7?ZTeeLW>Gt zNEWS_^XE+G=v4BHOUr#_r8_b zg@v5ffUUz?A6vXGGvXfzao?qz);TfyH_<(;3qNgm=707vC8#5aNIo?=gCIdmI^?dV zoaAqC+)b=Jxfap1Z3hSDVN*3rcPy+oiDG5B$o2zL+&~Yj;OqqE?>WUctC>x$;{$<% zkPchJpDZ8O1j64_MgZ4ee(Mk1+}-^=J3Fh|DIGx^^Joyz1-3#Ll3Vpa zQquvBVewx|qlo_bjDhMZF9-+uF%EM-+5sxl|IzpAqAeL{Rt8V{%mtGi%afgi;IIMamHx%% zK;Jg6k$`0`-Dacq>-zjZw<@_hOK$-F@_p1B45=vgITp;{y4;awAlSO*|LB|G+Amg7i4!xH~n2}XOc?^6|#!LL-npVej+ z2%_nS$u#8sg+fVo<>?=R5=>BskUCT5Z{5Fl$1*j~+!AGG%wSOnIUC5QFYEpsOw$r^ zDI_oD!9HMCD2R``NH)CEl0@p4SzT%+oJKNG<}*g-NMX+{TFnrB-9JpY4+G4e`*MIt zM0u&WdI@ufDdU+iiG2I)pjh^Yb!;H;NoUV7>+U@`cW zfW(+m@5ki!!CExwYb-8Xd%3RkC=spPADLc8NhD_1V5+4LHL@wfBr@TH^;Q&?81{_$ zsbhXj6^>^2Sja)wg6}P($!fTT`7MO)RL*a#Ba0SHwGrjoE~-e1Fb?*}Sipk?%cu!@1!0n&1JRL1qL|AcZ&I zPDt%#g`T{Nz@}R8-Z|>5A-7*kV8AC zJe`AHOf^!PzMDTM!q~#K)B5G*-XmUm6+-f-j8`XpoYh0#sfI?6n0Xq2BPt&}1>on} zH$7H@szeC>liI9@qNa351_r{wO9!sYs>PB;!KsvL3rQmx2li+vW@lzupx#^)Z6WK*pjzTSd?cj1X(_I}JMW z{1RB1Nyv{fXrp)j5bjjHek@MNFl2FpwC@eg4c)s~pIRb2O9KlHKpcpuz2(W99zT%E zg{iyIY^HzP;fW{un9MFS8FP;0{n>^H-BL;up!vIUAX)g0(1uz&>h$=o=4pKxs6vRw_32Ea)c{!vV*Bk`w@gy6kKz2kzSY~Rgv zGTw4LN)W>p@I5g;PU@pD$)`XggR+omplDLJ@3SbieoO%{o> zwcy>|VDBnN_rKXQ;Rlg`|33ahfznYv~)mMbs2l>4O522+j< zP1w8yrwPjEs={OX$@sNMqoTC~I@9ZP z=LTz;^Ng|PHyv3ITw_G{9?}ODPCF>-pbgO4kedob7nvTAT+(SL?@V^H%&CN{`_j8= zj966^3MvsN2I=gP6F5-g-sfuUy~v#+0bNJvXTT!>j}6(OG2T7r-m@pVPZTV!r?U6! z8Tp4p3Hk1|qOAKITx@tkd_=?pg4@a;1?6IYvFM`PHj= zS1^XF5l?4)gb-c<3c6&L(_9~$mNWLMGQ*YgD-o1lS_GOF4@+T5V#i@u`%k=}Ya!uo zA@YA3ZuJ=H-V!yHI$%;mXIi4Zage9ltax4$1(hOg6r`s@(f$;Kv((`3iO2{C=U2TO z!ZKId5;dw6TAXSLk`D5;AJO%@S>NJQ=!LjqwRziMjJ6Qnu2A&&eIvlXKR=Q%#)@^k zl_~8ZF#;>hU-4e(p!iu5+f&LIs>dhfL>(dll@b6}7S1Xit@081Ee@nnMrw9yg0^gd zS|9vPYP=aGf_6%tY%U&1*clM~IOJ?`9cvj}dQdT+?fPD~&~5&m;Epks5ZP(V=aroU zI=m=F*%c0y1J{FA??&E*n(dfmEZhb_9$MCHxtC_s{Yv3effZ2k@7O0ftAE}!s86Fm zG9q8hZrMT>nBt31(YCLAQCk8bVQwTqHd66ktwjH2L%3=cdGVRcSMCU48%pJXl51Q4Uk2 zf6cKueohbt9Ys>Z*+|lYNljTbW?Cof%R^aMR6-0^wdrue7n}GA7R{LbY87@Gq6=y7 zmC(lI{Phw{XZ>0~i7yKN4j2DTE#wGa|G@+0 zs(JV-@u7oI6#M(!0h1lboQ-_;!D3p>i^ui%|w`3aUFbc5%6*Y6%bX7)u;af@R~%@2&P}P zQigCOdBl&LU_h&hwAOvFbk7N^I*Ld>vWl$+x*K_;^IuD{TzOM6m|#a?dB-C{mGsSL zb-dzR`ee*-t%Iw;12|n{bSy5p0fl9fumEJuMiM#i%q1P|`jFh>R zwHrxwb$+Pcwk&3yLwM~N9H0eX9u4v1-iJAe;#K`gkB#-38lRq&7fdTpE@kaJ!IP4w zO$j$_cr40txtFRUobtB07w;sG<@dL7_p4%+jcJ;djvrNXt9gdWKw>X;JhZbES52V3 zL*P`S2MLbyR|nA%Y0&B!qS0>$95`$9ISaP|3RKF}v*K2s2Jr|xI|%efU$`ID zyFPpMD*lj-h$t{M*r3%{LpJoqP2c18i0&jn*dNIUERIw?odERVUbY{PBNT+uTwe{e z^d>OYOLe2!vSqXEU+(V)!JCA}m7}nqdj}~V8Jw&a!`8UDx<~2HhB-oXN4U9vKQ~t> zA{JW;;JxGDeuo`y;N6j(i@=ns4?t^}w?PYClM5e`rJ3P%E zODiih-2d6(U{dLs-YrG~1WUHt38v4b_}QuwkIFbWKJR)WoB;{>Q(RmPL~z)Q2ujD4 zD9m0f(E&A;n@_@iZ6%UpQVL;xzhh5n85N6R?W>sYeDC!+i9MDarJ6?r7_WIu#r4O-m)!=t~<~Z=hPtKj2(T(ttxVXWO9_#*+ zSbaRqx2FH3G3+WQ-`yjSMDNvaf4M9)&fIJ3@JG>(pvj`yM=--NYVbdXp1k-RLY3Us zf8|)}qRZB8~ z3y|graJ|TO0zv+Aazw||;>{MB>ngv+aUuV=T@JDGL#Gp@d!pu4Fq+nFfmc0k-ss;- z17TmjY(BbP-0NNk(@)e0ZGbCuVkRUviZf;c5o_k-JbrDF#0W(WyvJ0)*y6svvGxU} zru=_~tN`ZgHxXYP=YYhK1qfX-m)6H8UZkw9AYhe%{OxD9TAD-C1ep`K%n7WkC*z-F>4`FMEn8w)0~hMrWgCpnwRXGi~fVD$ADw` zx44BUO_Myf*u2i{D~GU;sIOb2WA!2{AyqDr&5oEo)UP1x$nIsw0pa#R2&aKU7gZtrKg_py3S;a9AhT z`h1c8ub;;KUF)lyL`3K$^X5i6HAHJZY+>HIE}y@Z{~^3h9SY58&;$M6_;UGDi99&& zc#yS}8a#XiH*=+w>p=|i=~nvXy~}_c(LAPUJw!8g+NTN$#A(VF^E$Rg2gaI@0AIEC zcyuu;@Z>22zuzT6m`i3DO8rxDd~!tx3PoLv&NKKf*LqTc_~&NyqKq$ zdn)O^t|5y7gn6I-x90-j+a(E;DvYA?xcoL-_Qs+z#$NXJj0#QA7mNGGQ}n@O3ZF(N zG8{=+F+@%S3zUmb+j_sKWb#-C4k!)mRR&hs63zR|@tK={qhXLyHWg%g#0U;RoVTf* zSpKTOZM#XkC!Eq4!UI~T>pTl`)0uaNhMi)vte*q0)R5|$Hjf+8&p$sFXtnrri=%Tw z!(rnNqPCSwUo~bAo*SrhWN0IiTaRc4&uiA1W1~pBO<F*Odp^HP?FJ@j|7~S%0rN zluv`+l$Sf4TSl0NFtcZ~EKlm>Y0e(rQpxBh;A~k`i==PPu!7ZBgzNGp==Q5H*RJyAf!S*fNS6h9;kM4#n;SfH zlZ5{%Q}|%Pn&)pZ2cZiMB_18%S=+yakvOhO>dC2!vrt~v7T-Tm?zNlgng`6wFD`~5 zh1+#uMr8CU8KrG6yz9A%&f0V*)vW)FEa8&gn6F-Q<;!yXU^&KH{`yun`q+%U%1jbW zunh+R2R9VBlc<8J;h$Z2Gs@?^8|+I-)=YdI?P{W=AI@O9L7s!*l0;re3f8vmloX za85DO8^$dk4~*Qgzdv~R^cno8-NH3ZV0J!d`=Z- z3#57V!Hvf5eoZ*piak>vsCe?50llY8$Xtd@PmL{;STZ2_hT(c%~&Uc70Bx;l-M+I&A$6~-T%wqXQG9S6@-5KG;Diyz5n9853s+|81>n)I`KyP^NSH`;jlmknkcdFx=wAWOgBZd9Hb=LD)Zi@Qmk*%=B6np-Wq%bNR9t7Zk=4ED1KurrK0OpSCC)kU9GLqsQa8e7^aXw* zP9T!0_|A1&K@kd6X|bsOlTIg2bb4jSX)>Z94`(jxK-zcy)pw~zKLQUn*xQx>r1JB( zqw!ln;R=x5Fl^O27${2W>@x@!O;RU0bFNIR zy??|sXA`n6mp7JZq_FZ^3Tp0-=7U%tji zQ&13kHw0Ba>6%~S=NmEYNOaYa-ETV%19j1SR5Z@;X~>d!_Bn%|5@=ec(Kiu-WYaJ- zPk0@>m^_rYaAJAoFscu=Yex|{%Rokc_L|+_EQ88=-E?|*w ze*x~F`dy}^eUdq89BQ0P@U|n(99gid&P0ypt?8;XCuA|m>XH57km^2({H~T;JS$2G zAdw30Ry9RAfs8-ZvL#TxdhM01PS9l!2yM4?Rc^LcasSuII9$>rPO$VQCTgdy5-MC1 z;cSM`VHi?7*`U>j9|;R&Yatf3BVX#s>PLmi!c(R4$fuqdQMppma_uzu{>R1yW&pel ziUm^sh>XZ|1H8K&0V%9?{|xzoQMM;)`D0{<{O&aw6JJuOao6_i1Otv8Ujl{o7!$8~ zJ9=j8Qcjw4rFgac_bDS1z&txnyA$9VnUuAr<`4`LA5z9kM>mXA{)bR$j^ezzjONPs z_?J|IjxM{GK`f~+OIEEmd@XzSuDEkwnVwqe6!=4Y3JD@$e@D54J87bZ16l1RF|VUE z|MseYVu{dwWAxn)i4I6M=3%bgjhDggxww%ZKd-tNwsZx>6TQGvv$#ybohUWe0y5LR z+6p7z1Qb0Aj5x*+tsnNdj)VhKwapgU#v787aU|HXF$q0f{zzwZcW%KUPj{#8d6DLT}}C1~r}L*$Hu{$RRrpD)qBv zwET~aA;d{!AQ48!dh}RZp5Nj_aj#o?)R+(sX$%V>Mu&W29C%Fqqt8!$qVgU!J`pK| zE1zq#A5nWl9}1+Vx!NW@3D92fk$S{dL+O4=)jmRFOc5V-o!6DX!$w6dL<+b%dU1X- zsiPt+8lyjQ`^Ae`j`Hr24C0>U(!SxDz)A$N*sJ0B4r{(e#c$rdC$a)3Z4|U!zXJH| zfx9?+NeY|s%t+uc)$4pVjeY$eVCy}_7je=2zTPAY6nfToRqTI8v(5>q4*U?G5cF{< zA$hIm=by-^ugPc1jztFPb09<{TzqHI;_RfX^52@M=o{zcwclTg;6nQma2jB373iRm z+~b93YbEsnH`G`Sn*czk($Jp4YQA9VA?arI{YPFf(xchu66nJT3Qqb;MftKaDvb{| z3#-Bb5y-9r4b0o8`jx!5)fUOwGp6Nr3x@=e5PCi>wR)DCJQp#)iTj*6zIRVGjHI=I zc2|B(QoDS`W81cQQ?JeB8Ki-VpE|Ee(Y_JU@F-j5bRU5b$sJ*IY_x%m%hJO?pDd{H zjW)eNu~eK-Z5C~RH{U}Ta_g}fnt-3}J@-z<@b$DX2e{Tqxj%s$eFZY@E-l7h;&rS6 zsRn!u11Z&dF@lfaB$DIh0RmMR`N38TJI#jLWc^I9O3u}Y8ft&(moD}S&=5*!Eh~nsYB+ZR_*~-$IgH46oqL(SxMHhK}9ggJ;Hs0bwGtK&{kP5)cy4#_>*4?&1ZjWmf(hT3Rue=~W}ny2_oP zG}v+tg?Pe4FCP(UYUJM>S6R0H$1;N##?0A$oxKV?>v2EzDJ#wPe%=A-sCsNH&_qmR z|3$f`sNqyjyp>&GVZqVcrjXwIn|%9$^af7eZBrKJe{)uqrtoU}d&=UbhC}GQ>*qAM# zXS1VmTwsm0teV&t`2hP!iec}iD{TLP790{RN+HB_(o25eMjd+Nx^-^r^%xNi3 z-9IF~XAk@$B6B#Zq2<}-;yx#%xb`40pEcB5{L7x#0^TBvn6^EiEPm3U`3oD#Qi>g- z@1p?XLh`{RBH`Rr9W_!E%U24S<|nSKJQ>kwu`&l#7sX{tA^JA~Lwx1Sg7FaSh_=_VU-mqU;nRWQxkHa?hBU|XUKE6*4? zag~-J+R9IXiHaSVe^kso5Krewn$gbyIfx+O*F$$jgEW2oJ|Z+A%08lqq0Y9Yk*C4C zc;pcDA2qVanQ1-#mOH}u#+0HSE8WCYuQ3ciVzWc z{&S&fuVAwDV5U=}G&3cN;`y^DH-up?Wt!As40pzaGL~jc_nsYPC~XsT=OGh}oH>Fr zWbqSAcJ=ky=1GdewKo)G4Z9jGgaCi2*4Kb2eJ(eM2@Su_#%0gH2|6PfVp|iIRcx!U6V-cWZYIULe`9bOTZQf#O zknx_35sjmRO09@?1MSgwaR~FFN8OjQt=}P)=U-{LBX1JL!UKjGMrO%>M}uGBOeI!r zm!#1+^C+C8D6&kqifIB?IDs;{U+Qz!{!w*gQAO3!Nv#Pa+TdGK1D+nqg*&EjN+8G; zzkcf3OHd;N{@7HGmNV!xVhYP7^f|>``Seif4y_W_{{s&_3Ab+|X)F?BOS&9zx4Z2H zWAzah=~xZ*gK;d6i~hY#`ONvRlNvIGu}ecCX2I=D(hWJZ-TN3VIBOR7yEBSfw6PLa zidl#qCc&!@-$8Hu;`u~dKq&;2y3d90-hq#7b45rVEt^NdH`a)dd2MT1WS~=VU8-t3 zK|br!FsI~`@N#KSA%=DzZ>5g#(3YkB+;lufp_H>smq!~vSr7%!da47ZQ6Duj+SONx zbBau&f+sd8yzebUFMnsDqd5uQZuo~d+5h!o)6QG25VJnLr)Kx~mg3iVsn*h!BeC^_ zIcr-zmx^}(-pOqSNM#6rj3V*@Usm$#7_k~m1w8lqOo_n9f_g=Eg>XO(g;M?odPeR-h3F=H6Y;y!&kuP@@UA{ZWu& zA9ddK08l1JX26o?7Qf5sc&J#aV5~bCs7sBc{scJb^ivALVl&Dav{)|7LG8twHws}p2#Z?(A9&KBM&v|9I#zME7%U3+vI z${wPG)#m~KJNYb$^2xLg-kep@>{SyEZU%9pEPHVe%E*z_rO~2+D=Ib|Jhc~H zal-=c6kyycJ3Lo^Jy4FMK&uej@JRGcovNL#CVpvjOVxwsrW2p|mYv$JM+N(lq>M_y zQtN!=;dK3X?*t9C$k*`SZuK8_%&L1o_1q+`7l4`33s6w#A|L-XJC9ZEu{Xm1;!yiZ z0Ecg}%wMl)C!#fB9s9+W#o_z4XU>|X!mrL@0XG>6|B58BQgraP`Ftgri6*82qrB%2 ze?^w}aPdbdW3y0-E1hSz5$?;?J;c22x$n-F^|Wj3B0DFC#vpYs2kvMfgguY%_CXwA zSSSTW)6fm=3HH3>QTN|6;{)NH`zvKC`zq{8$f|CIS^B;Y4(bibciy%9tfTHX|Kpyo zGOw;asGc4}pm%~R+Qc3?Qa3Xu-m{>`cVL>VJE8nr)<)2^G662057OIrs_fK0){v-M+;t_wQh-MTWQS zgNcsMJ!tRq7?e~lBZV?Nml1N%xzNj3hD#e|^7alRy^(A?wDMI1kMglm3;Xut{O9hb z8%vSJ4zpQik@q$~gfaiI4CiU`-E)|hYGJEbDyT*~d$1W=ujV(*eMPTL48Hz2&v#i_ z1PiD+IHXFr4L{|(@+uBLP9i@6zVrlwcT})hBl9Fp+CQNO-*p8;mZQ*hqh_#F7#ILv zdR0$B4;(Jw@p+SR=WVcC7iwX%=mDY3l1~M9h9t~^ftTG<8cD;<-HG^%}MT~nrfcO(3 zXEpoAkFtDzXD|o=6{?x!*A5$c`xp&;yz?q4IAcJ_#+L752d-eMkb~y-{Q)TV!XHDJ zyVG+uM_LP?Wr7_#nuH2;Ec$^7XsX+sYp(~(RBwB6hlUJHZ+`W|ug8`+0@1!ARHSmU z?#+_dpa$z)X|m?1wJ;_S1B(9M4a%dB{c>BY=f`dTbVVe@G8$dx7sVU=UkU|CX~JUf zY<}`;p>zRnt}Mz*5H`IigztYNh%yRuM^5H_H1(M%#O-P$jtKJ-7NW?^`bZJs|6-mm zy;>F|0c`@oz=DMLBF~?H0vP zI?ON`a4w3RmWRnTHgxo1UIt7o9_#(T9h9kim5^TG}kmW^T+TUfOX5 zFbE7L2VSUcO;A2P1o=0C*~y`^BRvh+m`~oAj|N=i(nwcx0QyWFMhqpw(&XQldi?po z53H1zsonzWEnsG2K63H?+M{;n&-#C3c)R|+Zx-Nu<*#tFucv7;Iu35QRG5%UAE0Su zH!D#nC(AwkHWM_A|69|u*)adpUIV|}^h5FT^=G*l!gfEUV%YA!sI4D`$bYxJ&Oz&? z7s`4929%^d>eR^RPyy1=l%%`rKEfMRPwy!R2k)>@fGv`=w7O**)doKvm{9p@^~8gI zn*^ppgAo}~m$HoRc^97BgbTp!dt{PBBaKsAI?#OkHX$ZJ_P?y?Xq>O(F3`#wd@)c} z>^~L4@(`iMX;ZcVP@kz<)U!gEeIi!Po|C7KZb3=>lVebV5TyTvi30`9cJOfy^8)bD z!f0S?`Iyd{uMFOneA%O@Ci|pydPb2mMVJ4k4btdyAFw`!!ip9@?UzU%!c-R+t+A#fO6NzEQeEp|p97J0 zIkU_MwBVffD7BV`4|O12a~#qXse#~w$xUmel5<*#ym9M|LMM>7e@F6t%*>(i6Tg|$ z%?_H&L7J`C>#g|!g1+uX7kKcbJvK8A6#b(?5YHTMyygP!uX$Zw+mrPPasREvM57CT z-9V1EJ1&1o=vDCt`zXXHii7@btUY=YP`uZ1x_DpnO7d0EQvd&~cuXpah2*14zji5N zm(}m)@)y&CohV~BeLni#KqDUPoP7>cz?BC7M@NApYPPoINo$vspS7iu8uiW}DE-Uv zFJa3qC5*j-4_y(W!5H4Q229z)+2=LDmDt<_|8;b3MGg2y7JVT@3{;e2qH%AX3&YtF z!K-=B#i6V1YX|QmJJRbZ(|(XVCc=JF!Kz%z|Ic|sTZWWhFTAjXQI8BQ=TAZNSO00t zD117W_Hi<4kY%8QC>yQe3kfA9TnsV_C;To@T$$r$3ltmhIVn{s^kIh4D!N3+K+mlL z{T3vn2%Qu`;vcB{gdp$r#A5Dqt7ya70!RJ*PE1OKEb#})v^8JVe}PuJu-+~uLNX_C6*cpr1kX7OH*B!ILz&j1xwAe3><K*poh1lNPWkHVy-8v|d| zjr_nR6BcP;=6{7RU99X6MRHbvJR3DHwezLaX!IVWBMtp~8cGj(yvZMyVHW}_6u0Y= z1n7Bce4(5Xp?GbrwBSwLSu0`mG@K!ki8^LZc>&G!tf>kg^G!&u91T3uu! ztl5f9ca2sCXxB4(Z9np1{69%DlOHSNL~%HzGp3b6^>2BE>QI!Gh>PNStbJrR^3xDG z4SMk26M4?~F3r(69`8tk_~4LJmTI(O6>qK)dt&Tk#EShRKB#&_%yp3Fb!WI7c#&{* zt?9!AYj&)mE|b*2zde*Ws~D(qsucAFok|5rO~**6kh^(X9LOq$6s@r!~^y`iDoB^Ne9HF0G) z5*ua0CBKj7gR|I8jBLh|SCeYVdL8tDvyglzC@ zk^w}!_D>8Yb|p?p8dQ81+-gPGv9_7EOcpj8*SKWEB?K6#&a{H%aD)!cZbJOnsQT!2 z%&VDk9~mWV%L_}VXewTvIW~xiifN1~p9UgF5a8!V;nf}rv;Gw)eC$7%G#S4`K`8d9 zfa7Y{R)&}VeB_?oYj+m7d~8EA@~Tg;9;pehH%HH1rNWlQkWADZ!t4DI2mN4anB995A2QfcP;ueq zyFhT^`ZlLUU_LI`(DE9v*tgg zGY;^S3!~isJDi)TbehOUkPH-p%d-kVvEAVrF^SWxswbWIH6kQ4c%KDHg9|Tm=~JCt z0a8$xIf42Np&`RSUB_s)V($xHOwB@`8>wOOEHx?RKlL`ukH#EqTz7yZ)ssnkO{6Go zRSm`Wp0SaWs|22#5J?Gsc6nI9{Y1hc;J<;DhQzP90T4acUR|Vv(N=2s7@RsTh72TR z-w)H!>y3nE3m0FtGd&Q5bZjuoOp&dUu}~2r16wv@Z(sXy`j`>_o3*kQ$K@=;j>PyK zNqLxM#T9`pgHQxrXmGu000qi6R0n$^kodW470w7RuLp3&st%DvNYBRXzpeWwM)0;Z zhF4+nxV9qc*G-_8c>fec6hf6511#(+JDzy&mzVb8+9O!BgT6z?p)!JrUznY5Him+m zy!@~LC2V=ui(DV8n>l^E3%wH^yz?l2#g3v1DE22aO?nKS(@AWz`sn1kKP&d-13`w_ zcnlLMP&?rqdYy1b4~18f%(l?>!Oq_IaY2phYPN))#=O%E{kiZwBU}qZR!RwaQP9Vr ziaHEsB+9u|FNY`>fbbX$dc9s2BB*cZ?5Nx2x=rn^y3RG8!^`lgV^SV=eYng7S0m5EN%de`=o(ids`(j+;NB~lA! z*8HsOe^|VT8zs&^mIMC%4KFa3osEdNDjC1w zP)p&i{2B%-OAcNjn?O*Rgj~Sb^SUI4GVuJ_hkOZxJAL!$ZpEtF8 zNQBq>zR0w3V;PbcCeV#=mG6XPsb}@oVd;KNReV`fW1mV5Fm{ z{IEA?NjwRgLZWF@Yt_Z1WooX~^IP6_PnMk-^5Yj=^Y&x-=U*L(Ov3(&2_+@f)Zd}Z z-Kzj)X@0c~d!78$O;ZlCZ7XJ1`C$5=ogWqKqK2MCizJ6-p2l8(9(8FYJ>QE5J;NZyh(x%I+${wwkKNDF>B3-Q@Vi5Vu|#pCS2wPssR`A^AmM0<21cB*T<= zSy=4vh<68agFT^FYR!r8;Nui=0d7OP5p|qIy$3}HtaJ5pi^0yIkf2Q8@C<1JV>P4E zh%KGr&mcBd3?={<$)Ygc7Dg{-3XAjCHn#d9dJ{I|xBW$h6ASW9{*>dI4r9^S`UHKg z`%XT~PaG@9XVG$0QxAj_--*B^-U}U5MV_wVN6N`I`hTXI!!hQ)&plnB_n`-zlEl7>b z*b?|xbq}ND;tJiBVGh2(&EH-vACA2GK&e@Xei@qJeY??ELO!(CARyhfW_q@}TYVVn zrrX{GGVpL$xmQll(W z;qdhx;2{MccLZ*s*VLX@u@Z&IW-=qhrEcU5{}@{*=L1;rljp6J95mw5e(!o>;V*3G zH-BN(ci2fb%<>`h5%DQQKnJYw+s2k5JxCa&`8sWgpZpY5Ha)HWpj`aYtcBg-N$0?) z_t>)N(pW4^c>Uw3ZRj)4Upyck;r?w$4)|_9c|~`WfGao=p37ebN{w6p^Q*;Z_fAq% zK;q)UP&^qgV>GaoKPV}YIro$}l;&oue{QD6pTsQm)B;sdR z8Zr`1#BkX*Lr&M9>Lv*XxXYOEy*fuBDQ9CUp;t)&TGzbT1B#?>X;=t>`I<+;o@hIDIbw2Oe^-up%`GS>_UO ze@YO$n4X1%sIrp7n)l9>;ip<&3!Hd=6nI_JjW=SFtGXJvrJ=zDms?B8(cdPnu>= zK;?TW+|*OMA%Yj;{vsbzQtn<8KxB})v#6x_3Q3tQE}D-iPHo4hrM-61JqwNgV29Hb zpV5C{%mi*=mA%^ZK&{=+RfJQ36pHnv}sxBI2}-I>kBriUV*Hz znwt}9oQpu2>eF14Ik1(dlENWXf19<`VwMNMSg;hJ@2BVJyzwZS&)@j<{9g z`zAT~?>Sr$-5;eIc_SftIqsLqqM{i?iPcoe94`8oHvilHDX!ptQ`b9!CSwO90H~oZ zj`z5l<%EbD$$FBpVHE$w(@^HgF%JL#(r>_yT0qXOtzQKH!ka>-Zu*1j+TEs{Es}h9 zMukW}2PAIUb}rS@T*rQu)`xy5=&-T+Qf0F`$Q;qB#QuQH;!N_d*w4NH-~X>i{j;)b zjwGaD(@AH3uowZH?CV~gzX5!ue9jmXf^4xOc&)w-c1TDjfRKP$L#AZo1tt5aa%%Gb zv_`R-$HKev_9j-lbo|Uu$(686s-DkLK0O|ss}UK=v$tv#o6{=KbWfd)-oRcyZGS&j zw6EqRN$|DH?#$Yh;NEU)UL^plK#|l6s$d(Hf=;6thThSML+-_PJH}wdrXga$ zgcDwVIwYP~!zUyOc9eaSk`j7m@4C@p7#2CNp_xvgR29w@OY2vuHEu_)tE+}-pBADi z?kf8SpRQPhX9s5d>r{tz_foz5Xw={|PjVyKihFm+bM3lOTcQC5aKq4%%MdJI8a=8{|w2_mXa5n4~ zIq1cWvh!U7B4<2W6>Op~H%0~^ekXnKA6y*-^LLMv( zpZ?VWDV)0jdU23ORFGygQ_JaMpM8!G_g4}t|1p~i0Y7_u2(45cqEGy2^6a|Po)URa z_B9buQ0w*UqrZz5EX-N(v!vg;%56JQYV3pS;hyU`hmA&S$s)1m<=Z%ya_#X7Off!W zs@>in)J%mR-~BwP025dbc*iLSn^=!GV0gka6wj5=|N z$Tt~{9~x*#k&*oU8!SctEao*vr|t}KLQwlz#r5UGjJCp7TThku{w)i>C7i@V?a(aP zHuG$FkBsa$uQ{)-oI*5v^d?|4TS9M0h#9Tv^hbeU9-{zfPEP%q#J(B6yT5IRiy26k zLA+7qY63ejv%!={M@9Aq4)D*$5VQ5Qtx`T z%CGjeXGD!C?O`lZm6Hs-vPeJNp?PgjxFoot3Nd;kb_#%*eKnPB`tf+n4+}2XkU8(T ztajI&%g%=e{RYtCo?H0PzbG(425d`XekZW7vlWGtN~+=marc|P$D)}@oK63ZD0#`= zMXKX>dTp{~wTTC>YGgm5cgZhNk|DlE1FeLQrM(5ddgli-JkcfCO)nf{p{<4zVC1CYG<&8yklk=uA|c!4V||o_)MVd z@0y$JQ5C547>$O*9bbzCN~9mCQ1bh++>FzuW`i?b ze^O^a9B!dnhpC$q<`JTa;1(vN`%(}f;Z*&$=WTNE{)k`%1tqp|7%FyS7^bE7Lk@Vr z28AH6%W)s4RopI3Y>4^qxBtP8u^OmoSn!b&re(8ne2^Oa znWATrLUOJb7ab=(_@$Zz`}M2LE1SroU@>mU+;JbJ4)li@Aj|R%m#O=qP5a5&-Rs+N zS^uqq>jEmAo!SypSUF(FZv%%ST*~p9(eUql0wwaM70rPfWPmH_z-Q7dRxS5UsW5+V zKek7q`1f5@gH0ohktZ?QU)=d|>H>z6u%K8m+fnJ+;K?sIVa?Nn0v+hTCqQ(MJ`w1B zdc|${gB2>o@~>O10*zo)hIOvzzUv{z{$yu}Ad60yXL#A#Y~aK8#=0T@-N`wjQ%2z% z^yQNG`_9$7sYiE&_>2m%HnWVM-r(>vHD+4XSbG1yW0rTPL(lD~MqXFzr zF0iEWxYHu}90H8QIFd_SDhG_kDMb>2zpg%YCyHDrX6)Q7mNLm_AQ6EyUo@#`Ge!!A z08u8K5eEapx=0Dei%x`_czUXruTH`U}rpUig&BuqVWb`rd(eCcC z=!&1p3-{N9Dfmx5IrFZMsUgIL`mkHUjx9&R#i0}=nm!&X_nlkKAf)OaWBYV?S!bZD ztjM2FRbt_j-=dxcMM6fu*;uXry`SEWe_;)S5XT%w;Y^$F=7em-k*(3Ia=2(W*a%)fXOM70*{1w0N{fGN4v%YKZSBRzE*3r^u9YD93Q1-v+&yZo zKL`N#n}1zr6LM1#Dhbmm-T1?Ut0X;hBN#nPzk+BRS#;dW+-h@T_1N zzsT{+K8eBBIs(_#Ynk<_=Q=qy_QCr1`l99Oz9H%m3asf5W${ji0L7P|0#EOgU^g-! za+Ym5xlru?kuwN{i!ey0E*!9`r^{q#>EVH-z0kHXsh#P}C@byjSU@)>{ZA37ED9Yc_Tgi<5xtaf!F>y-gDu|pP1 z&B@bZrOaMwi-bt|K)PbVam<;cv{n&ZGAU7-IKmoU3T z#yq%z7yXp^<+!q>9AZtMnsX><+-@h%Z7#`hi43uYneDFFU#(!2*`Jw< zYb2g&@~$e4)oaCmm75x)ho{H*(1dTZ&?h%@$B>`LUH>VApo|lepfOT2I70F0`0U4| zTdmNYbYufJLYNy?29BtP*$DT04?DPaj^-Zs2-q3dF-U}cN-+nwK8Tr=D<<@k90Sb<5)W%?O}8&?nP3`>uB_XISJNGcEeV@UziY=yFN7&?!67l zt|DYyxDADknz@d!68|*$|qqMAi$3VO7_& z8P}ILwg629qc&z(uWP}u9_g8SGS$ST-vJq!=N*`42E!AQ3Pg8`x`bDA7zc%R6AC}I z27r&q>v-%bd^andrE0&x3e6Hev2B2c(K(vNECu9)y+7PGA_t(WY*^xRVHg;wKDtZa zxX|!ZmF~?#LzA8l_QB1xf#zs5w(1V22q*V#z?&DCp7qlFJNQ7jpO(<(5MO1?1VucrqE-+LaNHlc;++<3AZVDD{A?j~^EHu4fh z5ZVp3&2?&x)5Ji5U!M?h3;^ln>6}tT!U{!I%k3S3W+!D5cqf&LBITveg=R+M` zgv%K@-d^mK;m<>V9j3aVE}eK0breDbi2ThDe56)XR~`LA@hXj0;y;>2?w48+EL(=U zQP6N{;*9&*-~a8JHqrsU&fWT4yj7w*WOdHIu;u9eNy#P-Mj!<6A!PDK-*7<4V@2d2 z<<8_yA8HxxbblLG<_cwz#J{{QV*CVTsuIdb>YYm=&hXE;%0KKUZa&33B9qzUE7zE zS`?t(gn9Dx1?`B6vtQsN6;~qhtTi!EV zeQz*{w0muf&nXx0KlLh;_S=97VqcJsK%51FcaULoLOH#&esI|3ey9wTI1?w{^tot7 z;LRbB5G8;dwN~}`$hkXJX`p)bZ~KpCGMEE>q(aV;dGJ?HH`V=qm?ukL!F^3|Jw-ng zuzX)^3=61~J~*TkNW8)atZPQw8-d5q&)>JhAN~%!xDMyLnrbV^{M7{e55b|4wxiA#!H9sSe`*qwt1EYROQYH_b3qFHPPT1d+HspNy@WY~NB45aX#@XEY zRxw@Owy+hZqDKJ9*b7Epw7rnl;Hk|t30pO}pW0TX^2d%c1csGvQ+wQz^Gck4=*K)9 z`Wh}N#FZ!>VX~kq!YRq@ZF{WWAco!P2nuG^8RX6rfYfP%9>_&McMrS#R{ zOiX338m5c?GrO+`3QuMLN#~4YNqVG?F%@WKcsE?)j92~J?{D9w=Yg3Y0F1$*HzbXC8D1q`0-u)Rx11Iws-5Jty9c-1 zbP=sSOM1@)B?K%7infVKdtU#ktM19dMTV?bhST56f%W7|6ma=x#TpROqKWB;lZgmKRg)rChkxLaPV1jlHOa0L~m z3LrCZqu+p)dvc08R9P5Vac%8)#X1ef}KU@gg8W<@*9x!7Bjy!6sV5ZCf)&TWK^;8k?alsOSUT%*BKYK$3xT z9q^i|IVDvHnTl(0@&@|Lqz51QY+?Xd;D3XV)Bzz?-ZJ za}Zn^7|#bhv(6m#jfC%SC1-p#hE~4T^^sT)-DxP4uOcjGCHQ96-g!X4GSx-N?#HPwaJw1;qy;HZ>X{3T4l>}HFBm=iB>6hD;RNiv_UVAxNql9z=!38aWwl-iR z1)|TvpW5%EZcnk{L)vHWs?3iv`L^p5okmAZcyI@5LVqzZ#fN2f2fZhNB!I+USzloN z$;0|#PZDjXbTlp-_dFj{!kTICNdt9D$MhA`9G-R*^fKiUp8&UX@GMpZ(|7)xUAUcr zGocrt*8(ZEK%$%q%6Of0C2Zjaje9z#SBhZI6O9-y`l0e33IVI=y;*x=BuD8N%DW(^ zd97P&It@Seix^T5OujYC;9&&LFgRH$;|VQDFv7txwyfGeB0$^eH`i5sKJKq5Pfj0% z@N&v~==re2S;`$fq}vsy6NW9J^vw>4`h z_XtnB=)ZRQFo~XVRh4bQWRQ=m?%&w?487sr<^8&=v4k0VyX_*Rdkq5iZT{Q@1bCfb zRP6$)#G&}t8s5+L$6s9kuDf(B@ECxIe_ej+`UEj{p~A7`w3IA*Nj5fAH<!eL|zS4y8m}pQwcWhDaOE=wFfux@364`N329nRnlcOI90KmnJv;@Ln7kq zeI53$S;l;K(>(tTH*FK7O;f>d1of`jc;zhN#XefurFh9^>v(wvPdUqi2=-O|_oRO8 zl_(){jk99hTQs10p(s)A>Akh?;UAcKu!VRRPxsx)tt3hQyR!ZuOtT=N_@RHGzFPfO z_gH1;-Bs1y_uO;R#Id_mk8S7YuOAkkv>wZgYZfAnrk=6?YPD_72=kPb8h%*dYw@bo zAfyDRi{@0#X8=$?Dq^ z%6Vn_A+WW>}U=y|Et^3%M^s zOu>mS9h}nz7mtfS8gWRz{={Dzm%a(x?;5v=f1x#X9LKE_|72`_`1KAI6lb!V4cY9O zDI)#4G!?t!`#R2Hj2L~#Tjddl$w8UY?mNDhc{nK|_a5xrg2sYc=+ks!I7Ev`ZsY1H zO(mQ~<6YzDVA{5W^Rp99xfo24;aWO1lY@Fs+ z^OSw!fd%+u+)cp@ggF~S2fqj{89_BTckrm}C}wT=fI|r;J45m~yz#+5hdnA2&V*}80dyULfBee52I}si@agwI z3*6;P#GGEgpwk1DU7qH`C#gTlJ4a>0ku^LW52mODk)V~5;az-MP{OB!(M@6K`*3aw zc`3W?>em}i4}ZOPPj(}JgsxI$MPb{O)=JR}s}@}!GiVhogY(wX=xU;00ws{hr@@hi z+!xTL99x-O%?JI+@{1xfs`qW6%BX?5TjsfIV*!1kKgIW9?p2>loRH_%>Rp8qOV=?a zBwjf=$0ipX*b$!}Hh*M&^kTg*Iknws>6g@nekfx81l{U7117IchsFZK zyXl!2=LSGh49o~y)6I;|i_j0Ljyi1K#qypDC<@I^fbUky9f@d^1hI|eve|NN_6-m{ z(2i)O4*K#?&Zq5FH92Z3Qx-l-ph8d zg<3)C2;YDsDk1DwcQ8Zl7K3lXEwD-`cpA~b{~E5iP+8=|pU?4|&KM?l59=^)&`Khn zs+;chN?TPBnXrQwgu*V-U3wlaRQ7lZ3$138bOGm>f`D=A`tM912aw-tH5IH+T~@TS zfVUifsVvl|w~os;-Kb*P*?mN8UOWkXt{det`*KM_L9^wN!oAvpXRiuAkW-r7O}~;~ zW77vmcJN|Z7|9*8-{Won#+S}V{r|fla8JLGgmM#jj36weRu~Czf=V3vucaMMei&g- ztrcv8)pxLw5>%LE&`LUtX%f@X#ZL#HPtc6aa6R|fzizlt`6gl2ZTosk=~tU5Ii5udCL{%GkVnMukN+WuJ92%Wnfb`Jp5p1)#7l1-Z+{~ldgQ$ z{<_TognZXn_;N#n{Z1scbT`cdxXY~Eve19+qRee?*{m?rT$S$Tx1*8xw~(u;?uzQ{ z(H9R)XZ{e!rw}*I|wseU{Zg zO2x}I+sRI<_Mzu!u8^X{()Dsii%x>{m(;$(^mEWM9Ogkat?NMPT6`)w$ zMbtw7t?l%vX-9ahl~!o0y)sB}4kp>E8s&+#zcE`md(;<$NGssiil4Q&X1e%3$F}u> zn#8`1ed?a_m)BH`_)I?aVvM108Tri+dW{%nH+nfpEPQ>~`m4-R?rXQf^7|<#k6jo- z$7na#X7_c(!niOn0|A%9QQv-Zj+TX`+8#06DY-0~z89_a)N*Yv`5P);c#az2x1*e5 zc5foab&MoDVr~yIYDJH|y8hnXNhFaim?;0q^Ld~1+Lv;Kx4ae&vu!SXhgBMOU~D~t zOj|9UClkE!LSb!b6@=?}yq>JI2|ju@lz2B<@?gPtnzM-SkTo-lvd@Fljqv_^;&Se$*h%R-Av6!8|HHR`v_RYi)#~_=$`13ix`i2N<&vL;Rel~{t^Or9 z;lJwBMqI4(^lIeF8=woi`=oCND+zXUTE#rAFZ%C!MgqO7fe~Y6W7q}jcg1qJb?SRM z0Z-W?%DtXDT(gM5*O*e%j&-3uQ~vcXAvOX-i%zDFJ811neouxbBu2Pz#{1tElTGB< zcL$3C_FPr>tb*nZ^z_ReLcR;)k`@$K>G_{B>aQ7QutmD~{w6PL-rr$e_+@%#bXh?L z`t#zGl20->5x^7Yo|`7+MWq|J>)PRa?8^EW5&RB!*XioF(}4WndbjU zmq1iM@3_uTvtNBqo7%v=B!l!a2DlJ)D+{|F+D3D>ceJ3)w)ybD{!_t8F8+MzDrJ#< z#;5gsXeF9Yn8DUV$!^{Pqo0m4!lxwz5370-E~is8=l+uWB+UuAbefnRS$jG!O}RXb z`h<9-vSH03@3xd~`E4p7U%tq7wWQf&XS00Yy*o7FDsDYLMemB2Ihh*ZIcif+9nF3jE7y>NrSV{eFT$Tw4eQ_e zt9^>Sl3a!GD8!orul2W-I;bzNoXVIZp%l)cKWD+5SSH_+uWD%k>wuaFtQYlOcK4sn z^$K$g{kLwQ#M7|&&`WH`4E^F7x~R}rCX?NC@Z3_-r#Qcv%_@Bg;iDZB4~lLD$J}1K zx3nA*YlG3j3lYBnT55#)4?a(jH+?`j$i*IaZvOy0!25ktQi0FtJ?GdIW48KAMsB9+ z*oJ?H97FHqYJK)Qyw{L{xld?AcB8$v;{JQ0ocmZ)NaVfyRDgCtm`{`B>w6$k0S3XS ze=m4iLcjQy)&B*v5=`wd+b2l*us5zRU;hzoP4EreQ5I+%%=wYQgfL_^YdJSi2CdD^ zQ7Ph6n_N3gK+%>#YU6J5T<#WNN}Kg-M!E^o-eK<~?k`{ewYwzDRlZwW7;1ETrs~g~ zCw_rLu`S(w7 z3&-plye8A&a3=>3aq_!sZMsYYHMDQsug%L7Xd{X>+DNcsx?_YQ!39D;MTWipcIt!g zFM9^=P@$kLSmkgpZ2uCxHmq8q&5(wt&F|L(xTdkx#y$|FNbu2osC)K6cPC39T*ANu zU1m+ufeTph+K2)(TLRSP03Ik?du?j4f@*?`JVzw>99U23C?OW4wKffdNT|_!0->8A zUAO6zQQSC9a9qQ)0sGD0D5*%Twb}Y5e4pf%r8cbqJJdx>v}5D}B$3`be4?{T`f&3X zN?sx?wb}YTbN3{~94xssL8=LQCyDd6xry55J>UEdOIk0q1zW#dM4LVR7Ez|vVTuGF zLK1O0Jh~vg=cLUF`0Xx;O%AqPMuJom^vl#K9d9HEOwxP4;DVUlhKy!WL~}te9;i%^ zR)-%#5_Kea>zj@ddf?64MCgIHyP(X$9<@45HNgjvT%9Kvp9$VHnz4WJ9NxL@-TAzMV8n;v4#gm2P@!5t_Qq=Th> zqawlRO%R~0ha$siM4$dsRCPR?!IrhDG;Idb=B!QoRU0gZTEIOh6QsSvzEKVs=>ZDY zu#(HFZ;O$(uOz3p{1Z)^2-{*zl-;K`?I5|x;XY{Z@MB57#oZ^UJ7Fn=DCr%afgMR3 zBa=2cIAAssq&`7UjJn3WV}u}rL^r`PRv{1cgMNz44>Cc5_@Af)6fPq{vOtB8nqc%T zG6WG8mysadz3!P0aiiWgM-buh*(^N#Z?Onjiw@WP(%^ z^o}YDQY1+HVefuc+XjL-0Ba${kzxl*PJ#Ls-&+E@rwGE|(G$E-#VRdG zXgm(P9gb#!0wgphLA$hqmEq@OX~<-9JFFuZs5HJ4gk)@yIm_%YT)VL+C<%tDv%~-S zLraj2BsiP$@n@eP|xMtoRo=>q}AM%j|XH=S_BzU6;!awuw@a3sFd+Z6`DuS?->BrKNV5m}if{GyI zF-?L+5)4!JeL?H>A&^m8Mvr0NH#L!CPBoW^!~fa${ly7FCPjBnf(dJ;MH< z>vkA2(G!d|?FqUVfkb}!#z^Dc%_=krcI)RJ_;ZrrB|9-T*R8(wz*1g!n|3IICPtzS zG5hGXxo)-Vfu+1{H|@QBf@cL!jI^umTMsPc>*Kx%njN0SbYkSa2tH~G!eXA*lO)*4 zf+df;uz=?;>rHz%Bte^{r)D?~-?i;#{jmGd1G9VCz6ZhaV#Kw`PxkI_HDMTv z<2XS_S8emB&FQ>%y^$dn|6C9D0>1y#tfw&~S{MUOu6`f!1r)xV(}+pU7ch?Cds!E) z>3=Q&klAsN6>r09+%b}e5Ra4Ka$JX}eOOX|y#PQ~=fSi^y^7XhoQtIPc-!3a%|)=N zBn_W9BL>Lm`>;2%x{n}!CYYA+uQ-Bh7s1w0)9>(P5FnH5Y0y@-A%Y9H4&#@CiMayK zBghrBsvG*#*Ty?;03e0)?$GZWWzE>YqAsInf_NmDn0S~37jXoou}U}H_5%PC+jfmo zG&Zm*>NtY9X(>5ZzO1KoSkpT3Ir(t=u+zyLNbl0;VPSJ-c{#U6!jU zf>Q;pQaa#otARh@6M}!z5v43~19=;spNla3w|*+Z7cfN7@54L_N<*AMPXoZ~D9_rd zfo>4=5nSMrU|J!8@xQ8u2>MZQs-Wv2S_tqWDzJ>m7#RjZA3;ol8E^q-$HVa`$Q2}e zqX6Kg?0o~nHjGIy4-sB2g3&(gD<}=IkU_K%;8`{x7B_HyHjMi=f7v_Z-o`-~iYvN5 zxG{nh<@o+z^}`h^?t*f_AprA-MiwR}#d}8~O&?0({T7!uyEla~rq6>PI%KC9u8-WF z-5C$pdd52*?!CXUIeJFND3!1^&is zvx4)YTqIizQzEE&U~G-7V&gBDmQ)ZbXfo*3vj#!%NzUs4kU(f)B!XYZroZmDMr?yv zR1h)<&L9ZpP~<2|G6_@-eE)Yb99zRn(dixkRS*l}cT>SVbxIHf3rNW&@XdCHeQS99 z9<9*AWsDyh=^MnRf+~Y~zeq&UUviYn`xnnv55Q)y|LYemjWuJ_y)#+ zs51_fC}hIn!I-CyD40@$!Ye#|ps5eS8$G=GVs!TQaoztL z!FppkYhZqIcmgEXDx!i_2+_hMNv>ptF9}?B3Cu5*o`>xRpn{dPWvlndl#iF&e)Uzv zjNU-c);FeogT2si-kKQqM<*ao_egOf?x>P8?x|(uZAUJ2yo5kC2FF3}HDNaT>C>Po zs`VZ+XS&y1Zep@U(J%xIcQeToCFo~Q+ZZk@PnQFk31RT~)AT``-*`GU%G3)B+d$R8 z{Mhgu?1bN0U@bpMl3c~IE-j7*=FRYIbSvn*I#T{E2O&fW-$4Ux3MCE+z0nJf+>V^s2@-?@b;-eUk7etbNxXe3gK6f`{7Ea?TVHId-ml#36F zjEEDBoMqZaRtsivgS$2<-ZtxM4(#zSBIte0PXd^4kC}_H7XNM~9AQKh*Ka z=v*pg*fQLagWgiXXhVN$+ik-iDIUt-ANv-9)e>1U+guH&Pn<`q#Rrbj)pAaW%AYFW z?Oe!jkeQ9i3&n%DU5a1i&>!{ZbH;mFcz$;0*Nydo;GR9Z{^ZpHPsm{0o13xJzt>=m z5+=zv!tFnx?f~;Ok(WaDErl@o-Od?k#|pwgl==UkerJ0)DLOHYJgU*oWh=^tkN}II zR&hCcKDq|5si1~IA+Dj>RIusR@V)f9M-Q403ULul{~=NcT^SVOS{ho9nqHoDKluD{ z(3mL1;^ptSOJ9QPKldvs{}_u1&dn4(~4o_^dvG2ar@`qU-61Pk+zgJTyek!Ybb4F^ZA(YNFr zK@J7P)yE>NlBE609t+?SSzl~wUYsP@Jl4SH2ET#aacZ`=@Dba`UWL8cjPJKYG!v`@ znvHmzZjGA`@l1v$GTtO-K7`r3Mry(32BE zQ^`ib*MOaLu8GiQCW5irp#J=pq7G>2shFyu?V2naQd;VlNa;s%&DZnu$mC0yzIb78 z8**&UT^92tKct*Nr0|03vjDH`^cnIX6U%X0zB$Nj5>57&IP4o7tkci9N&fu+|MUxEWEc`ig>lGA`{cF?eWo|2;5sE)FtIpW1mhA57tytU-pPhP<4U zk@M%&vD|*g*LSu#W~(JHnb95Dl2F58zPGp~2E}R-EQAnW=%rcWLU2|X?GBJlt+eRH z!xrTzrB1`&GeE@?A2y#;fTF&sT4N6N+8AjOyklB~X5bB7K)mfoo%9Hti~^MgF9k!i zq_B0PKPb*f;wOa|cS?0=$1FT}JQvRcOEYs4?lTd-f%l)P@ZWOCyUy}O`VYL^XnNE| zq$tsmu{kJl9WeR81{-`Kh$<;#9vo@fx}e~agho3W%rzYpTS{I~tT^@|DT0+NS}Y$E zkZ8Yf90VtV1aIm+@Q?BSD@dXs&{fWNc=0CGB0>lugb+dqA%qY@2qAInformativa sulla privacy e i Termini e condizioni di Salesforce" + } + ], + "register_form.message.already_have_account": [ + { + "type": 0, + "value": "Hai già un account?" + } + ], + "register_form.message.create_an_account": [ + { + "type": 0, + "value": "Crea un account e accedi in esclusiva ai prodotti, alle idee e alle community migliori." + } + ], + "reset_password.button.back_to_sign_in": [ + { + "type": 0, + "value": "Torna all'accesso" + } + ], + "reset_password.info.receive_email_shortly": [ + { + "type": 0, + "value": "A breve riceverai un'email all'indirizzo " + }, + { + "children": [ + { + "type": 1, + "value": "email" + } + ], + "type": 8, + "value": "b" + }, + { + "type": 0, + "value": " con un link per la reimpostazione della password." + } + ], + "reset_password.title.password_reset": [ + { + "type": 0, + "value": "Reimpostazione password" + } + ], + "reset_password_form.action.sign_in": [ + { + "type": 0, + "value": "Accedi" + } + ], + "reset_password_form.button.reset_password": [ + { + "type": 0, + "value": "Reimposta password" + } + ], + "reset_password_form.message.enter_your_email": [ + { + "type": 0, + "value": "Inserisci il tuo indirizzo email per ricevere istruzioni su come reimpostare la password" + } + ], + "reset_password_form.message.return_to_sign_in": [ + { + "type": 0, + "value": "Oppure torna a" + } + ], + "reset_password_form.title.reset_password": [ + { + "type": 0, + "value": "Reimposta password" + } + ], + "search.action.cancel": [ + { + "type": 0, + "value": "Annulla" + } + ], + "selected_refinements.action.assistive_msg.clear_all": [ + { + "type": 0, + "value": "Cancella tutti i filtri" + } + ], + "selected_refinements.action.clear_all": [ + { + "type": 0, + "value": "Deseleziona tutto" + } + ], + "shipping_address.button.continue_to_shipping": [ + { + "type": 0, + "value": "Passa al metodo di spedizione" + } + ], + "shipping_address.title.shipping_address": [ + { + "type": 0, + "value": "Indirizzo di spedizione" + } + ], + "shipping_address_edit_form.button.save_and_continue": [ + { + "type": 0, + "value": "Salva e passa al metodo di spedizione" + } + ], + "shipping_address_form.heading.edit_address": [ + { + "type": 0, + "value": "Modifica indirizzo" + } + ], + "shipping_address_form.heading.new_address": [ + { + "type": 0, + "value": "Aggiungi nuovo indirizzo" + } + ], + "shipping_address_selection.button.add_address": [ + { + "type": 0, + "value": "Aggiungi nuovo indirizzo" + } + ], + "shipping_address_selection.button.submit": [ + { + "type": 0, + "value": "Invia" + } + ], + "shipping_address_selection.title.add_address": [ + { + "type": 0, + "value": "Aggiungi nuovo indirizzo" + } + ], + "shipping_address_selection.title.edit_shipping": [ + { + "type": 0, + "value": "Modifica indirizzo di spedizione" + } + ], + "shipping_options.action.send_as_a_gift": [ + { + "type": 0, + "value": "Inviare come regalo?" + } + ], + "shipping_options.button.continue_to_payment": [ + { + "type": 0, + "value": "Passa al pagamento" + } + ], + "shipping_options.title.shipping_gift_options": [ + { + "type": 0, + "value": "Opzioni di spedizione e regalo" + } + ], + "signout_confirmation_dialog.button.cancel": [ + { + "type": 0, + "value": "Annulla" + } + ], + "signout_confirmation_dialog.button.sign_out": [ + { + "type": 0, + "value": "Esci" + } + ], + "signout_confirmation_dialog.heading.sign_out": [ + { + "type": 0, + "value": "Esci" + } + ], + "signout_confirmation_dialog.message.sure_to_sign_out": [ + { + "type": 0, + "value": "Uscire? Per procedere con l'ordine corrente devi eseguire di nuovo l'accesso." + } + ], + "swatch_group.selected.label": [ + { + "type": 1, + "value": "label" + }, + { + "type": 0, + "value": ":" + } + ], + "toggle_card.action.edit": [ + { + "type": 0, + "value": "Modifica" + } + ], + "update_password_fields.button.forgot_password": [ + { + "type": 0, + "value": "Password dimenticata?" + } + ], + "use_address_fields.error.please_enter_first_name": [ + { + "type": 0, + "value": "Inserisci il nome." + } + ], + "use_address_fields.error.please_enter_last_name": [ + { + "type": 0, + "value": "Inserisci il cognome." + } + ], + "use_address_fields.error.please_enter_phone_number": [ + { + "type": 0, + "value": "Inserisci il numero di telefono." + } + ], + "use_address_fields.error.please_enter_your_postal_or_zip": [ + { + "type": 0, + "value": "Inserisci il codice postale." + } + ], + "use_address_fields.error.please_select_your_address": [ + { + "type": 0, + "value": "Inserisci l'indirizzo." + } + ], + "use_address_fields.error.please_select_your_city": [ + { + "type": 0, + "value": "Inserisci la città." + } + ], + "use_address_fields.error.please_select_your_country": [ + { + "type": 0, + "value": "Seleziona il Paese." + } + ], + "use_address_fields.error.please_select_your_state_or_province": [ + { + "type": 0, + "value": "Seleziona lo stato/la provincia." + } + ], + "use_address_fields.error.required": [ + { + "type": 0, + "value": "Obbligatorio" + } + ], + "use_address_fields.error.state_code_invalid": [ + { + "type": 0, + "value": "Inserisci la provincia di 2 lettere." + } + ], + "use_address_fields.label.address": [ + { + "type": 0, + "value": "Indirizzo" + } + ], + "use_address_fields.label.address_form": [ + { + "type": 0, + "value": "Modulo indirizzo" + } + ], + "use_address_fields.label.city": [ + { + "type": 0, + "value": "Città" + } + ], + "use_address_fields.label.country": [ + { + "type": 0, + "value": "Paese" + } + ], + "use_address_fields.label.first_name": [ + { + "type": 0, + "value": "Nome" + } + ], + "use_address_fields.label.last_name": [ + { + "type": 0, + "value": "Cognome" + } + ], + "use_address_fields.label.phone": [ + { + "type": 0, + "value": "Telefono" + } + ], + "use_address_fields.label.postal_code": [ + { + "type": 0, + "value": "Codice postale" + } + ], + "use_address_fields.label.preferred": [ + { + "type": 0, + "value": "Imposta come predefinito" + } + ], + "use_address_fields.label.province": [ + { + "type": 0, + "value": "Provincia" + } + ], + "use_address_fields.label.state": [ + { + "type": 0, + "value": "Stato" + } + ], + "use_address_fields.label.zipCode": [ + { + "type": 0, + "value": "CAP" + } + ], + "use_credit_card_fields.error.required": [ + { + "type": 0, + "value": "Obbligatorio" + } + ], + "use_credit_card_fields.error.required_card_number": [ + { + "type": 0, + "value": "Inserisci il numero di carta." + } + ], + "use_credit_card_fields.error.required_expiry": [ + { + "type": 0, + "value": "Inserisci la data di scadenza." + } + ], + "use_credit_card_fields.error.required_name": [ + { + "type": 0, + "value": "Inserisci il tuo nome come compare sulla carta." + } + ], + "use_credit_card_fields.error.required_security_code": [ + { + "type": 0, + "value": "Inserisci il codice di sicurezza." + } + ], + "use_credit_card_fields.error.valid_card_number": [ + { + "type": 0, + "value": "Inserisci un numero di carta valido." + } + ], + "use_credit_card_fields.error.valid_date": [ + { + "type": 0, + "value": "Inserisci una data valida." + } + ], + "use_credit_card_fields.error.valid_name": [ + { + "type": 0, + "value": "Inserisci un nome valido." + } + ], + "use_credit_card_fields.error.valid_security_code": [ + { + "type": 0, + "value": "Inserisci un codice di sicurezza valido." + } + ], + "use_credit_card_fields.label.card_number": [ + { + "type": 0, + "value": "Numero carta" + } + ], + "use_credit_card_fields.label.card_type": [ + { + "type": 0, + "value": "Tipo di carta" + } + ], + "use_credit_card_fields.label.expiry": [ + { + "type": 0, + "value": "Data di scadenza" + } + ], + "use_credit_card_fields.label.name": [ + { + "type": 0, + "value": "Nome sulla carta" + } + ], + "use_credit_card_fields.label.security_code": [ + { + "type": 0, + "value": "Codice di sicurezza" + } + ], + "use_login_fields.error.required_email": [ + { + "type": 0, + "value": "Inserisci l'indirizzo email." + } + ], + "use_login_fields.error.required_password": [ + { + "type": 0, + "value": "Inserisci la password." + } + ], + "use_login_fields.label.email": [ + { + "type": 0, + "value": "E-mail" + } + ], + "use_login_fields.label.password": [ + { + "type": 0, + "value": "Password" + } + ], + "use_product.message.inventory_remaining": [ + { + "type": 0, + "value": "Solo " + }, + { + "type": 1, + "value": "stockLevel" + }, + { + "type": 0, + "value": " rimasti!" + } + ], + "use_product.message.out_of_stock": [ + { + "type": 0, + "value": "Esaurito" + } + ], + "use_profile_fields.error.required_email": [ + { + "type": 0, + "value": "Inserisci un indirizzo e-mail valido." + } + ], + "use_profile_fields.error.required_first_name": [ + { + "type": 0, + "value": "Inserisci il nome." + } + ], + "use_profile_fields.error.required_last_name": [ + { + "type": 0, + "value": "Inserisci il cognome." + } + ], + "use_profile_fields.error.required_phone": [ + { + "type": 0, + "value": "Inserisci il numero di telefono." + } + ], + "use_profile_fields.label.email": [ + { + "type": 0, + "value": "E-mail" + } + ], + "use_profile_fields.label.first_name": [ + { + "type": 0, + "value": "Nome" + } + ], + "use_profile_fields.label.last_name": [ + { + "type": 0, + "value": "Cognome" + } + ], + "use_profile_fields.label.phone": [ + { + "type": 0, + "value": "Numero di telefono" + } + ], + "use_promo_code_fields.error.required_promo_code": [ + { + "type": 0, + "value": "Specifica un codice promozionale valido." + } + ], + "use_promo_code_fields.label.promo_code": [ + { + "type": 0, + "value": "Codice promozionale" + } + ], + "use_promocode.error.check_the_code": [ + { + "type": 0, + "value": "Controlla il codice e riprova. È possibile che sia già stato applicato o che la promozione sia scaduta." + } + ], + "use_promocode.info.promo_applied": [ + { + "type": 0, + "value": "Promozione applicata" + } + ], + "use_promocode.info.promo_removed": [ + { + "type": 0, + "value": "Promozione eliminata" + } + ], + "use_registration_fields.error.contain_number": [ + { + "type": 0, + "value": "La password deve contenere almeno un numero." + } + ], + "use_registration_fields.error.lowercase_letter": [ + { + "type": 0, + "value": "La password deve contenere almeno una lettera minuscola." + } + ], + "use_registration_fields.error.minimum_characters": [ + { + "type": 0, + "value": "La password deve contenere almeno 8 caratteri." + } + ], + "use_registration_fields.error.required_email": [ + { + "type": 0, + "value": "Inserisci un indirizzo e-mail valido." + } + ], + "use_registration_fields.error.required_first_name": [ + { + "type": 0, + "value": "Inserisci il nome." + } + ], + "use_registration_fields.error.required_last_name": [ + { + "type": 0, + "value": "Inserisci il cognome." + } + ], + "use_registration_fields.error.required_password": [ + { + "type": 0, + "value": "Creare una password." + } + ], + "use_registration_fields.error.special_character": [ + { + "type": 0, + "value": "La password deve contenere almeno un carattere speciale." + } + ], + "use_registration_fields.error.uppercase_letter": [ + { + "type": 0, + "value": "La password deve contenere almeno una lettera maiuscola." + } + ], + "use_registration_fields.label.email": [ + { + "type": 0, + "value": "E-mail" + } + ], + "use_registration_fields.label.first_name": [ + { + "type": 0, + "value": "Nome" + } + ], + "use_registration_fields.label.last_name": [ + { + "type": 0, + "value": "Cognome" + } + ], + "use_registration_fields.label.password": [ + { + "type": 0, + "value": "Password" + } + ], + "use_registration_fields.label.sign_up_to_emails": [ + { + "type": 0, + "value": "Iscrivimi alle email di Salesforce (puoi annullare l'iscrizione in qualsiasi momento)" + } + ], + "use_reset_password_fields.error.required_email": [ + { + "type": 0, + "value": "Inserisci un indirizzo e-mail valido." + } + ], + "use_reset_password_fields.label.email": [ + { + "type": 0, + "value": "E-mail" + } + ], + "use_update_password_fields.error.contain_number": [ + { + "type": 0, + "value": "La password deve contenere almeno un numero." + } + ], + "use_update_password_fields.error.lowercase_letter": [ + { + "type": 0, + "value": "La password deve contenere almeno una lettera minuscola." + } + ], + "use_update_password_fields.error.minimum_characters": [ + { + "type": 0, + "value": "La password deve contenere almeno 8 caratteri." + } + ], + "use_update_password_fields.error.required_new_password": [ + { + "type": 0, + "value": "Specifica una nuova password." + } + ], + "use_update_password_fields.error.required_password": [ + { + "type": 0, + "value": "Inserisci la password." + } + ], + "use_update_password_fields.error.special_character": [ + { + "type": 0, + "value": "La password deve contenere almeno un carattere speciale." + } + ], + "use_update_password_fields.error.uppercase_letter": [ + { + "type": 0, + "value": "La password deve contenere almeno una lettera maiuscola." + } + ], + "use_update_password_fields.label.current_password": [ + { + "type": 0, + "value": "Password corrente" + } + ], + "use_update_password_fields.label.new_password": [ + { + "type": 0, + "value": "Nuova password" + } + ], + "wishlist_primary_action.button.add_set_to_cart": [ + { + "type": 0, + "value": "Aggiungi set al carrello" + } + ], + "wishlist_primary_action.button.add_to_cart": [ + { + "type": 0, + "value": "Aggiungi al carrello" + } + ], + "wishlist_primary_action.button.view_full_details": [ + { + "type": 0, + "value": "Mostra tutti i dettagli" + } + ], + "wishlist_primary_action.button.view_options": [ + { + "type": 0, + "value": "Visualizza opzioni" + } + ], + "wishlist_primary_action.info.added_to_cart": [ + { + "type": 1, + "value": "quantity" + }, + { + "type": 0, + "value": " " + }, + { + "offset": 0, + "options": { + "one": { + "value": [ + { + "type": 0, + "value": "articolo aggiunto" + } + ] + }, + "other": { + "value": [ + { + "type": 0, + "value": "articoli aggiunti" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "quantity" + }, + { + "type": 0, + "value": " al carrello" + } + ], + "wishlist_secondary_button_group.action.remove": [ + { + "type": 0, + "value": "Rimuovi" + } + ], + "wishlist_secondary_button_group.info.item_removed": [ + { + "type": 0, + "value": "Articolo rimosso dalla lista desideri" + } + ], + "with_registration.info.please_sign_in": [ + { + "type": 0, + "value": "Accedi per continuare!" + } + ] +} \ No newline at end of file diff --git a/my-test-project/overrides/app/static/translations/compiled/ja-JP.json b/my-test-project/overrides/app/static/translations/compiled/ja-JP.json new file mode 100644 index 0000000000..64323d1040 --- /dev/null +++ b/my-test-project/overrides/app/static/translations/compiled/ja-JP.json @@ -0,0 +1,3466 @@ +{ + "account.accordion.button.my_account": [ + { + "type": 0, + "value": "マイアカウント" + } + ], + "account.heading.my_account": [ + { + "type": 0, + "value": "マイアカウント" + } + ], + "account.logout_button.button.log_out": [ + { + "type": 0, + "value": "ログアウト" + } + ], + "account_addresses.badge.default": [ + { + "type": 0, + "value": "デフォルト" + } + ], + "account_addresses.button.add_address": [ + { + "type": 0, + "value": "住所の追加" + } + ], + "account_addresses.info.address_removed": [ + { + "type": 0, + "value": "住所が削除されました" + } + ], + "account_addresses.info.address_updated": [ + { + "type": 0, + "value": "住所が更新されました" + } + ], + "account_addresses.info.new_address_saved": [ + { + "type": 0, + "value": "新しい住所が保存されました" + } + ], + "account_addresses.page_action_placeholder.button.add_address": [ + { + "type": 0, + "value": "住所の追加" + } + ], + "account_addresses.page_action_placeholder.heading.no_saved_addresses": [ + { + "type": 0, + "value": "保存されている住所はありません" + } + ], + "account_addresses.page_action_placeholder.message.add_new_address": [ + { + "type": 0, + "value": "新しい住所を追加すると、注文手続きを素早く完了できます。" + } + ], + "account_addresses.title.addresses": [ + { + "type": 0, + "value": "住所" + } + ], + "account_detail.title.account_details": [ + { + "type": 0, + "value": "アカウントの詳細" + } + ], + "account_order_detail.heading.billing_address": [ + { + "type": 0, + "value": "請求先住所" + } + ], + "account_order_detail.heading.num_of_items": [ + { + "type": 1, + "value": "count" + }, + { + "type": 0, + "value": " 個の商品" + } + ], + "account_order_detail.heading.payment_method": [ + { + "type": 0, + "value": "支払方法" + } + ], + "account_order_detail.heading.shipping_address": [ + { + "type": 0, + "value": "配送先住所" + } + ], + "account_order_detail.heading.shipping_method": [ + { + "type": 0, + "value": "配送方法" + } + ], + "account_order_detail.label.order_number": [ + { + "type": 0, + "value": "注文番号: " + }, + { + "type": 1, + "value": "orderNumber" + } + ], + "account_order_detail.label.ordered_date": [ + { + "type": 0, + "value": "注文日: " + }, + { + "type": 1, + "value": "date" + } + ], + "account_order_detail.label.pending_tracking_number": [ + { + "type": 0, + "value": "保留中" + } + ], + "account_order_detail.label.tracking_number": [ + { + "type": 0, + "value": "追跡番号" + } + ], + "account_order_detail.link.back_to_history": [ + { + "type": 0, + "value": "注文履歴に戻る" + } + ], + "account_order_detail.shipping_status.not_shipped": [ + { + "type": 0, + "value": "未出荷" + } + ], + "account_order_detail.shipping_status.part_shipped": [ + { + "type": 0, + "value": "一部出荷済み" + } + ], + "account_order_detail.shipping_status.shipped": [ + { + "type": 0, + "value": "出荷済み" + } + ], + "account_order_detail.title.order_details": [ + { + "type": 0, + "value": "注文の詳細" + } + ], + "account_order_history.button.continue_shopping": [ + { + "type": 0, + "value": "買い物を続ける" + } + ], + "account_order_history.description.once_you_place_order": [ + { + "type": 0, + "value": "注文を確定すると、ここに詳細が表示されます。" + } + ], + "account_order_history.heading.no_order_yet": [ + { + "type": 0, + "value": "まだ注文を確定していません。" + } + ], + "account_order_history.label.num_of_items": [ + { + "type": 1, + "value": "count" + }, + { + "type": 0, + "value": " 個の商品" + } + ], + "account_order_history.label.order_number": [ + { + "type": 0, + "value": "注文番号: " + }, + { + "type": 1, + "value": "orderNumber" + } + ], + "account_order_history.label.ordered_date": [ + { + "type": 0, + "value": "注文日: " + }, + { + "type": 1, + "value": "date" + } + ], + "account_order_history.label.shipped_to": [ + { + "type": 0, + "value": "配送先: " + }, + { + "type": 1, + "value": "name" + } + ], + "account_order_history.link.view_details": [ + { + "type": 0, + "value": "詳細の表示" + } + ], + "account_order_history.title.order_history": [ + { + "type": 0, + "value": "注文履歴" + } + ], + "account_wishlist.button.continue_shopping": [ + { + "type": 0, + "value": "買い物を続ける" + } + ], + "account_wishlist.description.continue_shopping": [ + { + "type": 0, + "value": "買い物を続けて、ほしい物リストに商品を追加してください。" + } + ], + "account_wishlist.heading.no_wishlist": [ + { + "type": 0, + "value": "ほしい物リストに商品がありません" + } + ], + "account_wishlist.title.wishlist": [ + { + "type": 0, + "value": "ほしい物リスト" + } + ], + "action_card.action.edit": [ + { + "type": 0, + "value": "編集" + } + ], + "action_card.action.remove": [ + { + "type": 0, + "value": "削除" + } + ], + "add_to_cart_modal.info.added_to_cart": [ + { + "type": 1, + "value": "quantity" + }, + { + "type": 0, + "value": " " + }, + { + "offset": 0, + "options": { + "one": { + "value": [ + { + "type": 0, + "value": " 個の商品" + } + ] + }, + "other": { + "value": [ + { + "type": 0, + "value": " 個の商品" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "quantity" + }, + { + "type": 0, + "value": "が買い物カゴに追加されました" + } + ], + "add_to_cart_modal.label.cart_subtotal": [ + { + "type": 0, + "value": "買い物カゴ小計 (" + }, + { + "type": 1, + "value": "itemAccumulatedCount" + }, + { + "type": 0, + "value": " 個の商品)" + } + ], + "add_to_cart_modal.label.quantity": [ + { + "type": 0, + "value": "個数" + } + ], + "add_to_cart_modal.link.checkout": [ + { + "type": 0, + "value": "注文手続きに進む" + } + ], + "add_to_cart_modal.link.view_cart": [ + { + "type": 0, + "value": "買い物カゴを表示" + } + ], + "add_to_cart_modal.recommended_products.title.might_also_like": [ + { + "type": 0, + "value": "こちらもどうぞ" + } + ], + "auth_modal.button.close.assistive_msg": [ + { + "type": 0, + "value": "ログインフォームを閉じる" + } + ], + "auth_modal.description.now_signed_in": [ + { + "type": 0, + "value": "サインインしました。" + } + ], + "auth_modal.error.incorrect_email_or_password": [ + { + "type": 0, + "value": "Eメールまたはパスワードが正しくありません。もう一度お試しください。" + } + ], + "auth_modal.info.welcome_user": [ + { + "type": 0, + "value": "ようこそ、" + }, + { + "type": 1, + "value": "name" + }, + { + "type": 0, + "value": "さん" + } + ], + "auth_modal.password_reset_success.button.back_to_sign_in": [ + { + "type": 0, + "value": "サインインに戻る" + } + ], + "auth_modal.password_reset_success.info.will_email_shortly": [ + { + "type": 0, + "value": "パスワードリセットのリンクが記載された Eメールがまもなく " + }, + { + "children": [ + { + "type": 1, + "value": "email" + } + ], + "type": 8, + "value": "b" + }, + { + "type": 0, + "value": " に届きます。" + } + ], + "auth_modal.password_reset_success.title.password_reset": [ + { + "type": 0, + "value": "パスワードのリセット" + } + ], + "carousel.button.scroll_left.assistive_msg": [ + { + "type": 0, + "value": "カルーセルを左へスクロール" + } + ], + "carousel.button.scroll_right.assistive_msg": [ + { + "type": 0, + "value": "カルーセルを右へスクロール" + } + ], + "cart.info.removed_from_cart": [ + { + "type": 0, + "value": "買い物カゴから商品が削除されました" + } + ], + "cart.recommended_products.title.may_also_like": [ + { + "type": 0, + "value": "こちらもおすすめ" + } + ], + "cart.recommended_products.title.recently_viewed": [ + { + "type": 0, + "value": "最近見た商品" + } + ], + "cart_cta.link.checkout": [ + { + "type": 0, + "value": "注文手続きに進む" + } + ], + "cart_secondary_button_group.action.added_to_wishlist": [ + { + "type": 0, + "value": "ほしい物リストに追加" + } + ], + "cart_secondary_button_group.action.edit": [ + { + "type": 0, + "value": "編集" + } + ], + "cart_secondary_button_group.action.remove": [ + { + "type": 0, + "value": "削除" + } + ], + "cart_secondary_button_group.label.this_is_gift": [ + { + "type": 0, + "value": "これはギフトです。" + } + ], + "cart_skeleton.heading.order_summary": [ + { + "type": 0, + "value": "注文の概要" + } + ], + "cart_skeleton.title.cart": [ + { + "type": 0, + "value": "買い物カゴ" + } + ], + "cart_title.title.cart_num_of_items": [ + { + "type": 0, + "value": "買い物カゴ (" + }, + { + "offset": 0, + "options": { + "=0": { + "value": [ + { + "type": 0, + "value": "0 個の商品" + } + ] + }, + "one": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": " 個の商品" + } + ] + }, + "other": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": " 個の商品" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "itemCount" + }, + { + "type": 0, + "value": ")" + } + ], + "cc_radio_group.action.remove": [ + { + "type": 0, + "value": "削除" + } + ], + "cc_radio_group.button.add_new_card": [ + { + "type": 0, + "value": "新しいカードの追加" + } + ], + "checkout.button.place_order": [ + { + "type": 0, + "value": "注文の確定" + } + ], + "checkout.message.generic_error": [ + { + "type": 0, + "value": "注文手続き中に予期しないエラーが発生しました。" + } + ], + "checkout_confirmation.button.create_account": [ + { + "type": 0, + "value": "アカウントの作成" + } + ], + "checkout_confirmation.heading.billing_address": [ + { + "type": 0, + "value": "請求先住所" + } + ], + "checkout_confirmation.heading.create_account": [ + { + "type": 0, + "value": "アカウントを作成すると、注文手続きを素早く完了できます" + } + ], + "checkout_confirmation.heading.credit_card": [ + { + "type": 0, + "value": "クレジットカード" + } + ], + "checkout_confirmation.heading.delivery_details": [ + { + "type": 0, + "value": "配送の詳細" + } + ], + "checkout_confirmation.heading.order_summary": [ + { + "type": 0, + "value": "注文の概要" + } + ], + "checkout_confirmation.heading.payment_details": [ + { + "type": 0, + "value": "支払の詳細" + } + ], + "checkout_confirmation.heading.shipping_address": [ + { + "type": 0, + "value": "配送先住所" + } + ], + "checkout_confirmation.heading.shipping_method": [ + { + "type": 0, + "value": "配送方法" + } + ], + "checkout_confirmation.heading.thank_you_for_order": [ + { + "type": 0, + "value": "ご注文いただきありがとうございました!" + } + ], + "checkout_confirmation.label.free": [ + { + "type": 0, + "value": "無料" + } + ], + "checkout_confirmation.label.order_number": [ + { + "type": 0, + "value": "注文番号" + } + ], + "checkout_confirmation.label.order_total": [ + { + "type": 0, + "value": "ご注文金額合計" + } + ], + "checkout_confirmation.label.promo_applied": [ + { + "type": 0, + "value": "プロモーションが適用されました" + } + ], + "checkout_confirmation.label.shipping": [ + { + "type": 0, + "value": "配送" + } + ], + "checkout_confirmation.label.subtotal": [ + { + "type": 0, + "value": "小計" + } + ], + "checkout_confirmation.label.tax": [ + { + "type": 0, + "value": "税金" + } + ], + "checkout_confirmation.link.continue_shopping": [ + { + "type": 0, + "value": "買い物を続ける" + } + ], + "checkout_confirmation.link.login": [ + { + "type": 0, + "value": "ログインはこちらから" + } + ], + "checkout_confirmation.message.already_has_account": [ + { + "type": 0, + "value": "この Eメールにはすでにアカウントがあります。" + } + ], + "checkout_confirmation.message.num_of_items_in_order": [ + { + "offset": 0, + "options": { + "=0": { + "value": [ + { + "type": 0, + "value": "0 個の商品" + } + ] + }, + "one": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": " 個の商品" + } + ] + }, + "other": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": " 個の商品" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "itemCount" + } + ], + "checkout_confirmation.message.will_email_shortly": [ + { + "type": 0, + "value": "確認番号と領収書が含まれる Eメールをまもなく " + }, + { + "children": [ + { + "type": 1, + "value": "email" + } + ], + "type": 8, + "value": "b" + }, + { + "type": 0, + "value": " 宛にお送りします。" + } + ], + "checkout_footer.link.privacy_policy": [ + { + "type": 0, + "value": "プライバシーポリシー" + } + ], + "checkout_footer.link.returns_exchanges": [ + { + "type": 0, + "value": "返品および交換" + } + ], + "checkout_footer.link.shipping": [ + { + "type": 0, + "value": "配送" + } + ], + "checkout_footer.link.site_map": [ + { + "type": 0, + "value": "サイトマップ" + } + ], + "checkout_footer.link.terms_conditions": [ + { + "type": 0, + "value": "使用条件" + } + ], + "checkout_footer.message.copyright": [ + { + "type": 0, + "value": "Salesforce またはその系列会社。All Rights Reserved. これはデモのみを目的とするストアです。注文を確定しても処理されません。" + } + ], + "checkout_header.link.assistive_msg.cart": [ + { + "type": 0, + "value": "買い物カゴに戻る、商品数: " + }, + { + "type": 1, + "value": "numItems" + } + ], + "checkout_header.link.cart": [ + { + "type": 0, + "value": "買い物カゴに戻る" + } + ], + "checkout_payment.action.remove": [ + { + "type": 0, + "value": "削除" + } + ], + "checkout_payment.button.review_order": [ + { + "type": 0, + "value": "注文の確認" + } + ], + "checkout_payment.heading.billing_address": [ + { + "type": 0, + "value": "請求先住所" + } + ], + "checkout_payment.heading.credit_card": [ + { + "type": 0, + "value": "クレジットカード" + } + ], + "checkout_payment.label.same_as_shipping": [ + { + "type": 0, + "value": "配送先住所と同じ" + } + ], + "checkout_payment.title.payment": [ + { + "type": 0, + "value": "支払" + } + ], + "colorRefinements.label.hitCount": [ + { + "type": 1, + "value": "colorLabel" + }, + { + "type": 0, + "value": " (" + }, + { + "type": 1, + "value": "colorHitCount" + }, + { + "type": 0, + "value": ")" + } + ], + "confirmation_modal.default.action.no": [ + { + "type": 0, + "value": "いいえ" + } + ], + "confirmation_modal.default.action.yes": [ + { + "type": 0, + "value": "はい" + } + ], + "confirmation_modal.default.message.you_want_to_continue": [ + { + "type": 0, + "value": "続行しますか?" + } + ], + "confirmation_modal.default.title.confirm_action": [ + { + "type": 0, + "value": "操作の確認" + } + ], + "confirmation_modal.remove_cart_item.action.no": [ + { + "type": 0, + "value": "いいえ、商品をキープします" + } + ], + "confirmation_modal.remove_cart_item.action.remove": [ + { + "type": 0, + "value": "削除" + } + ], + "confirmation_modal.remove_cart_item.action.yes": [ + { + "type": 0, + "value": "はい、商品を削除します" + } + ], + "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": [ + { + "type": 0, + "value": "一部の商品がオンラインで入手できなくなったため、買い物カゴから削除されます。" + } + ], + "confirmation_modal.remove_cart_item.message.sure_to_remove": [ + { + "type": 0, + "value": "この商品を買い物カゴから削除しますか?" + } + ], + "confirmation_modal.remove_cart_item.title.confirm_remove": [ + { + "type": 0, + "value": "商品の削除の確認" + } + ], + "confirmation_modal.remove_cart_item.title.items_unavailable": [ + { + "type": 0, + "value": "入手不可商品" + } + ], + "confirmation_modal.remove_wishlist_item.action.no": [ + { + "type": 0, + "value": "いいえ、商品をキープします" + } + ], + "confirmation_modal.remove_wishlist_item.action.yes": [ + { + "type": 0, + "value": "はい、商品を削除します" + } + ], + "confirmation_modal.remove_wishlist_item.message.sure_to_remove": [ + { + "type": 0, + "value": "この商品をほしい物リストから削除しますか?" + } + ], + "confirmation_modal.remove_wishlist_item.title.confirm_remove": [ + { + "type": 0, + "value": "商品の削除の確認" + } + ], + "contact_info.action.sign_out": [ + { + "type": 0, + "value": "サインアウト" + } + ], + "contact_info.button.already_have_account": [ + { + "type": 0, + "value": "すでにアカウントをお持ちですか?ログイン" + } + ], + "contact_info.button.checkout_as_guest": [ + { + "type": 0, + "value": "ゲストとして注文手続きへ進む" + } + ], + "contact_info.button.login": [ + { + "type": 0, + "value": "ログイン" + } + ], + "contact_info.error.incorrect_username_or_password": [ + { + "type": 0, + "value": "ユーザー名またはパスワードが間違っています。もう一度お試しください。" + } + ], + "contact_info.link.forgot_password": [ + { + "type": 0, + "value": "パスワードを忘れましたか?" + } + ], + "contact_info.title.contact_info": [ + { + "type": 0, + "value": "連絡先情報" + } + ], + "credit_card_fields.tool_tip.security_code": [ + { + "type": 0, + "value": "この 3 桁のコードはカードの裏面に記載されています。" + } + ], + "credit_card_fields.tool_tip.security_code.american_express": [ + { + "type": 0, + "value": "この 4 桁のコードはカードの表面に記載されています。" + } + ], + "credit_card_fields.tool_tip.security_code_aria_label": [ + { + "type": 0, + "value": "セキュリティコード情報" + } + ], + "drawer_menu.button.account_details": [ + { + "type": 0, + "value": "アカウントの詳細" + } + ], + "drawer_menu.button.addresses": [ + { + "type": 0, + "value": "住所" + } + ], + "drawer_menu.button.log_out": [ + { + "type": 0, + "value": "ログアウト" + } + ], + "drawer_menu.button.my_account": [ + { + "type": 0, + "value": "マイアカウント" + } + ], + "drawer_menu.button.order_history": [ + { + "type": 0, + "value": "注文履歴" + } + ], + "drawer_menu.link.about_us": [ + { + "type": 0, + "value": "企業情報" + } + ], + "drawer_menu.link.customer_support": [ + { + "type": 0, + "value": "カスタマーサポート" + } + ], + "drawer_menu.link.customer_support.contact_us": [ + { + "type": 0, + "value": "お問い合わせ" + } + ], + "drawer_menu.link.customer_support.shipping_and_returns": [ + { + "type": 0, + "value": "配送と返品" + } + ], + "drawer_menu.link.our_company": [ + { + "type": 0, + "value": "当社について" + } + ], + "drawer_menu.link.privacy_and_security": [ + { + "type": 0, + "value": "プライバシー & セキュリティ" + } + ], + "drawer_menu.link.privacy_policy": [ + { + "type": 0, + "value": "プライバシーポリシー" + } + ], + "drawer_menu.link.shop_all": [ + { + "type": 0, + "value": "すべての商品" + } + ], + "drawer_menu.link.sign_in": [ + { + "type": 0, + "value": "サインイン" + } + ], + "drawer_menu.link.site_map": [ + { + "type": 0, + "value": "サイトマップ" + } + ], + "drawer_menu.link.store_locator": [ + { + "type": 0, + "value": "店舗検索" + } + ], + "drawer_menu.link.terms_and_conditions": [ + { + "type": 0, + "value": "使用条件" + } + ], + "empty_cart.description.empty_cart": [ + { + "type": 0, + "value": "買い物カゴは空です。" + } + ], + "empty_cart.link.continue_shopping": [ + { + "type": 0, + "value": "買い物を続ける" + } + ], + "empty_cart.link.sign_in": [ + { + "type": 0, + "value": "サインイン" + } + ], + "empty_cart.message.continue_shopping": [ + { + "type": 0, + "value": "買い物を続けて、買い物カゴに商品を追加してください。" + } + ], + "empty_cart.message.sign_in_or_continue_shopping": [ + { + "type": 0, + "value": "サインインして保存された商品を取得するか、買い物を続けてください。" + } + ], + "empty_search_results.info.cant_find_anything_for_category": [ + { + "type": 1, + "value": "category" + }, + { + "type": 0, + "value": "では該当する商品が見つかりませんでした。商品を検索してみるか、または" + }, + { + "type": 1, + "value": "link" + }, + { + "type": 0, + "value": "ください。" + } + ], + "empty_search_results.info.cant_find_anything_for_query": [ + { + "type": 0, + "value": "\"" + }, + { + "type": 1, + "value": "searchQuery" + }, + { + "type": 0, + "value": "\" では該当する商品が見つかりませんでした。" + } + ], + "empty_search_results.info.double_check_spelling": [ + { + "type": 0, + "value": "入力内容に間違いがないか再度ご確認の上、もう一度やり直すか、または" + }, + { + "type": 1, + "value": "link" + }, + { + "type": 0, + "value": "ください。" + } + ], + "empty_search_results.link.contact_us": [ + { + "type": 0, + "value": "お問い合わせ" + } + ], + "empty_search_results.recommended_products.title.most_viewed": [ + { + "type": 0, + "value": "最も閲覧された商品" + } + ], + "empty_search_results.recommended_products.title.top_sellers": [ + { + "type": 0, + "value": "売れ筋商品" + } + ], + "field.password.assistive_msg.hide_password": [ + { + "type": 0, + "value": "パスワードを非表示" + } + ], + "field.password.assistive_msg.show_password": [ + { + "type": 0, + "value": "パスワードを表示" + } + ], + "footer.column.account": [ + { + "type": 0, + "value": "アカウント" + } + ], + "footer.column.customer_support": [ + { + "type": 0, + "value": "カスタマーサポート" + } + ], + "footer.column.our_company": [ + { + "type": 0, + "value": "当社について" + } + ], + "footer.link.about_us": [ + { + "type": 0, + "value": "企業情報" + } + ], + "footer.link.contact_us": [ + { + "type": 0, + "value": "お問い合わせ" + } + ], + "footer.link.order_status": [ + { + "type": 0, + "value": "注文ステータス" + } + ], + "footer.link.privacy_policy": [ + { + "type": 0, + "value": "プライバシーポリシー" + } + ], + "footer.link.shipping": [ + { + "type": 0, + "value": "配送" + } + ], + "footer.link.signin_create_account": [ + { + "type": 0, + "value": "サインインするかアカウントを作成してください" + } + ], + "footer.link.site_map": [ + { + "type": 0, + "value": "サイトマップ" + } + ], + "footer.link.store_locator": [ + { + "type": 0, + "value": "店舗検索" + } + ], + "footer.link.terms_conditions": [ + { + "type": 0, + "value": "使用条件" + } + ], + "footer.message.copyright": [ + { + "type": 0, + "value": "Salesforce またはその系列会社。All Rights Reserved. これはデモのみを目的とするストアです。注文を確定しても処理されません。" + } + ], + "footer.subscribe.button.sign_up": [ + { + "type": 0, + "value": "サインアップ" + } + ], + "footer.subscribe.description.sign_up": [ + { + "type": 0, + "value": "サインアップすると人気のお買い得商品について最新情報を入手できます" + } + ], + "footer.subscribe.heading.first_to_know": [ + { + "type": 0, + "value": "最新情報を誰よりも早く入手" + } + ], + "form_action_buttons.button.cancel": [ + { + "type": 0, + "value": "キャンセル" + } + ], + "form_action_buttons.button.save": [ + { + "type": 0, + "value": "保存" + } + ], + "global.account.link.account_details": [ + { + "type": 0, + "value": "アカウントの詳細" + } + ], + "global.account.link.addresses": [ + { + "type": 0, + "value": "住所" + } + ], + "global.account.link.order_history": [ + { + "type": 0, + "value": "注文履歴" + } + ], + "global.account.link.wishlist": [ + { + "type": 0, + "value": "ほしい物リスト" + } + ], + "global.error.something_went_wrong": [ + { + "type": 0, + "value": "問題が発生しました。もう一度お試しください!" + } + ], + "global.info.added_to_wishlist": [ + { + "type": 1, + "value": "quantity" + }, + { + "type": 0, + "value": " " + }, + { + "offset": 0, + "options": { + "one": { + "value": [ + { + "type": 0, + "value": " 個の商品" + } + ] + }, + "other": { + "value": [ + { + "type": 0, + "value": " 個の商品" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "quantity" + }, + { + "type": 0, + "value": "がほしい物リストに追加されました" + } + ], + "global.info.already_in_wishlist": [ + { + "type": 0, + "value": "商品はすでにほしい物リストに追加されています" + } + ], + "global.info.removed_from_wishlist": [ + { + "type": 0, + "value": "ほしい物リストから商品が削除されました" + } + ], + "global.link.added_to_wishlist.view_wishlist": [ + { + "type": 0, + "value": "表示" + } + ], + "header.button.assistive_msg.logo": [ + { + "type": 0, + "value": "ロゴ" + } + ], + "header.button.assistive_msg.menu": [ + { + "type": 0, + "value": "メニュー" + } + ], + "header.button.assistive_msg.my_account": [ + { + "type": 0, + "value": "マイアカウント" + } + ], + "header.button.assistive_msg.my_account_menu": [ + { + "type": 0, + "value": "アカウントメニューを開く" + } + ], + "header.button.assistive_msg.my_cart_with_num_items": [ + { + "type": 0, + "value": "マイ買い物カゴ、商品数: " + }, + { + "type": 1, + "value": "numItems" + } + ], + "header.button.assistive_msg.wishlist": [ + { + "type": 0, + "value": "ほしい物リスト" + } + ], + "header.field.placeholder.search_for_products": [ + { + "type": 0, + "value": "商品の検索..." + } + ], + "header.popover.action.log_out": [ + { + "type": 0, + "value": "ログアウト" + } + ], + "header.popover.title.my_account": [ + { + "type": 0, + "value": "マイアカウント" + } + ], + "home.description.features": [ + { + "type": 0, + "value": "すぐに使える機能が用意されているため、機能の強化のみに注力できます。" + } + ], + "home.description.here_to_help": [ + { + "type": 0, + "value": "サポート担当者にご連絡ください。" + } + ], + "home.description.here_to_help_line_2": [ + { + "type": 0, + "value": "適切な部門におつなげします。" + } + ], + "home.description.shop_products": [ + { + "type": 0, + "value": "このセクションには、カタログからのコンテンツが含まれています。カタログの置き換え方法に関する" + }, + { + "type": 1, + "value": "docLink" + }, + { + "type": 0, + "value": "。" + } + ], + "home.features.description.cart_checkout": [ + { + "type": 0, + "value": "eコマースの買い物客の買い物カゴと注文手続き体験のベストプラクティス。" + } + ], + "home.features.description.components": [ + { + "type": 0, + "value": "Chakra UI を使用して構築された、シンプルなモジュラー型のアクセシブルな React コンポーネントライブラリ。" + } + ], + "home.features.description.einstein_recommendations": [ + { + "type": 0, + "value": "商品レコメンデーションにより、次善の商品やオファーをすべての買い物客に提示します。" + } + ], + "home.features.description.my_account": [ + { + "type": 0, + "value": "買い物客は、プロフィール、住所、支払、注文などのアカウント情報を管理できます。" + } + ], + "home.features.description.shopper_login": [ + { + "type": 0, + "value": "買い物客がより簡単にログインし、よりパーソナル化された買い物体験を得られるようにします。" + } + ], + "home.features.description.wishlist": [ + { + "type": 0, + "value": "登録済みの買い物客は商品をほしい物リストに追加し、あとで購入できるようにしておけます。" + } + ], + "home.features.heading.cart_checkout": [ + { + "type": 0, + "value": "買い物カゴ & 注文手続き" + } + ], + "home.features.heading.components": [ + { + "type": 0, + "value": "コンポーネント & 設計キット" + } + ], + "home.features.heading.einstein_recommendations": [ + { + "type": 0, + "value": "Einstein レコメンデーション" + } + ], + "home.features.heading.my_account": [ + { + "type": 0, + "value": "マイアカウント" + } + ], + "home.features.heading.shopper_login": [ + { + "type": 0, + "value": "Shopper Login and API Access Service (SLAS)" + } + ], + "home.features.heading.wishlist": [ + { + "type": 0, + "value": "ほしい物リスト" + } + ], + "home.heading.features": [ + { + "type": 0, + "value": "機能" + } + ], + "home.heading.here_to_help": [ + { + "type": 0, + "value": "弊社にお任せください" + } + ], + "home.heading.shop_products": [ + { + "type": 0, + "value": "ショップの商品" + } + ], + "home.hero_features.link.design_kit": [ + { + "type": 0, + "value": "Figma PWA Design Kit で作成" + } + ], + "home.hero_features.link.on_github": [ + { + "type": 0, + "value": "Github でダウンロード" + } + ], + "home.hero_features.link.on_managed_runtime": [ + { + "type": 0, + "value": "Managed Runtime でデプロイ" + } + ], + "home.link.contact_us": [ + { + "type": 0, + "value": "お問い合わせ" + } + ], + "home.link.get_started": [ + { + "type": 0, + "value": "開始する" + } + ], + "home.link.read_docs": [ + { + "type": 0, + "value": "ドキュメントを読む" + } + ], + "home.title.react_starter_store": [ + { + "type": 0, + "value": "リテール用 React PWA Starter Store" + } + ], + "icons.assistive_msg.lock": [ + { + "type": 0, + "value": "セキュア" + } + ], + "item_attributes.label.promotions": [ + { + "type": 0, + "value": "プロモーション" + } + ], + "item_attributes.label.quantity": [ + { + "type": 0, + "value": "数量: " + }, + { + "type": 1, + "value": "quantity" + } + ], + "item_image.label.sale": [ + { + "type": 0, + "value": "セール" + } + ], + "item_image.label.unavailable": [ + { + "type": 0, + "value": "入手不可" + } + ], + "item_price.label.starting_at": [ + { + "type": 0, + "value": "最低価格" + } + ], + "lCPCxk": [ + { + "type": 0, + "value": "上記のすべてのオプションを選択してください" + } + ], + "list_menu.nav.assistive_msg": [ + { + "type": 0, + "value": "メインナビゲーション" + } + ], + "locale_text.message.ar-SA": [ + { + "type": 0, + "value": "アラビア語 (サウジアラビア)" + } + ], + "locale_text.message.bn-BD": [ + { + "type": 0, + "value": "バングラ語 (バングラデシュ)" + } + ], + "locale_text.message.bn-IN": [ + { + "type": 0, + "value": "バングラ語 (インド)" + } + ], + "locale_text.message.cs-CZ": [ + { + "type": 0, + "value": "チェコ語 (チェコ共和国)" + } + ], + "locale_text.message.da-DK": [ + { + "type": 0, + "value": "デンマーク語 (デンマーク)" + } + ], + "locale_text.message.de-AT": [ + { + "type": 0, + "value": "ドイツ語 (オーストリア)" + } + ], + "locale_text.message.de-CH": [ + { + "type": 0, + "value": "ドイツ語 (スイス)" + } + ], + "locale_text.message.de-DE": [ + { + "type": 0, + "value": "ドイツ語 (ドイツ)" + } + ], + "locale_text.message.el-GR": [ + { + "type": 0, + "value": "ギリシャ語 (ギリシャ)" + } + ], + "locale_text.message.en-AU": [ + { + "type": 0, + "value": "英語 (オーストラリア)" + } + ], + "locale_text.message.en-CA": [ + { + "type": 0, + "value": "英語 (カナダ)" + } + ], + "locale_text.message.en-GB": [ + { + "type": 0, + "value": "英語 (英国)" + } + ], + "locale_text.message.en-IE": [ + { + "type": 0, + "value": "英語 (アイルランド)" + } + ], + "locale_text.message.en-IN": [ + { + "type": 0, + "value": "英語 (インド)" + } + ], + "locale_text.message.en-NZ": [ + { + "type": 0, + "value": "英語 (ニュージーランド)" + } + ], + "locale_text.message.en-US": [ + { + "type": 0, + "value": "英語 (米国)" + } + ], + "locale_text.message.en-ZA": [ + { + "type": 0, + "value": "英語 (南アフリカ)" + } + ], + "locale_text.message.es-AR": [ + { + "type": 0, + "value": "スペイン語 (アルゼンチン)" + } + ], + "locale_text.message.es-CL": [ + { + "type": 0, + "value": "スペイン語 (チリ)" + } + ], + "locale_text.message.es-CO": [ + { + "type": 0, + "value": "スペイン語 (コロンビア)" + } + ], + "locale_text.message.es-ES": [ + { + "type": 0, + "value": "スペイン語 (スペイン)" + } + ], + "locale_text.message.es-MX": [ + { + "type": 0, + "value": "スペイン語 (メキシコ)" + } + ], + "locale_text.message.es-US": [ + { + "type": 0, + "value": "スペイン語 (米国)" + } + ], + "locale_text.message.fi-FI": [ + { + "type": 0, + "value": "フィンランド語 (フィンランド)" + } + ], + "locale_text.message.fr-BE": [ + { + "type": 0, + "value": "フランス語 (ベルギー)" + } + ], + "locale_text.message.fr-CA": [ + { + "type": 0, + "value": "フランス語 (カナダ)" + } + ], + "locale_text.message.fr-CH": [ + { + "type": 0, + "value": "フランス語 (スイス)" + } + ], + "locale_text.message.fr-FR": [ + { + "type": 0, + "value": "フランス語 (フランス)" + } + ], + "locale_text.message.he-IL": [ + { + "type": 0, + "value": "ヘブライ語 (イスラエル)" + } + ], + "locale_text.message.hi-IN": [ + { + "type": 0, + "value": "ヒンディー語 (インド)" + } + ], + "locale_text.message.hu-HU": [ + { + "type": 0, + "value": "ハンガリー語 (ハンガリー)" + } + ], + "locale_text.message.id-ID": [ + { + "type": 0, + "value": "インドネシア語 (インドネシア)" + } + ], + "locale_text.message.it-CH": [ + { + "type": 0, + "value": "イタリア語 (スイス)" + } + ], + "locale_text.message.it-IT": [ + { + "type": 0, + "value": "イタリア語 (イタリア)" + } + ], + "locale_text.message.ja-JP": [ + { + "type": 0, + "value": "日本語 (日本)" + } + ], + "locale_text.message.ko-KR": [ + { + "type": 0, + "value": "韓国語 (韓国)" + } + ], + "locale_text.message.nl-BE": [ + { + "type": 0, + "value": "オランダ語 (ベルギー)" + } + ], + "locale_text.message.nl-NL": [ + { + "type": 0, + "value": "オランダ語 (オランダ)" + } + ], + "locale_text.message.no-NO": [ + { + "type": 0, + "value": "ノルウェー語 (ノルウェー)" + } + ], + "locale_text.message.pl-PL": [ + { + "type": 0, + "value": "ポーランド語 (ポーランド)" + } + ], + "locale_text.message.pt-BR": [ + { + "type": 0, + "value": "ポルトガル語 (ブラジル)" + } + ], + "locale_text.message.pt-PT": [ + { + "type": 0, + "value": "ポルトガル語 (ポルトガル)" + } + ], + "locale_text.message.ro-RO": [ + { + "type": 0, + "value": "ルーマニア語 (ルーマニア)" + } + ], + "locale_text.message.ru-RU": [ + { + "type": 0, + "value": "ロシア語 (ロシア連邦)" + } + ], + "locale_text.message.sk-SK": [ + { + "type": 0, + "value": "スロバキア語 (スロバキア)" + } + ], + "locale_text.message.sv-SE": [ + { + "type": 0, + "value": "スウェーデン語 (スウェーデン)" + } + ], + "locale_text.message.ta-IN": [ + { + "type": 0, + "value": "タミール語 (インド)" + } + ], + "locale_text.message.ta-LK": [ + { + "type": 0, + "value": "タミール語 (スリランカ)" + } + ], + "locale_text.message.th-TH": [ + { + "type": 0, + "value": "タイ語 (タイ)" + } + ], + "locale_text.message.tr-TR": [ + { + "type": 0, + "value": "トルコ語 (トルコ)" + } + ], + "locale_text.message.zh-CN": [ + { + "type": 0, + "value": "中国語 (中国)" + } + ], + "locale_text.message.zh-HK": [ + { + "type": 0, + "value": "中国語 (香港)" + } + ], + "locale_text.message.zh-TW": [ + { + "type": 0, + "value": "中国語 (台湾)" + } + ], + "login_form.action.create_account": [ + { + "type": 0, + "value": "アカウントの作成" + } + ], + "login_form.button.sign_in": [ + { + "type": 0, + "value": "サインイン" + } + ], + "login_form.link.forgot_password": [ + { + "type": 0, + "value": "パスワードを忘れましたか?" + } + ], + "login_form.message.dont_have_account": [ + { + "type": 0, + "value": "アカウントをお持ちではありませんか?" + } + ], + "login_form.message.welcome_back": [ + { + "type": 0, + "value": "お帰りなさい" + } + ], + "login_page.error.incorrect_username_or_password": [ + { + "type": 0, + "value": "ユーザー名またはパスワードが間違っています。もう一度お試しください。" + } + ], + "offline_banner.description.browsing_offline_mode": [ + { + "type": 0, + "value": "現在オフラインモードで閲覧しています" + } + ], + "order_summary.action.remove_promo": [ + { + "type": 0, + "value": "削除" + } + ], + "order_summary.cart_items.action.num_of_items_in_cart": [ + { + "offset": 0, + "options": { + "=0": { + "value": [ + { + "type": 0, + "value": "0 個の商品" + } + ] + }, + "one": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": " 個の商品" + } + ] + }, + "other": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": " 個の商品" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "itemCount" + }, + { + "type": 0, + "value": "が買い物カゴに入っています" + } + ], + "order_summary.cart_items.link.edit_cart": [ + { + "type": 0, + "value": "買い物カゴを編集する" + } + ], + "order_summary.heading.order_summary": [ + { + "type": 0, + "value": "注文の概要" + } + ], + "order_summary.label.estimated_total": [ + { + "type": 0, + "value": "見積合計金額" + } + ], + "order_summary.label.free": [ + { + "type": 0, + "value": "無料" + } + ], + "order_summary.label.order_total": [ + { + "type": 0, + "value": "ご注文金額合計" + } + ], + "order_summary.label.promo_applied": [ + { + "type": 0, + "value": "プロモーションが適用されました" + } + ], + "order_summary.label.promotions_applied": [ + { + "type": 0, + "value": "プロモーションが適用されました" + } + ], + "order_summary.label.shipping": [ + { + "type": 0, + "value": "配送" + } + ], + "order_summary.label.subtotal": [ + { + "type": 0, + "value": "小計" + } + ], + "order_summary.label.tax": [ + { + "type": 0, + "value": "税金" + } + ], + "page_not_found.action.go_back": [ + { + "type": 0, + "value": "前のページに戻る" + } + ], + "page_not_found.link.homepage": [ + { + "type": 0, + "value": "ホームページに移動する" + } + ], + "page_not_found.message.suggestion_to_try": [ + { + "type": 0, + "value": "アドレスを再入力するか、前のページに戻るか、ホームページに移動してください。" + } + ], + "page_not_found.title.page_cant_be_found": [ + { + "type": 0, + "value": "お探しのページが見つかりません。" + } + ], + "pagination.field.num_of_pages": [ + { + "type": 0, + "value": "/" + }, + { + "type": 1, + "value": "numOfPages" + } + ], + "pagination.link.next": [ + { + "type": 0, + "value": "次へ" + } + ], + "pagination.link.next.assistive_msg": [ + { + "type": 0, + "value": "次のページ" + } + ], + "pagination.link.prev": [ + { + "type": 0, + "value": "前へ" + } + ], + "pagination.link.prev.assistive_msg": [ + { + "type": 0, + "value": "前のページ" + } + ], + "password_card.info.password_updated": [ + { + "type": 0, + "value": "パスワードが更新されました" + } + ], + "password_card.label.password": [ + { + "type": 0, + "value": "パスワード" + } + ], + "password_card.title.password": [ + { + "type": 0, + "value": "パスワード" + } + ], + "password_requirements.error.eight_letter_minimum": [ + { + "type": 0, + "value": "最低 8 文字" + } + ], + "password_requirements.error.one_lowercase_letter": [ + { + "type": 0, + "value": "小文字 1 個" + } + ], + "password_requirements.error.one_number": [ + { + "type": 0, + "value": "数字 1 個" + } + ], + "password_requirements.error.one_special_character": [ + { + "type": 0, + "value": "特殊文字 (例: , S ! % #) 1 個" + } + ], + "password_requirements.error.one_uppercase_letter": [ + { + "type": 0, + "value": "大文字 1 個" + } + ], + "payment_selection.heading.credit_card": [ + { + "type": 0, + "value": "クレジットカード" + } + ], + "payment_selection.tooltip.secure_payment": [ + { + "type": 0, + "value": "これは SSL 暗号化によるセキュアな支払方法です。" + } + ], + "price_per_item.label.each": [ + { + "type": 0, + "value": "単価" + } + ], + "product_detail.accordion.button.product_detail": [ + { + "type": 0, + "value": "商品の詳細" + } + ], + "product_detail.accordion.button.questions": [ + { + "type": 0, + "value": "質問" + } + ], + "product_detail.accordion.button.reviews": [ + { + "type": 0, + "value": "レビュー" + } + ], + "product_detail.accordion.button.size_fit": [ + { + "type": 0, + "value": "サイズとフィット" + } + ], + "product_detail.accordion.message.coming_soon": [ + { + "type": 0, + "value": "準備中" + } + ], + "product_detail.recommended_products.title.complete_set": [ + { + "type": 0, + "value": "セットを完成" + } + ], + "product_detail.recommended_products.title.might_also_like": [ + { + "type": 0, + "value": "こちらもどうぞ" + } + ], + "product_detail.recommended_products.title.recently_viewed": [ + { + "type": 0, + "value": "最近見た商品" + } + ], + "product_item.label.quantity": [ + { + "type": 0, + "value": "数量: " + } + ], + "product_list.button.filter": [ + { + "type": 0, + "value": "フィルター" + } + ], + "product_list.button.sort_by": [ + { + "type": 0, + "value": "並べ替え順: " + }, + { + "type": 1, + "value": "sortOption" + } + ], + "product_list.drawer.title.sort_by": [ + { + "type": 0, + "value": "並べ替え順" + } + ], + "product_list.modal.button.clear_filters": [ + { + "type": 0, + "value": "フィルターのクリア" + } + ], + "product_list.modal.button.view_items": [ + { + "type": 1, + "value": "prroductCount" + }, + { + "type": 0, + "value": " 個の商品を表示" + } + ], + "product_list.modal.title.filter": [ + { + "type": 0, + "value": "フィルター" + } + ], + "product_list.refinements.button.assistive_msg.add_filter": [ + { + "type": 0, + "value": "フィルターの追加: " + }, + { + "type": 1, + "value": "label" + } + ], + "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": [ + { + "type": 0, + "value": "フィルターの追加: " + }, + { + "type": 1, + "value": "label" + }, + { + "type": 0, + "value": " (" + }, + { + "type": 1, + "value": "hitCount" + }, + { + "type": 0, + "value": ")" + } + ], + "product_list.refinements.button.assistive_msg.remove_filter": [ + { + "type": 0, + "value": "フィルターの削除: " + }, + { + "type": 1, + "value": "label" + } + ], + "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": [ + { + "type": 0, + "value": "フィルターの削除: " + }, + { + "type": 1, + "value": "label" + }, + { + "type": 0, + "value": " (" + }, + { + "type": 1, + "value": "hitCount" + }, + { + "type": 0, + "value": ")" + } + ], + "product_list.select.sort_by": [ + { + "type": 0, + "value": "並べ替え順: " + }, + { + "type": 1, + "value": "sortOption" + } + ], + "product_scroller.assistive_msg.scroll_left": [ + { + "type": 0, + "value": "商品を左へスクロール" + } + ], + "product_scroller.assistive_msg.scroll_right": [ + { + "type": 0, + "value": "商品を右へスクロール" + } + ], + "product_tile.assistive_msg.add_to_wishlist": [ + { + "type": 1, + "value": "product" + }, + { + "type": 0, + "value": " をほしい物リストに追加" + } + ], + "product_tile.assistive_msg.remove_from_wishlist": [ + { + "type": 1, + "value": "product" + }, + { + "type": 0, + "value": " をほしい物リストから削除" + } + ], + "product_tile.label.starting_at_price": [ + { + "type": 0, + "value": "最低価格: " + }, + { + "type": 1, + "value": "price" + } + ], + "product_view.button.add_set_to_cart": [ + { + "type": 0, + "value": "セットを買い物カゴに追加" + } + ], + "product_view.button.add_set_to_wishlist": [ + { + "type": 0, + "value": "セットをほしい物リストに追加" + } + ], + "product_view.button.add_to_cart": [ + { + "type": 0, + "value": "買い物カゴに追加" + } + ], + "product_view.button.add_to_wishlist": [ + { + "type": 0, + "value": "ほしい物リストに追加" + } + ], + "product_view.button.update": [ + { + "type": 0, + "value": "更新" + } + ], + "product_view.label.assistive_msg.quantity_decrement": [ + { + "type": 0, + "value": "数量を減らす" + } + ], + "product_view.label.assistive_msg.quantity_increment": [ + { + "type": 0, + "value": "数量を増やす" + } + ], + "product_view.label.quantity": [ + { + "type": 0, + "value": "数量" + } + ], + "product_view.label.quantity_decrement": [ + { + "type": 0, + "value": "−" + } + ], + "product_view.label.quantity_increment": [ + { + "type": 0, + "value": "+" + } + ], + "product_view.label.starting_at_price": [ + { + "type": 0, + "value": "最低価格" + } + ], + "product_view.label.variant_type": [ + { + "type": 1, + "value": "variantType" + } + ], + "product_view.link.full_details": [ + { + "type": 0, + "value": "すべての情報を表示" + } + ], + "profile_card.info.profile_updated": [ + { + "type": 0, + "value": "プロフィールが更新されました" + } + ], + "profile_card.label.email": [ + { + "type": 0, + "value": "Eメール" + } + ], + "profile_card.label.full_name": [ + { + "type": 0, + "value": "氏名" + } + ], + "profile_card.label.phone": [ + { + "type": 0, + "value": "電話番号" + } + ], + "profile_card.message.not_provided": [ + { + "type": 0, + "value": "指定されていません" + } + ], + "profile_card.title.my_profile": [ + { + "type": 0, + "value": "マイプロフィール" + } + ], + "promo_code_fields.button.apply": [ + { + "type": 0, + "value": "適用" + } + ], + "promo_popover.assistive_msg.info": [ + { + "type": 0, + "value": "情報" + } + ], + "promo_popover.heading.promo_applied": [ + { + "type": 0, + "value": "プロモーションが適用されました" + } + ], + "promocode.accordion.button.have_promocode": [ + { + "type": 0, + "value": "プロモーションコードをお持ちですか?" + } + ], + "recent_searches.action.clear_searches": [ + { + "type": 0, + "value": "最近の検索をクリア" + } + ], + "recent_searches.heading.recent_searches": [ + { + "type": 0, + "value": "最近の検索" + } + ], + "register_form.action.sign_in": [ + { + "type": 0, + "value": "サインイン" + } + ], + "register_form.button.create_account": [ + { + "type": 0, + "value": "アカウントの作成" + } + ], + "register_form.heading.lets_get_started": [ + { + "type": 0, + "value": "さあ、始めましょう!" + } + ], + "register_form.message.agree_to_policy_terms": [ + { + "type": 0, + "value": "アカウントを作成した場合、Salesforce の" + }, + { + "children": [ + { + "type": 0, + "value": "プライバシーポリシー" + } + ], + "type": 8, + "value": "policy" + }, + { + "type": 0, + "value": "と" + }, + { + "children": [ + { + "type": 0, + "value": "使用条件" + } + ], + "type": 8, + "value": "terms" + }, + { + "type": 0, + "value": "にご同意いただいたものと見なされます" + } + ], + "register_form.message.already_have_account": [ + { + "type": 0, + "value": "すでにアカウントをお持ちですか?" + } + ], + "register_form.message.create_an_account": [ + { + "type": 0, + "value": "アカウントを作成すると、売れ筋商品、インスピレーション、コミュニティに最初にアクセスできます。" + } + ], + "reset_password.button.back_to_sign_in": [ + { + "type": 0, + "value": "サインインに戻る" + } + ], + "reset_password.info.receive_email_shortly": [ + { + "type": 0, + "value": "パスワードリセットのリンクが記載された Eメールがまもなく " + }, + { + "children": [ + { + "type": 1, + "value": "email" + } + ], + "type": 8, + "value": "b" + }, + { + "type": 0, + "value": " に届きます。" + } + ], + "reset_password.title.password_reset": [ + { + "type": 0, + "value": "パスワードのリセット" + } + ], + "reset_password_form.action.sign_in": [ + { + "type": 0, + "value": "サインイン" + } + ], + "reset_password_form.button.reset_password": [ + { + "type": 0, + "value": "パスワードのリセット" + } + ], + "reset_password_form.message.enter_your_email": [ + { + "type": 0, + "value": "パスワードのリセット方法を受け取るには Eメールを入力してください" + } + ], + "reset_password_form.message.return_to_sign_in": [ + { + "type": 0, + "value": "または次のリンクをクリックしてください: " + } + ], + "reset_password_form.title.reset_password": [ + { + "type": 0, + "value": "パスワードのリセット" + } + ], + "search.action.cancel": [ + { + "type": 0, + "value": "キャンセル" + } + ], + "selected_refinements.action.assistive_msg.clear_all": [ + { + "type": 0, + "value": "すべてのフィルターをクリア" + } + ], + "selected_refinements.action.clear_all": [ + { + "type": 0, + "value": "すべてクリア" + } + ], + "shipping_address.button.continue_to_shipping": [ + { + "type": 0, + "value": "配送方法に進む" + } + ], + "shipping_address.title.shipping_address": [ + { + "type": 0, + "value": "配送先住所" + } + ], + "shipping_address_edit_form.button.save_and_continue": [ + { + "type": 0, + "value": "保存して配送方法に進む" + } + ], + "shipping_address_form.heading.edit_address": [ + { + "type": 0, + "value": "住所を編集する" + } + ], + "shipping_address_form.heading.new_address": [ + { + "type": 0, + "value": "新しい住所の追加" + } + ], + "shipping_address_selection.button.add_address": [ + { + "type": 0, + "value": "新しい住所の追加" + } + ], + "shipping_address_selection.button.submit": [ + { + "type": 0, + "value": "送信" + } + ], + "shipping_address_selection.title.add_address": [ + { + "type": 0, + "value": "新しい住所の追加" + } + ], + "shipping_address_selection.title.edit_shipping": [ + { + "type": 0, + "value": "配送先住所の編集" + } + ], + "shipping_options.action.send_as_a_gift": [ + { + "type": 0, + "value": "ギフトとして発送しますか?" + } + ], + "shipping_options.button.continue_to_payment": [ + { + "type": 0, + "value": "支払に進む" + } + ], + "shipping_options.title.shipping_gift_options": [ + { + "type": 0, + "value": "配送とギフトのオプション" + } + ], + "signout_confirmation_dialog.button.cancel": [ + { + "type": 0, + "value": "キャンセル" + } + ], + "signout_confirmation_dialog.button.sign_out": [ + { + "type": 0, + "value": "サインアウト" + } + ], + "signout_confirmation_dialog.heading.sign_out": [ + { + "type": 0, + "value": "サインアウト" + } + ], + "signout_confirmation_dialog.message.sure_to_sign_out": [ + { + "type": 0, + "value": "サインアウトしますか?現在のご注文を処理するには、再度サインインする必要があります。" + } + ], + "swatch_group.selected.label": [ + { + "type": 1, + "value": "label" + }, + { + "type": 0, + "value": ": " + } + ], + "toggle_card.action.edit": [ + { + "type": 0, + "value": "編集" + } + ], + "update_password_fields.button.forgot_password": [ + { + "type": 0, + "value": "パスワードを忘れましたか?" + } + ], + "use_address_fields.error.please_enter_first_name": [ + { + "type": 0, + "value": "名を入力してください。" + } + ], + "use_address_fields.error.please_enter_last_name": [ + { + "type": 0, + "value": "姓を入力してください。" + } + ], + "use_address_fields.error.please_enter_phone_number": [ + { + "type": 0, + "value": "電話番号を入力してください。" + } + ], + "use_address_fields.error.please_enter_your_postal_or_zip": [ + { + "type": 0, + "value": "郵便番号を入力してください。" + } + ], + "use_address_fields.error.please_select_your_address": [ + { + "type": 0, + "value": "住所を入力してください。" + } + ], + "use_address_fields.error.please_select_your_city": [ + { + "type": 0, + "value": "市区町村を入力してください。" + } + ], + "use_address_fields.error.please_select_your_country": [ + { + "type": 0, + "value": "国を選択してください。" + } + ], + "use_address_fields.error.please_select_your_state_or_province": [ + { + "type": 0, + "value": "州を選択してください。" + } + ], + "use_address_fields.error.required": [ + { + "type": 0, + "value": "必須" + } + ], + "use_address_fields.error.state_code_invalid": [ + { + "type": 0, + "value": "2 文字の州コードを入力してください。" + } + ], + "use_address_fields.label.address": [ + { + "type": 0, + "value": "住所" + } + ], + "use_address_fields.label.address_form": [ + { + "type": 0, + "value": "住所フォーム" + } + ], + "use_address_fields.label.city": [ + { + "type": 0, + "value": "市区町村" + } + ], + "use_address_fields.label.country": [ + { + "type": 0, + "value": "国" + } + ], + "use_address_fields.label.first_name": [ + { + "type": 0, + "value": "名" + } + ], + "use_address_fields.label.last_name": [ + { + "type": 0, + "value": "姓" + } + ], + "use_address_fields.label.phone": [ + { + "type": 0, + "value": "電話" + } + ], + "use_address_fields.label.postal_code": [ + { + "type": 0, + "value": "郵便番号" + } + ], + "use_address_fields.label.preferred": [ + { + "type": 0, + "value": "デフォルトとして設定" + } + ], + "use_address_fields.label.province": [ + { + "type": 0, + "value": "州" + } + ], + "use_address_fields.label.state": [ + { + "type": 0, + "value": "州" + } + ], + "use_address_fields.label.zipCode": [ + { + "type": 0, + "value": "郵便番号" + } + ], + "use_credit_card_fields.error.required": [ + { + "type": 0, + "value": "必須" + } + ], + "use_credit_card_fields.error.required_card_number": [ + { + "type": 0, + "value": "カード番号を入力してください" + } + ], + "use_credit_card_fields.error.required_expiry": [ + { + "type": 0, + "value": "有効期限を入力してください。" + } + ], + "use_credit_card_fields.error.required_name": [ + { + "type": 0, + "value": "カードに記載されている名前を入力してください。" + } + ], + "use_credit_card_fields.error.required_security_code": [ + { + "type": 0, + "value": "セキュリティコードを入力してください。" + } + ], + "use_credit_card_fields.error.valid_card_number": [ + { + "type": 0, + "value": "有効なカード番号を入力してください。" + } + ], + "use_credit_card_fields.error.valid_date": [ + { + "type": 0, + "value": "有効な日付を入力してください。" + } + ], + "use_credit_card_fields.error.valid_name": [ + { + "type": 0, + "value": "有効な名前を入力してください。" + } + ], + "use_credit_card_fields.error.valid_security_code": [ + { + "type": 0, + "value": "有効なセキュリティコードを入力してください。" + } + ], + "use_credit_card_fields.label.card_number": [ + { + "type": 0, + "value": "カード番号" + } + ], + "use_credit_card_fields.label.card_type": [ + { + "type": 0, + "value": "カードタイプ" + } + ], + "use_credit_card_fields.label.expiry": [ + { + "type": 0, + "value": "有効期限" + } + ], + "use_credit_card_fields.label.name": [ + { + "type": 0, + "value": "カードに記載されている名前" + } + ], + "use_credit_card_fields.label.security_code": [ + { + "type": 0, + "value": "セキュリティコード" + } + ], + "use_login_fields.error.required_email": [ + { + "type": 0, + "value": "Eメールアドレスを入力してください。" + } + ], + "use_login_fields.error.required_password": [ + { + "type": 0, + "value": "パスワードを入力してください。" + } + ], + "use_login_fields.label.email": [ + { + "type": 0, + "value": "Eメール" + } + ], + "use_login_fields.label.password": [ + { + "type": 0, + "value": "パスワード" + } + ], + "use_product.message.inventory_remaining": [ + { + "type": 0, + "value": "残り " + }, + { + "type": 1, + "value": "stockLevel" + }, + { + "type": 0, + "value": " 点!" + } + ], + "use_product.message.out_of_stock": [ + { + "type": 0, + "value": "在庫切れ" + } + ], + "use_profile_fields.error.required_email": [ + { + "type": 0, + "value": "有効な Eメールアドレスを入力してください。" + } + ], + "use_profile_fields.error.required_first_name": [ + { + "type": 0, + "value": "名を入力してください。" + } + ], + "use_profile_fields.error.required_last_name": [ + { + "type": 0, + "value": "姓を入力してください。" + } + ], + "use_profile_fields.error.required_phone": [ + { + "type": 0, + "value": "電話番号を入力してください。" + } + ], + "use_profile_fields.label.email": [ + { + "type": 0, + "value": "Eメール" + } + ], + "use_profile_fields.label.first_name": [ + { + "type": 0, + "value": "名" + } + ], + "use_profile_fields.label.last_name": [ + { + "type": 0, + "value": "姓" + } + ], + "use_profile_fields.label.phone": [ + { + "type": 0, + "value": "電話番号" + } + ], + "use_promo_code_fields.error.required_promo_code": [ + { + "type": 0, + "value": "有効なプロモーションコードを入力してください。" + } + ], + "use_promo_code_fields.label.promo_code": [ + { + "type": 0, + "value": "プロモーションコード" + } + ], + "use_promocode.error.check_the_code": [ + { + "type": 0, + "value": "コードを確認してもう一度お試しください。コードはすでに使用済みか、または有効期限が切れている可能性があります。" + } + ], + "use_promocode.info.promo_applied": [ + { + "type": 0, + "value": "プロモーションが適用されました" + } + ], + "use_promocode.info.promo_removed": [ + { + "type": 0, + "value": "プロモーションが削除されました" + } + ], + "use_registration_fields.error.contain_number": [ + { + "type": 0, + "value": "パスワードには、少なくとも 1 個の数字を含める必要があります。" + } + ], + "use_registration_fields.error.lowercase_letter": [ + { + "type": 0, + "value": "パスワードには、少なくとも 1 個の小文字を含める必要があります。" + } + ], + "use_registration_fields.error.minimum_characters": [ + { + "type": 0, + "value": "パスワードには、少なくとも 8 文字を含める必要があります。" + } + ], + "use_registration_fields.error.required_email": [ + { + "type": 0, + "value": "有効な Eメールアドレスを入力してください。" + } + ], + "use_registration_fields.error.required_first_name": [ + { + "type": 0, + "value": "名を入力してください。" + } + ], + "use_registration_fields.error.required_last_name": [ + { + "type": 0, + "value": "姓を入力してください。" + } + ], + "use_registration_fields.error.required_password": [ + { + "type": 0, + "value": "パスワードを作成してください。" + } + ], + "use_registration_fields.error.special_character": [ + { + "type": 0, + "value": "パスワードには、少なくとも 1 個の特殊文字を含める必要があります。" + } + ], + "use_registration_fields.error.uppercase_letter": [ + { + "type": 0, + "value": "パスワードには、少なくとも 1 個の大文字を含める必要があります。" + } + ], + "use_registration_fields.label.email": [ + { + "type": 0, + "value": "Eメール" + } + ], + "use_registration_fields.label.first_name": [ + { + "type": 0, + "value": "名" + } + ], + "use_registration_fields.label.last_name": [ + { + "type": 0, + "value": "姓" + } + ], + "use_registration_fields.label.password": [ + { + "type": 0, + "value": "パスワード" + } + ], + "use_registration_fields.label.sign_up_to_emails": [ + { + "type": 0, + "value": "Salesforce Eメールにサインアップする (購読はいつでも解除できます)" + } + ], + "use_reset_password_fields.error.required_email": [ + { + "type": 0, + "value": "有効な Eメールアドレスを入力してください。" + } + ], + "use_reset_password_fields.label.email": [ + { + "type": 0, + "value": "Eメール" + } + ], + "use_update_password_fields.error.contain_number": [ + { + "type": 0, + "value": "パスワードには、少なくとも 1 個の数字を含める必要があります。" + } + ], + "use_update_password_fields.error.lowercase_letter": [ + { + "type": 0, + "value": "パスワードには、少なくとも 1 個の小文字を含める必要があります。" + } + ], + "use_update_password_fields.error.minimum_characters": [ + { + "type": 0, + "value": "パスワードには、少なくとも 8 文字を含める必要があります。" + } + ], + "use_update_password_fields.error.required_new_password": [ + { + "type": 0, + "value": "新しいパスワードを入力してください。" + } + ], + "use_update_password_fields.error.required_password": [ + { + "type": 0, + "value": "パスワードを入力してください。" + } + ], + "use_update_password_fields.error.special_character": [ + { + "type": 0, + "value": "パスワードには、少なくとも 1 個の特殊文字を含める必要があります。" + } + ], + "use_update_password_fields.error.uppercase_letter": [ + { + "type": 0, + "value": "パスワードには、少なくとも 1 個の大文字を含める必要があります。" + } + ], + "use_update_password_fields.label.current_password": [ + { + "type": 0, + "value": "現在のパスワード" + } + ], + "use_update_password_fields.label.new_password": [ + { + "type": 0, + "value": "新しいパスワード:" + } + ], + "wishlist_primary_action.button.add_set_to_cart": [ + { + "type": 0, + "value": "セットを買い物カゴに追加" + } + ], + "wishlist_primary_action.button.add_to_cart": [ + { + "type": 0, + "value": "買い物カゴに追加" + } + ], + "wishlist_primary_action.button.view_full_details": [ + { + "type": 0, + "value": "すべての情報を表示" + } + ], + "wishlist_primary_action.button.view_options": [ + { + "type": 0, + "value": "オプションを表示" + } + ], + "wishlist_primary_action.info.added_to_cart": [ + { + "type": 1, + "value": "quantity" + }, + { + "type": 0, + "value": " " + }, + { + "offset": 0, + "options": { + "one": { + "value": [ + { + "type": 0, + "value": " 個の商品" + } + ] + }, + "other": { + "value": [ + { + "type": 0, + "value": " 個の商品" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "quantity" + }, + { + "type": 0, + "value": "が買い物カゴに追加されました" + } + ], + "wishlist_secondary_button_group.action.remove": [ + { + "type": 0, + "value": "削除" + } + ], + "wishlist_secondary_button_group.info.item_removed": [ + { + "type": 0, + "value": "ほしい物リストから商品が削除されました" + } + ], + "with_registration.info.please_sign_in": [ + { + "type": 0, + "value": "先に進むにはサインインしてください!" + } + ] +} \ No newline at end of file diff --git a/my-test-project/overrides/app/static/translations/compiled/ko-KR.json b/my-test-project/overrides/app/static/translations/compiled/ko-KR.json new file mode 100644 index 0000000000..f0f158630c --- /dev/null +++ b/my-test-project/overrides/app/static/translations/compiled/ko-KR.json @@ -0,0 +1,3454 @@ +{ + "account.accordion.button.my_account": [ + { + "type": 0, + "value": "내 계정" + } + ], + "account.heading.my_account": [ + { + "type": 0, + "value": "내 계정" + } + ], + "account.logout_button.button.log_out": [ + { + "type": 0, + "value": "로그아웃" + } + ], + "account_addresses.badge.default": [ + { + "type": 0, + "value": "기본값" + } + ], + "account_addresses.button.add_address": [ + { + "type": 0, + "value": "주소 추가" + } + ], + "account_addresses.info.address_removed": [ + { + "type": 0, + "value": "주소가 제거됨" + } + ], + "account_addresses.info.address_updated": [ + { + "type": 0, + "value": "주소가 업데이트됨" + } + ], + "account_addresses.info.new_address_saved": [ + { + "type": 0, + "value": "새 주소가 저장됨" + } + ], + "account_addresses.page_action_placeholder.button.add_address": [ + { + "type": 0, + "value": "주소 추가" + } + ], + "account_addresses.page_action_placeholder.heading.no_saved_addresses": [ + { + "type": 0, + "value": "저장된 주소 없음" + } + ], + "account_addresses.page_action_placeholder.message.add_new_address": [ + { + "type": 0, + "value": "빠른 체크아웃을 위해 새 주소를 추가합니다." + } + ], + "account_addresses.title.addresses": [ + { + "type": 0, + "value": "주소" + } + ], + "account_detail.title.account_details": [ + { + "type": 0, + "value": "계정 세부 정보" + } + ], + "account_order_detail.heading.billing_address": [ + { + "type": 0, + "value": "청구 주소" + } + ], + "account_order_detail.heading.num_of_items": [ + { + "type": 1, + "value": "count" + }, + { + "type": 0, + "value": "개 항목" + } + ], + "account_order_detail.heading.payment_method": [ + { + "type": 0, + "value": "결제 방법" + } + ], + "account_order_detail.heading.shipping_address": [ + { + "type": 0, + "value": "배송 주소" + } + ], + "account_order_detail.heading.shipping_method": [ + { + "type": 0, + "value": "배송 방법" + } + ], + "account_order_detail.label.order_number": [ + { + "type": 0, + "value": "주문 번호: " + }, + { + "type": 1, + "value": "orderNumber" + } + ], + "account_order_detail.label.ordered_date": [ + { + "type": 0, + "value": "주문 날짜: " + }, + { + "type": 1, + "value": "date" + } + ], + "account_order_detail.label.pending_tracking_number": [ + { + "type": 0, + "value": "대기 중" + } + ], + "account_order_detail.label.tracking_number": [ + { + "type": 0, + "value": "추적 번호" + } + ], + "account_order_detail.link.back_to_history": [ + { + "type": 0, + "value": "주문 내역으로 돌아가기" + } + ], + "account_order_detail.shipping_status.not_shipped": [ + { + "type": 0, + "value": "출고되지 않음" + } + ], + "account_order_detail.shipping_status.part_shipped": [ + { + "type": 0, + "value": "부분 출고됨" + } + ], + "account_order_detail.shipping_status.shipped": [ + { + "type": 0, + "value": "출고됨" + } + ], + "account_order_detail.title.order_details": [ + { + "type": 0, + "value": "주문 세부 정보" + } + ], + "account_order_history.button.continue_shopping": [ + { + "type": 0, + "value": "계속 쇼핑하기" + } + ], + "account_order_history.description.once_you_place_order": [ + { + "type": 0, + "value": "주문을 하면 여기에 세부 정보가 표시됩니다." + } + ], + "account_order_history.heading.no_order_yet": [ + { + "type": 0, + "value": "아직 주문한 내역이 없습니다." + } + ], + "account_order_history.label.num_of_items": [ + { + "type": 1, + "value": "count" + }, + { + "type": 0, + "value": "개 항목" + } + ], + "account_order_history.label.order_number": [ + { + "type": 0, + "value": "주문 번호: " + }, + { + "type": 1, + "value": "orderNumber" + } + ], + "account_order_history.label.ordered_date": [ + { + "type": 0, + "value": "주문 날짜: " + }, + { + "type": 1, + "value": "date" + } + ], + "account_order_history.label.shipped_to": [ + { + "type": 0, + "value": "받는 사람: " + }, + { + "type": 1, + "value": "name" + } + ], + "account_order_history.link.view_details": [ + { + "type": 0, + "value": "세부 정보 보기" + } + ], + "account_order_history.title.order_history": [ + { + "type": 0, + "value": "주문 내역" + } + ], + "account_wishlist.button.continue_shopping": [ + { + "type": 0, + "value": "계속 쇼핑하기" + } + ], + "account_wishlist.description.continue_shopping": [ + { + "type": 0, + "value": "계속 쇼핑하면서 위시리스트에 항목을 추가합니다." + } + ], + "account_wishlist.heading.no_wishlist": [ + { + "type": 0, + "value": "위시리스트 항목 없음" + } + ], + "account_wishlist.title.wishlist": [ + { + "type": 0, + "value": "위시리스트" + } + ], + "action_card.action.edit": [ + { + "type": 0, + "value": "편집" + } + ], + "action_card.action.remove": [ + { + "type": 0, + "value": "제거" + } + ], + "add_to_cart_modal.info.added_to_cart": [ + { + "type": 1, + "value": "quantity" + }, + { + "type": 0, + "value": " " + }, + { + "offset": 0, + "options": { + "one": { + "value": [ + { + "type": 0, + "value": "개 항목" + } + ] + }, + "other": { + "value": [ + { + "type": 0, + "value": "개 항목" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "quantity" + }, + { + "type": 0, + "value": "이 카트에 추가됨" + } + ], + "add_to_cart_modal.label.cart_subtotal": [ + { + "type": 0, + "value": "카트 소계(" + }, + { + "type": 1, + "value": "itemAccumulatedCount" + }, + { + "type": 0, + "value": "개 항목)" + } + ], + "add_to_cart_modal.label.quantity": [ + { + "type": 0, + "value": "수량" + } + ], + "add_to_cart_modal.link.checkout": [ + { + "type": 0, + "value": "체크아웃 진행" + } + ], + "add_to_cart_modal.link.view_cart": [ + { + "type": 0, + "value": "카트 보기" + } + ], + "add_to_cart_modal.recommended_products.title.might_also_like": [ + { + "type": 0, + "value": "추천 상품" + } + ], + "auth_modal.button.close.assistive_msg": [ + { + "type": 0, + "value": "로그인 양식 닫기" + } + ], + "auth_modal.description.now_signed_in": [ + { + "type": 0, + "value": "이제 로그인되었습니다." + } + ], + "auth_modal.error.incorrect_email_or_password": [ + { + "type": 0, + "value": "이메일 또는 암호가 잘못되었습니다. 다시 시도하십시오." + } + ], + "auth_modal.info.welcome_user": [ + { + "type": 1, + "value": "name" + }, + { + "type": 0, + "value": " 님 안녕하세요." + } + ], + "auth_modal.password_reset_success.button.back_to_sign_in": [ + { + "type": 0, + "value": "로그인 페이지로 돌아가기" + } + ], + "auth_modal.password_reset_success.info.will_email_shortly": [ + { + "children": [ + { + "type": 1, + "value": "email" + } + ], + "type": 8, + "value": "b" + }, + { + "type": 0, + "value": "(으)로 암호 재설정 링크가 포함된 이메일이 곧 발송됩니다." + } + ], + "auth_modal.password_reset_success.title.password_reset": [ + { + "type": 0, + "value": "암호 재설정" + } + ], + "carousel.button.scroll_left.assistive_msg": [ + { + "type": 0, + "value": "회전식 보기 왼쪽으로 스크롤" + } + ], + "carousel.button.scroll_right.assistive_msg": [ + { + "type": 0, + "value": "회전식 보기 오른쪽으로 스크롤" + } + ], + "cart.info.removed_from_cart": [ + { + "type": 0, + "value": "항목이 카트에서 제거됨" + } + ], + "cart.recommended_products.title.may_also_like": [ + { + "type": 0, + "value": "추천 상품" + } + ], + "cart.recommended_products.title.recently_viewed": [ + { + "type": 0, + "value": "최근에 봄" + } + ], + "cart_cta.link.checkout": [ + { + "type": 0, + "value": "체크아웃 진행" + } + ], + "cart_secondary_button_group.action.added_to_wishlist": [ + { + "type": 0, + "value": "위시리스트에 추가" + } + ], + "cart_secondary_button_group.action.edit": [ + { + "type": 0, + "value": "편집" + } + ], + "cart_secondary_button_group.action.remove": [ + { + "type": 0, + "value": "제거" + } + ], + "cart_secondary_button_group.label.this_is_gift": [ + { + "type": 0, + "value": "선물로 구매" + } + ], + "cart_skeleton.heading.order_summary": [ + { + "type": 0, + "value": "주문 요약" + } + ], + "cart_skeleton.title.cart": [ + { + "type": 0, + "value": "카트" + } + ], + "cart_title.title.cart_num_of_items": [ + { + "type": 0, + "value": "카트(" + }, + { + "offset": 0, + "options": { + "=0": { + "value": [ + { + "type": 0, + "value": "0개 항목" + } + ] + }, + "one": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": "개 항목" + } + ] + }, + "other": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": "개 항목" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "itemCount" + }, + { + "type": 0, + "value": ")" + } + ], + "cc_radio_group.action.remove": [ + { + "type": 0, + "value": "제거" + } + ], + "cc_radio_group.button.add_new_card": [ + { + "type": 0, + "value": "새 카드 추가" + } + ], + "checkout.button.place_order": [ + { + "type": 0, + "value": "주문하기" + } + ], + "checkout.message.generic_error": [ + { + "type": 0, + "value": "체크아웃하는 중에 예상치 못한 오류가 발생했습니다. " + } + ], + "checkout_confirmation.button.create_account": [ + { + "type": 0, + "value": "계정 생성" + } + ], + "checkout_confirmation.heading.billing_address": [ + { + "type": 0, + "value": "청구 주소" + } + ], + "checkout_confirmation.heading.create_account": [ + { + "type": 0, + "value": "빠른 체크아웃을 위해 계정을 만듭니다." + } + ], + "checkout_confirmation.heading.credit_card": [ + { + "type": 0, + "value": "신용카드" + } + ], + "checkout_confirmation.heading.delivery_details": [ + { + "type": 0, + "value": "배송 세부 정보" + } + ], + "checkout_confirmation.heading.order_summary": [ + { + "type": 0, + "value": "주문 요약" + } + ], + "checkout_confirmation.heading.payment_details": [ + { + "type": 0, + "value": "결제 세부 정보" + } + ], + "checkout_confirmation.heading.shipping_address": [ + { + "type": 0, + "value": "배송 주소" + } + ], + "checkout_confirmation.heading.shipping_method": [ + { + "type": 0, + "value": "배송 방법" + } + ], + "checkout_confirmation.heading.thank_you_for_order": [ + { + "type": 0, + "value": "주문해 주셔서 감사합니다." + } + ], + "checkout_confirmation.label.free": [ + { + "type": 0, + "value": "무료" + } + ], + "checkout_confirmation.label.order_number": [ + { + "type": 0, + "value": "주문 번호" + } + ], + "checkout_confirmation.label.order_total": [ + { + "type": 0, + "value": "주문 합계" + } + ], + "checkout_confirmation.label.promo_applied": [ + { + "type": 0, + "value": "프로모션이 적용됨" + } + ], + "checkout_confirmation.label.shipping": [ + { + "type": 0, + "value": "배송" + } + ], + "checkout_confirmation.label.subtotal": [ + { + "type": 0, + "value": "소계" + } + ], + "checkout_confirmation.label.tax": [ + { + "type": 0, + "value": "세금" + } + ], + "checkout_confirmation.link.continue_shopping": [ + { + "type": 0, + "value": "계속 쇼핑하기" + } + ], + "checkout_confirmation.link.login": [ + { + "type": 0, + "value": "여기서 로그인하십시오." + } + ], + "checkout_confirmation.message.already_has_account": [ + { + "type": 0, + "value": "이 이메일을 사용한 계정이 이미 있습니다." + } + ], + "checkout_confirmation.message.num_of_items_in_order": [ + { + "offset": 0, + "options": { + "=0": { + "value": [ + { + "type": 0, + "value": "0개 항목" + } + ] + }, + "one": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": "개 항목" + } + ] + }, + "other": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": "개 항목" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "itemCount" + } + ], + "checkout_confirmation.message.will_email_shortly": [ + { + "children": [ + { + "type": 1, + "value": "email" + } + ], + "type": 8, + "value": "b" + }, + { + "type": 0, + "value": "(으)로 확인 번호와 영수증이 포함된 이메일을 곧 보내드리겠습니다." + } + ], + "checkout_footer.link.privacy_policy": [ + { + "type": 0, + "value": "개인정보보호 정책" + } + ], + "checkout_footer.link.returns_exchanges": [ + { + "type": 0, + "value": "반품 및 교환" + } + ], + "checkout_footer.link.shipping": [ + { + "type": 0, + "value": "배송" + } + ], + "checkout_footer.link.site_map": [ + { + "type": 0, + "value": "사이트 맵" + } + ], + "checkout_footer.link.terms_conditions": [ + { + "type": 0, + "value": "이용 약관" + } + ], + "checkout_footer.message.copyright": [ + { + "type": 0, + "value": "Salesforce or its affiliates. All rights reserved. 데모용 매장입니다. 주문이 처리되지 않습니다." + } + ], + "checkout_header.link.assistive_msg.cart": [ + { + "type": 0, + "value": "카트로 돌아가기, 품목 수: " + }, + { + "type": 1, + "value": "numItems" + } + ], + "checkout_header.link.cart": [ + { + "type": 0, + "value": "카트로 돌아가기" + } + ], + "checkout_payment.action.remove": [ + { + "type": 0, + "value": "제거" + } + ], + "checkout_payment.button.review_order": [ + { + "type": 0, + "value": "주문 검토" + } + ], + "checkout_payment.heading.billing_address": [ + { + "type": 0, + "value": "청구 주소" + } + ], + "checkout_payment.heading.credit_card": [ + { + "type": 0, + "value": "신용카드" + } + ], + "checkout_payment.label.same_as_shipping": [ + { + "type": 0, + "value": "배송 주소와 동일" + } + ], + "checkout_payment.title.payment": [ + { + "type": 0, + "value": "결제" + } + ], + "colorRefinements.label.hitCount": [ + { + "type": 1, + "value": "colorLabel" + }, + { + "type": 0, + "value": "(" + }, + { + "type": 1, + "value": "colorHitCount" + }, + { + "type": 0, + "value": ")" + } + ], + "confirmation_modal.default.action.no": [ + { + "type": 0, + "value": "아니요" + } + ], + "confirmation_modal.default.action.yes": [ + { + "type": 0, + "value": "예" + } + ], + "confirmation_modal.default.message.you_want_to_continue": [ + { + "type": 0, + "value": "계속하시겠습니까?" + } + ], + "confirmation_modal.default.title.confirm_action": [ + { + "type": 0, + "value": "작업 확인" + } + ], + "confirmation_modal.remove_cart_item.action.no": [ + { + "type": 0, + "value": "아니요. 항목을 그대로 둡니다." + } + ], + "confirmation_modal.remove_cart_item.action.remove": [ + { + "type": 0, + "value": "제거" + } + ], + "confirmation_modal.remove_cart_item.action.yes": [ + { + "type": 0, + "value": "예. 항목을 제거합니다." + } + ], + "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": [ + { + "type": 0, + "value": "더 이상 온라인으로 구매할 수 없는 일부 품목이 카트에서 제거됩니다." + } + ], + "confirmation_modal.remove_cart_item.message.sure_to_remove": [ + { + "type": 0, + "value": "이 항목을 카트에서 제거하시겠습니까?" + } + ], + "confirmation_modal.remove_cart_item.title.confirm_remove": [ + { + "type": 0, + "value": "항목 제거 확인" + } + ], + "confirmation_modal.remove_cart_item.title.items_unavailable": [ + { + "type": 0, + "value": "품목 구매 불가" + } + ], + "confirmation_modal.remove_wishlist_item.action.no": [ + { + "type": 0, + "value": "아니요. 항목을 그대로 둡니다." + } + ], + "confirmation_modal.remove_wishlist_item.action.yes": [ + { + "type": 0, + "value": "예. 항목을 제거합니다." + } + ], + "confirmation_modal.remove_wishlist_item.message.sure_to_remove": [ + { + "type": 0, + "value": "이 항목을 위시리스트에서 제거하시겠습니까?" + } + ], + "confirmation_modal.remove_wishlist_item.title.confirm_remove": [ + { + "type": 0, + "value": "항목 제거 확인" + } + ], + "contact_info.action.sign_out": [ + { + "type": 0, + "value": "로그아웃" + } + ], + "contact_info.button.already_have_account": [ + { + "type": 0, + "value": "계정이 이미 있습니까? 로그인" + } + ], + "contact_info.button.checkout_as_guest": [ + { + "type": 0, + "value": "비회원으로 체크아웃" + } + ], + "contact_info.button.login": [ + { + "type": 0, + "value": "로그인" + } + ], + "contact_info.error.incorrect_username_or_password": [ + { + "type": 0, + "value": "사용자 이름 또는 암호가 올바르지 않습니다. 다시 시도하십시오." + } + ], + "contact_info.link.forgot_password": [ + { + "type": 0, + "value": "암호가 기억나지 않습니까?" + } + ], + "contact_info.title.contact_info": [ + { + "type": 0, + "value": "연락처 정보" + } + ], + "credit_card_fields.tool_tip.security_code": [ + { + "type": 0, + "value": "이 3자리 코드는 카드의 뒷면에서 확인할 수 있습니다." + } + ], + "credit_card_fields.tool_tip.security_code.american_express": [ + { + "type": 0, + "value": "이 4자리 코드는 카드의 전면에서 확인할 수 있습니다." + } + ], + "credit_card_fields.tool_tip.security_code_aria_label": [ + { + "type": 0, + "value": "보안 코드 정보" + } + ], + "drawer_menu.button.account_details": [ + { + "type": 0, + "value": "계정 세부 정보" + } + ], + "drawer_menu.button.addresses": [ + { + "type": 0, + "value": "주소" + } + ], + "drawer_menu.button.log_out": [ + { + "type": 0, + "value": "로그아웃" + } + ], + "drawer_menu.button.my_account": [ + { + "type": 0, + "value": "내 계정" + } + ], + "drawer_menu.button.order_history": [ + { + "type": 0, + "value": "주문 내역" + } + ], + "drawer_menu.link.about_us": [ + { + "type": 0, + "value": "회사 정보" + } + ], + "drawer_menu.link.customer_support": [ + { + "type": 0, + "value": "고객 지원" + } + ], + "drawer_menu.link.customer_support.contact_us": [ + { + "type": 0, + "value": "문의" + } + ], + "drawer_menu.link.customer_support.shipping_and_returns": [ + { + "type": 0, + "value": "배송 및 반품" + } + ], + "drawer_menu.link.our_company": [ + { + "type": 0, + "value": "회사" + } + ], + "drawer_menu.link.privacy_and_security": [ + { + "type": 0, + "value": "개인정보보호 및 보안" + } + ], + "drawer_menu.link.privacy_policy": [ + { + "type": 0, + "value": "개인정보보호 정책" + } + ], + "drawer_menu.link.shop_all": [ + { + "type": 0, + "value": "모두 구매" + } + ], + "drawer_menu.link.sign_in": [ + { + "type": 0, + "value": "로그인" + } + ], + "drawer_menu.link.site_map": [ + { + "type": 0, + "value": "사이트 맵" + } + ], + "drawer_menu.link.store_locator": [ + { + "type": 0, + "value": "매장 찾기" + } + ], + "drawer_menu.link.terms_and_conditions": [ + { + "type": 0, + "value": "이용 약관" + } + ], + "empty_cart.description.empty_cart": [ + { + "type": 0, + "value": "카트가 비어 있습니다." + } + ], + "empty_cart.link.continue_shopping": [ + { + "type": 0, + "value": "계속 쇼핑하기" + } + ], + "empty_cart.link.sign_in": [ + { + "type": 0, + "value": "로그인" + } + ], + "empty_cart.message.continue_shopping": [ + { + "type": 0, + "value": "계속 쇼핑하면서 카트에 항목을 추가합니다." + } + ], + "empty_cart.message.sign_in_or_continue_shopping": [ + { + "type": 0, + "value": "로그인하여 저장된 항목을 검색하거나 쇼핑을 계속하십시오." + } + ], + "empty_search_results.info.cant_find_anything_for_category": [ + { + "type": 1, + "value": "category" + }, + { + "type": 0, + "value": "에 해당하는 항목을 찾을 수 없습니다. 제품을 검색하거나 " + }, + { + "type": 1, + "value": "link" + }, + { + "type": 0, + "value": "을(를) 클릭해 보십시오." + } + ], + "empty_search_results.info.cant_find_anything_for_query": [ + { + "type": 0, + "value": "{searchQuery}에 해당하는 항목을 찾을 수 없습니다." + } + ], + "empty_search_results.info.double_check_spelling": [ + { + "type": 0, + "value": "철자를 다시 확인하고 다시 시도하거나 " + }, + { + "type": 1, + "value": "link" + }, + { + "type": 0, + "value": "을(를) 클릭해 보십시오." + } + ], + "empty_search_results.link.contact_us": [ + { + "type": 0, + "value": "문의" + } + ], + "empty_search_results.recommended_products.title.most_viewed": [ + { + "type": 0, + "value": "가장 많이 본 항목" + } + ], + "empty_search_results.recommended_products.title.top_sellers": [ + { + "type": 0, + "value": "탑셀러" + } + ], + "field.password.assistive_msg.hide_password": [ + { + "type": 0, + "value": "암호 숨기기" + } + ], + "field.password.assistive_msg.show_password": [ + { + "type": 0, + "value": "암호 표시" + } + ], + "footer.column.account": [ + { + "type": 0, + "value": "계정" + } + ], + "footer.column.customer_support": [ + { + "type": 0, + "value": "고객 지원" + } + ], + "footer.column.our_company": [ + { + "type": 0, + "value": "회사" + } + ], + "footer.link.about_us": [ + { + "type": 0, + "value": "회사 정보" + } + ], + "footer.link.contact_us": [ + { + "type": 0, + "value": "문의" + } + ], + "footer.link.order_status": [ + { + "type": 0, + "value": "주문 상태" + } + ], + "footer.link.privacy_policy": [ + { + "type": 0, + "value": "개인정보보호 정책" + } + ], + "footer.link.shipping": [ + { + "type": 0, + "value": "배송" + } + ], + "footer.link.signin_create_account": [ + { + "type": 0, + "value": "로그인 또는 계정 생성" + } + ], + "footer.link.site_map": [ + { + "type": 0, + "value": "사이트 맵" + } + ], + "footer.link.store_locator": [ + { + "type": 0, + "value": "매장 찾기" + } + ], + "footer.link.terms_conditions": [ + { + "type": 0, + "value": "이용 약관" + } + ], + "footer.message.copyright": [ + { + "type": 0, + "value": "Salesforce or its affiliates. All rights reserved. 데모용 매장입니다. 주문이 처리되지 않습니다." + } + ], + "footer.subscribe.button.sign_up": [ + { + "type": 0, + "value": "가입하기" + } + ], + "footer.subscribe.description.sign_up": [ + { + "type": 0, + "value": "특별한 구매 기회를 놓치지 않으려면 가입하세요." + } + ], + "footer.subscribe.heading.first_to_know": [ + { + "type": 0, + "value": "최신 정보를 누구보다 빨리 받아보세요." + } + ], + "form_action_buttons.button.cancel": [ + { + "type": 0, + "value": "취소" + } + ], + "form_action_buttons.button.save": [ + { + "type": 0, + "value": "저장" + } + ], + "global.account.link.account_details": [ + { + "type": 0, + "value": "계정 세부 정보" + } + ], + "global.account.link.addresses": [ + { + "type": 0, + "value": "주소" + } + ], + "global.account.link.order_history": [ + { + "type": 0, + "value": "주문 내역" + } + ], + "global.account.link.wishlist": [ + { + "type": 0, + "value": "위시리스트" + } + ], + "global.error.something_went_wrong": [ + { + "type": 0, + "value": "문제가 발생했습니다. 다시 시도하십시오." + } + ], + "global.info.added_to_wishlist": [ + { + "type": 1, + "value": "quantity" + }, + { + "type": 0, + "value": " " + }, + { + "offset": 0, + "options": { + "one": { + "value": [ + { + "type": 0, + "value": "개 항목" + } + ] + }, + "other": { + "value": [ + { + "type": 0, + "value": "개 항목" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "quantity" + }, + { + "type": 0, + "value": "이 위시리스트에 추가됨" + } + ], + "global.info.already_in_wishlist": [ + { + "type": 0, + "value": "이미 위시리스트에 추가한 품목" + } + ], + "global.info.removed_from_wishlist": [ + { + "type": 0, + "value": "항목이 위시리스트에서 제거됨" + } + ], + "global.link.added_to_wishlist.view_wishlist": [ + { + "type": 0, + "value": "보기" + } + ], + "header.button.assistive_msg.logo": [ + { + "type": 0, + "value": "로고" + } + ], + "header.button.assistive_msg.menu": [ + { + "type": 0, + "value": "메뉴" + } + ], + "header.button.assistive_msg.my_account": [ + { + "type": 0, + "value": "내 계정" + } + ], + "header.button.assistive_msg.my_account_menu": [ + { + "type": 0, + "value": "계정 메뉴 열기" + } + ], + "header.button.assistive_msg.my_cart_with_num_items": [ + { + "type": 0, + "value": "내 카트, 품목 수: " + }, + { + "type": 1, + "value": "numItems" + } + ], + "header.button.assistive_msg.wishlist": [ + { + "type": 0, + "value": "위시리스트" + } + ], + "header.field.placeholder.search_for_products": [ + { + "type": 0, + "value": "제품 검색..." + } + ], + "header.popover.action.log_out": [ + { + "type": 0, + "value": "로그아웃" + } + ], + "header.popover.title.my_account": [ + { + "type": 0, + "value": "내 계정" + } + ], + "home.description.features": [ + { + "type": 0, + "value": "향상된 기능을 추가하는 데 집중할 수 있도록 기본 기능을 제공합니다." + } + ], + "home.description.here_to_help": [ + { + "type": 0, + "value": "지원 담당자에게 문의하세요." + } + ], + "home.description.here_to_help_line_2": [ + { + "type": 0, + "value": "올바른 위치로 안내해 드립니다." + } + ], + "home.description.shop_products": [ + { + "type": 0, + "value": "이 섹션에는 카탈로그의 컨텐츠가 포함되어 있습니다. 대체하는 방법은 " + }, + { + "type": 1, + "value": "docLink" + }, + { + "type": 0, + "value": "에서 확인하세요." + } + ], + "home.features.description.cart_checkout": [ + { + "type": 0, + "value": "구매자의 카트 및 체크아웃 경험에 대한 이커머스 모범 사례입니다." + } + ], + "home.features.description.components": [ + { + "type": 0, + "value": "이용이 간편한 모듈식 React 구성요소 라이브러리인 Chakra UI를 사용하여 구축되었습니다." + } + ], + "home.features.description.einstein_recommendations": [ + { + "type": 0, + "value": "권장 제품을 통해 모든 구매자에게 다른 추천 제품이나 오퍼를 제공합니다." + } + ], + "home.features.description.my_account": [ + { + "type": 0, + "value": "구매자가 프로필, 주소, 결제, 주문 등의 계정 정보를 관리할 수 있습니다." + } + ], + "home.features.description.shopper_login": [ + { + "type": 0, + "value": "구매자가 보다 개인화된 쇼핑 경험을 통해 편리하게 로그인할 수 있습니다." + } + ], + "home.features.description.wishlist": [ + { + "type": 0, + "value": "등록된 구매자가 나중에 구매할 제품 항목을 위시리스트에 추가할 수 있습니다." + } + ], + "home.features.heading.cart_checkout": [ + { + "type": 0, + "value": "카트 및 체크아웃" + } + ], + "home.features.heading.components": [ + { + "type": 0, + "value": "구성요소 및 디자인 키트" + } + ], + "home.features.heading.einstein_recommendations": [ + { + "type": 0, + "value": "Einstein 제품 추천" + } + ], + "home.features.heading.my_account": [ + { + "type": 0, + "value": "내 계정" + } + ], + "home.features.heading.shopper_login": [ + { + "type": 0, + "value": "Shopper Login and API Access Service(SLAS)" + } + ], + "home.features.heading.wishlist": [ + { + "type": 0, + "value": "위시리스트" + } + ], + "home.heading.features": [ + { + "type": 0, + "value": "기능" + } + ], + "home.heading.here_to_help": [ + { + "type": 0, + "value": "도움 받기" + } + ], + "home.heading.shop_products": [ + { + "type": 0, + "value": "제품 쇼핑" + } + ], + "home.hero_features.link.design_kit": [ + { + "type": 0, + "value": "Figma PWA Design Kit를 사용하여 생성" + } + ], + "home.hero_features.link.on_github": [ + { + "type": 0, + "value": "Github에서 다운로드" + } + ], + "home.hero_features.link.on_managed_runtime": [ + { + "type": 0, + "value": "Managed Runtime에서 배포" + } + ], + "home.link.contact_us": [ + { + "type": 0, + "value": "문의" + } + ], + "home.link.get_started": [ + { + "type": 0, + "value": "시작하기" + } + ], + "home.link.read_docs": [ + { + "type": 0, + "value": "문서 읽기" + } + ], + "home.title.react_starter_store": [ + { + "type": 0, + "value": "소매점용 React PWA Starter Store" + } + ], + "icons.assistive_msg.lock": [ + { + "type": 0, + "value": "보안" + } + ], + "item_attributes.label.promotions": [ + { + "type": 0, + "value": "프로모션" + } + ], + "item_attributes.label.quantity": [ + { + "type": 0, + "value": "수량: " + }, + { + "type": 1, + "value": "quantity" + } + ], + "item_image.label.sale": [ + { + "type": 0, + "value": "판매" + } + ], + "item_image.label.unavailable": [ + { + "type": 0, + "value": "사용 불가" + } + ], + "item_price.label.starting_at": [ + { + "type": 0, + "value": "시작가" + } + ], + "lCPCxk": [ + { + "type": 0, + "value": "위에서 옵션을 모두 선택하세요." + } + ], + "list_menu.nav.assistive_msg": [ + { + "type": 0, + "value": "기본 탐색 메뉴" + } + ], + "locale_text.message.ar-SA": [ + { + "type": 0, + "value": "아랍어(사우디아라비아)" + } + ], + "locale_text.message.bn-BD": [ + { + "type": 0, + "value": "벵골어(방글라데시)" + } + ], + "locale_text.message.bn-IN": [ + { + "type": 0, + "value": "벵골어(인도)" + } + ], + "locale_text.message.cs-CZ": [ + { + "type": 0, + "value": "체코어(체코)" + } + ], + "locale_text.message.da-DK": [ + { + "type": 0, + "value": "덴마크어(덴마크)" + } + ], + "locale_text.message.de-AT": [ + { + "type": 0, + "value": "독일어(오스트리아)" + } + ], + "locale_text.message.de-CH": [ + { + "type": 0, + "value": "독일어(스위스)" + } + ], + "locale_text.message.de-DE": [ + { + "type": 0, + "value": "독일어(독일)" + } + ], + "locale_text.message.el-GR": [ + { + "type": 0, + "value": "그리스어(그리스)" + } + ], + "locale_text.message.en-AU": [ + { + "type": 0, + "value": "영어(오스트레일리아)" + } + ], + "locale_text.message.en-CA": [ + { + "type": 0, + "value": "영어(캐나다)" + } + ], + "locale_text.message.en-GB": [ + { + "type": 0, + "value": "영어(영국)" + } + ], + "locale_text.message.en-IE": [ + { + "type": 0, + "value": "영어(아일랜드)" + } + ], + "locale_text.message.en-IN": [ + { + "type": 0, + "value": "영어(인도)" + } + ], + "locale_text.message.en-NZ": [ + { + "type": 0, + "value": "영어(뉴질랜드)" + } + ], + "locale_text.message.en-US": [ + { + "type": 0, + "value": "영어(미국)" + } + ], + "locale_text.message.en-ZA": [ + { + "type": 0, + "value": "영어(남아프리카공화국)" + } + ], + "locale_text.message.es-AR": [ + { + "type": 0, + "value": "스페인어(아르헨티나)" + } + ], + "locale_text.message.es-CL": [ + { + "type": 0, + "value": "스페인어(칠레)" + } + ], + "locale_text.message.es-CO": [ + { + "type": 0, + "value": "스페인어(콜롬비아)" + } + ], + "locale_text.message.es-ES": [ + { + "type": 0, + "value": "스페인어(스페인)" + } + ], + "locale_text.message.es-MX": [ + { + "type": 0, + "value": "스페인어(멕시코)" + } + ], + "locale_text.message.es-US": [ + { + "type": 0, + "value": "스페인어(미국)" + } + ], + "locale_text.message.fi-FI": [ + { + "type": 0, + "value": "핀란드어(핀란드)" + } + ], + "locale_text.message.fr-BE": [ + { + "type": 0, + "value": "프랑스어(벨기에)" + } + ], + "locale_text.message.fr-CA": [ + { + "type": 0, + "value": "프랑스어(캐나다)" + } + ], + "locale_text.message.fr-CH": [ + { + "type": 0, + "value": "프랑스어(스위스)" + } + ], + "locale_text.message.fr-FR": [ + { + "type": 0, + "value": "프랑스어(프랑스)" + } + ], + "locale_text.message.he-IL": [ + { + "type": 0, + "value": "히브리어(이스라엘)" + } + ], + "locale_text.message.hi-IN": [ + { + "type": 0, + "value": "힌디어(인도)" + } + ], + "locale_text.message.hu-HU": [ + { + "type": 0, + "value": "헝가리어(헝가리)" + } + ], + "locale_text.message.id-ID": [ + { + "type": 0, + "value": "인도네시아어(인도네시아)" + } + ], + "locale_text.message.it-CH": [ + { + "type": 0, + "value": "이탈리아어(스위스)" + } + ], + "locale_text.message.it-IT": [ + { + "type": 0, + "value": "이탈리아어(이탈리아)" + } + ], + "locale_text.message.ja-JP": [ + { + "type": 0, + "value": "일본어(일본)" + } + ], + "locale_text.message.ko-KR": [ + { + "type": 0, + "value": "한국어(대한민국)" + } + ], + "locale_text.message.nl-BE": [ + { + "type": 0, + "value": "네덜란드어(벨기에)" + } + ], + "locale_text.message.nl-NL": [ + { + "type": 0, + "value": "네덜란드어(네덜란드)" + } + ], + "locale_text.message.no-NO": [ + { + "type": 0, + "value": "노르웨이어(노르웨이)" + } + ], + "locale_text.message.pl-PL": [ + { + "type": 0, + "value": "폴란드어(폴란드)" + } + ], + "locale_text.message.pt-BR": [ + { + "type": 0, + "value": "포르투갈어(브라질)" + } + ], + "locale_text.message.pt-PT": [ + { + "type": 0, + "value": "포르투갈어(포르투갈)" + } + ], + "locale_text.message.ro-RO": [ + { + "type": 0, + "value": "루마니아어(루마니아)" + } + ], + "locale_text.message.ru-RU": [ + { + "type": 0, + "value": "러시아어(러시아)" + } + ], + "locale_text.message.sk-SK": [ + { + "type": 0, + "value": "슬로바키아어(슬로바키아)" + } + ], + "locale_text.message.sv-SE": [ + { + "type": 0, + "value": "스웨덴어(스웨덴)" + } + ], + "locale_text.message.ta-IN": [ + { + "type": 0, + "value": "타밀어(인도)" + } + ], + "locale_text.message.ta-LK": [ + { + "type": 0, + "value": "타밀어(스리랑카)" + } + ], + "locale_text.message.th-TH": [ + { + "type": 0, + "value": "태국어(태국)" + } + ], + "locale_text.message.tr-TR": [ + { + "type": 0, + "value": "터키어(터키)" + } + ], + "locale_text.message.zh-CN": [ + { + "type": 0, + "value": "중국어(중국)" + } + ], + "locale_text.message.zh-HK": [ + { + "type": 0, + "value": "중국어(홍콩)" + } + ], + "locale_text.message.zh-TW": [ + { + "type": 0, + "value": "중국어(타이완)" + } + ], + "login_form.action.create_account": [ + { + "type": 0, + "value": "계정 생성" + } + ], + "login_form.button.sign_in": [ + { + "type": 0, + "value": "로그인" + } + ], + "login_form.link.forgot_password": [ + { + "type": 0, + "value": "암호가 기억나지 않습니까?" + } + ], + "login_form.message.dont_have_account": [ + { + "type": 0, + "value": "계정이 없습니까?" + } + ], + "login_form.message.welcome_back": [ + { + "type": 0, + "value": "다시 오신 것을 환영합니다." + } + ], + "login_page.error.incorrect_username_or_password": [ + { + "type": 0, + "value": "사용자 이름 또는 암호가 올바르지 않습니다. 다시 시도하십시오." + } + ], + "offline_banner.description.browsing_offline_mode": [ + { + "type": 0, + "value": "현재 오프라인 모드로 검색 중입니다." + } + ], + "order_summary.action.remove_promo": [ + { + "type": 0, + "value": "제거" + } + ], + "order_summary.cart_items.action.num_of_items_in_cart": [ + { + "type": 0, + "value": "카트에 " + }, + { + "offset": 0, + "options": { + "=0": { + "value": [ + { + "type": 0, + "value": "0개 항목" + } + ] + }, + "one": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": "개 항목" + } + ] + }, + "other": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": "개 항목" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "itemCount" + }, + { + "type": 0, + "value": "이 있음" + } + ], + "order_summary.cart_items.link.edit_cart": [ + { + "type": 0, + "value": "카트 편집" + } + ], + "order_summary.heading.order_summary": [ + { + "type": 0, + "value": "주문 요약" + } + ], + "order_summary.label.estimated_total": [ + { + "type": 0, + "value": "예상 합계" + } + ], + "order_summary.label.free": [ + { + "type": 0, + "value": "무료" + } + ], + "order_summary.label.order_total": [ + { + "type": 0, + "value": "주문 합계" + } + ], + "order_summary.label.promo_applied": [ + { + "type": 0, + "value": "프로모션이 적용됨" + } + ], + "order_summary.label.promotions_applied": [ + { + "type": 0, + "value": "프로모션이 적용됨" + } + ], + "order_summary.label.shipping": [ + { + "type": 0, + "value": "배송" + } + ], + "order_summary.label.subtotal": [ + { + "type": 0, + "value": "소계" + } + ], + "order_summary.label.tax": [ + { + "type": 0, + "value": "세금" + } + ], + "page_not_found.action.go_back": [ + { + "type": 0, + "value": "이전 페이지로 돌아가기" + } + ], + "page_not_found.link.homepage": [ + { + "type": 0, + "value": "홈 페이지로 이동" + } + ], + "page_not_found.message.suggestion_to_try": [ + { + "type": 0, + "value": "이 주소로 다시 시도해보거나 이전 페이지로 돌아가거나 홈 페이지로 돌아가십시오." + } + ], + "page_not_found.title.page_cant_be_found": [ + { + "type": 0, + "value": "해당 페이지를 찾을 수 없습니다." + } + ], + "pagination.field.num_of_pages": [ + { + "type": 0, + "value": "/" + }, + { + "type": 1, + "value": "numOfPages" + } + ], + "pagination.link.next": [ + { + "type": 0, + "value": "다음" + } + ], + "pagination.link.next.assistive_msg": [ + { + "type": 0, + "value": "다음 페이지" + } + ], + "pagination.link.prev": [ + { + "type": 0, + "value": "이전" + } + ], + "pagination.link.prev.assistive_msg": [ + { + "type": 0, + "value": "이전 페이지" + } + ], + "password_card.info.password_updated": [ + { + "type": 0, + "value": "암호가 업데이트됨" + } + ], + "password_card.label.password": [ + { + "type": 0, + "value": "암호" + } + ], + "password_card.title.password": [ + { + "type": 0, + "value": "암호" + } + ], + "password_requirements.error.eight_letter_minimum": [ + { + "type": 0, + "value": "최소 8자" + } + ], + "password_requirements.error.one_lowercase_letter": [ + { + "type": 0, + "value": "소문자 1개" + } + ], + "password_requirements.error.one_number": [ + { + "type": 0, + "value": "숫자 1개" + } + ], + "password_requirements.error.one_special_character": [ + { + "type": 0, + "value": "특수 문자 1개(예: , S ! % #)" + } + ], + "password_requirements.error.one_uppercase_letter": [ + { + "type": 0, + "value": "대문자 1개" + } + ], + "payment_selection.heading.credit_card": [ + { + "type": 0, + "value": "신용카드" + } + ], + "payment_selection.tooltip.secure_payment": [ + { + "type": 0, + "value": "안전한 SSL 암호화 결제입니다." + } + ], + "price_per_item.label.each": [ + { + "type": 0, + "value": "개" + } + ], + "product_detail.accordion.button.product_detail": [ + { + "type": 0, + "value": "제품 세부 정보" + } + ], + "product_detail.accordion.button.questions": [ + { + "type": 0, + "value": "문의" + } + ], + "product_detail.accordion.button.reviews": [ + { + "type": 0, + "value": "리뷰" + } + ], + "product_detail.accordion.button.size_fit": [ + { + "type": 0, + "value": "사이즈와 핏" + } + ], + "product_detail.accordion.message.coming_soon": [ + { + "type": 0, + "value": "제공 예정" + } + ], + "product_detail.recommended_products.title.complete_set": [ + { + "type": 0, + "value": "세트 완성" + } + ], + "product_detail.recommended_products.title.might_also_like": [ + { + "type": 0, + "value": "추천 상품" + } + ], + "product_detail.recommended_products.title.recently_viewed": [ + { + "type": 0, + "value": "최근에 봄" + } + ], + "product_item.label.quantity": [ + { + "type": 0, + "value": "수량:" + } + ], + "product_list.button.filter": [ + { + "type": 0, + "value": "필터" + } + ], + "product_list.button.sort_by": [ + { + "type": 0, + "value": "정렬 기준: " + }, + { + "type": 1, + "value": "sortOption" + } + ], + "product_list.drawer.title.sort_by": [ + { + "type": 0, + "value": "정렬 기준" + } + ], + "product_list.modal.button.clear_filters": [ + { + "type": 0, + "value": "필터 지우기" + } + ], + "product_list.modal.button.view_items": [ + { + "type": 1, + "value": "prroductCount" + }, + { + "type": 0, + "value": "개 항목 보기" + } + ], + "product_list.modal.title.filter": [ + { + "type": 0, + "value": "필터" + } + ], + "product_list.refinements.button.assistive_msg.add_filter": [ + { + "type": 0, + "value": "필터 추가: " + }, + { + "type": 1, + "value": "label" + } + ], + "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": [ + { + "type": 0, + "value": "필터 추가: " + }, + { + "type": 1, + "value": "label" + }, + { + "type": 0, + "value": "(" + }, + { + "type": 1, + "value": "hitCount" + }, + { + "type": 0, + "value": ")" + } + ], + "product_list.refinements.button.assistive_msg.remove_filter": [ + { + "type": 0, + "value": "필터 제거: " + }, + { + "type": 1, + "value": "label" + } + ], + "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": [ + { + "type": 0, + "value": "필터 제거: " + }, + { + "type": 1, + "value": "label" + }, + { + "type": 0, + "value": "(" + }, + { + "type": 1, + "value": "hitCount" + }, + { + "type": 0, + "value": ")" + } + ], + "product_list.select.sort_by": [ + { + "type": 0, + "value": "정렬 기준: " + }, + { + "type": 1, + "value": "sortOption" + } + ], + "product_scroller.assistive_msg.scroll_left": [ + { + "type": 0, + "value": "제품 왼쪽으로 스크롤" + } + ], + "product_scroller.assistive_msg.scroll_right": [ + { + "type": 0, + "value": "제품 오른쪽으로 스크롤" + } + ], + "product_tile.assistive_msg.add_to_wishlist": [ + { + "type": 0, + "value": "위시리스트에 " + }, + { + "type": 1, + "value": "product" + }, + { + "type": 0, + "value": " 추가" + } + ], + "product_tile.assistive_msg.remove_from_wishlist": [ + { + "type": 0, + "value": "위시리스트에서 " + }, + { + "type": 1, + "value": "product" + }, + { + "type": 0, + "value": " 제거" + } + ], + "product_tile.label.starting_at_price": [ + { + "type": 0, + "value": "시작가: " + }, + { + "type": 1, + "value": "price" + } + ], + "product_view.button.add_set_to_cart": [ + { + "type": 0, + "value": "카트에 세트 추가" + } + ], + "product_view.button.add_set_to_wishlist": [ + { + "type": 0, + "value": "위시리스트에 세트 추가" + } + ], + "product_view.button.add_to_cart": [ + { + "type": 0, + "value": "카트에 추가" + } + ], + "product_view.button.add_to_wishlist": [ + { + "type": 0, + "value": "위시리스트에 추가" + } + ], + "product_view.button.update": [ + { + "type": 0, + "value": "업데이트" + } + ], + "product_view.label.assistive_msg.quantity_decrement": [ + { + "type": 0, + "value": "수량 줄이기" + } + ], + "product_view.label.assistive_msg.quantity_increment": [ + { + "type": 0, + "value": "수량 늘리기" + } + ], + "product_view.label.quantity": [ + { + "type": 0, + "value": "수량" + } + ], + "product_view.label.quantity_decrement": [ + { + "type": 0, + "value": "−" + } + ], + "product_view.label.quantity_increment": [ + { + "type": 0, + "value": "+" + } + ], + "product_view.label.starting_at_price": [ + { + "type": 0, + "value": "시작가" + } + ], + "product_view.label.variant_type": [ + { + "type": 1, + "value": "variantType" + } + ], + "product_view.link.full_details": [ + { + "type": 0, + "value": "전체 세부 정보 보기" + } + ], + "profile_card.info.profile_updated": [ + { + "type": 0, + "value": "프로필이 업데이트됨" + } + ], + "profile_card.label.email": [ + { + "type": 0, + "value": "이메일" + } + ], + "profile_card.label.full_name": [ + { + "type": 0, + "value": "성명" + } + ], + "profile_card.label.phone": [ + { + "type": 0, + "value": "전화번호" + } + ], + "profile_card.message.not_provided": [ + { + "type": 0, + "value": "제공되지 않음" + } + ], + "profile_card.title.my_profile": [ + { + "type": 0, + "value": "내 프로필" + } + ], + "promo_code_fields.button.apply": [ + { + "type": 0, + "value": "적용" + } + ], + "promo_popover.assistive_msg.info": [ + { + "type": 0, + "value": "정보" + } + ], + "promo_popover.heading.promo_applied": [ + { + "type": 0, + "value": "프로모션이 적용됨" + } + ], + "promocode.accordion.button.have_promocode": [ + { + "type": 0, + "value": "프로모션 코드가 있습니까?" + } + ], + "recent_searches.action.clear_searches": [ + { + "type": 0, + "value": "최근 검색 지우기" + } + ], + "recent_searches.heading.recent_searches": [ + { + "type": 0, + "value": "최근 검색" + } + ], + "register_form.action.sign_in": [ + { + "type": 0, + "value": "로그인" + } + ], + "register_form.button.create_account": [ + { + "type": 0, + "value": "계정 생성" + } + ], + "register_form.heading.lets_get_started": [ + { + "type": 0, + "value": "이제 시작하세요!" + } + ], + "register_form.message.agree_to_policy_terms": [ + { + "type": 0, + "value": "계정을 만들면 Salesforce " + }, + { + "children": [ + { + "type": 0, + "value": "개인정보보호 정책" + } + ], + "type": 8, + "value": "policy" + }, + { + "type": 0, + "value": "과 " + }, + { + "children": [ + { + "type": 0, + "value": "이용 약관" + } + ], + "type": 8, + "value": "terms" + }, + { + "type": 0, + "value": "에 동의한 것으로 간주됩니다." + } + ], + "register_form.message.already_have_account": [ + { + "type": 0, + "value": "계정이 이미 있습니까?" + } + ], + "register_form.message.create_an_account": [ + { + "type": 0, + "value": "계정을 만들고 최고의 제품, 아이디어, 커뮤니티를 누구보다 빨리 이용해 보세요." + } + ], + "reset_password.button.back_to_sign_in": [ + { + "type": 0, + "value": "로그인 페이지로 돌아가기" + } + ], + "reset_password.info.receive_email_shortly": [ + { + "children": [ + { + "type": 1, + "value": "email" + } + ], + "type": 8, + "value": "b" + }, + { + "type": 0, + "value": "(으)로 암호 재설정 링크가 포함된 이메일이 곧 발송됩니다." + } + ], + "reset_password.title.password_reset": [ + { + "type": 0, + "value": "암호 재설정" + } + ], + "reset_password_form.action.sign_in": [ + { + "type": 0, + "value": "로그인" + } + ], + "reset_password_form.button.reset_password": [ + { + "type": 0, + "value": "암호 재설정" + } + ], + "reset_password_form.message.enter_your_email": [ + { + "type": 0, + "value": "암호를 재설정하는 방법에 대한 지침을 안내받으려면 이메일을 입력하십시오." + } + ], + "reset_password_form.message.return_to_sign_in": [ + { + "type": 0, + "value": "돌아가기" + } + ], + "reset_password_form.title.reset_password": [ + { + "type": 0, + "value": "암호 재설정" + } + ], + "search.action.cancel": [ + { + "type": 0, + "value": "취소" + } + ], + "selected_refinements.action.assistive_msg.clear_all": [ + { + "type": 0, + "value": "필터 모두 지우기" + } + ], + "selected_refinements.action.clear_all": [ + { + "type": 0, + "value": "모두 지우기" + } + ], + "shipping_address.button.continue_to_shipping": [ + { + "type": 0, + "value": "배송 방법으로 계속 진행하기" + } + ], + "shipping_address.title.shipping_address": [ + { + "type": 0, + "value": "배송 주소" + } + ], + "shipping_address_edit_form.button.save_and_continue": [ + { + "type": 0, + "value": "저장하고 배송 방법으로 계속 진행하기" + } + ], + "shipping_address_form.heading.edit_address": [ + { + "type": 0, + "value": "주소 편집" + } + ], + "shipping_address_form.heading.new_address": [ + { + "type": 0, + "value": "새 주소 추가" + } + ], + "shipping_address_selection.button.add_address": [ + { + "type": 0, + "value": "새 주소 추가" + } + ], + "shipping_address_selection.button.submit": [ + { + "type": 0, + "value": "제출" + } + ], + "shipping_address_selection.title.add_address": [ + { + "type": 0, + "value": "새 주소 추가" + } + ], + "shipping_address_selection.title.edit_shipping": [ + { + "type": 0, + "value": "배송 주소 편집" + } + ], + "shipping_options.action.send_as_a_gift": [ + { + "type": 0, + "value": "이 제품을 선물로 보내시겠습니까?" + } + ], + "shipping_options.button.continue_to_payment": [ + { + "type": 0, + "value": "결제로 계속 진행하기" + } + ], + "shipping_options.title.shipping_gift_options": [ + { + "type": 0, + "value": "배송 및 선물 옵션" + } + ], + "signout_confirmation_dialog.button.cancel": [ + { + "type": 0, + "value": "취소" + } + ], + "signout_confirmation_dialog.button.sign_out": [ + { + "type": 0, + "value": "로그아웃" + } + ], + "signout_confirmation_dialog.heading.sign_out": [ + { + "type": 0, + "value": "로그아웃" + } + ], + "signout_confirmation_dialog.message.sure_to_sign_out": [ + { + "type": 0, + "value": "로그아웃하시겠습니까? 현재 주문을 처리하려면 다시 로그인해야 합니다." + } + ], + "swatch_group.selected.label": [ + { + "type": 1, + "value": "label" + }, + { + "type": 0, + "value": ":" + } + ], + "toggle_card.action.edit": [ + { + "type": 0, + "value": "편집" + } + ], + "update_password_fields.button.forgot_password": [ + { + "type": 0, + "value": "암호가 기억나지 않습니까?" + } + ], + "use_address_fields.error.please_enter_first_name": [ + { + "type": 0, + "value": "이름을 입력하십시오." + } + ], + "use_address_fields.error.please_enter_last_name": [ + { + "type": 0, + "value": "성을 입력하십시오." + } + ], + "use_address_fields.error.please_enter_phone_number": [ + { + "type": 0, + "value": "전화번호를 입력하십시오." + } + ], + "use_address_fields.error.please_enter_your_postal_or_zip": [ + { + "type": 0, + "value": "우편번호를 입력하십시오." + } + ], + "use_address_fields.error.please_select_your_address": [ + { + "type": 0, + "value": "주소를 입력하십시오." + } + ], + "use_address_fields.error.please_select_your_city": [ + { + "type": 0, + "value": "구/군/시를 입력하십시오." + } + ], + "use_address_fields.error.please_select_your_country": [ + { + "type": 0, + "value": "국가를 선택하십시오." + } + ], + "use_address_fields.error.please_select_your_state_or_province": [ + { + "type": 0, + "value": "시/도를 선택하십시오." + } + ], + "use_address_fields.error.required": [ + { + "type": 0, + "value": "필수" + } + ], + "use_address_fields.error.state_code_invalid": [ + { + "type": 0, + "value": "2자리 시/도를 입력하십시오." + } + ], + "use_address_fields.label.address": [ + { + "type": 0, + "value": "주소" + } + ], + "use_address_fields.label.address_form": [ + { + "type": 0, + "value": "주소 양식" + } + ], + "use_address_fields.label.city": [ + { + "type": 0, + "value": "구/군/시" + } + ], + "use_address_fields.label.country": [ + { + "type": 0, + "value": "국가" + } + ], + "use_address_fields.label.first_name": [ + { + "type": 0, + "value": "이름" + } + ], + "use_address_fields.label.last_name": [ + { + "type": 0, + "value": "성" + } + ], + "use_address_fields.label.phone": [ + { + "type": 0, + "value": "전화번호" + } + ], + "use_address_fields.label.postal_code": [ + { + "type": 0, + "value": "우편번호" + } + ], + "use_address_fields.label.preferred": [ + { + "type": 0, + "value": "기본값으로 설정" + } + ], + "use_address_fields.label.province": [ + { + "type": 0, + "value": "시/도" + } + ], + "use_address_fields.label.state": [ + { + "type": 0, + "value": "시/도" + } + ], + "use_address_fields.label.zipCode": [ + { + "type": 0, + "value": "우편번호" + } + ], + "use_credit_card_fields.error.required": [ + { + "type": 0, + "value": "필수" + } + ], + "use_credit_card_fields.error.required_card_number": [ + { + "type": 0, + "value": "카드 번호를 입력하십시오." + } + ], + "use_credit_card_fields.error.required_expiry": [ + { + "type": 0, + "value": "만료 날짜를 입력하십시오." + } + ], + "use_credit_card_fields.error.required_name": [ + { + "type": 0, + "value": "카드에 표시된 대로 이름을 입력하십시오." + } + ], + "use_credit_card_fields.error.required_security_code": [ + { + "type": 0, + "value": "보안 코드를 입력하십시오." + } + ], + "use_credit_card_fields.error.valid_card_number": [ + { + "type": 0, + "value": "유효한 카드 번호를 입력하십시오." + } + ], + "use_credit_card_fields.error.valid_date": [ + { + "type": 0, + "value": "유효한 날짜를 입력하십시오." + } + ], + "use_credit_card_fields.error.valid_name": [ + { + "type": 0, + "value": "올바른 이름을 입력하십시오." + } + ], + "use_credit_card_fields.error.valid_security_code": [ + { + "type": 0, + "value": "유효한 보안 코드를 입력하십시오." + } + ], + "use_credit_card_fields.label.card_number": [ + { + "type": 0, + "value": "카드 번호" + } + ], + "use_credit_card_fields.label.card_type": [ + { + "type": 0, + "value": "카드 유형" + } + ], + "use_credit_card_fields.label.expiry": [ + { + "type": 0, + "value": "만료 날짜" + } + ], + "use_credit_card_fields.label.name": [ + { + "type": 0, + "value": "카드에 표시된 이름" + } + ], + "use_credit_card_fields.label.security_code": [ + { + "type": 0, + "value": "보안 코드" + } + ], + "use_login_fields.error.required_email": [ + { + "type": 0, + "value": "이메일 주소를 입력하십시오." + } + ], + "use_login_fields.error.required_password": [ + { + "type": 0, + "value": "암호를 입력하십시오." + } + ], + "use_login_fields.label.email": [ + { + "type": 0, + "value": "이메일" + } + ], + "use_login_fields.label.password": [ + { + "type": 0, + "value": "암호" + } + ], + "use_product.message.inventory_remaining": [ + { + "type": 0, + "value": "품절 임박(" + }, + { + "type": 1, + "value": "stockLevel" + }, + { + "type": 0, + "value": "개 남음)" + } + ], + "use_product.message.out_of_stock": [ + { + "type": 0, + "value": "품절" + } + ], + "use_profile_fields.error.required_email": [ + { + "type": 0, + "value": "유효한 이메일 주소를 입력하십시오." + } + ], + "use_profile_fields.error.required_first_name": [ + { + "type": 0, + "value": "이름을 입력하십시오." + } + ], + "use_profile_fields.error.required_last_name": [ + { + "type": 0, + "value": "성을 입력하십시오." + } + ], + "use_profile_fields.error.required_phone": [ + { + "type": 0, + "value": "전화번호를 입력하십시오." + } + ], + "use_profile_fields.label.email": [ + { + "type": 0, + "value": "이메일" + } + ], + "use_profile_fields.label.first_name": [ + { + "type": 0, + "value": "이름" + } + ], + "use_profile_fields.label.last_name": [ + { + "type": 0, + "value": "성" + } + ], + "use_profile_fields.label.phone": [ + { + "type": 0, + "value": "전화번호" + } + ], + "use_promo_code_fields.error.required_promo_code": [ + { + "type": 0, + "value": "유효한 프로모션 코드를 제공하십시오." + } + ], + "use_promo_code_fields.label.promo_code": [ + { + "type": 0, + "value": "프로모션 코드" + } + ], + "use_promocode.error.check_the_code": [ + { + "type": 0, + "value": "코드를 확인하고 다시 시도하십시오. 이미 적용되었거나 프로모션이 만료되었을 수 있습니다." + } + ], + "use_promocode.info.promo_applied": [ + { + "type": 0, + "value": "프로모션이 적용됨" + } + ], + "use_promocode.info.promo_removed": [ + { + "type": 0, + "value": "프로모션이 제거됨" + } + ], + "use_registration_fields.error.contain_number": [ + { + "type": 0, + "value": "암호에는 숫자가 하나 이상 포함되어야 합니다." + } + ], + "use_registration_fields.error.lowercase_letter": [ + { + "type": 0, + "value": "암호에는 소문자가 하나 이상 포함되어야 합니다." + } + ], + "use_registration_fields.error.minimum_characters": [ + { + "type": 0, + "value": "암호는 8자 이상이어야 합니다." + } + ], + "use_registration_fields.error.required_email": [ + { + "type": 0, + "value": "유효한 이메일 주소를 입력하십시오." + } + ], + "use_registration_fields.error.required_first_name": [ + { + "type": 0, + "value": "이름을 입력하십시오." + } + ], + "use_registration_fields.error.required_last_name": [ + { + "type": 0, + "value": "성을 입력하십시오." + } + ], + "use_registration_fields.error.required_password": [ + { + "type": 0, + "value": "암호를 생성하십시오." + } + ], + "use_registration_fields.error.special_character": [ + { + "type": 0, + "value": "암호에는 특수 문자가 하나 이상 포함되어야 합니다." + } + ], + "use_registration_fields.error.uppercase_letter": [ + { + "type": 0, + "value": "암호에는 대문자가 하나 이상 포함되어야 합니다." + } + ], + "use_registration_fields.label.email": [ + { + "type": 0, + "value": "이메일" + } + ], + "use_registration_fields.label.first_name": [ + { + "type": 0, + "value": "이름" + } + ], + "use_registration_fields.label.last_name": [ + { + "type": 0, + "value": "성" + } + ], + "use_registration_fields.label.password": [ + { + "type": 0, + "value": "암호" + } + ], + "use_registration_fields.label.sign_up_to_emails": [ + { + "type": 0, + "value": "Salesforce 이메일 가입(언제든지 탈퇴 가능)" + } + ], + "use_reset_password_fields.error.required_email": [ + { + "type": 0, + "value": "유효한 이메일 주소를 입력하십시오." + } + ], + "use_reset_password_fields.label.email": [ + { + "type": 0, + "value": "이메일" + } + ], + "use_update_password_fields.error.contain_number": [ + { + "type": 0, + "value": "암호에는 숫자가 하나 이상 포함되어야 합니다." + } + ], + "use_update_password_fields.error.lowercase_letter": [ + { + "type": 0, + "value": "암호에는 소문자가 하나 이상 포함되어야 합니다." + } + ], + "use_update_password_fields.error.minimum_characters": [ + { + "type": 0, + "value": "암호는 8자 이상이어야 합니다." + } + ], + "use_update_password_fields.error.required_new_password": [ + { + "type": 0, + "value": "새 암호를 제공하십시오." + } + ], + "use_update_password_fields.error.required_password": [ + { + "type": 0, + "value": "암호를 입력하십시오." + } + ], + "use_update_password_fields.error.special_character": [ + { + "type": 0, + "value": "암호에는 특수 문자가 하나 이상 포함되어야 합니다." + } + ], + "use_update_password_fields.error.uppercase_letter": [ + { + "type": 0, + "value": "암호에는 대문자가 하나 이상 포함되어야 합니다." + } + ], + "use_update_password_fields.label.current_password": [ + { + "type": 0, + "value": "현재 암호" + } + ], + "use_update_password_fields.label.new_password": [ + { + "type": 0, + "value": "새 암호" + } + ], + "wishlist_primary_action.button.add_set_to_cart": [ + { + "type": 0, + "value": "카트에 세트 추가" + } + ], + "wishlist_primary_action.button.add_to_cart": [ + { + "type": 0, + "value": "카트에 추가" + } + ], + "wishlist_primary_action.button.view_full_details": [ + { + "type": 0, + "value": "전체 세부 정보 보기" + } + ], + "wishlist_primary_action.button.view_options": [ + { + "type": 0, + "value": "옵션 보기" + } + ], + "wishlist_primary_action.info.added_to_cart": [ + { + "type": 1, + "value": "quantity" + }, + { + "type": 0, + "value": " " + }, + { + "offset": 0, + "options": { + "one": { + "value": [ + { + "type": 0, + "value": "개 항목" + } + ] + }, + "other": { + "value": [ + { + "type": 0, + "value": "개 항목" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "quantity" + }, + { + "type": 0, + "value": "이 카트에 추가됨" + } + ], + "wishlist_secondary_button_group.action.remove": [ + { + "type": 0, + "value": "제거" + } + ], + "wishlist_secondary_button_group.info.item_removed": [ + { + "type": 0, + "value": "항목이 위시리스트에서 제거됨" + } + ], + "with_registration.info.please_sign_in": [ + { + "type": 0, + "value": "계속하려면 로그인하십시오." + } + ] +} \ No newline at end of file diff --git a/my-test-project/overrides/app/static/translations/compiled/pt-BR.json b/my-test-project/overrides/app/static/translations/compiled/pt-BR.json new file mode 100644 index 0000000000..bd59d8c0c6 --- /dev/null +++ b/my-test-project/overrides/app/static/translations/compiled/pt-BR.json @@ -0,0 +1,3486 @@ +{ + "account.accordion.button.my_account": [ + { + "type": 0, + "value": "Minha conta" + } + ], + "account.heading.my_account": [ + { + "type": 0, + "value": "Minha conta" + } + ], + "account.logout_button.button.log_out": [ + { + "type": 0, + "value": "Sair" + } + ], + "account_addresses.badge.default": [ + { + "type": 0, + "value": "Padrão" + } + ], + "account_addresses.button.add_address": [ + { + "type": 0, + "value": "Adicionar endereço" + } + ], + "account_addresses.info.address_removed": [ + { + "type": 0, + "value": "Endereço removido" + } + ], + "account_addresses.info.address_updated": [ + { + "type": 0, + "value": "Endereço atualizado" + } + ], + "account_addresses.info.new_address_saved": [ + { + "type": 0, + "value": "Novo endereço salvo" + } + ], + "account_addresses.page_action_placeholder.button.add_address": [ + { + "type": 0, + "value": "Adicionar endereço" + } + ], + "account_addresses.page_action_placeholder.heading.no_saved_addresses": [ + { + "type": 0, + "value": "Não há endereços salvos" + } + ], + "account_addresses.page_action_placeholder.message.add_new_address": [ + { + "type": 0, + "value": "Adicione um novo método de endereço para agilizar o checkout." + } + ], + "account_addresses.title.addresses": [ + { + "type": 0, + "value": "Endereços" + } + ], + "account_detail.title.account_details": [ + { + "type": 0, + "value": "Detalhes da conta" + } + ], + "account_order_detail.heading.billing_address": [ + { + "type": 0, + "value": "Endereço de cobrança" + } + ], + "account_order_detail.heading.num_of_items": [ + { + "type": 1, + "value": "count" + }, + { + "type": 0, + "value": " itens" + } + ], + "account_order_detail.heading.payment_method": [ + { + "type": 0, + "value": "Método de pagamento" + } + ], + "account_order_detail.heading.shipping_address": [ + { + "type": 0, + "value": "Endereço de entrega" + } + ], + "account_order_detail.heading.shipping_method": [ + { + "type": 0, + "value": "Método de entrega" + } + ], + "account_order_detail.label.order_number": [ + { + "type": 0, + "value": "Número do pedido: " + }, + { + "type": 1, + "value": "orderNumber" + } + ], + "account_order_detail.label.ordered_date": [ + { + "type": 0, + "value": "Pedido: " + }, + { + "type": 1, + "value": "date" + } + ], + "account_order_detail.label.pending_tracking_number": [ + { + "type": 0, + "value": "Pendente" + } + ], + "account_order_detail.label.tracking_number": [ + { + "type": 0, + "value": "Número de controle" + } + ], + "account_order_detail.link.back_to_history": [ + { + "type": 0, + "value": "Voltar a Histórico de pedidos" + } + ], + "account_order_detail.shipping_status.not_shipped": [ + { + "type": 0, + "value": "Não enviado" + } + ], + "account_order_detail.shipping_status.part_shipped": [ + { + "type": 0, + "value": "Parcialmente enviado" + } + ], + "account_order_detail.shipping_status.shipped": [ + { + "type": 0, + "value": "Enviado" + } + ], + "account_order_detail.title.order_details": [ + { + "type": 0, + "value": "Detalhes do pedido" + } + ], + "account_order_history.button.continue_shopping": [ + { + "type": 0, + "value": "Continuar comprando" + } + ], + "account_order_history.description.once_you_place_order": [ + { + "type": 0, + "value": "Quando você faz um pedido, os detalhes aparecem aqui." + } + ], + "account_order_history.heading.no_order_yet": [ + { + "type": 0, + "value": "Você ainda não fez um pedido." + } + ], + "account_order_history.label.num_of_items": [ + { + "type": 1, + "value": "count" + }, + { + "type": 0, + "value": " itens" + } + ], + "account_order_history.label.order_number": [ + { + "type": 0, + "value": "Número do pedido: " + }, + { + "type": 1, + "value": "orderNumber" + } + ], + "account_order_history.label.ordered_date": [ + { + "type": 0, + "value": "Pedido: " + }, + { + "type": 1, + "value": "date" + } + ], + "account_order_history.label.shipped_to": [ + { + "type": 0, + "value": "Enviado para: " + }, + { + "type": 1, + "value": "name" + } + ], + "account_order_history.link.view_details": [ + { + "type": 0, + "value": "Ver detalhes" + } + ], + "account_order_history.title.order_history": [ + { + "type": 0, + "value": "Histórico de pedidos" + } + ], + "account_wishlist.button.continue_shopping": [ + { + "type": 0, + "value": "Continuar comprando" + } + ], + "account_wishlist.description.continue_shopping": [ + { + "type": 0, + "value": "Continue comprando e adicionando itens na sua lista de desejos." + } + ], + "account_wishlist.heading.no_wishlist": [ + { + "type": 0, + "value": "Não há itens na lista de desejos" + } + ], + "account_wishlist.title.wishlist": [ + { + "type": 0, + "value": "Lista de desejos" + } + ], + "action_card.action.edit": [ + { + "type": 0, + "value": "Editar" + } + ], + "action_card.action.remove": [ + { + "type": 0, + "value": "Remover" + } + ], + "add_to_cart_modal.info.added_to_cart": [ + { + "type": 1, + "value": "quantity" + }, + { + "type": 0, + "value": " " + }, + { + "offset": 0, + "options": { + "one": { + "value": [ + { + "type": 0, + "value": "item" + } + ] + }, + "other": { + "value": [ + { + "type": 0, + "value": "itens" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "quantity" + }, + { + "type": 0, + "value": " adicionado(s) ao carrinho" + } + ], + "add_to_cart_modal.label.cart_subtotal": [ + { + "type": 0, + "value": "Subtotal do carrinho (" + }, + { + "type": 1, + "value": "itemAccumulatedCount" + }, + { + "type": 0, + "value": " item/itens)" + } + ], + "add_to_cart_modal.label.quantity": [ + { + "type": 0, + "value": "Qtd." + } + ], + "add_to_cart_modal.link.checkout": [ + { + "type": 0, + "value": "Pagar" + } + ], + "add_to_cart_modal.link.view_cart": [ + { + "type": 0, + "value": "Ver carrinho" + } + ], + "add_to_cart_modal.recommended_products.title.might_also_like": [ + { + "type": 0, + "value": "Talvez você também queira" + } + ], + "auth_modal.button.close.assistive_msg": [ + { + "type": 0, + "value": "Fechar formulário de logon" + } + ], + "auth_modal.description.now_signed_in": [ + { + "type": 0, + "value": "Agora você fez login na sua conta." + } + ], + "auth_modal.error.incorrect_email_or_password": [ + { + "type": 0, + "value": "Há algo errado com seu e-mail ou senha. Tente novamente." + } + ], + "auth_modal.info.welcome_user": [ + { + "type": 0, + "value": "Olá " + }, + { + "type": 1, + "value": "name" + }, + { + "type": 0, + "value": "," + } + ], + "auth_modal.password_reset_success.button.back_to_sign_in": [ + { + "type": 0, + "value": "Fazer login novamente" + } + ], + "auth_modal.password_reset_success.info.will_email_shortly": [ + { + "type": 0, + "value": "Em breve, você receberá um e-mail em " + }, + { + "children": [ + { + "type": 1, + "value": "email" + } + ], + "type": 8, + "value": "b" + }, + { + "type": 0, + "value": " com um link para redefinir a senha." + } + ], + "auth_modal.password_reset_success.title.password_reset": [ + { + "type": 0, + "value": "Redefinição de senha" + } + ], + "carousel.button.scroll_left.assistive_msg": [ + { + "type": 0, + "value": "Rolar o carrossel para a esquerda" + } + ], + "carousel.button.scroll_right.assistive_msg": [ + { + "type": 0, + "value": "Rolar o carrossel para a direita" + } + ], + "cart.info.removed_from_cart": [ + { + "type": 0, + "value": "Item removido do carrinho" + } + ], + "cart.recommended_products.title.may_also_like": [ + { + "type": 0, + "value": "Talvez você também queira" + } + ], + "cart.recommended_products.title.recently_viewed": [ + { + "type": 0, + "value": "Recentemente visualizados" + } + ], + "cart_cta.link.checkout": [ + { + "type": 0, + "value": "Pagar" + } + ], + "cart_secondary_button_group.action.added_to_wishlist": [ + { + "type": 0, + "value": "Adicionar à lista de desejos" + } + ], + "cart_secondary_button_group.action.edit": [ + { + "type": 0, + "value": "Editar" + } + ], + "cart_secondary_button_group.action.remove": [ + { + "type": 0, + "value": "Remover" + } + ], + "cart_secondary_button_group.label.this_is_gift": [ + { + "type": 0, + "value": "É um presente." + } + ], + "cart_skeleton.heading.order_summary": [ + { + "type": 0, + "value": "Resumo do pedido" + } + ], + "cart_skeleton.title.cart": [ + { + "type": 0, + "value": "Carrinho" + } + ], + "cart_title.title.cart_num_of_items": [ + { + "type": 0, + "value": "Carrinho (" + }, + { + "offset": 0, + "options": { + "=0": { + "value": [ + { + "type": 0, + "value": "0 itens" + } + ] + }, + "one": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": " item" + } + ] + }, + "other": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": " itens" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "itemCount" + }, + { + "type": 0, + "value": ")" + } + ], + "cc_radio_group.action.remove": [ + { + "type": 0, + "value": "Remover" + } + ], + "cc_radio_group.button.add_new_card": [ + { + "type": 0, + "value": "Adicionar novo cartão" + } + ], + "checkout.button.place_order": [ + { + "type": 0, + "value": "Fazer pedido" + } + ], + "checkout.message.generic_error": [ + { + "type": 0, + "value": "Ocorreu um erro inesperado durante o checkout." + } + ], + "checkout_confirmation.button.create_account": [ + { + "type": 0, + "value": "Criar conta" + } + ], + "checkout_confirmation.heading.billing_address": [ + { + "type": 0, + "value": "Endereço de cobrança" + } + ], + "checkout_confirmation.heading.create_account": [ + { + "type": 0, + "value": "Criar uma conta para agilizar o checkout" + } + ], + "checkout_confirmation.heading.credit_card": [ + { + "type": 0, + "value": "Cartão de crédito" + } + ], + "checkout_confirmation.heading.delivery_details": [ + { + "type": 0, + "value": "Detalhes da entrega" + } + ], + "checkout_confirmation.heading.order_summary": [ + { + "type": 0, + "value": "Resumo do pedido" + } + ], + "checkout_confirmation.heading.payment_details": [ + { + "type": 0, + "value": "Detalhes do pagamento" + } + ], + "checkout_confirmation.heading.shipping_address": [ + { + "type": 0, + "value": "Endereço de entrega" + } + ], + "checkout_confirmation.heading.shipping_method": [ + { + "type": 0, + "value": "Método de entrega" + } + ], + "checkout_confirmation.heading.thank_you_for_order": [ + { + "type": 0, + "value": "Agradecemos o seu pedido!" + } + ], + "checkout_confirmation.label.free": [ + { + "type": 0, + "value": "Gratuito" + } + ], + "checkout_confirmation.label.order_number": [ + { + "type": 0, + "value": "Número do pedido" + } + ], + "checkout_confirmation.label.order_total": [ + { + "type": 0, + "value": "Total do pedido" + } + ], + "checkout_confirmation.label.promo_applied": [ + { + "type": 0, + "value": "Promoção aplicada" + } + ], + "checkout_confirmation.label.shipping": [ + { + "type": 0, + "value": "Frete" + } + ], + "checkout_confirmation.label.subtotal": [ + { + "type": 0, + "value": "Subtotal" + } + ], + "checkout_confirmation.label.tax": [ + { + "type": 0, + "value": "Imposto" + } + ], + "checkout_confirmation.link.continue_shopping": [ + { + "type": 0, + "value": "Continuar comprando" + } + ], + "checkout_confirmation.link.login": [ + { + "type": 0, + "value": "Fazer logon aqui" + } + ], + "checkout_confirmation.message.already_has_account": [ + { + "type": 0, + "value": "Já há uma conta com este mesmo endereço de e-mail." + } + ], + "checkout_confirmation.message.num_of_items_in_order": [ + { + "offset": 0, + "options": { + "=0": { + "value": [ + { + "type": 0, + "value": "0 itens" + } + ] + }, + "one": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": " item" + } + ] + }, + "other": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": " itens" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "itemCount" + }, + { + "type": 0, + "value": ")" + } + ], + "checkout_confirmation.message.will_email_shortly": [ + { + "type": 0, + "value": "Em breve, enviaremos um e-mail para " + }, + { + "children": [ + { + "type": 1, + "value": "email" + } + ], + "type": 8, + "value": "b" + }, + { + "type": 0, + "value": " com seu número de confirmação e recibo." + } + ], + "checkout_footer.link.privacy_policy": [ + { + "type": 0, + "value": "Política de privacidade" + } + ], + "checkout_footer.link.returns_exchanges": [ + { + "type": 0, + "value": "Devoluções e trocas" + } + ], + "checkout_footer.link.shipping": [ + { + "type": 0, + "value": "Frete" + } + ], + "checkout_footer.link.site_map": [ + { + "type": 0, + "value": "Mapa do site" + } + ], + "checkout_footer.link.terms_conditions": [ + { + "type": 0, + "value": "Termos e condições" + } + ], + "checkout_footer.message.copyright": [ + { + "type": 0, + "value": "Salesforce ou suas afiliadas. Todos os direitos reservados. Esta é apenas uma loja de demonstração. Os pedidos feitos NÃO SERÃO processados." + } + ], + "checkout_header.link.assistive_msg.cart": [ + { + "type": 0, + "value": "Voltar ao carrinho, número de itens: " + }, + { + "type": 1, + "value": "numItems" + } + ], + "checkout_header.link.cart": [ + { + "type": 0, + "value": "Voltar ao carrinho" + } + ], + "checkout_payment.action.remove": [ + { + "type": 0, + "value": "Remover" + } + ], + "checkout_payment.button.review_order": [ + { + "type": 0, + "value": "Rever pedido" + } + ], + "checkout_payment.heading.billing_address": [ + { + "type": 0, + "value": "Endereço de cobrança" + } + ], + "checkout_payment.heading.credit_card": [ + { + "type": 0, + "value": "Cartão de crédito" + } + ], + "checkout_payment.label.same_as_shipping": [ + { + "type": 0, + "value": "Igual ao endereço de entrega" + } + ], + "checkout_payment.title.payment": [ + { + "type": 0, + "value": "Pagamento" + } + ], + "colorRefinements.label.hitCount": [ + { + "type": 1, + "value": "colorLabel" + }, + { + "type": 0, + "value": " (" + }, + { + "type": 1, + "value": "colorHitCount" + }, + { + "type": 0, + "value": ")" + } + ], + "confirmation_modal.default.action.no": [ + { + "type": 0, + "value": "Não" + } + ], + "confirmation_modal.default.action.yes": [ + { + "type": 0, + "value": "Sim" + } + ], + "confirmation_modal.default.message.you_want_to_continue": [ + { + "type": 0, + "value": "Tem certeza de que deseja continuar?" + } + ], + "confirmation_modal.default.title.confirm_action": [ + { + "type": 0, + "value": "Confirmar ação" + } + ], + "confirmation_modal.remove_cart_item.action.no": [ + { + "type": 0, + "value": "Não, manter item" + } + ], + "confirmation_modal.remove_cart_item.action.remove": [ + { + "type": 0, + "value": "Remover" + } + ], + "confirmation_modal.remove_cart_item.action.yes": [ + { + "type": 0, + "value": "Sim, remover item" + } + ], + "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": [ + { + "type": 0, + "value": "Alguns itens não estão mais disponíveis online e serão removidos de seu carrinho." + } + ], + "confirmation_modal.remove_cart_item.message.sure_to_remove": [ + { + "type": 0, + "value": "Tem certeza de que deseja remover este item do carrinho?" + } + ], + "confirmation_modal.remove_cart_item.title.confirm_remove": [ + { + "type": 0, + "value": "Confirmar remoção do item" + } + ], + "confirmation_modal.remove_cart_item.title.items_unavailable": [ + { + "type": 0, + "value": "Itens indisponíveis" + } + ], + "confirmation_modal.remove_wishlist_item.action.no": [ + { + "type": 0, + "value": "Não, manter item" + } + ], + "confirmation_modal.remove_wishlist_item.action.yes": [ + { + "type": 0, + "value": "Sim, remover item" + } + ], + "confirmation_modal.remove_wishlist_item.message.sure_to_remove": [ + { + "type": 0, + "value": "Tem certeza de que deseja remover este item da lista de desejos?" + } + ], + "confirmation_modal.remove_wishlist_item.title.confirm_remove": [ + { + "type": 0, + "value": "Confirmar remoção do item" + } + ], + "contact_info.action.sign_out": [ + { + "type": 0, + "value": "Fazer logoff" + } + ], + "contact_info.button.already_have_account": [ + { + "type": 0, + "value": "Já tem uma conta? Fazer logon" + } + ], + "contact_info.button.checkout_as_guest": [ + { + "type": 0, + "value": "Pagar como convidado" + } + ], + "contact_info.button.login": [ + { + "type": 0, + "value": "Fazer logon" + } + ], + "contact_info.error.incorrect_username_or_password": [ + { + "type": 0, + "value": "Nome de usuário ou senha incorreta. Tente novamente." + } + ], + "contact_info.link.forgot_password": [ + { + "type": 0, + "value": "Esqueceu a senha?" + } + ], + "contact_info.title.contact_info": [ + { + "type": 0, + "value": "Informações de contato" + } + ], + "credit_card_fields.tool_tip.security_code": [ + { + "type": 0, + "value": "Este código de 3 dígitos pode ser encontrado no verso do seu cartão." + } + ], + "credit_card_fields.tool_tip.security_code.american_express": [ + { + "type": 0, + "value": "Este código de 4 dígitos pode ser encontrado na frente do seu cartão." + } + ], + "credit_card_fields.tool_tip.security_code_aria_label": [ + { + "type": 0, + "value": "Informações do código de segurança" + } + ], + "drawer_menu.button.account_details": [ + { + "type": 0, + "value": "Detalhes da conta" + } + ], + "drawer_menu.button.addresses": [ + { + "type": 0, + "value": "Endereços" + } + ], + "drawer_menu.button.log_out": [ + { + "type": 0, + "value": "Sair" + } + ], + "drawer_menu.button.my_account": [ + { + "type": 0, + "value": "Minha conta" + } + ], + "drawer_menu.button.order_history": [ + { + "type": 0, + "value": "Histórico de pedidos" + } + ], + "drawer_menu.link.about_us": [ + { + "type": 0, + "value": "Sobre nós" + } + ], + "drawer_menu.link.customer_support": [ + { + "type": 0, + "value": "Suporte ao cliente" + } + ], + "drawer_menu.link.customer_support.contact_us": [ + { + "type": 0, + "value": "Entrar em contato" + } + ], + "drawer_menu.link.customer_support.shipping_and_returns": [ + { + "type": 0, + "value": "Frete e devoluções" + } + ], + "drawer_menu.link.our_company": [ + { + "type": 0, + "value": "Nossa empresa" + } + ], + "drawer_menu.link.privacy_and_security": [ + { + "type": 0, + "value": "Privacidade e segurança" + } + ], + "drawer_menu.link.privacy_policy": [ + { + "type": 0, + "value": "Política de privacidade" + } + ], + "drawer_menu.link.shop_all": [ + { + "type": 0, + "value": "Ver tudo" + } + ], + "drawer_menu.link.sign_in": [ + { + "type": 0, + "value": "Fazer logon" + } + ], + "drawer_menu.link.site_map": [ + { + "type": 0, + "value": "Mapa do site" + } + ], + "drawer_menu.link.store_locator": [ + { + "type": 0, + "value": "Localizador de lojas" + } + ], + "drawer_menu.link.terms_and_conditions": [ + { + "type": 0, + "value": "Termos e condições" + } + ], + "empty_cart.description.empty_cart": [ + { + "type": 0, + "value": "Seu carrinho está vazio." + } + ], + "empty_cart.link.continue_shopping": [ + { + "type": 0, + "value": "Continuar comprando" + } + ], + "empty_cart.link.sign_in": [ + { + "type": 0, + "value": "Fazer logon" + } + ], + "empty_cart.message.continue_shopping": [ + { + "type": 0, + "value": "Continue comprando e adicione itens ao seu carrinho." + } + ], + "empty_cart.message.sign_in_or_continue_shopping": [ + { + "type": 0, + "value": "Faça logon para recuperar seus itens salvos ou continuar a compra." + } + ], + "empty_search_results.info.cant_find_anything_for_category": [ + { + "type": 0, + "value": "Não encontramos resultados para " + }, + { + "type": 1, + "value": "category" + }, + { + "type": 0, + "value": ". Tente pesquisar um produto ou " + }, + { + "type": 1, + "value": "link" + }, + { + "type": 0, + "value": "." + } + ], + "empty_search_results.info.cant_find_anything_for_query": [ + { + "type": 0, + "value": "Não encontramos resultados para \"" + }, + { + "type": 1, + "value": "searchQuery" + }, + { + "type": 0, + "value": "\"." + } + ], + "empty_search_results.info.double_check_spelling": [ + { + "type": 0, + "value": "Confira a ortografia e tente novamente ou " + }, + { + "type": 1, + "value": "link" + }, + { + "type": 0, + "value": "." + } + ], + "empty_search_results.link.contact_us": [ + { + "type": 0, + "value": "Entre em contato" + } + ], + "empty_search_results.recommended_products.title.most_viewed": [ + { + "type": 0, + "value": "Mais visto" + } + ], + "empty_search_results.recommended_products.title.top_sellers": [ + { + "type": 0, + "value": "Mais vendidos" + } + ], + "field.password.assistive_msg.hide_password": [ + { + "type": 0, + "value": "Ocultar senha" + } + ], + "field.password.assistive_msg.show_password": [ + { + "type": 0, + "value": "Mostrar senha" + } + ], + "footer.column.account": [ + { + "type": 0, + "value": "Conta" + } + ], + "footer.column.customer_support": [ + { + "type": 0, + "value": "Suporte ao cliente" + } + ], + "footer.column.our_company": [ + { + "type": 0, + "value": "Nossa empresa" + } + ], + "footer.link.about_us": [ + { + "type": 0, + "value": "Sobre nós" + } + ], + "footer.link.contact_us": [ + { + "type": 0, + "value": "Entre em contato" + } + ], + "footer.link.order_status": [ + { + "type": 0, + "value": "Estado dos pedidos" + } + ], + "footer.link.privacy_policy": [ + { + "type": 0, + "value": "Política de privacidade" + } + ], + "footer.link.shipping": [ + { + "type": 0, + "value": "Frete" + } + ], + "footer.link.signin_create_account": [ + { + "type": 0, + "value": "Fazer logon ou criar conta" + } + ], + "footer.link.site_map": [ + { + "type": 0, + "value": "Mapa do site" + } + ], + "footer.link.store_locator": [ + { + "type": 0, + "value": "Localizador de lojas" + } + ], + "footer.link.terms_conditions": [ + { + "type": 0, + "value": "Termos e condições" + } + ], + "footer.message.copyright": [ + { + "type": 0, + "value": "Salesforce ou suas afiliadas. Todos os direitos reservados. Esta é apenas uma loja de demonstração. Os pedidos feitos NÃO SERÃO processados." + } + ], + "footer.subscribe.button.sign_up": [ + { + "type": 0, + "value": "Cadastro" + } + ], + "footer.subscribe.description.sign_up": [ + { + "type": 0, + "value": "Registre-se para ficar por dentro de todas as ofertas" + } + ], + "footer.subscribe.heading.first_to_know": [ + { + "type": 0, + "value": "Seja o primeiro a saber" + } + ], + "form_action_buttons.button.cancel": [ + { + "type": 0, + "value": "Cancelar" + } + ], + "form_action_buttons.button.save": [ + { + "type": 0, + "value": "Salvar" + } + ], + "global.account.link.account_details": [ + { + "type": 0, + "value": "Detalhes da conta" + } + ], + "global.account.link.addresses": [ + { + "type": 0, + "value": "Endereços" + } + ], + "global.account.link.order_history": [ + { + "type": 0, + "value": "Histórico de pedidos" + } + ], + "global.account.link.wishlist": [ + { + "type": 0, + "value": "Lista de desejos" + } + ], + "global.error.something_went_wrong": [ + { + "type": 0, + "value": "Ocorreu um erro. Tente novamente." + } + ], + "global.info.added_to_wishlist": [ + { + "type": 1, + "value": "quantity" + }, + { + "type": 0, + "value": " " + }, + { + "offset": 0, + "options": { + "one": { + "value": [ + { + "type": 0, + "value": "item" + } + ] + }, + "other": { + "value": [ + { + "type": 0, + "value": "itens" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "quantity" + }, + { + "type": 0, + "value": " adicionado(s) à lista de desejos" + } + ], + "global.info.already_in_wishlist": [ + { + "type": 0, + "value": "O item já está na lista de desejos" + } + ], + "global.info.removed_from_wishlist": [ + { + "type": 0, + "value": "Item removido da lista de desejos" + } + ], + "global.link.added_to_wishlist.view_wishlist": [ + { + "type": 0, + "value": "Ver" + } + ], + "header.button.assistive_msg.logo": [ + { + "type": 0, + "value": "Logotipo" + } + ], + "header.button.assistive_msg.menu": [ + { + "type": 0, + "value": "Menu" + } + ], + "header.button.assistive_msg.my_account": [ + { + "type": 0, + "value": "Minha conta" + } + ], + "header.button.assistive_msg.my_account_menu": [ + { + "type": 0, + "value": "Abrir menu de conta" + } + ], + "header.button.assistive_msg.my_cart_with_num_items": [ + { + "type": 0, + "value": "Meu carrinho, número de itens: " + }, + { + "type": 1, + "value": "numItems" + } + ], + "header.button.assistive_msg.wishlist": [ + { + "type": 0, + "value": "Lista de desejos" + } + ], + "header.field.placeholder.search_for_products": [ + { + "type": 0, + "value": "Pesquisar produtos..." + } + ], + "header.popover.action.log_out": [ + { + "type": 0, + "value": "Sair" + } + ], + "header.popover.title.my_account": [ + { + "type": 0, + "value": "Minha conta" + } + ], + "home.description.features": [ + { + "type": 0, + "value": "Recursos prontos para uso, para que você só precise adicionar melhorias." + } + ], + "home.description.here_to_help": [ + { + "type": 0, + "value": "Entre em contato com nossa equipe de suporte." + } + ], + "home.description.here_to_help_line_2": [ + { + "type": 0, + "value": "Eles vão levar você ao lugar certo." + } + ], + "home.description.shop_products": [ + { + "type": 0, + "value": "Esta seção tem conteúdo do catálogo. " + }, + { + "type": 1, + "value": "docLink" + }, + { + "type": 0, + "value": " sobre como substitui-lo." + } + ], + "home.features.description.cart_checkout": [ + { + "type": 0, + "value": "Práticas recomendadas de comércio eletrônico para a experiência de carrinho e checkout do comprador." + } + ], + "home.features.description.components": [ + { + "type": 0, + "value": "Criado com Chakra UI, uma biblioteca de componentes de React simples, modulares e acessíveis." + } + ], + "home.features.description.einstein_recommendations": [ + { + "type": 0, + "value": "Entregue o próximo melhor produto ou oferta a cada comprador por meio de recomendações de produto." + } + ], + "home.features.description.my_account": [ + { + "type": 0, + "value": "Os compradores podem gerenciar as informações da conta, como perfil, endereços, pagamentos e pedidos." + } + ], + "home.features.description.shopper_login": [ + { + "type": 0, + "value": "Permite que os compradores façam logon com uma experiência de compra mais personalizada." + } + ], + "home.features.description.wishlist": [ + { + "type": 0, + "value": "Os compradores registrados podem adicionar itens de produtos à lista de desejos para comprá-los mais tarde." + } + ], + "home.features.heading.cart_checkout": [ + { + "type": 0, + "value": "Carrinho e Checkout" + } + ], + "home.features.heading.components": [ + { + "type": 0, + "value": "Componentes e Kit de design" + } + ], + "home.features.heading.einstein_recommendations": [ + { + "type": 0, + "value": "Recomendações do Einstein" + } + ], + "home.features.heading.my_account": [ + { + "type": 0, + "value": "Minha conta" + } + ], + "home.features.heading.shopper_login": [ + { + "type": 0, + "value": "Shopper Login and API Access Service (SLAS)" + } + ], + "home.features.heading.wishlist": [ + { + "type": 0, + "value": "Lista de desejos" + } + ], + "home.heading.features": [ + { + "type": 0, + "value": "Recursos" + } + ], + "home.heading.here_to_help": [ + { + "type": 0, + "value": "Estamos aqui para ajudar" + } + ], + "home.heading.shop_products": [ + { + "type": 0, + "value": "Comprar produtos" + } + ], + "home.hero_features.link.design_kit": [ + { + "type": 0, + "value": "Criar com o Figma PWA Design Kit" + } + ], + "home.hero_features.link.on_github": [ + { + "type": 0, + "value": "Baixar no Github" + } + ], + "home.hero_features.link.on_managed_runtime": [ + { + "type": 0, + "value": "Implantar no Managed Runtime" + } + ], + "home.link.contact_us": [ + { + "type": 0, + "value": "Entre em contato" + } + ], + "home.link.get_started": [ + { + "type": 0, + "value": "Começar" + } + ], + "home.link.read_docs": [ + { + "type": 0, + "value": "Leia os documentos" + } + ], + "home.title.react_starter_store": [ + { + "type": 0, + "value": "React PWA Starter Store para varejo" + } + ], + "icons.assistive_msg.lock": [ + { + "type": 0, + "value": "Seguro" + } + ], + "item_attributes.label.promotions": [ + { + "type": 0, + "value": "Promoções" + } + ], + "item_attributes.label.quantity": [ + { + "type": 0, + "value": "Quantidade: " + }, + { + "type": 1, + "value": "quantity" + } + ], + "item_image.label.sale": [ + { + "type": 0, + "value": "Promoção" + } + ], + "item_image.label.unavailable": [ + { + "type": 0, + "value": "Indisponível" + } + ], + "item_price.label.starting_at": [ + { + "type": 0, + "value": "A partir de" + } + ], + "lCPCxk": [ + { + "type": 0, + "value": "Selecione todas as opções acima" + } + ], + "list_menu.nav.assistive_msg": [ + { + "type": 0, + "value": "Navegação principal" + } + ], + "locale_text.message.ar-SA": [ + { + "type": 0, + "value": "Árabe (Arábia Saudita)" + } + ], + "locale_text.message.bn-BD": [ + { + "type": 0, + "value": "Bengali (Bangladesh)" + } + ], + "locale_text.message.bn-IN": [ + { + "type": 0, + "value": "Bengali (Índia)" + } + ], + "locale_text.message.cs-CZ": [ + { + "type": 0, + "value": "Tcheco (República Tcheca)" + } + ], + "locale_text.message.da-DK": [ + { + "type": 0, + "value": "Dinamarquês (Dinamarca)" + } + ], + "locale_text.message.de-AT": [ + { + "type": 0, + "value": "Alemão (Áustria)" + } + ], + "locale_text.message.de-CH": [ + { + "type": 0, + "value": "Alemão (Suíça)" + } + ], + "locale_text.message.de-DE": [ + { + "type": 0, + "value": "Alemão (Alemanha)" + } + ], + "locale_text.message.el-GR": [ + { + "type": 0, + "value": "Grego (Grécia)" + } + ], + "locale_text.message.en-AU": [ + { + "type": 0, + "value": "Inglês (Austrália)" + } + ], + "locale_text.message.en-CA": [ + { + "type": 0, + "value": "Inglês (Canadá)" + } + ], + "locale_text.message.en-GB": [ + { + "type": 0, + "value": "Inglês (Reino Unido)" + } + ], + "locale_text.message.en-IE": [ + { + "type": 0, + "value": "Inglês (Irlanda)" + } + ], + "locale_text.message.en-IN": [ + { + "type": 0, + "value": "Inglês (Índia)" + } + ], + "locale_text.message.en-NZ": [ + { + "type": 0, + "value": "Inglês (Nova Zelândia)" + } + ], + "locale_text.message.en-US": [ + { + "type": 0, + "value": "Inglês (Estados Unidos)" + } + ], + "locale_text.message.en-ZA": [ + { + "type": 0, + "value": "Inglês (África do Sul)" + } + ], + "locale_text.message.es-AR": [ + { + "type": 0, + "value": "Espanhol (Argentina)" + } + ], + "locale_text.message.es-CL": [ + { + "type": 0, + "value": "Espanhol (Chile)" + } + ], + "locale_text.message.es-CO": [ + { + "type": 0, + "value": "Espanhol (Colômbia)" + } + ], + "locale_text.message.es-ES": [ + { + "type": 0, + "value": "Espanhol (Espanha)" + } + ], + "locale_text.message.es-MX": [ + { + "type": 0, + "value": "Espanhol (México)" + } + ], + "locale_text.message.es-US": [ + { + "type": 0, + "value": "Espanhol (Estados Unidos)" + } + ], + "locale_text.message.fi-FI": [ + { + "type": 0, + "value": "Finlandês (Finlândia)" + } + ], + "locale_text.message.fr-BE": [ + { + "type": 0, + "value": "Francês (Bélgica)" + } + ], + "locale_text.message.fr-CA": [ + { + "type": 0, + "value": "Francês (Canadá)" + } + ], + "locale_text.message.fr-CH": [ + { + "type": 0, + "value": "Francês (Suíça)" + } + ], + "locale_text.message.fr-FR": [ + { + "type": 0, + "value": "Francês (França)" + } + ], + "locale_text.message.he-IL": [ + { + "type": 0, + "value": "Hebreu (Israel)" + } + ], + "locale_text.message.hi-IN": [ + { + "type": 0, + "value": "Hindi (Índia)" + } + ], + "locale_text.message.hu-HU": [ + { + "type": 0, + "value": "Húngaro (Hungria)" + } + ], + "locale_text.message.id-ID": [ + { + "type": 0, + "value": "Indonésio (Indonésia)" + } + ], + "locale_text.message.it-CH": [ + { + "type": 0, + "value": "Italiano (Suíça)" + } + ], + "locale_text.message.it-IT": [ + { + "type": 0, + "value": "Italiano (Itália)" + } + ], + "locale_text.message.ja-JP": [ + { + "type": 0, + "value": "Japonês (Japão)" + } + ], + "locale_text.message.ko-KR": [ + { + "type": 0, + "value": "Coreano (Coreia do Sul)" + } + ], + "locale_text.message.nl-BE": [ + { + "type": 0, + "value": "Holandês (Bélgica)" + } + ], + "locale_text.message.nl-NL": [ + { + "type": 0, + "value": "Holandês (Países Baixos)" + } + ], + "locale_text.message.no-NO": [ + { + "type": 0, + "value": "Norueguês (Noruega)" + } + ], + "locale_text.message.pl-PL": [ + { + "type": 0, + "value": "Polonês (Polônia)" + } + ], + "locale_text.message.pt-BR": [ + { + "type": 0, + "value": "Português (Brasil)" + } + ], + "locale_text.message.pt-PT": [ + { + "type": 0, + "value": "Português (Portugal)" + } + ], + "locale_text.message.ro-RO": [ + { + "type": 0, + "value": "Romeno (Romênia)" + } + ], + "locale_text.message.ru-RU": [ + { + "type": 0, + "value": "Russo (Rússia)" + } + ], + "locale_text.message.sk-SK": [ + { + "type": 0, + "value": "Eslovaco (Eslováquia)" + } + ], + "locale_text.message.sv-SE": [ + { + "type": 0, + "value": "Sueco (Suécia)" + } + ], + "locale_text.message.ta-IN": [ + { + "type": 0, + "value": "Tâmil (Índia)" + } + ], + "locale_text.message.ta-LK": [ + { + "type": 0, + "value": "Tâmil (Sri Lanka)" + } + ], + "locale_text.message.th-TH": [ + { + "type": 0, + "value": "Tailandês (Tailândia)" + } + ], + "locale_text.message.tr-TR": [ + { + "type": 0, + "value": "Turco (Turquia)" + } + ], + "locale_text.message.zh-CN": [ + { + "type": 0, + "value": "Chinês (China)" + } + ], + "locale_text.message.zh-HK": [ + { + "type": 0, + "value": "Chinês (Hong Kong)" + } + ], + "locale_text.message.zh-TW": [ + { + "type": 0, + "value": "Chinês (Taiwan)" + } + ], + "login_form.action.create_account": [ + { + "type": 0, + "value": "Criar conta" + } + ], + "login_form.button.sign_in": [ + { + "type": 0, + "value": "Fazer logon" + } + ], + "login_form.link.forgot_password": [ + { + "type": 0, + "value": "Esqueceu a senha?" + } + ], + "login_form.message.dont_have_account": [ + { + "type": 0, + "value": "Não tem uma conta?" + } + ], + "login_form.message.welcome_back": [ + { + "type": 0, + "value": "Olá novamente" + } + ], + "login_page.error.incorrect_username_or_password": [ + { + "type": 0, + "value": "Nome de usuário ou senha incorreta. Tente novamente." + } + ], + "offline_banner.description.browsing_offline_mode": [ + { + "type": 0, + "value": "Você está navegando no modo offline" + } + ], + "order_summary.action.remove_promo": [ + { + "type": 0, + "value": "Remover" + } + ], + "order_summary.cart_items.action.num_of_items_in_cart": [ + { + "offset": 0, + "options": { + "=0": { + "value": [ + { + "type": 0, + "value": "0 itens" + } + ] + }, + "one": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": " item" + } + ] + }, + "other": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": " itens" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "itemCount" + }, + { + "type": 0, + "value": " no carrinho" + } + ], + "order_summary.cart_items.link.edit_cart": [ + { + "type": 0, + "value": "Editar carrinho" + } + ], + "order_summary.heading.order_summary": [ + { + "type": 0, + "value": "Resumo do pedido" + } + ], + "order_summary.label.estimated_total": [ + { + "type": 0, + "value": "Total estimado" + } + ], + "order_summary.label.free": [ + { + "type": 0, + "value": "Gratuito" + } + ], + "order_summary.label.order_total": [ + { + "type": 0, + "value": "Total do pedido" + } + ], + "order_summary.label.promo_applied": [ + { + "type": 0, + "value": "Promoção aplicada" + } + ], + "order_summary.label.promotions_applied": [ + { + "type": 0, + "value": "Promoções aplicadas" + } + ], + "order_summary.label.shipping": [ + { + "type": 0, + "value": "Frete" + } + ], + "order_summary.label.subtotal": [ + { + "type": 0, + "value": "Subtotal" + } + ], + "order_summary.label.tax": [ + { + "type": 0, + "value": "Imposto" + } + ], + "page_not_found.action.go_back": [ + { + "type": 0, + "value": "Voltar à página anterior" + } + ], + "page_not_found.link.homepage": [ + { + "type": 0, + "value": "Ir à página inicial" + } + ], + "page_not_found.message.suggestion_to_try": [ + { + "type": 0, + "value": "Tente digitar o endereço novamente, voltar à página anterior ou à página inicial." + } + ], + "page_not_found.title.page_cant_be_found": [ + { + "type": 0, + "value": "A página buscada não pôde ser encontrada." + } + ], + "pagination.field.num_of_pages": [ + { + "type": 0, + "value": "de " + }, + { + "type": 1, + "value": "numOfPages" + } + ], + "pagination.link.next": [ + { + "type": 0, + "value": "Próximo" + } + ], + "pagination.link.next.assistive_msg": [ + { + "type": 0, + "value": "Próxima página" + } + ], + "pagination.link.prev": [ + { + "type": 0, + "value": "Ant" + } + ], + "pagination.link.prev.assistive_msg": [ + { + "type": 0, + "value": "Página anterior" + } + ], + "password_card.info.password_updated": [ + { + "type": 0, + "value": "Senha atualizada" + } + ], + "password_card.label.password": [ + { + "type": 0, + "value": "Senha" + } + ], + "password_card.title.password": [ + { + "type": 0, + "value": "Senha" + } + ], + "password_requirements.error.eight_letter_minimum": [ + { + "type": 0, + "value": "Mínimo de 8 caracteres" + } + ], + "password_requirements.error.one_lowercase_letter": [ + { + "type": 0, + "value": "1 letra minúscula" + } + ], + "password_requirements.error.one_number": [ + { + "type": 0, + "value": "1 número" + } + ], + "password_requirements.error.one_special_character": [ + { + "type": 0, + "value": "1 caractere especial (exemplo: , $ ! % #)" + } + ], + "password_requirements.error.one_uppercase_letter": [ + { + "type": 0, + "value": "1 letra maiúscula" + } + ], + "payment_selection.heading.credit_card": [ + { + "type": 0, + "value": "Cartão de crédito" + } + ], + "payment_selection.tooltip.secure_payment": [ + { + "type": 0, + "value": "Este é um pagamento protegido com criptografia SSL." + } + ], + "price_per_item.label.each": [ + { + "type": 0, + "value": "cada" + } + ], + "product_detail.accordion.button.product_detail": [ + { + "type": 0, + "value": "Detalhe do produto" + } + ], + "product_detail.accordion.button.questions": [ + { + "type": 0, + "value": "Perguntas" + } + ], + "product_detail.accordion.button.reviews": [ + { + "type": 0, + "value": "Avaliações" + } + ], + "product_detail.accordion.button.size_fit": [ + { + "type": 0, + "value": "Tamanho" + } + ], + "product_detail.accordion.message.coming_soon": [ + { + "type": 0, + "value": "Em breve" + } + ], + "product_detail.recommended_products.title.complete_set": [ + { + "type": 0, + "value": "Completar o conjunto" + } + ], + "product_detail.recommended_products.title.might_also_like": [ + { + "type": 0, + "value": "Talvez você também queira" + } + ], + "product_detail.recommended_products.title.recently_viewed": [ + { + "type": 0, + "value": "Recentemente visualizados" + } + ], + "product_item.label.quantity": [ + { + "type": 0, + "value": "Quantidade:" + } + ], + "product_list.button.filter": [ + { + "type": 0, + "value": "Filtrar" + } + ], + "product_list.button.sort_by": [ + { + "type": 0, + "value": "Ordenar por: " + }, + { + "type": 1, + "value": "sortOption" + } + ], + "product_list.drawer.title.sort_by": [ + { + "type": 0, + "value": "Ordenar por" + } + ], + "product_list.modal.button.clear_filters": [ + { + "type": 0, + "value": "Limpar filtros" + } + ], + "product_list.modal.button.view_items": [ + { + "type": 0, + "value": "Ver " + }, + { + "type": 1, + "value": "prroductCount" + }, + { + "type": 0, + "value": " itens" + } + ], + "product_list.modal.title.filter": [ + { + "type": 0, + "value": "Filtrar" + } + ], + "product_list.refinements.button.assistive_msg.add_filter": [ + { + "type": 0, + "value": "Adicionar filtro: " + }, + { + "type": 1, + "value": "label" + } + ], + "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": [ + { + "type": 0, + "value": "Adicionar filtro: " + }, + { + "type": 1, + "value": "label" + }, + { + "type": 0, + "value": " (" + }, + { + "type": 1, + "value": "hitCount" + }, + { + "type": 0, + "value": ")" + } + ], + "product_list.refinements.button.assistive_msg.remove_filter": [ + { + "type": 0, + "value": "Remover filtro: " + }, + { + "type": 1, + "value": "label" + } + ], + "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": [ + { + "type": 0, + "value": "Remover filtro: " + }, + { + "type": 1, + "value": "label" + }, + { + "type": 0, + "value": " (" + }, + { + "type": 1, + "value": "hitCount" + }, + { + "type": 0, + "value": ")" + } + ], + "product_list.select.sort_by": [ + { + "type": 0, + "value": "Ordenar por: " + }, + { + "type": 1, + "value": "sortOption" + } + ], + "product_scroller.assistive_msg.scroll_left": [ + { + "type": 0, + "value": "Rolar os produtos para a esquerda" + } + ], + "product_scroller.assistive_msg.scroll_right": [ + { + "type": 0, + "value": "Rolar os produtos para a direita" + } + ], + "product_tile.assistive_msg.add_to_wishlist": [ + { + "type": 0, + "value": "Adicionar " + }, + { + "type": 1, + "value": "product" + }, + { + "type": 0, + "value": " à lista de desejos" + } + ], + "product_tile.assistive_msg.remove_from_wishlist": [ + { + "type": 0, + "value": "Remover " + }, + { + "type": 1, + "value": "product" + }, + { + "type": 0, + "value": " da lista de desejos" + } + ], + "product_tile.label.starting_at_price": [ + { + "type": 0, + "value": "A partir de " + }, + { + "type": 1, + "value": "price" + } + ], + "product_view.button.add_set_to_cart": [ + { + "type": 0, + "value": "Adicionar conjunto ao carrinho" + } + ], + "product_view.button.add_set_to_wishlist": [ + { + "type": 0, + "value": "Adicionar conjunto à lista de desejos" + } + ], + "product_view.button.add_to_cart": [ + { + "type": 0, + "value": "Adicionar ao carrinho" + } + ], + "product_view.button.add_to_wishlist": [ + { + "type": 0, + "value": "Adicionar à lista de desejos" + } + ], + "product_view.button.update": [ + { + "type": 0, + "value": "Atualizar" + } + ], + "product_view.label.assistive_msg.quantity_decrement": [ + { + "type": 0, + "value": "Quantidade de decremento" + } + ], + "product_view.label.assistive_msg.quantity_increment": [ + { + "type": 0, + "value": "Quantidade de incremento" + } + ], + "product_view.label.quantity": [ + { + "type": 0, + "value": "Quantidade" + } + ], + "product_view.label.quantity_decrement": [ + { + "type": 0, + "value": "−" + } + ], + "product_view.label.quantity_increment": [ + { + "type": 0, + "value": "+" + } + ], + "product_view.label.starting_at_price": [ + { + "type": 0, + "value": "A partir de" + } + ], + "product_view.label.variant_type": [ + { + "type": 1, + "value": "variantType" + } + ], + "product_view.link.full_details": [ + { + "type": 0, + "value": "Ver detalhes completos" + } + ], + "profile_card.info.profile_updated": [ + { + "type": 0, + "value": "Perfil atualizado" + } + ], + "profile_card.label.email": [ + { + "type": 0, + "value": "E-mail" + } + ], + "profile_card.label.full_name": [ + { + "type": 0, + "value": "Nome" + } + ], + "profile_card.label.phone": [ + { + "type": 0, + "value": "Número de telefone" + } + ], + "profile_card.message.not_provided": [ + { + "type": 0, + "value": "Não fornecido" + } + ], + "profile_card.title.my_profile": [ + { + "type": 0, + "value": "Meu perfil" + } + ], + "promo_code_fields.button.apply": [ + { + "type": 0, + "value": "Aplicar" + } + ], + "promo_popover.assistive_msg.info": [ + { + "type": 0, + "value": "Informações" + } + ], + "promo_popover.heading.promo_applied": [ + { + "type": 0, + "value": "Promoções aplicadas" + } + ], + "promocode.accordion.button.have_promocode": [ + { + "type": 0, + "value": "Você tem um código promocional?" + } + ], + "recent_searches.action.clear_searches": [ + { + "type": 0, + "value": "Apagar pesquisas recentes" + } + ], + "recent_searches.heading.recent_searches": [ + { + "type": 0, + "value": "Pesquisas recentes" + } + ], + "register_form.action.sign_in": [ + { + "type": 0, + "value": "Fazer logon" + } + ], + "register_form.button.create_account": [ + { + "type": 0, + "value": "Criar conta" + } + ], + "register_form.heading.lets_get_started": [ + { + "type": 0, + "value": "Vamos começar!" + } + ], + "register_form.message.agree_to_policy_terms": [ + { + "type": 0, + "value": "Ao criar uma conta, você concorda com a " + }, + { + "children": [ + { + "type": 0, + "value": "Política de privacidade" + } + ], + "type": 8, + "value": "policy" + }, + { + "type": 0, + "value": " e os " + }, + { + "children": [ + { + "type": 0, + "value": "Termos e condições" + } + ], + "type": 8, + "value": "terms" + }, + { + "type": 0, + "value": " da Salesforce" + } + ], + "register_form.message.already_have_account": [ + { + "type": 0, + "value": "Já tem uma conta?" + } + ], + "register_form.message.create_an_account": [ + { + "type": 0, + "value": "Crie uma conta e tenha acesso aos melhores produtos, ideias e comunidade." + } + ], + "reset_password.button.back_to_sign_in": [ + { + "type": 0, + "value": "Fazer login novamente" + } + ], + "reset_password.info.receive_email_shortly": [ + { + "type": 0, + "value": "Em breve, você receberá um e-mail em " + }, + { + "children": [ + { + "type": 1, + "value": "email" + } + ], + "type": 8, + "value": "b" + }, + { + "type": 0, + "value": " com um link para redefinir a senha." + } + ], + "reset_password.title.password_reset": [ + { + "type": 0, + "value": "Redefinição de senha" + } + ], + "reset_password_form.action.sign_in": [ + { + "type": 0, + "value": "Fazer logon" + } + ], + "reset_password_form.button.reset_password": [ + { + "type": 0, + "value": "Redefinir senha" + } + ], + "reset_password_form.message.enter_your_email": [ + { + "type": 0, + "value": "Digite seu e-mail para receber instruções sobre como redefinir sua senha" + } + ], + "reset_password_form.message.return_to_sign_in": [ + { + "type": 0, + "value": "Ou voltar para" + } + ], + "reset_password_form.title.reset_password": [ + { + "type": 0, + "value": "Redefinir senha" + } + ], + "search.action.cancel": [ + { + "type": 0, + "value": "Cancelar" + } + ], + "selected_refinements.action.assistive_msg.clear_all": [ + { + "type": 0, + "value": "Apagar todos os filtros" + } + ], + "selected_refinements.action.clear_all": [ + { + "type": 0, + "value": "Apagar tudo" + } + ], + "shipping_address.button.continue_to_shipping": [ + { + "type": 0, + "value": "Ir ao método de entrega" + } + ], + "shipping_address.title.shipping_address": [ + { + "type": 0, + "value": "Endereço de entrega" + } + ], + "shipping_address_edit_form.button.save_and_continue": [ + { + "type": 0, + "value": "Salvar e ir ao método de entrega" + } + ], + "shipping_address_form.heading.edit_address": [ + { + "type": 0, + "value": "Editar endereço" + } + ], + "shipping_address_form.heading.new_address": [ + { + "type": 0, + "value": "Adicionar novo endereço" + } + ], + "shipping_address_selection.button.add_address": [ + { + "type": 0, + "value": "Adicionar novo endereço" + } + ], + "shipping_address_selection.button.submit": [ + { + "type": 0, + "value": "Enviar" + } + ], + "shipping_address_selection.title.add_address": [ + { + "type": 0, + "value": "Adicionar novo endereço" + } + ], + "shipping_address_selection.title.edit_shipping": [ + { + "type": 0, + "value": "Editar endereço de entrega" + } + ], + "shipping_options.action.send_as_a_gift": [ + { + "type": 0, + "value": "Deseja enviar esse item como presente?" + } + ], + "shipping_options.button.continue_to_payment": [ + { + "type": 0, + "value": "Ir ao Pagamento" + } + ], + "shipping_options.title.shipping_gift_options": [ + { + "type": 0, + "value": "Opções de frete e presente" + } + ], + "signout_confirmation_dialog.button.cancel": [ + { + "type": 0, + "value": "Cancelar" + } + ], + "signout_confirmation_dialog.button.sign_out": [ + { + "type": 0, + "value": "Fazer logoff" + } + ], + "signout_confirmation_dialog.heading.sign_out": [ + { + "type": 0, + "value": "Fazer logoff" + } + ], + "signout_confirmation_dialog.message.sure_to_sign_out": [ + { + "type": 0, + "value": "Tem certeza de que deseja fazer logout? Será preciso fazer logon novamente para dar continuidade ao seu pedido atual." + } + ], + "swatch_group.selected.label": [ + { + "type": 1, + "value": "label" + }, + { + "type": 0, + "value": ":" + } + ], + "toggle_card.action.edit": [ + { + "type": 0, + "value": "Editar" + } + ], + "update_password_fields.button.forgot_password": [ + { + "type": 0, + "value": "Esqueceu a senha?" + } + ], + "use_address_fields.error.please_enter_first_name": [ + { + "type": 0, + "value": "Insira seu nome." + } + ], + "use_address_fields.error.please_enter_last_name": [ + { + "type": 0, + "value": "Insira seu sobrenome." + } + ], + "use_address_fields.error.please_enter_phone_number": [ + { + "type": 0, + "value": "Insira seu telefone." + } + ], + "use_address_fields.error.please_enter_your_postal_or_zip": [ + { + "type": 0, + "value": "Insira seu código postal." + } + ], + "use_address_fields.error.please_select_your_address": [ + { + "type": 0, + "value": "Insira seu endereço." + } + ], + "use_address_fields.error.please_select_your_city": [ + { + "type": 0, + "value": "Insira sua cidade." + } + ], + "use_address_fields.error.please_select_your_country": [ + { + "type": 0, + "value": "Selecione o país." + } + ], + "use_address_fields.error.please_select_your_state_or_province": [ + { + "type": 0, + "value": "Selecione estado/província." + } + ], + "use_address_fields.error.required": [ + { + "type": 0, + "value": "Requerido" + } + ], + "use_address_fields.error.state_code_invalid": [ + { + "type": 0, + "value": "Insira 2 letras para estado/município." + } + ], + "use_address_fields.label.address": [ + { + "type": 0, + "value": "Endereço" + } + ], + "use_address_fields.label.address_form": [ + { + "type": 0, + "value": "Formulário de endereço" + } + ], + "use_address_fields.label.city": [ + { + "type": 0, + "value": "Cidade" + } + ], + "use_address_fields.label.country": [ + { + "type": 0, + "value": "País" + } + ], + "use_address_fields.label.first_name": [ + { + "type": 0, + "value": "Nome" + } + ], + "use_address_fields.label.last_name": [ + { + "type": 0, + "value": "Sobrenome" + } + ], + "use_address_fields.label.phone": [ + { + "type": 0, + "value": "Telefone" + } + ], + "use_address_fields.label.postal_code": [ + { + "type": 0, + "value": "Código postal" + } + ], + "use_address_fields.label.preferred": [ + { + "type": 0, + "value": "Definir como padrão" + } + ], + "use_address_fields.label.province": [ + { + "type": 0, + "value": "Município" + } + ], + "use_address_fields.label.state": [ + { + "type": 0, + "value": "Estado" + } + ], + "use_address_fields.label.zipCode": [ + { + "type": 0, + "value": "Código postal" + } + ], + "use_credit_card_fields.error.required": [ + { + "type": 0, + "value": "Requerido" + } + ], + "use_credit_card_fields.error.required_card_number": [ + { + "type": 0, + "value": "Insira o número de seu cartão." + } + ], + "use_credit_card_fields.error.required_expiry": [ + { + "type": 0, + "value": "Insira a data de expiração." + } + ], + "use_credit_card_fields.error.required_name": [ + { + "type": 0, + "value": "Insira seu nome exatamente como aparece no cartão." + } + ], + "use_credit_card_fields.error.required_security_code": [ + { + "type": 0, + "value": "Insira seu código de segurança." + } + ], + "use_credit_card_fields.error.valid_card_number": [ + { + "type": 0, + "value": "Insira um número de cartão válido." + } + ], + "use_credit_card_fields.error.valid_date": [ + { + "type": 0, + "value": "Insira uma data válida." + } + ], + "use_credit_card_fields.error.valid_name": [ + { + "type": 0, + "value": "Insira um nome válido." + } + ], + "use_credit_card_fields.error.valid_security_code": [ + { + "type": 0, + "value": "Insira um código de segurança válido." + } + ], + "use_credit_card_fields.label.card_number": [ + { + "type": 0, + "value": "Número de cartão" + } + ], + "use_credit_card_fields.label.card_type": [ + { + "type": 0, + "value": "Tipo de cartão" + } + ], + "use_credit_card_fields.label.expiry": [ + { + "type": 0, + "value": "Data de expiração" + } + ], + "use_credit_card_fields.label.name": [ + { + "type": 0, + "value": "Nome no cartão" + } + ], + "use_credit_card_fields.label.security_code": [ + { + "type": 0, + "value": "Código de segurança" + } + ], + "use_login_fields.error.required_email": [ + { + "type": 0, + "value": "Insira seu endereço de e-mail." + } + ], + "use_login_fields.error.required_password": [ + { + "type": 0, + "value": "Insira sua senha." + } + ], + "use_login_fields.label.email": [ + { + "type": 0, + "value": "E-mail" + } + ], + "use_login_fields.label.password": [ + { + "type": 0, + "value": "Senha" + } + ], + "use_product.message.inventory_remaining": [ + { + "type": 0, + "value": "Somente " + }, + { + "type": 1, + "value": "stockLevel" + }, + { + "type": 0, + "value": " restante(s)!" + } + ], + "use_product.message.out_of_stock": [ + { + "type": 0, + "value": "Fora de estoque" + } + ], + "use_profile_fields.error.required_email": [ + { + "type": 0, + "value": "Insira um endereço de e-mail válido." + } + ], + "use_profile_fields.error.required_first_name": [ + { + "type": 0, + "value": "Insira seu nome." + } + ], + "use_profile_fields.error.required_last_name": [ + { + "type": 0, + "value": "Insira seu sobrenome." + } + ], + "use_profile_fields.error.required_phone": [ + { + "type": 0, + "value": "Insira seu telefone." + } + ], + "use_profile_fields.label.email": [ + { + "type": 0, + "value": "E-mail" + } + ], + "use_profile_fields.label.first_name": [ + { + "type": 0, + "value": "Nome" + } + ], + "use_profile_fields.label.last_name": [ + { + "type": 0, + "value": "Sobrenome" + } + ], + "use_profile_fields.label.phone": [ + { + "type": 0, + "value": "Número de telefone" + } + ], + "use_promo_code_fields.error.required_promo_code": [ + { + "type": 0, + "value": "Forneça um código promocional válido." + } + ], + "use_promo_code_fields.label.promo_code": [ + { + "type": 0, + "value": "Código promocional" + } + ], + "use_promocode.error.check_the_code": [ + { + "type": 0, + "value": "Verifique o código e tente novamente. Talvez ele já tenha sido utilizado ou a promoção já não é mais válida." + } + ], + "use_promocode.info.promo_applied": [ + { + "type": 0, + "value": "Promoção aplicada" + } + ], + "use_promocode.info.promo_removed": [ + { + "type": 0, + "value": "Promoção removida" + } + ], + "use_registration_fields.error.contain_number": [ + { + "type": 0, + "value": "A senha deve conter pelo menos 1 número." + } + ], + "use_registration_fields.error.lowercase_letter": [ + { + "type": 0, + "value": "A senha deve conter pelo menos 1 letra minúscula." + } + ], + "use_registration_fields.error.minimum_characters": [ + { + "type": 0, + "value": "A senha deve conter pelo menos 8 caracteres." + } + ], + "use_registration_fields.error.required_email": [ + { + "type": 0, + "value": "Insira um endereço de e-mail válido." + } + ], + "use_registration_fields.error.required_first_name": [ + { + "type": 0, + "value": "Insira seu nome." + } + ], + "use_registration_fields.error.required_last_name": [ + { + "type": 0, + "value": "Insira seu sobrenome." + } + ], + "use_registration_fields.error.required_password": [ + { + "type": 0, + "value": "Crie uma senha." + } + ], + "use_registration_fields.error.special_character": [ + { + "type": 0, + "value": "A senha deve conter pelo menos 1 caractere especial." + } + ], + "use_registration_fields.error.uppercase_letter": [ + { + "type": 0, + "value": "A senha deve conter pelo menos 1 letra maiúscula." + } + ], + "use_registration_fields.label.email": [ + { + "type": 0, + "value": "E-mail" + } + ], + "use_registration_fields.label.first_name": [ + { + "type": 0, + "value": "Nome" + } + ], + "use_registration_fields.label.last_name": [ + { + "type": 0, + "value": "Sobrenome" + } + ], + "use_registration_fields.label.password": [ + { + "type": 0, + "value": "Senha" + } + ], + "use_registration_fields.label.sign_up_to_emails": [ + { + "type": 0, + "value": "Fazer o meu registro para receber e-mails da Salesforce (você pode cancelar sua inscrição quando quiser)" + } + ], + "use_reset_password_fields.error.required_email": [ + { + "type": 0, + "value": "Insira um endereço de e-mail válido." + } + ], + "use_reset_password_fields.label.email": [ + { + "type": 0, + "value": "E-mail" + } + ], + "use_update_password_fields.error.contain_number": [ + { + "type": 0, + "value": "A senha deve conter pelo menos 1 número." + } + ], + "use_update_password_fields.error.lowercase_letter": [ + { + "type": 0, + "value": "A senha deve conter pelo menos 1 letra minúscula." + } + ], + "use_update_password_fields.error.minimum_characters": [ + { + "type": 0, + "value": "A senha deve conter pelo menos 8 caracteres." + } + ], + "use_update_password_fields.error.required_new_password": [ + { + "type": 0, + "value": "Forneça uma nova senha." + } + ], + "use_update_password_fields.error.required_password": [ + { + "type": 0, + "value": "Insira sua senha." + } + ], + "use_update_password_fields.error.special_character": [ + { + "type": 0, + "value": "A senha deve conter pelo menos 1 caractere especial." + } + ], + "use_update_password_fields.error.uppercase_letter": [ + { + "type": 0, + "value": "A senha deve conter pelo menos 1 letra maiúscula." + } + ], + "use_update_password_fields.label.current_password": [ + { + "type": 0, + "value": "Senha atual" + } + ], + "use_update_password_fields.label.new_password": [ + { + "type": 0, + "value": "Nova senha" + } + ], + "wishlist_primary_action.button.add_set_to_cart": [ + { + "type": 0, + "value": "Adicionar conjunto ao carrinho" + } + ], + "wishlist_primary_action.button.add_to_cart": [ + { + "type": 0, + "value": "Adicionar ao carrinho" + } + ], + "wishlist_primary_action.button.view_full_details": [ + { + "type": 0, + "value": "Ver detalhes completos" + } + ], + "wishlist_primary_action.button.view_options": [ + { + "type": 0, + "value": "Ver opções" + } + ], + "wishlist_primary_action.info.added_to_cart": [ + { + "type": 1, + "value": "quantity" + }, + { + "type": 0, + "value": " " + }, + { + "offset": 0, + "options": { + "one": { + "value": [ + { + "type": 0, + "value": "item" + } + ] + }, + "other": { + "value": [ + { + "type": 0, + "value": "itens" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "quantity" + }, + { + "type": 0, + "value": " adicionado(s) ao carrinho" + } + ], + "wishlist_secondary_button_group.action.remove": [ + { + "type": 0, + "value": "Remover" + } + ], + "wishlist_secondary_button_group.info.item_removed": [ + { + "type": 0, + "value": "Item removido da lista de desejos" + } + ], + "with_registration.info.please_sign_in": [ + { + "type": 0, + "value": "Faça logon para continuar!" + } + ] +} \ No newline at end of file diff --git a/my-test-project/overrides/app/static/translations/compiled/zh-CN.json b/my-test-project/overrides/app/static/translations/compiled/zh-CN.json new file mode 100644 index 0000000000..d406c55c72 --- /dev/null +++ b/my-test-project/overrides/app/static/translations/compiled/zh-CN.json @@ -0,0 +1,3474 @@ +{ + "account.accordion.button.my_account": [ + { + "type": 0, + "value": "我的账户" + } + ], + "account.heading.my_account": [ + { + "type": 0, + "value": "我的账户" + } + ], + "account.logout_button.button.log_out": [ + { + "type": 0, + "value": "登出" + } + ], + "account_addresses.badge.default": [ + { + "type": 0, + "value": "默认" + } + ], + "account_addresses.button.add_address": [ + { + "type": 0, + "value": "添加地址" + } + ], + "account_addresses.info.address_removed": [ + { + "type": 0, + "value": "已删除地址" + } + ], + "account_addresses.info.address_updated": [ + { + "type": 0, + "value": "已更新地址" + } + ], + "account_addresses.info.new_address_saved": [ + { + "type": 0, + "value": "已保存新地址" + } + ], + "account_addresses.page_action_placeholder.button.add_address": [ + { + "type": 0, + "value": "添加地址" + } + ], + "account_addresses.page_action_placeholder.heading.no_saved_addresses": [ + { + "type": 0, + "value": "没有保存的地址" + } + ], + "account_addresses.page_action_placeholder.message.add_new_address": [ + { + "type": 0, + "value": "添加新地址方式,加快结账速度。" + } + ], + "account_addresses.title.addresses": [ + { + "type": 0, + "value": "地址" + } + ], + "account_detail.title.account_details": [ + { + "type": 0, + "value": "账户详情" + } + ], + "account_order_detail.heading.billing_address": [ + { + "type": 0, + "value": "账单地址" + } + ], + "account_order_detail.heading.num_of_items": [ + { + "type": 1, + "value": "count" + }, + { + "type": 0, + "value": " 件商品" + } + ], + "account_order_detail.heading.payment_method": [ + { + "type": 0, + "value": "付款方式" + } + ], + "account_order_detail.heading.shipping_address": [ + { + "type": 0, + "value": "送货地址" + } + ], + "account_order_detail.heading.shipping_method": [ + { + "type": 0, + "value": "送货方式" + } + ], + "account_order_detail.label.order_number": [ + { + "type": 0, + "value": "订单编号:" + }, + { + "type": 1, + "value": "orderNumber" + } + ], + "account_order_detail.label.ordered_date": [ + { + "type": 0, + "value": "下单日期:" + }, + { + "type": 1, + "value": "date" + } + ], + "account_order_detail.label.pending_tracking_number": [ + { + "type": 0, + "value": "待处理" + } + ], + "account_order_detail.label.tracking_number": [ + { + "type": 0, + "value": "跟踪编号" + } + ], + "account_order_detail.link.back_to_history": [ + { + "type": 0, + "value": "返回订单记录" + } + ], + "account_order_detail.shipping_status.not_shipped": [ + { + "type": 0, + "value": "未发货" + } + ], + "account_order_detail.shipping_status.part_shipped": [ + { + "type": 0, + "value": "部分已发货" + } + ], + "account_order_detail.shipping_status.shipped": [ + { + "type": 0, + "value": "已发货" + } + ], + "account_order_detail.title.order_details": [ + { + "type": 0, + "value": "订单详情" + } + ], + "account_order_history.button.continue_shopping": [ + { + "type": 0, + "value": "继续购物" + } + ], + "account_order_history.description.once_you_place_order": [ + { + "type": 0, + "value": "下订单后,详细信息将显示在此处。" + } + ], + "account_order_history.heading.no_order_yet": [ + { + "type": 0, + "value": "您尚未下订单。" + } + ], + "account_order_history.label.num_of_items": [ + { + "type": 1, + "value": "count" + }, + { + "type": 0, + "value": " 件商品" + } + ], + "account_order_history.label.order_number": [ + { + "type": 0, + "value": "订单编号:" + }, + { + "type": 1, + "value": "orderNumber" + } + ], + "account_order_history.label.ordered_date": [ + { + "type": 0, + "value": "下单日期:" + }, + { + "type": 1, + "value": "date" + } + ], + "account_order_history.label.shipped_to": [ + { + "type": 0, + "value": "送货至:" + }, + { + "type": 1, + "value": "name" + } + ], + "account_order_history.link.view_details": [ + { + "type": 0, + "value": "查看详情" + } + ], + "account_order_history.title.order_history": [ + { + "type": 0, + "value": "订单记录" + } + ], + "account_wishlist.button.continue_shopping": [ + { + "type": 0, + "value": "继续购物" + } + ], + "account_wishlist.description.continue_shopping": [ + { + "type": 0, + "value": "继续购物并将商品加入愿望清单。" + } + ], + "account_wishlist.heading.no_wishlist": [ + { + "type": 0, + "value": "没有愿望清单商品" + } + ], + "account_wishlist.title.wishlist": [ + { + "type": 0, + "value": "愿望清单" + } + ], + "action_card.action.edit": [ + { + "type": 0, + "value": "编辑" + } + ], + "action_card.action.remove": [ + { + "type": 0, + "value": "移除" + } + ], + "add_to_cart_modal.info.added_to_cart": [ + { + "type": 1, + "value": "quantity" + }, + { + "type": 0, + "value": " " + }, + { + "offset": 0, + "options": { + "one": { + "value": [ + { + "type": 0, + "value": " 件商品" + } + ] + }, + "other": { + "value": [ + { + "type": 0, + "value": " 件商品" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "quantity" + }, + { + "type": 0, + "value": "已添加至购物车" + } + ], + "add_to_cart_modal.label.cart_subtotal": [ + { + "type": 0, + "value": "购物车小计(" + }, + { + "type": 1, + "value": "itemAccumulatedCount" + }, + { + "type": 0, + "value": " 件商品)" + } + ], + "add_to_cart_modal.label.quantity": [ + { + "type": 0, + "value": "数量" + } + ], + "add_to_cart_modal.link.checkout": [ + { + "type": 0, + "value": "继续以结账" + } + ], + "add_to_cart_modal.link.view_cart": [ + { + "type": 0, + "value": "查看购物车" + } + ], + "add_to_cart_modal.recommended_products.title.might_also_like": [ + { + "type": 0, + "value": "您可能还喜欢" + } + ], + "auth_modal.button.close.assistive_msg": [ + { + "type": 0, + "value": "关闭登录表单" + } + ], + "auth_modal.description.now_signed_in": [ + { + "type": 0, + "value": "您现在已登录。" + } + ], + "auth_modal.error.incorrect_email_or_password": [ + { + "type": 0, + "value": "您的电子邮件或密码有问题。重试" + } + ], + "auth_modal.info.welcome_user": [ + { + "type": 0, + "value": "欢迎 " + }, + { + "type": 1, + "value": "name" + }, + { + "type": 0, + "value": "," + } + ], + "auth_modal.password_reset_success.button.back_to_sign_in": [ + { + "type": 0, + "value": "返回登录" + } + ], + "auth_modal.password_reset_success.info.will_email_shortly": [ + { + "type": 0, + "value": "您将通过 " + }, + { + "children": [ + { + "type": 1, + "value": "email" + } + ], + "type": 8, + "value": "b" + }, + { + "type": 0, + "value": " 收到包含重置密码链接的电子邮件。" + } + ], + "auth_modal.password_reset_success.title.password_reset": [ + { + "type": 0, + "value": "密码重置" + } + ], + "carousel.button.scroll_left.assistive_msg": [ + { + "type": 0, + "value": "向左滚动转盘" + } + ], + "carousel.button.scroll_right.assistive_msg": [ + { + "type": 0, + "value": "向右滚动转盘" + } + ], + "cart.info.removed_from_cart": [ + { + "type": 0, + "value": "从购物车中移除商品" + } + ], + "cart.recommended_products.title.may_also_like": [ + { + "type": 0, + "value": "您可能还喜欢" + } + ], + "cart.recommended_products.title.recently_viewed": [ + { + "type": 0, + "value": "最近查看" + } + ], + "cart_cta.link.checkout": [ + { + "type": 0, + "value": "继续以结账" + } + ], + "cart_secondary_button_group.action.added_to_wishlist": [ + { + "type": 0, + "value": "添加到愿望清单" + } + ], + "cart_secondary_button_group.action.edit": [ + { + "type": 0, + "value": "编辑" + } + ], + "cart_secondary_button_group.action.remove": [ + { + "type": 0, + "value": "移除" + } + ], + "cart_secondary_button_group.label.this_is_gift": [ + { + "type": 0, + "value": "这是礼品。" + } + ], + "cart_skeleton.heading.order_summary": [ + { + "type": 0, + "value": "订单摘要" + } + ], + "cart_skeleton.title.cart": [ + { + "type": 0, + "value": "购物车" + } + ], + "cart_title.title.cart_num_of_items": [ + { + "type": 0, + "value": "购物车(" + }, + { + "offset": 0, + "options": { + "=0": { + "value": [ + { + "type": 0, + "value": "0 件商品" + } + ] + }, + "one": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": " 件商品" + } + ] + }, + "other": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": " 件商品" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "itemCount" + }, + { + "type": 0, + "value": ")" + } + ], + "cc_radio_group.action.remove": [ + { + "type": 0, + "value": "移除" + } + ], + "cc_radio_group.button.add_new_card": [ + { + "type": 0, + "value": "添加新卡" + } + ], + "checkout.button.place_order": [ + { + "type": 0, + "value": "下订单" + } + ], + "checkout.message.generic_error": [ + { + "type": 0, + "value": "结账时发生意外错误。" + } + ], + "checkout_confirmation.button.create_account": [ + { + "type": 0, + "value": "创建账户" + } + ], + "checkout_confirmation.heading.billing_address": [ + { + "type": 0, + "value": "账单地址" + } + ], + "checkout_confirmation.heading.create_account": [ + { + "type": 0, + "value": "创建账户,加快结账速度" + } + ], + "checkout_confirmation.heading.credit_card": [ + { + "type": 0, + "value": "信用卡" + } + ], + "checkout_confirmation.heading.delivery_details": [ + { + "type": 0, + "value": "交货详情" + } + ], + "checkout_confirmation.heading.order_summary": [ + { + "type": 0, + "value": "订单摘要" + } + ], + "checkout_confirmation.heading.payment_details": [ + { + "type": 0, + "value": "付款详情" + } + ], + "checkout_confirmation.heading.shipping_address": [ + { + "type": 0, + "value": "送货地址" + } + ], + "checkout_confirmation.heading.shipping_method": [ + { + "type": 0, + "value": "送货方式" + } + ], + "checkout_confirmation.heading.thank_you_for_order": [ + { + "type": 0, + "value": "感谢您订购商品!" + } + ], + "checkout_confirmation.label.free": [ + { + "type": 0, + "value": "免费" + } + ], + "checkout_confirmation.label.order_number": [ + { + "type": 0, + "value": "订单编号" + } + ], + "checkout_confirmation.label.order_total": [ + { + "type": 0, + "value": "订单总额" + } + ], + "checkout_confirmation.label.promo_applied": [ + { + "type": 0, + "value": "已应用促销" + } + ], + "checkout_confirmation.label.shipping": [ + { + "type": 0, + "value": "送货" + } + ], + "checkout_confirmation.label.subtotal": [ + { + "type": 0, + "value": "小计" + } + ], + "checkout_confirmation.label.tax": [ + { + "type": 0, + "value": "税项" + } + ], + "checkout_confirmation.link.continue_shopping": [ + { + "type": 0, + "value": "继续购物" + } + ], + "checkout_confirmation.link.login": [ + { + "type": 0, + "value": "在此处登录" + } + ], + "checkout_confirmation.message.already_has_account": [ + { + "type": 0, + "value": "此电子邮件地址已注册账户。" + } + ], + "checkout_confirmation.message.num_of_items_in_order": [ + { + "offset": 0, + "options": { + "=0": { + "value": [ + { + "type": 0, + "value": "0 件商品" + } + ] + }, + "one": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": " 件商品" + } + ] + }, + "other": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": " 件商品" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "itemCount" + } + ], + "checkout_confirmation.message.will_email_shortly": [ + { + "type": 0, + "value": "我们会尽快向 " + }, + { + "children": [ + { + "type": 1, + "value": "email" + } + ], + "type": 8, + "value": "b" + }, + { + "type": 0, + "value": " 发送带有您的确认号码和收据的电子邮件。" + } + ], + "checkout_footer.link.privacy_policy": [ + { + "type": 0, + "value": "隐私政策" + } + ], + "checkout_footer.link.returns_exchanges": [ + { + "type": 0, + "value": "退货与换货" + } + ], + "checkout_footer.link.shipping": [ + { + "type": 0, + "value": "送货" + } + ], + "checkout_footer.link.site_map": [ + { + "type": 0, + "value": "站点地图" + } + ], + "checkout_footer.link.terms_conditions": [ + { + "type": 0, + "value": "条款与条件" + } + ], + "checkout_footer.message.copyright": [ + { + "type": 0, + "value": "Salesforce 或其附属公司。保留所有权利。此仅为示范商店。所下订单不会被处理。" + } + ], + "checkout_header.link.assistive_msg.cart": [ + { + "type": 0, + "value": "返回购物车,商品数量:" + }, + { + "type": 1, + "value": "numItems" + } + ], + "checkout_header.link.cart": [ + { + "type": 0, + "value": "返回购物车" + } + ], + "checkout_payment.action.remove": [ + { + "type": 0, + "value": "移除" + } + ], + "checkout_payment.button.review_order": [ + { + "type": 0, + "value": "检查订单" + } + ], + "checkout_payment.heading.billing_address": [ + { + "type": 0, + "value": "账单地址" + } + ], + "checkout_payment.heading.credit_card": [ + { + "type": 0, + "value": "信用卡" + } + ], + "checkout_payment.label.same_as_shipping": [ + { + "type": 0, + "value": "与送货地址相同" + } + ], + "checkout_payment.title.payment": [ + { + "type": 0, + "value": "付款" + } + ], + "colorRefinements.label.hitCount": [ + { + "type": 1, + "value": "colorLabel" + }, + { + "type": 0, + "value": " (" + }, + { + "type": 1, + "value": "colorHitCount" + }, + { + "type": 0, + "value": ")" + } + ], + "confirmation_modal.default.action.no": [ + { + "type": 0, + "value": "否" + } + ], + "confirmation_modal.default.action.yes": [ + { + "type": 0, + "value": "是" + } + ], + "confirmation_modal.default.message.you_want_to_continue": [ + { + "type": 0, + "value": "是否确定要继续?" + } + ], + "confirmation_modal.default.title.confirm_action": [ + { + "type": 0, + "value": "确认操作" + } + ], + "confirmation_modal.remove_cart_item.action.no": [ + { + "type": 0, + "value": "否,保留商品" + } + ], + "confirmation_modal.remove_cart_item.action.remove": [ + { + "type": 0, + "value": "移除" + } + ], + "confirmation_modal.remove_cart_item.action.yes": [ + { + "type": 0, + "value": "是,移除商品" + } + ], + "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": [ + { + "type": 0, + "value": "某些商品不再在线销售,并将从您的购物车中删除。" + } + ], + "confirmation_modal.remove_cart_item.message.sure_to_remove": [ + { + "type": 0, + "value": "是否确定要从购物车移除此商品?" + } + ], + "confirmation_modal.remove_cart_item.title.confirm_remove": [ + { + "type": 0, + "value": "确认移除商品" + } + ], + "confirmation_modal.remove_cart_item.title.items_unavailable": [ + { + "type": 0, + "value": "商品缺货" + } + ], + "confirmation_modal.remove_wishlist_item.action.no": [ + { + "type": 0, + "value": "否,保留商品" + } + ], + "confirmation_modal.remove_wishlist_item.action.yes": [ + { + "type": 0, + "value": "是,移除商品" + } + ], + "confirmation_modal.remove_wishlist_item.message.sure_to_remove": [ + { + "type": 0, + "value": "是否确定要从愿望清单移除此商品?" + } + ], + "confirmation_modal.remove_wishlist_item.title.confirm_remove": [ + { + "type": 0, + "value": "确认移除商品" + } + ], + "contact_info.action.sign_out": [ + { + "type": 0, + "value": "注销" + } + ], + "contact_info.button.already_have_account": [ + { + "type": 0, + "value": "已有账户?登录" + } + ], + "contact_info.button.checkout_as_guest": [ + { + "type": 0, + "value": "以访客身份结账" + } + ], + "contact_info.button.login": [ + { + "type": 0, + "value": "登录" + } + ], + "contact_info.error.incorrect_username_or_password": [ + { + "type": 0, + "value": "用户名或密码错误,请重试。" + } + ], + "contact_info.link.forgot_password": [ + { + "type": 0, + "value": "忘记密码?" + } + ], + "contact_info.title.contact_info": [ + { + "type": 0, + "value": "联系信息" + } + ], + "credit_card_fields.tool_tip.security_code": [ + { + "type": 0, + "value": "此 3 位数字码可以在卡的背面找到。" + } + ], + "credit_card_fields.tool_tip.security_code.american_express": [ + { + "type": 0, + "value": "此 4 位数字码可以在卡的正找到。" + } + ], + "credit_card_fields.tool_tip.security_code_aria_label": [ + { + "type": 0, + "value": "安全码信息" + } + ], + "drawer_menu.button.account_details": [ + { + "type": 0, + "value": "账户详情" + } + ], + "drawer_menu.button.addresses": [ + { + "type": 0, + "value": "地址" + } + ], + "drawer_menu.button.log_out": [ + { + "type": 0, + "value": "登出" + } + ], + "drawer_menu.button.my_account": [ + { + "type": 0, + "value": "我的账户" + } + ], + "drawer_menu.button.order_history": [ + { + "type": 0, + "value": "订单记录" + } + ], + "drawer_menu.link.about_us": [ + { + "type": 0, + "value": "关于我们" + } + ], + "drawer_menu.link.customer_support": [ + { + "type": 0, + "value": "客户支持" + } + ], + "drawer_menu.link.customer_support.contact_us": [ + { + "type": 0, + "value": "联系我们" + } + ], + "drawer_menu.link.customer_support.shipping_and_returns": [ + { + "type": 0, + "value": "送货与退货" + } + ], + "drawer_menu.link.our_company": [ + { + "type": 0, + "value": "我们的公司" + } + ], + "drawer_menu.link.privacy_and_security": [ + { + "type": 0, + "value": "隐私及安全" + } + ], + "drawer_menu.link.privacy_policy": [ + { + "type": 0, + "value": "隐私政策" + } + ], + "drawer_menu.link.shop_all": [ + { + "type": 0, + "value": "购买全部" + } + ], + "drawer_menu.link.sign_in": [ + { + "type": 0, + "value": "登录" + } + ], + "drawer_menu.link.site_map": [ + { + "type": 0, + "value": "站点地图" + } + ], + "drawer_menu.link.store_locator": [ + { + "type": 0, + "value": "实体店地址搜索" + } + ], + "drawer_menu.link.terms_and_conditions": [ + { + "type": 0, + "value": "条款与条件" + } + ], + "empty_cart.description.empty_cart": [ + { + "type": 0, + "value": "购物车内没有商品。" + } + ], + "empty_cart.link.continue_shopping": [ + { + "type": 0, + "value": "继续购物" + } + ], + "empty_cart.link.sign_in": [ + { + "type": 0, + "value": "登录" + } + ], + "empty_cart.message.continue_shopping": [ + { + "type": 0, + "value": "继续购物并将商品加入购物车。" + } + ], + "empty_cart.message.sign_in_or_continue_shopping": [ + { + "type": 0, + "value": "登录以检索您保存的商品或继续购物。" + } + ], + "empty_search_results.info.cant_find_anything_for_category": [ + { + "type": 0, + "value": "我们找不到" + }, + { + "type": 1, + "value": "category" + }, + { + "type": 0, + "value": "的任何内容。尝试搜索产品或" + }, + { + "type": 1, + "value": "link" + }, + { + "type": 0, + "value": "。" + } + ], + "empty_search_results.info.cant_find_anything_for_query": [ + { + "type": 0, + "value": "我们找不到“" + }, + { + "type": 1, + "value": "searchQuery" + }, + { + "type": 0, + "value": "”的任何内容。" + } + ], + "empty_search_results.info.double_check_spelling": [ + { + "type": 0, + "value": "请仔细检查您的拼写并重试或" + }, + { + "type": 1, + "value": "link" + }, + { + "type": 0, + "value": "。" + } + ], + "empty_search_results.link.contact_us": [ + { + "type": 0, + "value": "联系我们" + } + ], + "empty_search_results.recommended_products.title.most_viewed": [ + { + "type": 0, + "value": "查看最多的商品" + } + ], + "empty_search_results.recommended_products.title.top_sellers": [ + { + "type": 0, + "value": "最畅销" + } + ], + "field.password.assistive_msg.hide_password": [ + { + "type": 0, + "value": "隐藏密码" + } + ], + "field.password.assistive_msg.show_password": [ + { + "type": 0, + "value": "显示密码" + } + ], + "footer.column.account": [ + { + "type": 0, + "value": "账户" + } + ], + "footer.column.customer_support": [ + { + "type": 0, + "value": "客户支持" + } + ], + "footer.column.our_company": [ + { + "type": 0, + "value": "我们的公司" + } + ], + "footer.link.about_us": [ + { + "type": 0, + "value": "关于我们" + } + ], + "footer.link.contact_us": [ + { + "type": 0, + "value": "联系我们" + } + ], + "footer.link.order_status": [ + { + "type": 0, + "value": "订单状态" + } + ], + "footer.link.privacy_policy": [ + { + "type": 0, + "value": "隐私政策" + } + ], + "footer.link.shipping": [ + { + "type": 0, + "value": "送货" + } + ], + "footer.link.signin_create_account": [ + { + "type": 0, + "value": "登录或创建账户" + } + ], + "footer.link.site_map": [ + { + "type": 0, + "value": "站点地图" + } + ], + "footer.link.store_locator": [ + { + "type": 0, + "value": "实体店地址搜索" + } + ], + "footer.link.terms_conditions": [ + { + "type": 0, + "value": "条款与条件" + } + ], + "footer.message.copyright": [ + { + "type": 0, + "value": "Salesforce 或其附属公司。保留所有权利。此仅为示范商店。所下订单不会被处理。" + } + ], + "footer.subscribe.button.sign_up": [ + { + "type": 0, + "value": "注册" + } + ], + "footer.subscribe.description.sign_up": [ + { + "type": 0, + "value": "注册以随时了解最热门的交易" + } + ], + "footer.subscribe.heading.first_to_know": [ + { + "type": 0, + "value": "率先了解" + } + ], + "form_action_buttons.button.cancel": [ + { + "type": 0, + "value": "取消" + } + ], + "form_action_buttons.button.save": [ + { + "type": 0, + "value": "保存" + } + ], + "global.account.link.account_details": [ + { + "type": 0, + "value": "账户详情" + } + ], + "global.account.link.addresses": [ + { + "type": 0, + "value": "地址" + } + ], + "global.account.link.order_history": [ + { + "type": 0, + "value": "订单记录" + } + ], + "global.account.link.wishlist": [ + { + "type": 0, + "value": "愿望清单" + } + ], + "global.error.something_went_wrong": [ + { + "type": 0, + "value": "出现错误。重试。" + } + ], + "global.info.added_to_wishlist": [ + { + "type": 1, + "value": "quantity" + }, + { + "type": 0, + "value": " " + }, + { + "offset": 0, + "options": { + "one": { + "value": [ + { + "type": 0, + "value": " 件商品" + } + ] + }, + "other": { + "value": [ + { + "type": 0, + "value": " 件商品" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "quantity" + }, + { + "type": 0, + "value": "已添加至愿望清单" + } + ], + "global.info.already_in_wishlist": [ + { + "type": 0, + "value": "商品已在愿望清单中" + } + ], + "global.info.removed_from_wishlist": [ + { + "type": 0, + "value": "从愿望清单中移除商品" + } + ], + "global.link.added_to_wishlist.view_wishlist": [ + { + "type": 0, + "value": "查看" + } + ], + "header.button.assistive_msg.logo": [ + { + "type": 0, + "value": "标志" + } + ], + "header.button.assistive_msg.menu": [ + { + "type": 0, + "value": "菜单" + } + ], + "header.button.assistive_msg.my_account": [ + { + "type": 0, + "value": "我的账户" + } + ], + "header.button.assistive_msg.my_account_menu": [ + { + "type": 0, + "value": "打开账户菜单" + } + ], + "header.button.assistive_msg.my_cart_with_num_items": [ + { + "type": 0, + "value": "我的购物车,商品数量:" + }, + { + "type": 1, + "value": "numItems" + } + ], + "header.button.assistive_msg.wishlist": [ + { + "type": 0, + "value": "愿望清单" + } + ], + "header.field.placeholder.search_for_products": [ + { + "type": 0, + "value": "搜索产品..." + } + ], + "header.popover.action.log_out": [ + { + "type": 0, + "value": "登出" + } + ], + "header.popover.title.my_account": [ + { + "type": 0, + "value": "我的账户" + } + ], + "home.description.features": [ + { + "type": 0, + "value": "开箱即用的功能,让您只需专注于添加增强功能。" + } + ], + "home.description.here_to_help": [ + { + "type": 0, + "value": "联系我们的支持人员。" + } + ], + "home.description.here_to_help_line_2": [ + { + "type": 0, + "value": "他们将向您提供适当指导。" + } + ], + "home.description.shop_products": [ + { + "type": 0, + "value": "本节包含目录中的内容。" + }, + { + "type": 1, + "value": "docLink" + }, + { + "type": 0, + "value": "了解如何进行更换。" + } + ], + "home.features.description.cart_checkout": [ + { + "type": 0, + "value": "购物者购物车和结账体验的电子商务最佳实践。" + } + ], + "home.features.description.components": [ + { + "type": 0, + "value": "使用 Chakra UI 构建,Chakra UI 是一个简单、模块化且可访问的 React 组件库。" + } + ], + "home.features.description.einstein_recommendations": [ + { + "type": 0, + "value": "通过产品推荐向每位购物者提供下一个最佳产品或优惠。" + } + ], + "home.features.description.my_account": [ + { + "type": 0, + "value": "购物者可以管理账户信息,例如个人概况、地址、付款和订单。" + } + ], + "home.features.description.shopper_login": [ + { + "type": 0, + "value": "使购物者能够轻松登录并获得更加个性化的购物体验。" + } + ], + "home.features.description.wishlist": [ + { + "type": 0, + "value": "已注册的购物者可以将产品添加到愿望清单,以便日后购买。" + } + ], + "home.features.heading.cart_checkout": [ + { + "type": 0, + "value": "购物车和结账" + } + ], + "home.features.heading.components": [ + { + "type": 0, + "value": "组件和设计套件" + } + ], + "home.features.heading.einstein_recommendations": [ + { + "type": 0, + "value": "Einstein 推荐" + } + ], + "home.features.heading.my_account": [ + { + "type": 0, + "value": "我的账户" + } + ], + "home.features.heading.shopper_login": [ + { + "type": 0, + "value": "Shopper Login and API Access Service (SLAS)" + } + ], + "home.features.heading.wishlist": [ + { + "type": 0, + "value": "愿望清单" + } + ], + "home.heading.features": [ + { + "type": 0, + "value": "功能" + } + ], + "home.heading.here_to_help": [ + { + "type": 0, + "value": "我们随时提供帮助" + } + ], + "home.heading.shop_products": [ + { + "type": 0, + "value": "购买产品" + } + ], + "home.hero_features.link.design_kit": [ + { + "type": 0, + "value": "采用 Figma PWA Design Kit 创建" + } + ], + "home.hero_features.link.on_github": [ + { + "type": 0, + "value": "在 Github 下载" + } + ], + "home.hero_features.link.on_managed_runtime": [ + { + "type": 0, + "value": "在 Managed Runtime 中部署" + } + ], + "home.link.contact_us": [ + { + "type": 0, + "value": "联系我们" + } + ], + "home.link.get_started": [ + { + "type": 0, + "value": "入门指南" + } + ], + "home.link.read_docs": [ + { + "type": 0, + "value": "阅读文档" + } + ], + "home.title.react_starter_store": [ + { + "type": 0, + "value": "零售 React PWA Starter Store" + } + ], + "icons.assistive_msg.lock": [ + { + "type": 0, + "value": "安全" + } + ], + "item_attributes.label.promotions": [ + { + "type": 0, + "value": "促销" + } + ], + "item_attributes.label.quantity": [ + { + "type": 0, + "value": "数量:" + }, + { + "type": 1, + "value": "quantity" + } + ], + "item_image.label.sale": [ + { + "type": 0, + "value": "销售" + } + ], + "item_image.label.unavailable": [ + { + "type": 0, + "value": "不可用" + } + ], + "item_price.label.starting_at": [ + { + "type": 0, + "value": "起价:" + } + ], + "lCPCxk": [ + { + "type": 0, + "value": "请在上方选择您的所有选项" + } + ], + "list_menu.nav.assistive_msg": [ + { + "type": 0, + "value": "主导航" + } + ], + "locale_text.message.ar-SA": [ + { + "type": 0, + "value": "阿拉伯语(沙特阿拉伯)" + } + ], + "locale_text.message.bn-BD": [ + { + "type": 0, + "value": "孟加拉语(孟加拉国)" + } + ], + "locale_text.message.bn-IN": [ + { + "type": 0, + "value": "孟加拉语(印度)" + } + ], + "locale_text.message.cs-CZ": [ + { + "type": 0, + "value": "捷克语(捷克共和国)" + } + ], + "locale_text.message.da-DK": [ + { + "type": 0, + "value": "丹麦语(丹麦)" + } + ], + "locale_text.message.de-AT": [ + { + "type": 0, + "value": "德语(奥地利)" + } + ], + "locale_text.message.de-CH": [ + { + "type": 0, + "value": "德语(瑞士)" + } + ], + "locale_text.message.de-DE": [ + { + "type": 0, + "value": "德语(德国)" + } + ], + "locale_text.message.el-GR": [ + { + "type": 0, + "value": "希腊语(希腊)" + } + ], + "locale_text.message.en-AU": [ + { + "type": 0, + "value": "英语(澳大利亚)" + } + ], + "locale_text.message.en-CA": [ + { + "type": 0, + "value": "英语(加拿大)" + } + ], + "locale_text.message.en-GB": [ + { + "type": 0, + "value": "英语(英国)" + } + ], + "locale_text.message.en-IE": [ + { + "type": 0, + "value": "英语(爱尔兰)" + } + ], + "locale_text.message.en-IN": [ + { + "type": 0, + "value": "英语(印度)" + } + ], + "locale_text.message.en-NZ": [ + { + "type": 0, + "value": "英语(新西兰)" + } + ], + "locale_text.message.en-US": [ + { + "type": 0, + "value": "英语(美国)" + } + ], + "locale_text.message.en-ZA": [ + { + "type": 0, + "value": "英语(南非)" + } + ], + "locale_text.message.es-AR": [ + { + "type": 0, + "value": "西班牙语(阿根廷)" + } + ], + "locale_text.message.es-CL": [ + { + "type": 0, + "value": "西班牙语(智利)" + } + ], + "locale_text.message.es-CO": [ + { + "type": 0, + "value": "西班牙语(哥伦比亚)" + } + ], + "locale_text.message.es-ES": [ + { + "type": 0, + "value": "西班牙语(西班牙)" + } + ], + "locale_text.message.es-MX": [ + { + "type": 0, + "value": "西班牙语(墨西哥)" + } + ], + "locale_text.message.es-US": [ + { + "type": 0, + "value": "西班牙语(美国)" + } + ], + "locale_text.message.fi-FI": [ + { + "type": 0, + "value": "芬兰语(芬兰)" + } + ], + "locale_text.message.fr-BE": [ + { + "type": 0, + "value": "法语(比利时)" + } + ], + "locale_text.message.fr-CA": [ + { + "type": 0, + "value": "法语(加拿大)" + } + ], + "locale_text.message.fr-CH": [ + { + "type": 0, + "value": "法语(瑞士)" + } + ], + "locale_text.message.fr-FR": [ + { + "type": 0, + "value": "法语(法国)" + } + ], + "locale_text.message.he-IL": [ + { + "type": 0, + "value": "希伯来语(以色列)" + } + ], + "locale_text.message.hi-IN": [ + { + "type": 0, + "value": "印地语(印度)" + } + ], + "locale_text.message.hu-HU": [ + { + "type": 0, + "value": "匈牙利语(匈牙利)" + } + ], + "locale_text.message.id-ID": [ + { + "type": 0, + "value": "印尼语(印度尼西亚)" + } + ], + "locale_text.message.it-CH": [ + { + "type": 0, + "value": "意大利语(瑞士)" + } + ], + "locale_text.message.it-IT": [ + { + "type": 0, + "value": "意大利语(意大利)" + } + ], + "locale_text.message.ja-JP": [ + { + "type": 0, + "value": "日语(日本)" + } + ], + "locale_text.message.ko-KR": [ + { + "type": 0, + "value": "韩语(韩国)" + } + ], + "locale_text.message.nl-BE": [ + { + "type": 0, + "value": "荷兰语(比利时)" + } + ], + "locale_text.message.nl-NL": [ + { + "type": 0, + "value": "荷兰语(荷兰)" + } + ], + "locale_text.message.no-NO": [ + { + "type": 0, + "value": "挪威语(挪威)" + } + ], + "locale_text.message.pl-PL": [ + { + "type": 0, + "value": "波兰语(波兰)" + } + ], + "locale_text.message.pt-BR": [ + { + "type": 0, + "value": "葡萄牙语(巴西)" + } + ], + "locale_text.message.pt-PT": [ + { + "type": 0, + "value": "葡萄牙语(葡萄牙)" + } + ], + "locale_text.message.ro-RO": [ + { + "type": 0, + "value": "罗马尼亚语(罗马尼亚)" + } + ], + "locale_text.message.ru-RU": [ + { + "type": 0, + "value": "俄语(俄罗斯联邦)" + } + ], + "locale_text.message.sk-SK": [ + { + "type": 0, + "value": "斯洛伐克语(斯洛伐克)" + } + ], + "locale_text.message.sv-SE": [ + { + "type": 0, + "value": "瑞典语(瑞典)" + } + ], + "locale_text.message.ta-IN": [ + { + "type": 0, + "value": "泰米尔语(印度)" + } + ], + "locale_text.message.ta-LK": [ + { + "type": 0, + "value": "泰米尔语(斯里兰卡)" + } + ], + "locale_text.message.th-TH": [ + { + "type": 0, + "value": "泰语(泰国)" + } + ], + "locale_text.message.tr-TR": [ + { + "type": 0, + "value": "土耳其语(土耳其)" + } + ], + "locale_text.message.zh-CN": [ + { + "type": 0, + "value": "中文(中国)" + } + ], + "locale_text.message.zh-HK": [ + { + "type": 0, + "value": "中文(香港)" + } + ], + "locale_text.message.zh-TW": [ + { + "type": 0, + "value": "中文(台湾)" + } + ], + "login_form.action.create_account": [ + { + "type": 0, + "value": "创建账户" + } + ], + "login_form.button.sign_in": [ + { + "type": 0, + "value": "登录" + } + ], + "login_form.link.forgot_password": [ + { + "type": 0, + "value": "忘记密码?" + } + ], + "login_form.message.dont_have_account": [ + { + "type": 0, + "value": "没有账户?" + } + ], + "login_form.message.welcome_back": [ + { + "type": 0, + "value": "欢迎回来" + } + ], + "login_page.error.incorrect_username_or_password": [ + { + "type": 0, + "value": "用户名或密码错误,请重试。" + } + ], + "offline_banner.description.browsing_offline_mode": [ + { + "type": 0, + "value": "您正在离线模式下浏览" + } + ], + "order_summary.action.remove_promo": [ + { + "type": 0, + "value": "移除" + } + ], + "order_summary.cart_items.action.num_of_items_in_cart": [ + { + "type": 0, + "value": "购物车内有 " + }, + { + "offset": 0, + "options": { + "=0": { + "value": [ + { + "type": 0, + "value": "0 件商品" + } + ] + }, + "one": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": " 件商品" + } + ] + }, + "other": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": " 件商品" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "itemCount" + } + ], + "order_summary.cart_items.link.edit_cart": [ + { + "type": 0, + "value": "编辑购物车" + } + ], + "order_summary.heading.order_summary": [ + { + "type": 0, + "value": "订单摘要" + } + ], + "order_summary.label.estimated_total": [ + { + "type": 0, + "value": "预计总数" + } + ], + "order_summary.label.free": [ + { + "type": 0, + "value": "免费" + } + ], + "order_summary.label.order_total": [ + { + "type": 0, + "value": "订单总额" + } + ], + "order_summary.label.promo_applied": [ + { + "type": 0, + "value": "已应用促销" + } + ], + "order_summary.label.promotions_applied": [ + { + "type": 0, + "value": "已应用促销" + } + ], + "order_summary.label.shipping": [ + { + "type": 0, + "value": "送货" + } + ], + "order_summary.label.subtotal": [ + { + "type": 0, + "value": "小计" + } + ], + "order_summary.label.tax": [ + { + "type": 0, + "value": "税项" + } + ], + "page_not_found.action.go_back": [ + { + "type": 0, + "value": "返回上一页" + } + ], + "page_not_found.link.homepage": [ + { + "type": 0, + "value": "返回主页" + } + ], + "page_not_found.message.suggestion_to_try": [ + { + "type": 0, + "value": "请尝试重新输入地址、返回上一页或返回主页。" + } + ], + "page_not_found.title.page_cant_be_found": [ + { + "type": 0, + "value": "找不到您要查找的页面。" + } + ], + "pagination.field.num_of_pages": [ + { + "type": 0, + "value": "/ " + }, + { + "type": 1, + "value": "numOfPages" + } + ], + "pagination.link.next": [ + { + "type": 0, + "value": "下一步" + } + ], + "pagination.link.next.assistive_msg": [ + { + "type": 0, + "value": "下一页" + } + ], + "pagination.link.prev": [ + { + "type": 0, + "value": "上一步" + } + ], + "pagination.link.prev.assistive_msg": [ + { + "type": 0, + "value": "上一页" + } + ], + "password_card.info.password_updated": [ + { + "type": 0, + "value": "密码已更新" + } + ], + "password_card.label.password": [ + { + "type": 0, + "value": "密码" + } + ], + "password_card.title.password": [ + { + "type": 0, + "value": "密码" + } + ], + "password_requirements.error.eight_letter_minimum": [ + { + "type": 0, + "value": "最短 8 个字符" + } + ], + "password_requirements.error.one_lowercase_letter": [ + { + "type": 0, + "value": "1 个小写字母" + } + ], + "password_requirements.error.one_number": [ + { + "type": 0, + "value": "1 个数字" + } + ], + "password_requirements.error.one_special_character": [ + { + "type": 0, + "value": "1 个特殊字符(例如:, S ! %)" + } + ], + "password_requirements.error.one_uppercase_letter": [ + { + "type": 0, + "value": "1 个大写字母" + } + ], + "payment_selection.heading.credit_card": [ + { + "type": 0, + "value": "信用卡" + } + ], + "payment_selection.tooltip.secure_payment": [ + { + "type": 0, + "value": "这是一种安全的 SSL 加密支付。" + } + ], + "price_per_item.label.each": [ + { + "type": 0, + "value": "每件" + } + ], + "product_detail.accordion.button.product_detail": [ + { + "type": 0, + "value": "产品详情" + } + ], + "product_detail.accordion.button.questions": [ + { + "type": 0, + "value": "问题" + } + ], + "product_detail.accordion.button.reviews": [ + { + "type": 0, + "value": "点评" + } + ], + "product_detail.accordion.button.size_fit": [ + { + "type": 0, + "value": "尺寸与合身" + } + ], + "product_detail.accordion.message.coming_soon": [ + { + "type": 0, + "value": "即将到货" + } + ], + "product_detail.recommended_products.title.complete_set": [ + { + "type": 0, + "value": "Complete the Set(完成组合)" + } + ], + "product_detail.recommended_products.title.might_also_like": [ + { + "type": 0, + "value": "您可能还喜欢" + } + ], + "product_detail.recommended_products.title.recently_viewed": [ + { + "type": 0, + "value": "最近查看" + } + ], + "product_item.label.quantity": [ + { + "type": 0, + "value": "数量:" + } + ], + "product_list.button.filter": [ + { + "type": 0, + "value": "筛选器" + } + ], + "product_list.button.sort_by": [ + { + "type": 0, + "value": "排序标准:" + }, + { + "type": 1, + "value": "sortOption" + } + ], + "product_list.drawer.title.sort_by": [ + { + "type": 0, + "value": "排序标准" + } + ], + "product_list.modal.button.clear_filters": [ + { + "type": 0, + "value": "清除筛选器" + } + ], + "product_list.modal.button.view_items": [ + { + "type": 0, + "value": "查看 " + }, + { + "type": 1, + "value": "prroductCount" + }, + { + "type": 0, + "value": " 件商品" + } + ], + "product_list.modal.title.filter": [ + { + "type": 0, + "value": "筛选器" + } + ], + "product_list.refinements.button.assistive_msg.add_filter": [ + { + "type": 0, + "value": "添加筛选器:" + }, + { + "type": 1, + "value": "label" + } + ], + "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": [ + { + "type": 0, + "value": "添加筛选器:" + }, + { + "type": 1, + "value": "label" + }, + { + "type": 0, + "value": " (" + }, + { + "type": 1, + "value": "hitCount" + }, + { + "type": 0, + "value": ")" + } + ], + "product_list.refinements.button.assistive_msg.remove_filter": [ + { + "type": 0, + "value": "删除筛选器:" + }, + { + "type": 1, + "value": "label" + } + ], + "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": [ + { + "type": 0, + "value": "删除筛选器:" + }, + { + "type": 1, + "value": "label" + }, + { + "type": 0, + "value": " (" + }, + { + "type": 1, + "value": "hitCount" + }, + { + "type": 0, + "value": ")" + } + ], + "product_list.select.sort_by": [ + { + "type": 0, + "value": "排序标准:" + }, + { + "type": 1, + "value": "sortOption" + } + ], + "product_scroller.assistive_msg.scroll_left": [ + { + "type": 0, + "value": "向左滚动产品" + } + ], + "product_scroller.assistive_msg.scroll_right": [ + { + "type": 0, + "value": "向右滚动产品" + } + ], + "product_tile.assistive_msg.add_to_wishlist": [ + { + "type": 0, + "value": "添加 " + }, + { + "type": 1, + "value": "product" + }, + { + "type": 0, + "value": " 到愿望清单" + } + ], + "product_tile.assistive_msg.remove_from_wishlist": [ + { + "type": 0, + "value": "从愿望清单删除 " + }, + { + "type": 1, + "value": "product" + } + ], + "product_tile.label.starting_at_price": [ + { + "type": 0, + "value": "起价:" + }, + { + "type": 1, + "value": "price" + } + ], + "product_view.button.add_set_to_cart": [ + { + "type": 0, + "value": "将套装添加到购物车" + } + ], + "product_view.button.add_set_to_wishlist": [ + { + "type": 0, + "value": "将套装添加到愿望清单" + } + ], + "product_view.button.add_to_cart": [ + { + "type": 0, + "value": "添加到购物车" + } + ], + "product_view.button.add_to_wishlist": [ + { + "type": 0, + "value": "添加到愿望清单" + } + ], + "product_view.button.update": [ + { + "type": 0, + "value": "更新" + } + ], + "product_view.label.assistive_msg.quantity_decrement": [ + { + "type": 0, + "value": "递减数量" + } + ], + "product_view.label.assistive_msg.quantity_increment": [ + { + "type": 0, + "value": "递增数量" + } + ], + "product_view.label.quantity": [ + { + "type": 0, + "value": "数量" + } + ], + "product_view.label.quantity_decrement": [ + { + "type": 0, + "value": "−" + } + ], + "product_view.label.quantity_increment": [ + { + "type": 0, + "value": "+" + } + ], + "product_view.label.starting_at_price": [ + { + "type": 0, + "value": "起价:" + } + ], + "product_view.label.variant_type": [ + { + "type": 1, + "value": "variantType" + } + ], + "product_view.link.full_details": [ + { + "type": 0, + "value": "查看完整详情" + } + ], + "profile_card.info.profile_updated": [ + { + "type": 0, + "value": "已更新概况" + } + ], + "profile_card.label.email": [ + { + "type": 0, + "value": "电子邮件" + } + ], + "profile_card.label.full_name": [ + { + "type": 0, + "value": "全名" + } + ], + "profile_card.label.phone": [ + { + "type": 0, + "value": "电话号码" + } + ], + "profile_card.message.not_provided": [ + { + "type": 0, + "value": "未提供" + } + ], + "profile_card.title.my_profile": [ + { + "type": 0, + "value": "我的概况" + } + ], + "promo_code_fields.button.apply": [ + { + "type": 0, + "value": "确定" + } + ], + "promo_popover.assistive_msg.info": [ + { + "type": 0, + "value": "Info" + } + ], + "promo_popover.heading.promo_applied": [ + { + "type": 0, + "value": "已应用促销" + } + ], + "promocode.accordion.button.have_promocode": [ + { + "type": 0, + "value": "您是否有促销码?" + } + ], + "recent_searches.action.clear_searches": [ + { + "type": 0, + "value": "清除最近搜索" + } + ], + "recent_searches.heading.recent_searches": [ + { + "type": 0, + "value": "最近搜索" + } + ], + "register_form.action.sign_in": [ + { + "type": 0, + "value": "登录" + } + ], + "register_form.button.create_account": [ + { + "type": 0, + "value": "创建账户" + } + ], + "register_form.heading.lets_get_started": [ + { + "type": 0, + "value": "开始使用!" + } + ], + "register_form.message.agree_to_policy_terms": [ + { + "type": 0, + "value": "创建账户即表明您同意 Salesforce " + }, + { + "children": [ + { + "type": 0, + "value": "隐私政策" + } + ], + "type": 8, + "value": "policy" + }, + { + "type": 0, + "value": "以及" + }, + { + "children": [ + { + "type": 0, + "value": "条款与条件" + } + ], + "type": 8, + "value": "terms" + } + ], + "register_form.message.already_have_account": [ + { + "type": 0, + "value": "已有账户?" + } + ], + "register_form.message.create_an_account": [ + { + "type": 0, + "value": "创建账户并首先查看最佳产品、妙招和虚拟社区。" + } + ], + "reset_password.button.back_to_sign_in": [ + { + "type": 0, + "value": "返回登录" + } + ], + "reset_password.info.receive_email_shortly": [ + { + "type": 0, + "value": "您将通过 " + }, + { + "children": [ + { + "type": 1, + "value": "email" + } + ], + "type": 8, + "value": "b" + }, + { + "type": 0, + "value": " 收到包含重置密码链接的电子邮件。" + } + ], + "reset_password.title.password_reset": [ + { + "type": 0, + "value": "密码重置" + } + ], + "reset_password_form.action.sign_in": [ + { + "type": 0, + "value": "登录" + } + ], + "reset_password_form.button.reset_password": [ + { + "type": 0, + "value": "重置密码" + } + ], + "reset_password_form.message.enter_your_email": [ + { + "type": 0, + "value": "进入您的电子邮件,获取重置密码说明" + } + ], + "reset_password_form.message.return_to_sign_in": [ + { + "type": 0, + "value": "或返回" + } + ], + "reset_password_form.title.reset_password": [ + { + "type": 0, + "value": "重置密码" + } + ], + "search.action.cancel": [ + { + "type": 0, + "value": "取消" + } + ], + "selected_refinements.action.assistive_msg.clear_all": [ + { + "type": 0, + "value": "清除所有筛选器" + } + ], + "selected_refinements.action.clear_all": [ + { + "type": 0, + "value": "全部清除" + } + ], + "shipping_address.button.continue_to_shipping": [ + { + "type": 0, + "value": "继续并选择送货方式" + } + ], + "shipping_address.title.shipping_address": [ + { + "type": 0, + "value": "送货地址" + } + ], + "shipping_address_edit_form.button.save_and_continue": [ + { + "type": 0, + "value": "保存并继续选择送货方式" + } + ], + "shipping_address_form.heading.edit_address": [ + { + "type": 0, + "value": "编辑地址" + } + ], + "shipping_address_form.heading.new_address": [ + { + "type": 0, + "value": "添加新地址" + } + ], + "shipping_address_selection.button.add_address": [ + { + "type": 0, + "value": "添加新地址" + } + ], + "shipping_address_selection.button.submit": [ + { + "type": 0, + "value": "提交" + } + ], + "shipping_address_selection.title.add_address": [ + { + "type": 0, + "value": "添加新地址" + } + ], + "shipping_address_selection.title.edit_shipping": [ + { + "type": 0, + "value": "编辑送货地址" + } + ], + "shipping_options.action.send_as_a_gift": [ + { + "type": 0, + "value": "您想将此作为礼品发送吗?" + } + ], + "shipping_options.button.continue_to_payment": [ + { + "type": 0, + "value": "继续并选择付款" + } + ], + "shipping_options.title.shipping_gift_options": [ + { + "type": 0, + "value": "送货与礼品选项" + } + ], + "signout_confirmation_dialog.button.cancel": [ + { + "type": 0, + "value": "取消" + } + ], + "signout_confirmation_dialog.button.sign_out": [ + { + "type": 0, + "value": "注销" + } + ], + "signout_confirmation_dialog.heading.sign_out": [ + { + "type": 0, + "value": "注销" + } + ], + "signout_confirmation_dialog.message.sure_to_sign_out": [ + { + "type": 0, + "value": "是否确定要注销?您需要重新登录才能继续处理当前订单。" + } + ], + "swatch_group.selected.label": [ + { + "type": 1, + "value": "label" + }, + { + "type": 0, + "value": ":" + } + ], + "toggle_card.action.edit": [ + { + "type": 0, + "value": "编辑" + } + ], + "update_password_fields.button.forgot_password": [ + { + "type": 0, + "value": "忘记密码?" + } + ], + "use_address_fields.error.please_enter_first_name": [ + { + "type": 0, + "value": "请输入您的名字。" + } + ], + "use_address_fields.error.please_enter_last_name": [ + { + "type": 0, + "value": "请输入您的姓氏。" + } + ], + "use_address_fields.error.please_enter_phone_number": [ + { + "type": 0, + "value": "请输入您的电话号码。" + } + ], + "use_address_fields.error.please_enter_your_postal_or_zip": [ + { + "type": 0, + "value": "请输入您的邮政编码。" + } + ], + "use_address_fields.error.please_select_your_address": [ + { + "type": 0, + "value": "请输入您的地址。" + } + ], + "use_address_fields.error.please_select_your_city": [ + { + "type": 0, + "value": "请输入您所在城市。" + } + ], + "use_address_fields.error.please_select_your_country": [ + { + "type": 0, + "value": "请输入您所在国家/地区。" + } + ], + "use_address_fields.error.please_select_your_state_or_province": [ + { + "type": 0, + "value": "请选择您所在的州/省。" + } + ], + "use_address_fields.error.required": [ + { + "type": 0, + "value": "必填" + } + ], + "use_address_fields.error.state_code_invalid": [ + { + "type": 0, + "value": "请输入两个字母的州/省名称。" + } + ], + "use_address_fields.label.address": [ + { + "type": 0, + "value": "地址" + } + ], + "use_address_fields.label.address_form": [ + { + "type": 0, + "value": "地址表格" + } + ], + "use_address_fields.label.city": [ + { + "type": 0, + "value": "城市" + } + ], + "use_address_fields.label.country": [ + { + "type": 0, + "value": "国家" + } + ], + "use_address_fields.label.first_name": [ + { + "type": 0, + "value": "名字" + } + ], + "use_address_fields.label.last_name": [ + { + "type": 0, + "value": "姓氏" + } + ], + "use_address_fields.label.phone": [ + { + "type": 0, + "value": "电话" + } + ], + "use_address_fields.label.postal_code": [ + { + "type": 0, + "value": "邮政编码" + } + ], + "use_address_fields.label.preferred": [ + { + "type": 0, + "value": "设为默认值" + } + ], + "use_address_fields.label.province": [ + { + "type": 0, + "value": "省" + } + ], + "use_address_fields.label.state": [ + { + "type": 0, + "value": "州/省" + } + ], + "use_address_fields.label.zipCode": [ + { + "type": 0, + "value": "邮政编码" + } + ], + "use_credit_card_fields.error.required": [ + { + "type": 0, + "value": "必填" + } + ], + "use_credit_card_fields.error.required_card_number": [ + { + "type": 0, + "value": "请输入您的卡号。" + } + ], + "use_credit_card_fields.error.required_expiry": [ + { + "type": 0, + "value": "请输入卡的到期日期。" + } + ], + "use_credit_card_fields.error.required_name": [ + { + "type": 0, + "value": "请输入卡上显示的名字。" + } + ], + "use_credit_card_fields.error.required_security_code": [ + { + "type": 0, + "value": "请输入您的安全码。" + } + ], + "use_credit_card_fields.error.valid_card_number": [ + { + "type": 0, + "value": "请输入有效的卡号。" + } + ], + "use_credit_card_fields.error.valid_date": [ + { + "type": 0, + "value": "请输入有效的日期。" + } + ], + "use_credit_card_fields.error.valid_name": [ + { + "type": 0, + "value": "请输入有效的名称。" + } + ], + "use_credit_card_fields.error.valid_security_code": [ + { + "type": 0, + "value": "请输入有效的安全码。" + } + ], + "use_credit_card_fields.label.card_number": [ + { + "type": 0, + "value": "卡号" + } + ], + "use_credit_card_fields.label.card_type": [ + { + "type": 0, + "value": "卡类型" + } + ], + "use_credit_card_fields.label.expiry": [ + { + "type": 0, + "value": "到期日期" + } + ], + "use_credit_card_fields.label.name": [ + { + "type": 0, + "value": "持卡人姓名" + } + ], + "use_credit_card_fields.label.security_code": [ + { + "type": 0, + "value": "安全码" + } + ], + "use_login_fields.error.required_email": [ + { + "type": 0, + "value": "请输入您的电子邮件地址。" + } + ], + "use_login_fields.error.required_password": [ + { + "type": 0, + "value": "请输入您的密码。" + } + ], + "use_login_fields.label.email": [ + { + "type": 0, + "value": "电子邮件" + } + ], + "use_login_fields.label.password": [ + { + "type": 0, + "value": "密码" + } + ], + "use_product.message.inventory_remaining": [ + { + "type": 0, + "value": "仅剩 " + }, + { + "type": 1, + "value": "stockLevel" + }, + { + "type": 0, + "value": " 件!" + } + ], + "use_product.message.out_of_stock": [ + { + "type": 0, + "value": "无库存" + } + ], + "use_profile_fields.error.required_email": [ + { + "type": 0, + "value": "请输入有效的电子邮件地址。" + } + ], + "use_profile_fields.error.required_first_name": [ + { + "type": 0, + "value": "请输入您的名字。" + } + ], + "use_profile_fields.error.required_last_name": [ + { + "type": 0, + "value": "请输入您的姓氏。" + } + ], + "use_profile_fields.error.required_phone": [ + { + "type": 0, + "value": "请输入您的电话号码。" + } + ], + "use_profile_fields.label.email": [ + { + "type": 0, + "value": "电子邮件" + } + ], + "use_profile_fields.label.first_name": [ + { + "type": 0, + "value": "名字" + } + ], + "use_profile_fields.label.last_name": [ + { + "type": 0, + "value": "姓氏" + } + ], + "use_profile_fields.label.phone": [ + { + "type": 0, + "value": "电话号码" + } + ], + "use_promo_code_fields.error.required_promo_code": [ + { + "type": 0, + "value": "请提供有效的促销码。" + } + ], + "use_promo_code_fields.label.promo_code": [ + { + "type": 0, + "value": "促销码" + } + ], + "use_promocode.error.check_the_code": [ + { + "type": 0, + "value": "检查促销码并重试,该促销码可能已被使用或促销已过期。" + } + ], + "use_promocode.info.promo_applied": [ + { + "type": 0, + "value": "已应用促销" + } + ], + "use_promocode.info.promo_removed": [ + { + "type": 0, + "value": "已删除促销" + } + ], + "use_registration_fields.error.contain_number": [ + { + "type": 0, + "value": "密码必须至少包含一个数字。" + } + ], + "use_registration_fields.error.lowercase_letter": [ + { + "type": 0, + "value": "密码必须至少包含一个小写字母。" + } + ], + "use_registration_fields.error.minimum_characters": [ + { + "type": 0, + "value": "密码必须至少包含 8 个字符。" + } + ], + "use_registration_fields.error.required_email": [ + { + "type": 0, + "value": "请输入有效的电子邮件地址。" + } + ], + "use_registration_fields.error.required_first_name": [ + { + "type": 0, + "value": "请输入您的名字。" + } + ], + "use_registration_fields.error.required_last_name": [ + { + "type": 0, + "value": "请输入您的姓氏。" + } + ], + "use_registration_fields.error.required_password": [ + { + "type": 0, + "value": "请创建密码。" + } + ], + "use_registration_fields.error.special_character": [ + { + "type": 0, + "value": "密码必须至少包含一个特殊字符。" + } + ], + "use_registration_fields.error.uppercase_letter": [ + { + "type": 0, + "value": "密码必须至少包含一个大写字母。" + } + ], + "use_registration_fields.label.email": [ + { + "type": 0, + "value": "电子邮件" + } + ], + "use_registration_fields.label.first_name": [ + { + "type": 0, + "value": "名字" + } + ], + "use_registration_fields.label.last_name": [ + { + "type": 0, + "value": "姓氏" + } + ], + "use_registration_fields.label.password": [ + { + "type": 0, + "value": "密码" + } + ], + "use_registration_fields.label.sign_up_to_emails": [ + { + "type": 0, + "value": "为我注册 Salesforce 电子邮件(您可以随时取消订阅)" + } + ], + "use_reset_password_fields.error.required_email": [ + { + "type": 0, + "value": "请输入有效的电子邮件地址。" + } + ], + "use_reset_password_fields.label.email": [ + { + "type": 0, + "value": "电子邮件" + } + ], + "use_update_password_fields.error.contain_number": [ + { + "type": 0, + "value": "密码必须至少包含一个数字。" + } + ], + "use_update_password_fields.error.lowercase_letter": [ + { + "type": 0, + "value": "密码必须至少包含一个小写字母。" + } + ], + "use_update_password_fields.error.minimum_characters": [ + { + "type": 0, + "value": "密码必须至少包含 8 个字符。" + } + ], + "use_update_password_fields.error.required_new_password": [ + { + "type": 0, + "value": "请提供新密码。" + } + ], + "use_update_password_fields.error.required_password": [ + { + "type": 0, + "value": "请输入您的密码。" + } + ], + "use_update_password_fields.error.special_character": [ + { + "type": 0, + "value": "密码必须至少包含一个特殊字符。" + } + ], + "use_update_password_fields.error.uppercase_letter": [ + { + "type": 0, + "value": "密码必须至少包含一个大写字母。" + } + ], + "use_update_password_fields.label.current_password": [ + { + "type": 0, + "value": "当前密码" + } + ], + "use_update_password_fields.label.new_password": [ + { + "type": 0, + "value": "新密码" + } + ], + "wishlist_primary_action.button.add_set_to_cart": [ + { + "type": 0, + "value": "将套装添加到购物车" + } + ], + "wishlist_primary_action.button.add_to_cart": [ + { + "type": 0, + "value": "添加到购物车" + } + ], + "wishlist_primary_action.button.view_full_details": [ + { + "type": 0, + "value": "查看完整详情" + } + ], + "wishlist_primary_action.button.view_options": [ + { + "type": 0, + "value": "查看选项" + } + ], + "wishlist_primary_action.info.added_to_cart": [ + { + "type": 1, + "value": "quantity" + }, + { + "type": 0, + "value": " " + }, + { + "offset": 0, + "options": { + "one": { + "value": [ + { + "type": 0, + "value": " 件商品" + } + ] + }, + "other": { + "value": [ + { + "type": 0, + "value": " 件商品" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "quantity" + }, + { + "type": 0, + "value": "已添加至购物车" + } + ], + "wishlist_secondary_button_group.action.remove": [ + { + "type": 0, + "value": "移除" + } + ], + "wishlist_secondary_button_group.info.item_removed": [ + { + "type": 0, + "value": "从愿望清单中移除商品" + } + ], + "with_registration.info.please_sign_in": [ + { + "type": 0, + "value": "请登录以继续!" + } + ] +} \ No newline at end of file diff --git a/my-test-project/overrides/app/static/translations/compiled/zh-TW.json b/my-test-project/overrides/app/static/translations/compiled/zh-TW.json new file mode 100644 index 0000000000..3877030193 --- /dev/null +++ b/my-test-project/overrides/app/static/translations/compiled/zh-TW.json @@ -0,0 +1,3470 @@ +{ + "account.accordion.button.my_account": [ + { + "type": 0, + "value": "我的帳戶" + } + ], + "account.heading.my_account": [ + { + "type": 0, + "value": "我的帳戶" + } + ], + "account.logout_button.button.log_out": [ + { + "type": 0, + "value": "登出" + } + ], + "account_addresses.badge.default": [ + { + "type": 0, + "value": "預設" + } + ], + "account_addresses.button.add_address": [ + { + "type": 0, + "value": "新增地址" + } + ], + "account_addresses.info.address_removed": [ + { + "type": 0, + "value": "已移除地址" + } + ], + "account_addresses.info.address_updated": [ + { + "type": 0, + "value": "地址已更新" + } + ], + "account_addresses.info.new_address_saved": [ + { + "type": 0, + "value": "新地址已儲存" + } + ], + "account_addresses.page_action_placeholder.button.add_address": [ + { + "type": 0, + "value": "新增地址" + } + ], + "account_addresses.page_action_placeholder.heading.no_saved_addresses": [ + { + "type": 0, + "value": "沒有已儲存的地址" + } + ], + "account_addresses.page_action_placeholder.message.add_new_address": [ + { + "type": 0, + "value": "新增地址,加快結帳流程。" + } + ], + "account_addresses.title.addresses": [ + { + "type": 0, + "value": "地址" + } + ], + "account_detail.title.account_details": [ + { + "type": 0, + "value": "帳戶詳細資料" + } + ], + "account_order_detail.heading.billing_address": [ + { + "type": 0, + "value": "帳單地址" + } + ], + "account_order_detail.heading.num_of_items": [ + { + "type": 1, + "value": "count" + }, + { + "type": 0, + "value": " 件商品" + } + ], + "account_order_detail.heading.payment_method": [ + { + "type": 0, + "value": "付款方式" + } + ], + "account_order_detail.heading.shipping_address": [ + { + "type": 0, + "value": "運送地址" + } + ], + "account_order_detail.heading.shipping_method": [ + { + "type": 0, + "value": "運送方式" + } + ], + "account_order_detail.label.order_number": [ + { + "type": 0, + "value": "訂單編號:" + }, + { + "type": 1, + "value": "orderNumber" + } + ], + "account_order_detail.label.ordered_date": [ + { + "type": 0, + "value": "下單日期:" + }, + { + "type": 1, + "value": "date" + } + ], + "account_order_detail.label.pending_tracking_number": [ + { + "type": 0, + "value": "待處理" + } + ], + "account_order_detail.label.tracking_number": [ + { + "type": 0, + "value": "追蹤編號" + } + ], + "account_order_detail.link.back_to_history": [ + { + "type": 0, + "value": "返回訂單記錄" + } + ], + "account_order_detail.shipping_status.not_shipped": [ + { + "type": 0, + "value": "未出貨" + } + ], + "account_order_detail.shipping_status.part_shipped": [ + { + "type": 0, + "value": "已部分出貨" + } + ], + "account_order_detail.shipping_status.shipped": [ + { + "type": 0, + "value": "已出貨" + } + ], + "account_order_detail.title.order_details": [ + { + "type": 0, + "value": "訂單詳細資料" + } + ], + "account_order_history.button.continue_shopping": [ + { + "type": 0, + "value": "繼續選購" + } + ], + "account_order_history.description.once_you_place_order": [ + { + "type": 0, + "value": "下訂單後,詳細資料將會在這裡顯示。" + } + ], + "account_order_history.heading.no_order_yet": [ + { + "type": 0, + "value": "您尚未下訂單。" + } + ], + "account_order_history.label.num_of_items": [ + { + "type": 1, + "value": "count" + }, + { + "type": 0, + "value": " 件商品" + } + ], + "account_order_history.label.order_number": [ + { + "type": 0, + "value": "訂單編號:" + }, + { + "type": 1, + "value": "orderNumber" + } + ], + "account_order_history.label.ordered_date": [ + { + "type": 0, + "value": "下單日期:" + }, + { + "type": 1, + "value": "date" + } + ], + "account_order_history.label.shipped_to": [ + { + "type": 0, + "value": "已出貨至:" + }, + { + "type": 1, + "value": "name" + } + ], + "account_order_history.link.view_details": [ + { + "type": 0, + "value": "檢視詳細資料" + } + ], + "account_order_history.title.order_history": [ + { + "type": 0, + "value": "訂單記錄" + } + ], + "account_wishlist.button.continue_shopping": [ + { + "type": 0, + "value": "繼續選購" + } + ], + "account_wishlist.description.continue_shopping": [ + { + "type": 0, + "value": "繼續選購,並將商品新增至願望清單。" + } + ], + "account_wishlist.heading.no_wishlist": [ + { + "type": 0, + "value": "沒有願望清單商品" + } + ], + "account_wishlist.title.wishlist": [ + { + "type": 0, + "value": "願望清單" + } + ], + "action_card.action.edit": [ + { + "type": 0, + "value": "編輯" + } + ], + "action_card.action.remove": [ + { + "type": 0, + "value": "移除" + } + ], + "add_to_cart_modal.info.added_to_cart": [ + { + "type": 1, + "value": "quantity" + }, + { + "type": 0, + "value": " " + }, + { + "offset": 0, + "options": { + "one": { + "value": [ + { + "type": 0, + "value": "件商品" + } + ] + }, + "other": { + "value": [ + { + "type": 0, + "value": "件商品" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "quantity" + }, + { + "type": 0, + "value": "已新增至購物車" + } + ], + "add_to_cart_modal.label.cart_subtotal": [ + { + "type": 0, + "value": "購物車小計 (" + }, + { + "type": 1, + "value": "itemAccumulatedCount" + }, + { + "type": 0, + "value": " 件商品)" + } + ], + "add_to_cart_modal.label.quantity": [ + { + "type": 0, + "value": "數量" + } + ], + "add_to_cart_modal.link.checkout": [ + { + "type": 0, + "value": "繼續以結帳" + } + ], + "add_to_cart_modal.link.view_cart": [ + { + "type": 0, + "value": "檢視購物車" + } + ], + "add_to_cart_modal.recommended_products.title.might_also_like": [ + { + "type": 0, + "value": "您可能也喜歡" + } + ], + "auth_modal.button.close.assistive_msg": [ + { + "type": 0, + "value": "關閉登入表單" + } + ], + "auth_modal.description.now_signed_in": [ + { + "type": 0, + "value": "您現在已登入。" + } + ], + "auth_modal.error.incorrect_email_or_password": [ + { + "type": 0, + "value": "您的電子郵件或密碼不正確。請再試一次。" + } + ], + "auth_modal.info.welcome_user": [ + { + "type": 1, + "value": "name" + }, + { + "type": 0, + "value": ",歡迎:" + } + ], + "auth_modal.password_reset_success.button.back_to_sign_in": [ + { + "type": 0, + "value": "返回登入" + } + ], + "auth_modal.password_reset_success.info.will_email_shortly": [ + { + "type": 0, + "value": "您很快就會在 " + }, + { + "children": [ + { + "type": 1, + "value": "email" + } + ], + "type": 8, + "value": "b" + }, + { + "type": 0, + "value": " 收到一封電子郵件,內含重設密碼的連結。" + } + ], + "auth_modal.password_reset_success.title.password_reset": [ + { + "type": 0, + "value": "重設密碼" + } + ], + "carousel.button.scroll_left.assistive_msg": [ + { + "type": 0, + "value": "向左捲動輪播" + } + ], + "carousel.button.scroll_right.assistive_msg": [ + { + "type": 0, + "value": "向右捲動輪播" + } + ], + "cart.info.removed_from_cart": [ + { + "type": 0, + "value": "已從購物車移除商品" + } + ], + "cart.recommended_products.title.may_also_like": [ + { + "type": 0, + "value": "您可能也喜歡" + } + ], + "cart.recommended_products.title.recently_viewed": [ + { + "type": 0, + "value": "最近檢視" + } + ], + "cart_cta.link.checkout": [ + { + "type": 0, + "value": "繼續以結帳" + } + ], + "cart_secondary_button_group.action.added_to_wishlist": [ + { + "type": 0, + "value": "新增至願望清單" + } + ], + "cart_secondary_button_group.action.edit": [ + { + "type": 0, + "value": "編輯" + } + ], + "cart_secondary_button_group.action.remove": [ + { + "type": 0, + "value": "移除" + } + ], + "cart_secondary_button_group.label.this_is_gift": [ + { + "type": 0, + "value": "這是禮物。" + } + ], + "cart_skeleton.heading.order_summary": [ + { + "type": 0, + "value": "訂單摘要" + } + ], + "cart_skeleton.title.cart": [ + { + "type": 0, + "value": "購物車" + } + ], + "cart_title.title.cart_num_of_items": [ + { + "type": 0, + "value": "購物車 (" + }, + { + "offset": 0, + "options": { + "=0": { + "value": [ + { + "type": 0, + "value": "0 件商品" + } + ] + }, + "one": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": " 件商品" + } + ] + }, + "other": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": " 件商品" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "itemCount" + }, + { + "type": 0, + "value": ")" + } + ], + "cc_radio_group.action.remove": [ + { + "type": 0, + "value": "移除" + } + ], + "cc_radio_group.button.add_new_card": [ + { + "type": 0, + "value": "新增卡片" + } + ], + "checkout.button.place_order": [ + { + "type": 0, + "value": "送出訂單" + } + ], + "checkout.message.generic_error": [ + { + "type": 0, + "value": "結帳時發生意外錯誤。" + } + ], + "checkout_confirmation.button.create_account": [ + { + "type": 0, + "value": "建立帳戶" + } + ], + "checkout_confirmation.heading.billing_address": [ + { + "type": 0, + "value": "帳單地址" + } + ], + "checkout_confirmation.heading.create_account": [ + { + "type": 0, + "value": "建立帳戶,加快結帳流程" + } + ], + "checkout_confirmation.heading.credit_card": [ + { + "type": 0, + "value": "信用卡" + } + ], + "checkout_confirmation.heading.delivery_details": [ + { + "type": 0, + "value": "運送詳細資料" + } + ], + "checkout_confirmation.heading.order_summary": [ + { + "type": 0, + "value": "訂單摘要" + } + ], + "checkout_confirmation.heading.payment_details": [ + { + "type": 0, + "value": "付款詳細資料" + } + ], + "checkout_confirmation.heading.shipping_address": [ + { + "type": 0, + "value": "運送地址" + } + ], + "checkout_confirmation.heading.shipping_method": [ + { + "type": 0, + "value": "運送方式" + } + ], + "checkout_confirmation.heading.thank_you_for_order": [ + { + "type": 0, + "value": "感謝您的訂購!" + } + ], + "checkout_confirmation.label.free": [ + { + "type": 0, + "value": "免費" + } + ], + "checkout_confirmation.label.order_number": [ + { + "type": 0, + "value": "訂單編號" + } + ], + "checkout_confirmation.label.order_total": [ + { + "type": 0, + "value": "訂單總計" + } + ], + "checkout_confirmation.label.promo_applied": [ + { + "type": 0, + "value": "已套用促銷" + } + ], + "checkout_confirmation.label.shipping": [ + { + "type": 0, + "value": "運送" + } + ], + "checkout_confirmation.label.subtotal": [ + { + "type": 0, + "value": "小計" + } + ], + "checkout_confirmation.label.tax": [ + { + "type": 0, + "value": "稅項" + } + ], + "checkout_confirmation.link.continue_shopping": [ + { + "type": 0, + "value": "繼續選購" + } + ], + "checkout_confirmation.link.login": [ + { + "type": 0, + "value": "於此處登入" + } + ], + "checkout_confirmation.message.already_has_account": [ + { + "type": 0, + "value": "此電子郵件已擁有帳戶。" + } + ], + "checkout_confirmation.message.num_of_items_in_order": [ + { + "offset": 0, + "options": { + "=0": { + "value": [ + { + "type": 0, + "value": "0 件商品" + } + ] + }, + "one": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": " 件商品" + } + ] + }, + "other": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": " 件商品" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "itemCount" + } + ], + "checkout_confirmation.message.will_email_shortly": [ + { + "type": 0, + "value": "我們很快就會寄送電子郵件至 " + }, + { + "children": [ + { + "type": 1, + "value": "email" + } + ], + "type": 8, + "value": "b" + }, + { + "type": 0, + "value": ",內含您的確認號碼和收據。" + } + ], + "checkout_footer.link.privacy_policy": [ + { + "type": 0, + "value": "隱私政策" + } + ], + "checkout_footer.link.returns_exchanges": [ + { + "type": 0, + "value": "退貨與換貨" + } + ], + "checkout_footer.link.shipping": [ + { + "type": 0, + "value": "運送" + } + ], + "checkout_footer.link.site_map": [ + { + "type": 0, + "value": "網站地圖" + } + ], + "checkout_footer.link.terms_conditions": [ + { + "type": 0, + "value": "條款與條件" + } + ], + "checkout_footer.message.copyright": [ + { + "type": 0, + "value": "Salesforce 或相關企業。保留一切權利。這只是一個示範商店。在此下單將「不會」進行處理。" + } + ], + "checkout_header.link.assistive_msg.cart": [ + { + "type": 0, + "value": "返回購物車,商品數量:" + }, + { + "type": 1, + "value": "numItems" + } + ], + "checkout_header.link.cart": [ + { + "type": 0, + "value": "返回購物車" + } + ], + "checkout_payment.action.remove": [ + { + "type": 0, + "value": "移除" + } + ], + "checkout_payment.button.review_order": [ + { + "type": 0, + "value": "檢查訂單" + } + ], + "checkout_payment.heading.billing_address": [ + { + "type": 0, + "value": "帳單地址" + } + ], + "checkout_payment.heading.credit_card": [ + { + "type": 0, + "value": "信用卡" + } + ], + "checkout_payment.label.same_as_shipping": [ + { + "type": 0, + "value": "與運送地址相同" + } + ], + "checkout_payment.title.payment": [ + { + "type": 0, + "value": "付款" + } + ], + "colorRefinements.label.hitCount": [ + { + "type": 1, + "value": "colorLabel" + }, + { + "type": 0, + "value": " (" + }, + { + "type": 1, + "value": "colorHitCount" + }, + { + "type": 0, + "value": ")" + } + ], + "confirmation_modal.default.action.no": [ + { + "type": 0, + "value": "否" + } + ], + "confirmation_modal.default.action.yes": [ + { + "type": 0, + "value": "是" + } + ], + "confirmation_modal.default.message.you_want_to_continue": [ + { + "type": 0, + "value": "確定要繼續嗎?" + } + ], + "confirmation_modal.default.title.confirm_action": [ + { + "type": 0, + "value": "確認動作" + } + ], + "confirmation_modal.remove_cart_item.action.no": [ + { + "type": 0, + "value": "否,保留商品" + } + ], + "confirmation_modal.remove_cart_item.action.remove": [ + { + "type": 0, + "value": "移除" + } + ], + "confirmation_modal.remove_cart_item.action.yes": [ + { + "type": 0, + "value": "是,移除商品" + } + ], + "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": [ + { + "type": 0, + "value": "有些商品已無法再於線上取得,因此將從您的購物車中移除。" + } + ], + "confirmation_modal.remove_cart_item.message.sure_to_remove": [ + { + "type": 0, + "value": "確定要將商品從購物車中移除嗎?" + } + ], + "confirmation_modal.remove_cart_item.title.confirm_remove": [ + { + "type": 0, + "value": "確認移除商品" + } + ], + "confirmation_modal.remove_cart_item.title.items_unavailable": [ + { + "type": 0, + "value": "商品不可用" + } + ], + "confirmation_modal.remove_wishlist_item.action.no": [ + { + "type": 0, + "value": "否,保留商品" + } + ], + "confirmation_modal.remove_wishlist_item.action.yes": [ + { + "type": 0, + "value": "是,移除商品" + } + ], + "confirmation_modal.remove_wishlist_item.message.sure_to_remove": [ + { + "type": 0, + "value": "確定要將商品從願望清單中移除嗎?" + } + ], + "confirmation_modal.remove_wishlist_item.title.confirm_remove": [ + { + "type": 0, + "value": "確認移除商品" + } + ], + "contact_info.action.sign_out": [ + { + "type": 0, + "value": "登出" + } + ], + "contact_info.button.already_have_account": [ + { + "type": 0, + "value": "已經有帳戶了?登入" + } + ], + "contact_info.button.checkout_as_guest": [ + { + "type": 0, + "value": "以訪客身份結帳" + } + ], + "contact_info.button.login": [ + { + "type": 0, + "value": "登入" + } + ], + "contact_info.error.incorrect_username_or_password": [ + { + "type": 0, + "value": "使用者名稱或密碼不正確,請再試一次。" + } + ], + "contact_info.link.forgot_password": [ + { + "type": 0, + "value": "忘記密碼了嗎?" + } + ], + "contact_info.title.contact_info": [ + { + "type": 0, + "value": "聯絡資訊" + } + ], + "credit_card_fields.tool_tip.security_code": [ + { + "type": 0, + "value": "此 3 位數代碼可在您卡片的背面找到。" + } + ], + "credit_card_fields.tool_tip.security_code.american_express": [ + { + "type": 0, + "value": "此 4 位數代碼可在您卡片的正面找到。" + } + ], + "credit_card_fields.tool_tip.security_code_aria_label": [ + { + "type": 0, + "value": "安全碼資訊" + } + ], + "drawer_menu.button.account_details": [ + { + "type": 0, + "value": "帳戶詳細資料" + } + ], + "drawer_menu.button.addresses": [ + { + "type": 0, + "value": "地址" + } + ], + "drawer_menu.button.log_out": [ + { + "type": 0, + "value": "登出" + } + ], + "drawer_menu.button.my_account": [ + { + "type": 0, + "value": "我的帳戶" + } + ], + "drawer_menu.button.order_history": [ + { + "type": 0, + "value": "訂單記錄" + } + ], + "drawer_menu.link.about_us": [ + { + "type": 0, + "value": "關於我們" + } + ], + "drawer_menu.link.customer_support": [ + { + "type": 0, + "value": "客戶支援" + } + ], + "drawer_menu.link.customer_support.contact_us": [ + { + "type": 0, + "value": "聯絡我們" + } + ], + "drawer_menu.link.customer_support.shipping_and_returns": [ + { + "type": 0, + "value": "運送與退貨" + } + ], + "drawer_menu.link.our_company": [ + { + "type": 0, + "value": "我們的公司" + } + ], + "drawer_menu.link.privacy_and_security": [ + { + "type": 0, + "value": "隱私與安全" + } + ], + "drawer_menu.link.privacy_policy": [ + { + "type": 0, + "value": "隱私政策" + } + ], + "drawer_menu.link.shop_all": [ + { + "type": 0, + "value": "選購全部" + } + ], + "drawer_menu.link.sign_in": [ + { + "type": 0, + "value": "登入" + } + ], + "drawer_menu.link.site_map": [ + { + "type": 0, + "value": "網站地圖" + } + ], + "drawer_menu.link.store_locator": [ + { + "type": 0, + "value": "商店位置搜尋" + } + ], + "drawer_menu.link.terms_and_conditions": [ + { + "type": 0, + "value": "條款與條件" + } + ], + "empty_cart.description.empty_cart": [ + { + "type": 0, + "value": "您的購物車是空的。" + } + ], + "empty_cart.link.continue_shopping": [ + { + "type": 0, + "value": "繼續選購" + } + ], + "empty_cart.link.sign_in": [ + { + "type": 0, + "value": "登入" + } + ], + "empty_cart.message.continue_shopping": [ + { + "type": 0, + "value": "繼續選購,並將商品新增至購物車。" + } + ], + "empty_cart.message.sign_in_or_continue_shopping": [ + { + "type": 0, + "value": "登入來存取您所儲存的商品,或繼續選購。" + } + ], + "empty_search_results.info.cant_find_anything_for_category": [ + { + "type": 0, + "value": "我們找不到" + }, + { + "type": 1, + "value": "category" + }, + { + "type": 0, + "value": "的結果。請嘗試搜尋產品或" + }, + { + "type": 1, + "value": "link" + }, + { + "type": 0, + "value": "。" + } + ], + "empty_search_results.info.cant_find_anything_for_query": [ + { + "type": 0, + "value": "我們找不到「" + }, + { + "type": 1, + "value": "searchQuery" + }, + { + "type": 0, + "value": "」的結果。" + } + ], + "empty_search_results.info.double_check_spelling": [ + { + "type": 0, + "value": "請確認拼字並再試一次,或" + }, + { + "type": 1, + "value": "link" + }, + { + "type": 0, + "value": "。" + } + ], + "empty_search_results.link.contact_us": [ + { + "type": 0, + "value": "聯絡我們" + } + ], + "empty_search_results.recommended_products.title.most_viewed": [ + { + "type": 0, + "value": "最多檢視" + } + ], + "empty_search_results.recommended_products.title.top_sellers": [ + { + "type": 0, + "value": "最暢銷產品" + } + ], + "field.password.assistive_msg.hide_password": [ + { + "type": 0, + "value": "隱藏密碼" + } + ], + "field.password.assistive_msg.show_password": [ + { + "type": 0, + "value": "顯示密碼" + } + ], + "footer.column.account": [ + { + "type": 0, + "value": "帳戶" + } + ], + "footer.column.customer_support": [ + { + "type": 0, + "value": "客戶支援" + } + ], + "footer.column.our_company": [ + { + "type": 0, + "value": "我們的公司" + } + ], + "footer.link.about_us": [ + { + "type": 0, + "value": "關於我們" + } + ], + "footer.link.contact_us": [ + { + "type": 0, + "value": "聯絡我們" + } + ], + "footer.link.order_status": [ + { + "type": 0, + "value": "訂單狀態" + } + ], + "footer.link.privacy_policy": [ + { + "type": 0, + "value": "隱私政策" + } + ], + "footer.link.shipping": [ + { + "type": 0, + "value": "運送" + } + ], + "footer.link.signin_create_account": [ + { + "type": 0, + "value": "登入或建立帳戶" + } + ], + "footer.link.site_map": [ + { + "type": 0, + "value": "網站地圖" + } + ], + "footer.link.store_locator": [ + { + "type": 0, + "value": "商店位置搜尋" + } + ], + "footer.link.terms_conditions": [ + { + "type": 0, + "value": "條款與條件" + } + ], + "footer.message.copyright": [ + { + "type": 0, + "value": "Salesforce 或相關企業。保留一切權利。這只是一個示範商店。在此下單將「不會」進行處理。" + } + ], + "footer.subscribe.button.sign_up": [ + { + "type": 0, + "value": "註冊" + } + ], + "footer.subscribe.description.sign_up": [ + { + "type": 0, + "value": "註冊來獲得最熱門的優惠消息" + } + ], + "footer.subscribe.heading.first_to_know": [ + { + "type": 0, + "value": "搶先獲得消息" + } + ], + "form_action_buttons.button.cancel": [ + { + "type": 0, + "value": "取消" + } + ], + "form_action_buttons.button.save": [ + { + "type": 0, + "value": "儲存" + } + ], + "global.account.link.account_details": [ + { + "type": 0, + "value": "帳戶詳細資料" + } + ], + "global.account.link.addresses": [ + { + "type": 0, + "value": "地址" + } + ], + "global.account.link.order_history": [ + { + "type": 0, + "value": "訂單記錄" + } + ], + "global.account.link.wishlist": [ + { + "type": 0, + "value": "願望清單" + } + ], + "global.error.something_went_wrong": [ + { + "type": 0, + "value": "發生錯誤。請再試一次。" + } + ], + "global.info.added_to_wishlist": [ + { + "type": 1, + "value": "quantity" + }, + { + "type": 0, + "value": " " + }, + { + "offset": 0, + "options": { + "one": { + "value": [ + { + "type": 0, + "value": "件商品" + } + ] + }, + "other": { + "value": [ + { + "type": 0, + "value": "件商品" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "quantity" + }, + { + "type": 0, + "value": "已新增至願望清單" + } + ], + "global.info.already_in_wishlist": [ + { + "type": 0, + "value": "商品已在願望清單中" + } + ], + "global.info.removed_from_wishlist": [ + { + "type": 0, + "value": "已從願望清單移除商品" + } + ], + "global.link.added_to_wishlist.view_wishlist": [ + { + "type": 0, + "value": "檢視" + } + ], + "header.button.assistive_msg.logo": [ + { + "type": 0, + "value": "標誌" + } + ], + "header.button.assistive_msg.menu": [ + { + "type": 0, + "value": "選單" + } + ], + "header.button.assistive_msg.my_account": [ + { + "type": 0, + "value": "我的帳戶" + } + ], + "header.button.assistive_msg.my_account_menu": [ + { + "type": 0, + "value": "開啟帳戶選單" + } + ], + "header.button.assistive_msg.my_cart_with_num_items": [ + { + "type": 0, + "value": "我的購物車,商品數量:" + }, + { + "type": 1, + "value": "numItems" + } + ], + "header.button.assistive_msg.wishlist": [ + { + "type": 0, + "value": "願望清單" + } + ], + "header.field.placeholder.search_for_products": [ + { + "type": 0, + "value": "搜尋產品..." + } + ], + "header.popover.action.log_out": [ + { + "type": 0, + "value": "登出" + } + ], + "header.popover.title.my_account": [ + { + "type": 0, + "value": "我的帳戶" + } + ], + "home.description.features": [ + { + "type": 0, + "value": "功能皆可立即使用,您只需專注於如何精益求精。" + } + ], + "home.description.here_to_help": [ + { + "type": 0, + "value": "聯絡我們的支援人員," + } + ], + "home.description.here_to_help_line_2": [ + { + "type": 0, + "value": "讓他們為您指點迷津。" + } + ], + "home.description.shop_products": [ + { + "type": 0, + "value": "此區塊包含來自目錄的內容。" + }, + { + "type": 1, + "value": "docLink" + }, + { + "type": 0, + "value": "來了解如何取代。" + } + ], + "home.features.description.cart_checkout": [ + { + "type": 0, + "value": "為購物者提供購物車和結帳體驗的電子商務最佳做法。" + } + ], + "home.features.description.components": [ + { + "type": 0, + "value": "以簡單、模組化、無障礙設計的 React 元件庫 Chakra UI 打造而成。" + } + ], + "home.features.description.einstein_recommendations": [ + { + "type": 0, + "value": "透過產品推薦,向每位購物者傳遞下一個最佳產品或優惠。" + } + ], + "home.features.description.my_account": [ + { + "type": 0, + "value": "購物者可管理帳戶資訊,例如個人資料、地址、付款和訂單。" + } + ], + "home.features.description.shopper_login": [ + { + "type": 0, + "value": "讓購物者能夠輕鬆登入,享受更加個人化的購物體驗。" + } + ], + "home.features.description.wishlist": [ + { + "type": 0, + "value": "已註冊的購物者可以新增產品至願望清單,留待日後購買。" + } + ], + "home.features.heading.cart_checkout": [ + { + "type": 0, + "value": "購物車與結帳" + } + ], + "home.features.heading.components": [ + { + "type": 0, + "value": "元件與設計套件" + } + ], + "home.features.heading.einstein_recommendations": [ + { + "type": 0, + "value": "Einstein 推薦" + } + ], + "home.features.heading.my_account": [ + { + "type": 0, + "value": "我的帳戶" + } + ], + "home.features.heading.shopper_login": [ + { + "type": 0, + "value": "Shopper Login and API Access Service (SLAS)" + } + ], + "home.features.heading.wishlist": [ + { + "type": 0, + "value": "願望清單" + } + ], + "home.heading.features": [ + { + "type": 0, + "value": "功能" + } + ], + "home.heading.here_to_help": [ + { + "type": 0, + "value": "我們很樂意隨時提供協助" + } + ], + "home.heading.shop_products": [ + { + "type": 0, + "value": "選購產品" + } + ], + "home.hero_features.link.design_kit": [ + { + "type": 0, + "value": "使用 Figma PWA Design Kit 揮灑創意" + } + ], + "home.hero_features.link.on_github": [ + { + "type": 0, + "value": "前往 Github 下載" + } + ], + "home.hero_features.link.on_managed_runtime": [ + { + "type": 0, + "value": "在 Managed Runtime 上部署" + } + ], + "home.link.contact_us": [ + { + "type": 0, + "value": "聯絡我們" + } + ], + "home.link.get_started": [ + { + "type": 0, + "value": "開始使用" + } + ], + "home.link.read_docs": [ + { + "type": 0, + "value": "閱讀文件" + } + ], + "home.title.react_starter_store": [ + { + "type": 0, + "value": "零售型 React PWA Starter Store" + } + ], + "icons.assistive_msg.lock": [ + { + "type": 0, + "value": "安全" + } + ], + "item_attributes.label.promotions": [ + { + "type": 0, + "value": "促銷" + } + ], + "item_attributes.label.quantity": [ + { + "type": 0, + "value": "數量:" + }, + { + "type": 1, + "value": "quantity" + } + ], + "item_image.label.sale": [ + { + "type": 0, + "value": "特價" + } + ], + "item_image.label.unavailable": [ + { + "type": 0, + "value": "不可用" + } + ], + "item_price.label.starting_at": [ + { + "type": 0, + "value": "起始" + } + ], + "lCPCxk": [ + { + "type": 0, + "value": "請在上方選擇所有選項" + } + ], + "list_menu.nav.assistive_msg": [ + { + "type": 0, + "value": "主導覽選單" + } + ], + "locale_text.message.ar-SA": [ + { + "type": 0, + "value": "阿拉伯文 (沙烏地阿拉伯)" + } + ], + "locale_text.message.bn-BD": [ + { + "type": 0, + "value": "孟加拉文 (孟加拉)" + } + ], + "locale_text.message.bn-IN": [ + { + "type": 0, + "value": "孟加拉文 (印度)" + } + ], + "locale_text.message.cs-CZ": [ + { + "type": 0, + "value": "捷克文 (捷克)" + } + ], + "locale_text.message.da-DK": [ + { + "type": 0, + "value": "丹麥文 (丹麥)" + } + ], + "locale_text.message.de-AT": [ + { + "type": 0, + "value": "德文 (奧地利)" + } + ], + "locale_text.message.de-CH": [ + { + "type": 0, + "value": "德文 (瑞士)" + } + ], + "locale_text.message.de-DE": [ + { + "type": 0, + "value": "德文 (德國)" + } + ], + "locale_text.message.el-GR": [ + { + "type": 0, + "value": "希臘文 (希臘)" + } + ], + "locale_text.message.en-AU": [ + { + "type": 0, + "value": "英文 (澳洲)" + } + ], + "locale_text.message.en-CA": [ + { + "type": 0, + "value": "英文 (加拿大)" + } + ], + "locale_text.message.en-GB": [ + { + "type": 0, + "value": "英文 (英國)" + } + ], + "locale_text.message.en-IE": [ + { + "type": 0, + "value": "英文 (愛爾蘭)" + } + ], + "locale_text.message.en-IN": [ + { + "type": 0, + "value": "英文 (印度)" + } + ], + "locale_text.message.en-NZ": [ + { + "type": 0, + "value": "英文 (紐西蘭)" + } + ], + "locale_text.message.en-US": [ + { + "type": 0, + "value": "英文 (美國)" + } + ], + "locale_text.message.en-ZA": [ + { + "type": 0, + "value": "英文 (南非)" + } + ], + "locale_text.message.es-AR": [ + { + "type": 0, + "value": "西班牙文 (阿根廷)" + } + ], + "locale_text.message.es-CL": [ + { + "type": 0, + "value": "西班牙文 (智利)" + } + ], + "locale_text.message.es-CO": [ + { + "type": 0, + "value": "西班牙文 (哥倫比亞)" + } + ], + "locale_text.message.es-ES": [ + { + "type": 0, + "value": "西班牙文 (西班牙)" + } + ], + "locale_text.message.es-MX": [ + { + "type": 0, + "value": "西班牙文 (墨西哥)" + } + ], + "locale_text.message.es-US": [ + { + "type": 0, + "value": "西班牙文 (美國)" + } + ], + "locale_text.message.fi-FI": [ + { + "type": 0, + "value": "芬蘭文 (芬蘭)" + } + ], + "locale_text.message.fr-BE": [ + { + "type": 0, + "value": "法文 (比利時)" + } + ], + "locale_text.message.fr-CA": [ + { + "type": 0, + "value": "法文 (加拿大)" + } + ], + "locale_text.message.fr-CH": [ + { + "type": 0, + "value": "法文 (瑞士)" + } + ], + "locale_text.message.fr-FR": [ + { + "type": 0, + "value": "法文 (法國)" + } + ], + "locale_text.message.he-IL": [ + { + "type": 0, + "value": "希伯來文 (以色列)" + } + ], + "locale_text.message.hi-IN": [ + { + "type": 0, + "value": "印度文 (印度)" + } + ], + "locale_text.message.hu-HU": [ + { + "type": 0, + "value": "匈牙利文 (匈牙利)" + } + ], + "locale_text.message.id-ID": [ + { + "type": 0, + "value": "印尼文 (印尼)" + } + ], + "locale_text.message.it-CH": [ + { + "type": 0, + "value": "義大利文 (瑞士)" + } + ], + "locale_text.message.it-IT": [ + { + "type": 0, + "value": "義大利文 (義大利)" + } + ], + "locale_text.message.ja-JP": [ + { + "type": 0, + "value": "日文 (日本)" + } + ], + "locale_text.message.ko-KR": [ + { + "type": 0, + "value": "韓文 (韓國)" + } + ], + "locale_text.message.nl-BE": [ + { + "type": 0, + "value": "荷蘭文 (比利時)" + } + ], + "locale_text.message.nl-NL": [ + { + "type": 0, + "value": "荷蘭文 (荷蘭)" + } + ], + "locale_text.message.no-NO": [ + { + "type": 0, + "value": "挪威文 (挪威)" + } + ], + "locale_text.message.pl-PL": [ + { + "type": 0, + "value": "波蘭文 (波蘭)" + } + ], + "locale_text.message.pt-BR": [ + { + "type": 0, + "value": "葡萄牙文 (巴西)" + } + ], + "locale_text.message.pt-PT": [ + { + "type": 0, + "value": "葡萄牙文 (葡萄牙)" + } + ], + "locale_text.message.ro-RO": [ + { + "type": 0, + "value": "羅馬尼亞文 (羅馬尼亞)" + } + ], + "locale_text.message.ru-RU": [ + { + "type": 0, + "value": "俄文 (俄羅斯聯邦)" + } + ], + "locale_text.message.sk-SK": [ + { + "type": 0, + "value": "斯洛伐克文 (斯洛伐克)" + } + ], + "locale_text.message.sv-SE": [ + { + "type": 0, + "value": "瑞典文 (瑞典)" + } + ], + "locale_text.message.ta-IN": [ + { + "type": 0, + "value": "泰米爾文 (印度)" + } + ], + "locale_text.message.ta-LK": [ + { + "type": 0, + "value": "泰米爾文 (斯里蘭卡)" + } + ], + "locale_text.message.th-TH": [ + { + "type": 0, + "value": "泰文 (泰國)" + } + ], + "locale_text.message.tr-TR": [ + { + "type": 0, + "value": "土耳其文 (土耳其)" + } + ], + "locale_text.message.zh-CN": [ + { + "type": 0, + "value": "中文 (中國)" + } + ], + "locale_text.message.zh-HK": [ + { + "type": 0, + "value": "中文 (香港)" + } + ], + "locale_text.message.zh-TW": [ + { + "type": 0, + "value": "中文 (台灣)" + } + ], + "login_form.action.create_account": [ + { + "type": 0, + "value": "建立帳戶" + } + ], + "login_form.button.sign_in": [ + { + "type": 0, + "value": "登入" + } + ], + "login_form.link.forgot_password": [ + { + "type": 0, + "value": "忘記密碼了嗎?" + } + ], + "login_form.message.dont_have_account": [ + { + "type": 0, + "value": "沒有帳戶嗎?" + } + ], + "login_form.message.welcome_back": [ + { + "type": 0, + "value": "歡迎回來" + } + ], + "login_page.error.incorrect_username_or_password": [ + { + "type": 0, + "value": "使用者名稱或密碼不正確,請再試一次。" + } + ], + "offline_banner.description.browsing_offline_mode": [ + { + "type": 0, + "value": "您目前正以離線模式瀏覽" + } + ], + "order_summary.action.remove_promo": [ + { + "type": 0, + "value": "移除" + } + ], + "order_summary.cart_items.action.num_of_items_in_cart": [ + { + "type": 0, + "value": "購物車有 " + }, + { + "offset": 0, + "options": { + "=0": { + "value": [ + { + "type": 0, + "value": "0 件商品" + } + ] + }, + "one": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": " 件商品" + } + ] + }, + "other": { + "value": [ + { + "type": 7 + }, + { + "type": 0, + "value": " 件商品" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "itemCount" + } + ], + "order_summary.cart_items.link.edit_cart": [ + { + "type": 0, + "value": "編輯購物車" + } + ], + "order_summary.heading.order_summary": [ + { + "type": 0, + "value": "訂單摘要" + } + ], + "order_summary.label.estimated_total": [ + { + "type": 0, + "value": "預估總計" + } + ], + "order_summary.label.free": [ + { + "type": 0, + "value": "免費" + } + ], + "order_summary.label.order_total": [ + { + "type": 0, + "value": "訂單總計" + } + ], + "order_summary.label.promo_applied": [ + { + "type": 0, + "value": "已套用促銷" + } + ], + "order_summary.label.promotions_applied": [ + { + "type": 0, + "value": "已套用促銷" + } + ], + "order_summary.label.shipping": [ + { + "type": 0, + "value": "運送" + } + ], + "order_summary.label.subtotal": [ + { + "type": 0, + "value": "小計" + } + ], + "order_summary.label.tax": [ + { + "type": 0, + "value": "稅項" + } + ], + "page_not_found.action.go_back": [ + { + "type": 0, + "value": "返回上一頁" + } + ], + "page_not_found.link.homepage": [ + { + "type": 0, + "value": "前往首頁" + } + ], + "page_not_found.message.suggestion_to_try": [ + { + "type": 0, + "value": "請嘗試重新輸入地址、返回上一頁或前往首頁。" + } + ], + "page_not_found.title.page_cant_be_found": [ + { + "type": 0, + "value": "找不到您在尋找的頁面。" + } + ], + "pagination.field.num_of_pages": [ + { + "type": 1, + "value": "numOfPages" + }, + { + "type": 0, + "value": " 頁" + } + ], + "pagination.link.next": [ + { + "type": 0, + "value": "下一頁" + } + ], + "pagination.link.next.assistive_msg": [ + { + "type": 0, + "value": "下一頁" + } + ], + "pagination.link.prev": [ + { + "type": 0, + "value": "上一頁" + } + ], + "pagination.link.prev.assistive_msg": [ + { + "type": 0, + "value": "上一頁" + } + ], + "password_card.info.password_updated": [ + { + "type": 0, + "value": "密碼已更新" + } + ], + "password_card.label.password": [ + { + "type": 0, + "value": "密碼" + } + ], + "password_card.title.password": [ + { + "type": 0, + "value": "密碼" + } + ], + "password_requirements.error.eight_letter_minimum": [ + { + "type": 0, + "value": "最少 8 個字元" + } + ], + "password_requirements.error.one_lowercase_letter": [ + { + "type": 0, + "value": "1 個小寫字母" + } + ], + "password_requirements.error.one_number": [ + { + "type": 0, + "value": "1 個數字" + } + ], + "password_requirements.error.one_special_character": [ + { + "type": 0, + "value": "1 個特殊字元 (例如:, $ ! % #)" + } + ], + "password_requirements.error.one_uppercase_letter": [ + { + "type": 0, + "value": "1 個大寫字母" + } + ], + "payment_selection.heading.credit_card": [ + { + "type": 0, + "value": "信用卡" + } + ], + "payment_selection.tooltip.secure_payment": [ + { + "type": 0, + "value": "此為安全 SSL 加密付款。" + } + ], + "price_per_item.label.each": [ + { + "type": 0, + "value": "每件" + } + ], + "product_detail.accordion.button.product_detail": [ + { + "type": 0, + "value": "產品詳細資料" + } + ], + "product_detail.accordion.button.questions": [ + { + "type": 0, + "value": "問題" + } + ], + "product_detail.accordion.button.reviews": [ + { + "type": 0, + "value": "評價" + } + ], + "product_detail.accordion.button.size_fit": [ + { + "type": 0, + "value": "尺寸與版型" + } + ], + "product_detail.accordion.message.coming_soon": [ + { + "type": 0, + "value": "即將推出" + } + ], + "product_detail.recommended_products.title.complete_set": [ + { + "type": 0, + "value": "完成組合" + } + ], + "product_detail.recommended_products.title.might_also_like": [ + { + "type": 0, + "value": "您可能也喜歡" + } + ], + "product_detail.recommended_products.title.recently_viewed": [ + { + "type": 0, + "value": "最近檢視" + } + ], + "product_item.label.quantity": [ + { + "type": 0, + "value": "數量:" + } + ], + "product_list.button.filter": [ + { + "type": 0, + "value": "篩選條件" + } + ], + "product_list.button.sort_by": [ + { + "type": 0, + "value": "排序方式:" + }, + { + "type": 1, + "value": "sortOption" + } + ], + "product_list.drawer.title.sort_by": [ + { + "type": 0, + "value": "排序方式" + } + ], + "product_list.modal.button.clear_filters": [ + { + "type": 0, + "value": "清除篩選條件" + } + ], + "product_list.modal.button.view_items": [ + { + "type": 0, + "value": "檢視 " + }, + { + "type": 1, + "value": "prroductCount" + }, + { + "type": 0, + "value": " 件商品" + } + ], + "product_list.modal.title.filter": [ + { + "type": 0, + "value": "篩選條件" + } + ], + "product_list.refinements.button.assistive_msg.add_filter": [ + { + "type": 0, + "value": "新增篩選條件:" + }, + { + "type": 1, + "value": "label" + } + ], + "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": [ + { + "type": 0, + "value": "新增篩選條件:" + }, + { + "type": 1, + "value": "label" + }, + { + "type": 0, + "value": " (" + }, + { + "type": 1, + "value": "hitCount" + }, + { + "type": 0, + "value": ")" + } + ], + "product_list.refinements.button.assistive_msg.remove_filter": [ + { + "type": 0, + "value": "移除篩選條件:" + }, + { + "type": 1, + "value": "label" + } + ], + "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": [ + { + "type": 0, + "value": "移除篩選條件:" + }, + { + "type": 1, + "value": "label" + }, + { + "type": 0, + "value": " (" + }, + { + "type": 1, + "value": "hitCount" + }, + { + "type": 0, + "value": ")" + } + ], + "product_list.select.sort_by": [ + { + "type": 0, + "value": "排序方式:" + }, + { + "type": 1, + "value": "sortOption" + } + ], + "product_scroller.assistive_msg.scroll_left": [ + { + "type": 0, + "value": "向左捲動產品" + } + ], + "product_scroller.assistive_msg.scroll_right": [ + { + "type": 0, + "value": "向右捲動產品" + } + ], + "product_tile.assistive_msg.add_to_wishlist": [ + { + "type": 0, + "value": "將 " + }, + { + "type": 1, + "value": "product" + }, + { + "type": 0, + "value": " 新增至願望清單" + } + ], + "product_tile.assistive_msg.remove_from_wishlist": [ + { + "type": 0, + "value": "從願望清單移除 " + }, + { + "type": 1, + "value": "product" + } + ], + "product_tile.label.starting_at_price": [ + { + "type": 1, + "value": "price" + }, + { + "type": 0, + "value": " 起" + } + ], + "product_view.button.add_set_to_cart": [ + { + "type": 0, + "value": "新增組合至購物車" + } + ], + "product_view.button.add_set_to_wishlist": [ + { + "type": 0, + "value": "新增組合至願望清單" + } + ], + "product_view.button.add_to_cart": [ + { + "type": 0, + "value": "新增至購物車" + } + ], + "product_view.button.add_to_wishlist": [ + { + "type": 0, + "value": "新增至願望清單" + } + ], + "product_view.button.update": [ + { + "type": 0, + "value": "更新" + } + ], + "product_view.label.assistive_msg.quantity_decrement": [ + { + "type": 0, + "value": "遞減數量" + } + ], + "product_view.label.assistive_msg.quantity_increment": [ + { + "type": 0, + "value": "遞增數量" + } + ], + "product_view.label.quantity": [ + { + "type": 0, + "value": "數量" + } + ], + "product_view.label.quantity_decrement": [ + { + "type": 0, + "value": "−" + } + ], + "product_view.label.quantity_increment": [ + { + "type": 0, + "value": "+" + } + ], + "product_view.label.starting_at_price": [ + { + "type": 0, + "value": "起始" + } + ], + "product_view.label.variant_type": [ + { + "type": 1, + "value": "variantType" + } + ], + "product_view.link.full_details": [ + { + "type": 0, + "value": "檢視完整詳細資料" + } + ], + "profile_card.info.profile_updated": [ + { + "type": 0, + "value": "個人資料已更新" + } + ], + "profile_card.label.email": [ + { + "type": 0, + "value": "電子郵件" + } + ], + "profile_card.label.full_name": [ + { + "type": 0, + "value": "全名" + } + ], + "profile_card.label.phone": [ + { + "type": 0, + "value": "電話號碼" + } + ], + "profile_card.message.not_provided": [ + { + "type": 0, + "value": "未提供" + } + ], + "profile_card.title.my_profile": [ + { + "type": 0, + "value": "我的個人資料" + } + ], + "promo_code_fields.button.apply": [ + { + "type": 0, + "value": "套用" + } + ], + "promo_popover.assistive_msg.info": [ + { + "type": 0, + "value": "資訊" + } + ], + "promo_popover.heading.promo_applied": [ + { + "type": 0, + "value": "已套用促銷" + } + ], + "promocode.accordion.button.have_promocode": [ + { + "type": 0, + "value": "您有促銷代碼嗎?" + } + ], + "recent_searches.action.clear_searches": [ + { + "type": 0, + "value": "清除最近搜尋" + } + ], + "recent_searches.heading.recent_searches": [ + { + "type": 0, + "value": "最近搜尋" + } + ], + "register_form.action.sign_in": [ + { + "type": 0, + "value": "登入" + } + ], + "register_form.button.create_account": [ + { + "type": 0, + "value": "建立帳戶" + } + ], + "register_form.heading.lets_get_started": [ + { + "type": 0, + "value": "讓我們開始吧!" + } + ], + "register_form.message.agree_to_policy_terms": [ + { + "type": 0, + "value": "建立帳戶即代表您同意 Salesforce " + }, + { + "children": [ + { + "type": 0, + "value": "隱私權政策" + } + ], + "type": 8, + "value": "policy" + }, + { + "type": 0, + "value": "和" + }, + { + "children": [ + { + "type": 0, + "value": "條款與條件" + } + ], + "type": 8, + "value": "terms" + } + ], + "register_form.message.already_have_account": [ + { + "type": 0, + "value": "已經有帳戶了?" + } + ], + "register_form.message.create_an_account": [ + { + "type": 0, + "value": "建立帳戶,就能搶先獲得最棒產品、靈感來源和社群最新消息。" + } + ], + "reset_password.button.back_to_sign_in": [ + { + "type": 0, + "value": "返回登入" + } + ], + "reset_password.info.receive_email_shortly": [ + { + "type": 0, + "value": "您很快就會在 " + }, + { + "children": [ + { + "type": 1, + "value": "email" + } + ], + "type": 8, + "value": "b" + }, + { + "type": 0, + "value": " 收到一封電子郵件,內含重設密碼的連結。" + } + ], + "reset_password.title.password_reset": [ + { + "type": 0, + "value": "重設密碼" + } + ], + "reset_password_form.action.sign_in": [ + { + "type": 0, + "value": "登入" + } + ], + "reset_password_form.button.reset_password": [ + { + "type": 0, + "value": "重設密碼" + } + ], + "reset_password_form.message.enter_your_email": [ + { + "type": 0, + "value": "請輸入您的電子郵件,以便接收重設密碼的說明" + } + ], + "reset_password_form.message.return_to_sign_in": [ + { + "type": 0, + "value": "或返回" + } + ], + "reset_password_form.title.reset_password": [ + { + "type": 0, + "value": "重設密碼" + } + ], + "search.action.cancel": [ + { + "type": 0, + "value": "取消" + } + ], + "selected_refinements.action.assistive_msg.clear_all": [ + { + "type": 0, + "value": "清除所有篩選條件" + } + ], + "selected_refinements.action.clear_all": [ + { + "type": 0, + "value": "全部清除" + } + ], + "shipping_address.button.continue_to_shipping": [ + { + "type": 0, + "value": "繼續前往運送方式" + } + ], + "shipping_address.title.shipping_address": [ + { + "type": 0, + "value": "運送地址" + } + ], + "shipping_address_edit_form.button.save_and_continue": [ + { + "type": 0, + "value": "儲存並繼續前往運送方式" + } + ], + "shipping_address_form.heading.edit_address": [ + { + "type": 0, + "value": "編輯地址" + } + ], + "shipping_address_form.heading.new_address": [ + { + "type": 0, + "value": "新增地址" + } + ], + "shipping_address_selection.button.add_address": [ + { + "type": 0, + "value": "新增地址" + } + ], + "shipping_address_selection.button.submit": [ + { + "type": 0, + "value": "提交" + } + ], + "shipping_address_selection.title.add_address": [ + { + "type": 0, + "value": "新增地址" + } + ], + "shipping_address_selection.title.edit_shipping": [ + { + "type": 0, + "value": "編輯運送地址" + } + ], + "shipping_options.action.send_as_a_gift": [ + { + "type": 0, + "value": "您想以禮品方式寄送嗎?" + } + ], + "shipping_options.button.continue_to_payment": [ + { + "type": 0, + "value": "繼續前往付款" + } + ], + "shipping_options.title.shipping_gift_options": [ + { + "type": 0, + "value": "運送與禮品選項" + } + ], + "signout_confirmation_dialog.button.cancel": [ + { + "type": 0, + "value": "取消" + } + ], + "signout_confirmation_dialog.button.sign_out": [ + { + "type": 0, + "value": "登出" + } + ], + "signout_confirmation_dialog.heading.sign_out": [ + { + "type": 0, + "value": "登出" + } + ], + "signout_confirmation_dialog.message.sure_to_sign_out": [ + { + "type": 0, + "value": "確定要登出嗎?您必須重新登入,才能繼續目前的訂單流程。" + } + ], + "swatch_group.selected.label": [ + { + "type": 1, + "value": "label" + }, + { + "type": 0, + "value": ":" + } + ], + "toggle_card.action.edit": [ + { + "type": 0, + "value": "編輯" + } + ], + "update_password_fields.button.forgot_password": [ + { + "type": 0, + "value": "忘記密碼了嗎?" + } + ], + "use_address_fields.error.please_enter_first_name": [ + { + "type": 0, + "value": "請輸入您的名字。" + } + ], + "use_address_fields.error.please_enter_last_name": [ + { + "type": 0, + "value": "請輸入您的姓氏。" + } + ], + "use_address_fields.error.please_enter_phone_number": [ + { + "type": 0, + "value": "請輸入您的電話號碼。" + } + ], + "use_address_fields.error.please_enter_your_postal_or_zip": [ + { + "type": 0, + "value": "請輸入您的郵遞區號。" + } + ], + "use_address_fields.error.please_select_your_address": [ + { + "type": 0, + "value": "請輸入您的地址。" + } + ], + "use_address_fields.error.please_select_your_city": [ + { + "type": 0, + "value": "請輸入您的城市。" + } + ], + "use_address_fields.error.please_select_your_country": [ + { + "type": 0, + "value": "請選擇您的國家/地區。" + } + ], + "use_address_fields.error.please_select_your_state_or_province": [ + { + "type": 0, + "value": "請選擇您的州/省。" + } + ], + "use_address_fields.error.required": [ + { + "type": 0, + "value": "必填" + } + ], + "use_address_fields.error.state_code_invalid": [ + { + "type": 0, + "value": "請輸入 2 個字母的州/省名。" + } + ], + "use_address_fields.label.address": [ + { + "type": 0, + "value": "地址" + } + ], + "use_address_fields.label.address_form": [ + { + "type": 0, + "value": "地址表單" + } + ], + "use_address_fields.label.city": [ + { + "type": 0, + "value": "城市" + } + ], + "use_address_fields.label.country": [ + { + "type": 0, + "value": "國家/地區" + } + ], + "use_address_fields.label.first_name": [ + { + "type": 0, + "value": "名字" + } + ], + "use_address_fields.label.last_name": [ + { + "type": 0, + "value": "姓氏" + } + ], + "use_address_fields.label.phone": [ + { + "type": 0, + "value": "電話" + } + ], + "use_address_fields.label.postal_code": [ + { + "type": 0, + "value": "郵遞區號" + } + ], + "use_address_fields.label.preferred": [ + { + "type": 0, + "value": "設為預設" + } + ], + "use_address_fields.label.province": [ + { + "type": 0, + "value": "省" + } + ], + "use_address_fields.label.state": [ + { + "type": 0, + "value": "州" + } + ], + "use_address_fields.label.zipCode": [ + { + "type": 0, + "value": "郵遞區號" + } + ], + "use_credit_card_fields.error.required": [ + { + "type": 0, + "value": "必填" + } + ], + "use_credit_card_fields.error.required_card_number": [ + { + "type": 0, + "value": "請輸入您的卡片號碼。" + } + ], + "use_credit_card_fields.error.required_expiry": [ + { + "type": 0, + "value": "請輸入您的到期日。" + } + ], + "use_credit_card_fields.error.required_name": [ + { + "type": 0, + "value": "請輸入您卡片上的姓名。" + } + ], + "use_credit_card_fields.error.required_security_code": [ + { + "type": 0, + "value": "請輸入您的安全碼。" + } + ], + "use_credit_card_fields.error.valid_card_number": [ + { + "type": 0, + "value": "請輸入有效的卡片號碼。" + } + ], + "use_credit_card_fields.error.valid_date": [ + { + "type": 0, + "value": "請輸入有效的日期。" + } + ], + "use_credit_card_fields.error.valid_name": [ + { + "type": 0, + "value": "請輸入有效的姓名。" + } + ], + "use_credit_card_fields.error.valid_security_code": [ + { + "type": 0, + "value": "請輸入有效的安全碼。" + } + ], + "use_credit_card_fields.label.card_number": [ + { + "type": 0, + "value": "卡片號碼" + } + ], + "use_credit_card_fields.label.card_type": [ + { + "type": 0, + "value": "卡片類型" + } + ], + "use_credit_card_fields.label.expiry": [ + { + "type": 0, + "value": "到期日" + } + ], + "use_credit_card_fields.label.name": [ + { + "type": 0, + "value": "持卡人姓名" + } + ], + "use_credit_card_fields.label.security_code": [ + { + "type": 0, + "value": "安全碼" + } + ], + "use_login_fields.error.required_email": [ + { + "type": 0, + "value": "請輸入您的電子郵件地址。" + } + ], + "use_login_fields.error.required_password": [ + { + "type": 0, + "value": "請輸入您的密碼。" + } + ], + "use_login_fields.label.email": [ + { + "type": 0, + "value": "電子郵件" + } + ], + "use_login_fields.label.password": [ + { + "type": 0, + "value": "密碼" + } + ], + "use_product.message.inventory_remaining": [ + { + "type": 0, + "value": "只剩 " + }, + { + "type": 1, + "value": "stockLevel" + }, + { + "type": 0, + "value": " 個!" + } + ], + "use_product.message.out_of_stock": [ + { + "type": 0, + "value": "缺貨" + } + ], + "use_profile_fields.error.required_email": [ + { + "type": 0, + "value": "請輸入有效的電子郵件地址。" + } + ], + "use_profile_fields.error.required_first_name": [ + { + "type": 0, + "value": "請輸入您的名字。" + } + ], + "use_profile_fields.error.required_last_name": [ + { + "type": 0, + "value": "請輸入您的姓氏。" + } + ], + "use_profile_fields.error.required_phone": [ + { + "type": 0, + "value": "請輸入您的電話號碼。" + } + ], + "use_profile_fields.label.email": [ + { + "type": 0, + "value": "電子郵件" + } + ], + "use_profile_fields.label.first_name": [ + { + "type": 0, + "value": "名字" + } + ], + "use_profile_fields.label.last_name": [ + { + "type": 0, + "value": "姓氏" + } + ], + "use_profile_fields.label.phone": [ + { + "type": 0, + "value": "電話號碼" + } + ], + "use_promo_code_fields.error.required_promo_code": [ + { + "type": 0, + "value": "請提供有效的促銷代碼。" + } + ], + "use_promo_code_fields.label.promo_code": [ + { + "type": 0, + "value": "促銷代碼" + } + ], + "use_promocode.error.check_the_code": [ + { + "type": 0, + "value": "請檢查代碼並再試一次,代碼可能已套用過或促銷已過期。" + } + ], + "use_promocode.info.promo_applied": [ + { + "type": 0, + "value": "已套用促銷" + } + ], + "use_promocode.info.promo_removed": [ + { + "type": 0, + "value": "已移除促銷" + } + ], + "use_registration_fields.error.contain_number": [ + { + "type": 0, + "value": "密碼必須包含至少 1 個數字。" + } + ], + "use_registration_fields.error.lowercase_letter": [ + { + "type": 0, + "value": "密碼必須包含至少 1 個小寫字母。" + } + ], + "use_registration_fields.error.minimum_characters": [ + { + "type": 0, + "value": "密碼必須包含至少 8 個字元。" + } + ], + "use_registration_fields.error.required_email": [ + { + "type": 0, + "value": "請輸入有效的電子郵件地址。" + } + ], + "use_registration_fields.error.required_first_name": [ + { + "type": 0, + "value": "請輸入您的名字。" + } + ], + "use_registration_fields.error.required_last_name": [ + { + "type": 0, + "value": "請輸入您的姓氏。" + } + ], + "use_registration_fields.error.required_password": [ + { + "type": 0, + "value": "請建立密碼。" + } + ], + "use_registration_fields.error.special_character": [ + { + "type": 0, + "value": "密碼必須包含至少 1 個特殊字元。" + } + ], + "use_registration_fields.error.uppercase_letter": [ + { + "type": 0, + "value": "密碼必須包含至少 1 個大寫字母。" + } + ], + "use_registration_fields.label.email": [ + { + "type": 0, + "value": "電子郵件" + } + ], + "use_registration_fields.label.first_name": [ + { + "type": 0, + "value": "名字" + } + ], + "use_registration_fields.label.last_name": [ + { + "type": 0, + "value": "姓氏" + } + ], + "use_registration_fields.label.password": [ + { + "type": 0, + "value": "密碼" + } + ], + "use_registration_fields.label.sign_up_to_emails": [ + { + "type": 0, + "value": "我要訂閱 Salesforce 電子報 (可以隨時取消訂閱)" + } + ], + "use_reset_password_fields.error.required_email": [ + { + "type": 0, + "value": "請輸入有效的電子郵件地址。" + } + ], + "use_reset_password_fields.label.email": [ + { + "type": 0, + "value": "電子郵件" + } + ], + "use_update_password_fields.error.contain_number": [ + { + "type": 0, + "value": "密碼必須包含至少 1 個數字。" + } + ], + "use_update_password_fields.error.lowercase_letter": [ + { + "type": 0, + "value": "密碼必須包含至少 1 個小寫字母。" + } + ], + "use_update_password_fields.error.minimum_characters": [ + { + "type": 0, + "value": "密碼必須包含至少 8 個字元。" + } + ], + "use_update_password_fields.error.required_new_password": [ + { + "type": 0, + "value": "請提供新密碼。" + } + ], + "use_update_password_fields.error.required_password": [ + { + "type": 0, + "value": "請輸入您的密碼。" + } + ], + "use_update_password_fields.error.special_character": [ + { + "type": 0, + "value": "密碼必須包含至少 1 個特殊字元。" + } + ], + "use_update_password_fields.error.uppercase_letter": [ + { + "type": 0, + "value": "密碼必須包含至少 1 個大寫字母。" + } + ], + "use_update_password_fields.label.current_password": [ + { + "type": 0, + "value": "目前密碼" + } + ], + "use_update_password_fields.label.new_password": [ + { + "type": 0, + "value": "新密碼" + } + ], + "wishlist_primary_action.button.add_set_to_cart": [ + { + "type": 0, + "value": "新增組合至購物車" + } + ], + "wishlist_primary_action.button.add_to_cart": [ + { + "type": 0, + "value": "新增至購物車" + } + ], + "wishlist_primary_action.button.view_full_details": [ + { + "type": 0, + "value": "檢視完整詳細資料" + } + ], + "wishlist_primary_action.button.view_options": [ + { + "type": 0, + "value": "檢視選項" + } + ], + "wishlist_primary_action.info.added_to_cart": [ + { + "type": 1, + "value": "quantity" + }, + { + "type": 0, + "value": " " + }, + { + "offset": 0, + "options": { + "one": { + "value": [ + { + "type": 0, + "value": "件商品" + } + ] + }, + "other": { + "value": [ + { + "type": 0, + "value": "件商品" + } + ] + } + }, + "pluralType": "cardinal", + "type": 6, + "value": "quantity" + }, + { + "type": 0, + "value": "已新增至購物車" + } + ], + "wishlist_secondary_button_group.action.remove": [ + { + "type": 0, + "value": "移除" + } + ], + "wishlist_secondary_button_group.info.item_removed": [ + { + "type": 0, + "value": "已從願望清單移除商品" + } + ], + "with_registration.info.please_sign_in": [ + { + "type": 0, + "value": "請登入以繼續。" + } + ] +} \ No newline at end of file diff --git a/my-test-project/package-lock.json b/my-test-project/package-lock.json new file mode 100644 index 0000000000..eae01e6462 --- /dev/null +++ b/my-test-project/package-lock.json @@ -0,0 +1,23144 @@ +{ + "name": "demo-storefront", + "version": "0.0.1", + "lockfileVersion": 3, + "requires": true, + "packages": { + "": { + "name": "demo-storefront", + "version": "0.0.1", + "hasInstallScript": true, + "license": "See license in LICENSE", + "devDependencies": { + "@salesforce/retail-react-app": "7.0.0-dev.0" + }, + "engines": { + "node": "^18.0.0 || ^20.0.0 || ^22.0.0", + "npm": "^9.0.0 || ^10.0.0 || ^11.0.0" + } + }, + "node_modules/@adobe/css-tools": { + "version": "4.4.3", + "resolved": "http://localhost:4873/@adobe/css-tools/-/css-tools-4.4.3.tgz", + "integrity": "sha512-VQKMkwriZbaOgVCby1UDY/LDk5fIjhQicCvVPFqfe+69fWaPWydbWJ3wRt59/YzIwda1I81loas3oCoHxnqvdA==", + "dev": true, + "license": "MIT" + }, + "node_modules/@ampproject/remapping": { + "version": "2.3.0", + "resolved": "http://localhost:4873/@ampproject/remapping/-/remapping-2.3.0.tgz", + "integrity": "sha512-30iZtAPgz+LTIYoeivqYo853f02jBYSd5uGnGpkFV0M3xOt9aN73erkgYAmZU43x4VfqcnLxW9Kpg3R5LC4YYw==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "@jridgewell/gen-mapping": "^0.3.5", + "@jridgewell/trace-mapping": "^0.3.24" + }, + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@babel/cli": { + "version": "7.27.2", + "resolved": "http://localhost:4873/@babel/cli/-/cli-7.27.2.tgz", + "integrity": "sha512-cfd7DnGlhH6OIyuPSSj3vcfIdnbXukhAyKY8NaZrFadC7pXyL9mOL5WgjcptiEJLi5k3j8aYvLIVCzezrWTaiA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jridgewell/trace-mapping": "^0.3.25", + "commander": "^6.2.0", + "convert-source-map": "^2.0.0", + "fs-readdir-recursive": "^1.1.0", + "glob": "^7.2.0", + "make-dir": "^2.1.0", + "slash": "^2.0.0" + }, + "bin": { + "babel": "bin/babel.js", + "babel-external-helpers": "bin/babel-external-helpers.js" + }, + "engines": { + "node": ">=6.9.0" + }, + "optionalDependencies": { + "@nicolo-ribaudo/chokidar-2": "2.1.8-no-fsevents.3", + "chokidar": "^3.6.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/cli/node_modules/commander": { + "version": "6.2.1", + "resolved": "http://localhost:4873/commander/-/commander-6.2.1.tgz", + "integrity": "sha512-U7VdrJFnJgo4xjrHpTzu0yrHPGImdsmD95ZlgYSEajAn2JKzDhDTPG9kBTefmObL2w/ngeZnilk+OV9CG3d7UA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 6" + } + }, + "node_modules/@babel/cli/node_modules/convert-source-map": { + "version": "2.0.0", + "resolved": "http://localhost:4873/convert-source-map/-/convert-source-map-2.0.0.tgz", + "integrity": "sha512-Kvp459HrV2FEJ1CAsi1Ku+MY3kasH19TFykTz2xWmMeq6bk2NU3XXvfJ+Q61m0xktWwt+1HSYf3JZsTms3aRJg==", + "dev": true, + "license": "MIT" + }, + "node_modules/@babel/code-frame": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/code-frame/-/code-frame-7.27.1.tgz", + "integrity": "sha512-cjQ7ZlQ0Mv3b47hABuTevyTuYN4i+loJKGeV9flcCgIK37cCXRh+L1bd3iBHlynerhQ7BhCkn2BPbQUL+rGqFg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-validator-identifier": "^7.27.1", + "js-tokens": "^4.0.0", + "picocolors": "^1.1.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/compat-data": { + "version": "7.27.2", + "resolved": "http://localhost:4873/@babel/compat-data/-/compat-data-7.27.2.tgz", + "integrity": "sha512-TUtMJYRPyUb/9aU8f3K0mjmjf6M9N5Woshn2CS6nqJSeJtTtQcpLUXjGt9vbF8ZGff0El99sWkLgzwW3VXnxZQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/core": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/core/-/core-7.27.1.tgz", + "integrity": "sha512-IaaGWsQqfsQWVLqMn9OB92MNN7zukfVA4s7KKAI0KfrrDsZ0yhi5uV4baBuLuN7n3vsZpwP8asPPcVwApxvjBQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@ampproject/remapping": "^2.2.0", + "@babel/code-frame": "^7.27.1", + "@babel/generator": "^7.27.1", + "@babel/helper-compilation-targets": "^7.27.1", + "@babel/helper-module-transforms": "^7.27.1", + "@babel/helpers": "^7.27.1", + "@babel/parser": "^7.27.1", + "@babel/template": "^7.27.1", + "@babel/traverse": "^7.27.1", + "@babel/types": "^7.27.1", + "convert-source-map": "^2.0.0", + "debug": "^4.1.0", + "gensync": "^1.0.0-beta.2", + "json5": "^2.2.3", + "semver": "^6.3.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/babel" + } + }, + "node_modules/@babel/core/node_modules/convert-source-map": { + "version": "2.0.0", + "resolved": "http://localhost:4873/convert-source-map/-/convert-source-map-2.0.0.tgz", + "integrity": "sha512-Kvp459HrV2FEJ1CAsi1Ku+MY3kasH19TFykTz2xWmMeq6bk2NU3XXvfJ+Q61m0xktWwt+1HSYf3JZsTms3aRJg==", + "dev": true, + "license": "MIT" + }, + "node_modules/@babel/core/node_modules/semver": { + "version": "6.3.1", + "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", + "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver.js" + } + }, + "node_modules/@babel/eslint-parser": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/eslint-parser/-/eslint-parser-7.27.1.tgz", + "integrity": "sha512-q8rjOuadH0V6Zo4XLMkJ3RMQ9MSBqwaDByyYB0izsYdaIWGNLmEblbCOf1vyFHICcg16CD7Fsi51vcQnYxmt6Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "@nicolo-ribaudo/eslint-scope-5-internals": "5.1.1-v1", + "eslint-visitor-keys": "^2.1.0", + "semver": "^6.3.1" + }, + "engines": { + "node": "^10.13.0 || ^12.13.0 || >=14.0.0" + }, + "peerDependencies": { + "@babel/core": "^7.11.0", + "eslint": "^7.5.0 || ^8.0.0 || ^9.0.0" + } + }, + "node_modules/@babel/eslint-parser/node_modules/semver": { + "version": "6.3.1", + "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", + "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver.js" + } + }, + "node_modules/@babel/generator": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/generator/-/generator-7.27.1.tgz", + "integrity": "sha512-UnJfnIpc/+JO0/+KRVQNGU+y5taA5vCbwN8+azkX6beii/ZF+enZJSOKo11ZSzGJjlNfJHfQtmQT8H+9TXPG2w==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/parser": "^7.27.1", + "@babel/types": "^7.27.1", + "@jridgewell/gen-mapping": "^0.3.5", + "@jridgewell/trace-mapping": "^0.3.25", + "jsesc": "^3.0.2" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-annotate-as-pure": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.27.1.tgz", + "integrity": "sha512-WnuuDILl9oOBbKnb4L+DyODx7iC47XfzmNCpTttFsSp6hTG7XZxu60+4IO+2/hPfcGOoKbFiwoI/+zwARbNQow==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/types": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-compilation-targets": { + "version": "7.27.2", + "resolved": "http://localhost:4873/@babel/helper-compilation-targets/-/helper-compilation-targets-7.27.2.tgz", + "integrity": "sha512-2+1thGUUWWjLTYTHZWK1n8Yga0ijBz1XAhUXcKy81rd5g6yh7hGqMp45v7cadSbEHc9G3OTv45SyneRN3ps4DQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/compat-data": "^7.27.2", + "@babel/helper-validator-option": "^7.27.1", + "browserslist": "^4.24.0", + "lru-cache": "^5.1.1", + "semver": "^6.3.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-compilation-targets/node_modules/semver": { + "version": "6.3.1", + "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", + "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver.js" + } + }, + "node_modules/@babel/helper-create-class-features-plugin": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/helper-create-class-features-plugin/-/helper-create-class-features-plugin-7.27.1.tgz", + "integrity": "sha512-QwGAmuvM17btKU5VqXfb+Giw4JcN0hjuufz3DYnpeVDvZLAObloM77bhMXiqry3Iio+Ai4phVRDwl6WU10+r5A==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-annotate-as-pure": "^7.27.1", + "@babel/helper-member-expression-to-functions": "^7.27.1", + "@babel/helper-optimise-call-expression": "^7.27.1", + "@babel/helper-replace-supers": "^7.27.1", + "@babel/helper-skip-transparent-expression-wrappers": "^7.27.1", + "@babel/traverse": "^7.27.1", + "semver": "^6.3.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/helper-create-class-features-plugin/node_modules/semver": { + "version": "6.3.1", + "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", + "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver.js" + } + }, + "node_modules/@babel/helper-create-regexp-features-plugin": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/helper-create-regexp-features-plugin/-/helper-create-regexp-features-plugin-7.27.1.tgz", + "integrity": "sha512-uVDC72XVf8UbrH5qQTc18Agb8emwjTiZrQE11Nv3CuBEZmVvTwwE9CBUEvHku06gQCAyYf8Nv6ja1IN+6LMbxQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-annotate-as-pure": "^7.27.1", + "regexpu-core": "^6.2.0", + "semver": "^6.3.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/helper-create-regexp-features-plugin/node_modules/semver": { + "version": "6.3.1", + "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", + "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver.js" + } + }, + "node_modules/@babel/helper-define-polyfill-provider": { + "version": "0.6.4", + "resolved": "http://localhost:4873/@babel/helper-define-polyfill-provider/-/helper-define-polyfill-provider-0.6.4.tgz", + "integrity": "sha512-jljfR1rGnXXNWnmQg2K3+bvhkxB51Rl32QRaOTuwwjviGrHzIbSc8+x9CpraDtbT7mfyjXObULP4w/adunNwAw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-compilation-targets": "^7.22.6", + "@babel/helper-plugin-utils": "^7.22.5", + "debug": "^4.1.1", + "lodash.debounce": "^4.0.8", + "resolve": "^1.14.2" + }, + "peerDependencies": { + "@babel/core": "^7.4.0 || ^8.0.0-0 <8.0.0" + } + }, + "node_modules/@babel/helper-member-expression-to-functions": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/helper-member-expression-to-functions/-/helper-member-expression-to-functions-7.27.1.tgz", + "integrity": "sha512-E5chM8eWjTp/aNoVpcbfM7mLxu9XGLWYise2eBKGQomAk/Mb4XoxyqXTZbuTohbsl8EKqdlMhnDI2CCLfcs9wA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/traverse": "^7.27.1", + "@babel/types": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-module-imports": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/helper-module-imports/-/helper-module-imports-7.27.1.tgz", + "integrity": "sha512-0gSFWUPNXNopqtIPQvlD5WgXYI5GY2kP2cCvoT8kczjbfcfuIljTbcWrulD1CIPIX2gt1wghbDy08yE1p+/r3w==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/traverse": "^7.27.1", + "@babel/types": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-module-transforms": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/helper-module-transforms/-/helper-module-transforms-7.27.1.tgz", + "integrity": "sha512-9yHn519/8KvTU5BjTVEEeIM3w9/2yXNKoD82JifINImhpKkARMJKPP59kLo+BafpdN5zgNeIcS4jsGDmd3l58g==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-module-imports": "^7.27.1", + "@babel/helper-validator-identifier": "^7.27.1", + "@babel/traverse": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/helper-optimise-call-expression": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/helper-optimise-call-expression/-/helper-optimise-call-expression-7.27.1.tgz", + "integrity": "sha512-URMGH08NzYFhubNSGJrpUEphGKQwMQYBySzat5cAByY1/YgIRkULnIy3tAMeszlL/so2HbeilYloUmSpd7GdVw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/types": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-plugin-utils": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/helper-plugin-utils/-/helper-plugin-utils-7.27.1.tgz", + "integrity": "sha512-1gn1Up5YXka3YYAHGKpbideQ5Yjf1tDa9qYcgysz+cNCXukyLl6DjPXhD3VRwSb8c0J9tA4b2+rHEZtc6R0tlw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-remap-async-to-generator": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/helper-remap-async-to-generator/-/helper-remap-async-to-generator-7.27.1.tgz", + "integrity": "sha512-7fiA521aVw8lSPeI4ZOD3vRFkoqkJcS+z4hFo82bFSH/2tNd6eJ5qCVMS5OzDmZh/kaHQeBaeyxK6wljcPtveA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-annotate-as-pure": "^7.27.1", + "@babel/helper-wrap-function": "^7.27.1", + "@babel/traverse": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/helper-replace-supers": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/helper-replace-supers/-/helper-replace-supers-7.27.1.tgz", + "integrity": "sha512-7EHz6qDZc8RYS5ElPoShMheWvEgERonFCs7IAonWLLUTXW59DP14bCZt89/GKyreYn8g3S83m21FelHKbeDCKA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-member-expression-to-functions": "^7.27.1", + "@babel/helper-optimise-call-expression": "^7.27.1", + "@babel/traverse": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/helper-skip-transparent-expression-wrappers": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/helper-skip-transparent-expression-wrappers/-/helper-skip-transparent-expression-wrappers-7.27.1.tgz", + "integrity": "sha512-Tub4ZKEXqbPjXgWLl2+3JpQAYBJ8+ikpQ2Ocj/q/r0LwE3UhENh7EUabyHjz2kCEsrRY83ew2DQdHluuiDQFzg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/traverse": "^7.27.1", + "@babel/types": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-string-parser": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/helper-string-parser/-/helper-string-parser-7.27.1.tgz", + "integrity": "sha512-qMlSxKbpRlAridDExk92nSobyDdpPijUq2DW6oDnUqd0iOGxmQjyqhMIihI9+zv4LPyZdRje2cavWPbCbWm3eA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-validator-identifier": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/helper-validator-identifier/-/helper-validator-identifier-7.27.1.tgz", + "integrity": "sha512-D2hP9eA+Sqx1kBZgzxZh0y1trbuU+JoDkiEwqhQ36nodYqJwyEIhPSdMNd7lOm/4io72luTPWH20Yda0xOuUow==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-validator-option": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/helper-validator-option/-/helper-validator-option-7.27.1.tgz", + "integrity": "sha512-YvjJow9FxbhFFKDSuFnVCe2WxXk1zWc22fFePVNEaWJEu8IrZVlda6N0uHwzZrUM1il7NC9Mlp4MaJYbYd9JSg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-wrap-function": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/helper-wrap-function/-/helper-wrap-function-7.27.1.tgz", + "integrity": "sha512-NFJK2sHUvrjo8wAU/nQTWU890/zB2jj0qBcCbZbbf+005cAsv6tMjXz31fBign6M5ov1o0Bllu+9nbqkfsjjJQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/template": "^7.27.1", + "@babel/traverse": "^7.27.1", + "@babel/types": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helpers": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/helpers/-/helpers-7.27.1.tgz", + "integrity": "sha512-FCvFTm0sWV8Fxhpp2McP5/W53GPllQ9QeQ7SiqGWjMf/LVG07lFa5+pgK05IRhVwtvafT22KF+ZSnM9I545CvQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/template": "^7.27.1", + "@babel/types": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/node": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/node/-/node-7.27.1.tgz", + "integrity": "sha512-ef8ZrhxIku9LrphvyNywpiMf1UJsYQll7S4eKa228ivswPcwmObp98o5h5wL2n9FrSAuo1dsMwJ8cS1LEcBSog==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/register": "^7.27.1", + "commander": "^6.2.0", + "core-js": "^3.30.2", + "node-environment-flags": "^1.0.5", + "regenerator-runtime": "^0.14.0", + "v8flags": "^3.1.1" + }, + "bin": { + "babel-node": "bin/babel-node.js" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/node/node_modules/commander": { + "version": "6.2.1", + "resolved": "http://localhost:4873/commander/-/commander-6.2.1.tgz", + "integrity": "sha512-U7VdrJFnJgo4xjrHpTzu0yrHPGImdsmD95ZlgYSEajAn2JKzDhDTPG9kBTefmObL2w/ngeZnilk+OV9CG3d7UA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 6" + } + }, + "node_modules/@babel/parser": { + "version": "7.27.2", + "resolved": "http://localhost:4873/@babel/parser/-/parser-7.27.2.tgz", + "integrity": "sha512-QYLs8299NA7WM/bZAdp+CviYYkVoYXlDW2rzliy3chxd1PQjej7JORuMJDJXJUb9g0TT+B99EwaVLKmX+sPXWw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/types": "^7.27.1" + }, + "bin": { + "parser": "bin/babel-parser.js" + }, + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@babel/plugin-bugfix-firefox-class-in-computed-class-key": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-bugfix-firefox-class-in-computed-class-key/-/plugin-bugfix-firefox-class-in-computed-class-key-7.27.1.tgz", + "integrity": "sha512-QPG3C9cCVRQLxAVwmefEmwdTanECuUBMQZ/ym5kiw3XKCGA7qkuQLcjWWHcrD/GKbn/WmJwaezfuuAOcyKlRPA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1", + "@babel/traverse": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/plugin-bugfix-safari-class-field-initializer-scope": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-bugfix-safari-class-field-initializer-scope/-/plugin-bugfix-safari-class-field-initializer-scope-7.27.1.tgz", + "integrity": "sha512-qNeq3bCKnGgLkEXUuFry6dPlGfCdQNZbn7yUAPCInwAJHMU7THJfrBSozkcWq5sNM6RcF3S8XyQL2A52KNR9IA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression/-/plugin-bugfix-safari-id-destructuring-collision-in-function-expression-7.27.1.tgz", + "integrity": "sha512-g4L7OYun04N1WyqMNjldFwlfPCLVkgB54A/YCXICZYBsvJJE3kByKv9c9+R/nAfmIfjl2rKYLNyMHboYbZaWaA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining/-/plugin-bugfix-v8-spread-parameters-in-optional-chaining-7.27.1.tgz", + "integrity": "sha512-oO02gcONcD5O1iTLi/6frMJBIwWEHceWGSGqrpCmEL8nogiS6J9PBlE48CaK20/Jx1LuRml9aDftLgdjXT8+Cw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1", + "@babel/helper-skip-transparent-expression-wrappers": "^7.27.1", + "@babel/plugin-transform-optional-chaining": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.13.0" + } + }, + "node_modules/@babel/plugin-bugfix-v8-static-class-fields-redefine-readonly": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-bugfix-v8-static-class-fields-redefine-readonly/-/plugin-bugfix-v8-static-class-fields-redefine-readonly-7.27.1.tgz", + "integrity": "sha512-6BpaYGDavZqkI6yT+KSPdpZFfpnd68UKXbcjI9pJ13pvHhPrCKWOOLp+ysvMeA+DxnhuPpgIaRpxRxo5A9t5jw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1", + "@babel/traverse": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/plugin-proposal-object-rest-spread": { + "version": "7.20.7", + "resolved": "http://localhost:4873/@babel/plugin-proposal-object-rest-spread/-/plugin-proposal-object-rest-spread-7.20.7.tgz", + "integrity": "sha512-d2S98yCiLxDVmBmE8UjGcfPvNEUbA1U5q5WxaWFUGRzJSVAZqm5W6MbPct0jxnegUZ0niLeNX+IOzEs7wYg9Dg==", + "deprecated": "This proposal has been merged to the ECMAScript standard and thus this plugin is no longer maintained. Please use @babel/plugin-transform-object-rest-spread instead.", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/compat-data": "^7.20.5", + "@babel/helper-compilation-targets": "^7.20.7", + "@babel/helper-plugin-utils": "^7.20.2", + "@babel/plugin-syntax-object-rest-spread": "^7.8.3", + "@babel/plugin-transform-parameters": "^7.20.7" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-proposal-optional-chaining": { + "version": "7.21.0", + "resolved": "http://localhost:4873/@babel/plugin-proposal-optional-chaining/-/plugin-proposal-optional-chaining-7.21.0.tgz", + "integrity": "sha512-p4zeefM72gpmEe2fkUr/OnOXpWEf8nAgk7ZYVqqfFiyIG7oFfVZcCrU64hWn5xp4tQ9LkV4bTIa5rD0KANpKNA==", + "deprecated": "This proposal has been merged to the ECMAScript standard and thus this plugin is no longer maintained. Please use @babel/plugin-transform-optional-chaining instead.", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.20.2", + "@babel/helper-skip-transparent-expression-wrappers": "^7.20.0", + "@babel/plugin-syntax-optional-chaining": "^7.8.3" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-proposal-private-property-in-object": { + "version": "7.21.0-placeholder-for-preset-env.2", + "resolved": "http://localhost:4873/@babel/plugin-proposal-private-property-in-object/-/plugin-proposal-private-property-in-object-7.21.0-placeholder-for-preset-env.2.tgz", + "integrity": "sha512-SOSkfJDddaM7mak6cPEpswyTRnuRltl429hMraQEglW+OkovnCzsiszTmsrlY//qLFjCpQDFRvjdm2wA5pPm9w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-async-generators": { + "version": "7.8.4", + "resolved": "http://localhost:4873/@babel/plugin-syntax-async-generators/-/plugin-syntax-async-generators-7.8.4.tgz", + "integrity": "sha512-tycmZxkGfZaxhMRbXlPXuVFpdWlXpir2W4AMhSJgRKzk/eDlIXOhb2LHWoLpDF7TEHylV5zNhykX6KAgHJmTNw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-bigint": { + "version": "7.8.3", + "resolved": "http://localhost:4873/@babel/plugin-syntax-bigint/-/plugin-syntax-bigint-7.8.3.tgz", + "integrity": "sha512-wnTnFlG+YxQm3vDxpGE57Pj0srRU4sHE/mDkt1qv2YJJSeUAec2ma4WLUnUPeKjyrfntVwe/N6dCXpU+zL3Npg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-class-properties": { + "version": "7.12.13", + "resolved": "http://localhost:4873/@babel/plugin-syntax-class-properties/-/plugin-syntax-class-properties-7.12.13.tgz", + "integrity": "sha512-fm4idjKla0YahUNgFNLCB0qySdsoPiZP3iQE3rky0mBUtMZ23yDJ9SJdg6dXTSDnulOVqiF3Hgr9nbXvXTQZYA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.12.13" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-class-static-block": { + "version": "7.14.5", + "resolved": "http://localhost:4873/@babel/plugin-syntax-class-static-block/-/plugin-syntax-class-static-block-7.14.5.tgz", + "integrity": "sha512-b+YyPmr6ldyNnM6sqYeMWE+bgJcJpO6yS4QD7ymxgH34GBPNDM/THBh8iunyvKIZztiwLH4CJZ0RxTk9emgpjw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.14.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-dynamic-import": { + "version": "7.8.3", + "resolved": "http://localhost:4873/@babel/plugin-syntax-dynamic-import/-/plugin-syntax-dynamic-import-7.8.3.tgz", + "integrity": "sha512-5gdGbFon+PszYzqs83S3E5mpi7/y/8M9eC90MRTZfduQOYW76ig6SOSPNe41IG5LoP3FGBn2N0RjVDSQiS94kQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-import-assertions": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-syntax-import-assertions/-/plugin-syntax-import-assertions-7.27.1.tgz", + "integrity": "sha512-UT/Jrhw57xg4ILHLFnzFpPDlMbcdEicaAtjPQpbj9wa8T4r5KVWCimHcL/460g8Ht0DMxDyjsLgiWSkVjnwPFg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-import-attributes": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-syntax-import-attributes/-/plugin-syntax-import-attributes-7.27.1.tgz", + "integrity": "sha512-oFT0FrKHgF53f4vOsZGi2Hh3I35PfSmVs4IBFLFj4dnafP+hIWDLg3VyKmUHfLoLHlyxY4C7DGtmHuJgn+IGww==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-import-meta": { + "version": "7.10.4", + "resolved": "http://localhost:4873/@babel/plugin-syntax-import-meta/-/plugin-syntax-import-meta-7.10.4.tgz", + "integrity": "sha512-Yqfm+XDx0+Prh3VSeEQCPU81yC+JWZ2pDPFSS4ZdpfZhp4MkFMaDC1UqseovEKwSUpnIL7+vK+Clp7bfh0iD7g==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.10.4" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-json-strings": { + "version": "7.8.3", + "resolved": "http://localhost:4873/@babel/plugin-syntax-json-strings/-/plugin-syntax-json-strings-7.8.3.tgz", + "integrity": "sha512-lY6kdGpWHvjoe2vk4WrAapEuBR69EMxZl+RoGRhrFGNYVK8mOPAW8VfbT/ZgrFbXlDNiiaxQnAtgVCZ6jv30EA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-jsx": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-syntax-jsx/-/plugin-syntax-jsx-7.27.1.tgz", + "integrity": "sha512-y8YTNIeKoyhGd9O0Jiyzyyqk8gdjnumGTQPsz0xOZOQ2RmkVJeZ1vmmfIvFEKqucBG6axJGBZDE/7iI5suUI/w==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-logical-assignment-operators": { + "version": "7.10.4", + "resolved": "http://localhost:4873/@babel/plugin-syntax-logical-assignment-operators/-/plugin-syntax-logical-assignment-operators-7.10.4.tgz", + "integrity": "sha512-d8waShlpFDinQ5MtvGU9xDAOzKH47+FFoney2baFIoMr952hKOLp1HR7VszoZvOsV/4+RRszNY7D17ba0te0ig==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.10.4" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-nullish-coalescing-operator": { + "version": "7.8.3", + "resolved": "http://localhost:4873/@babel/plugin-syntax-nullish-coalescing-operator/-/plugin-syntax-nullish-coalescing-operator-7.8.3.tgz", + "integrity": "sha512-aSff4zPII1u2QD7y+F8oDsz19ew4IGEJg9SVW+bqwpwtfFleiQDMdzA/R+UlWDzfnHFCxxleFT0PMIrR36XLNQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-numeric-separator": { + "version": "7.10.4", + "resolved": "http://localhost:4873/@babel/plugin-syntax-numeric-separator/-/plugin-syntax-numeric-separator-7.10.4.tgz", + "integrity": "sha512-9H6YdfkcK/uOnY/K7/aA2xpzaAgkQn37yzWUMRK7OaPOqOpGS1+n0H5hxT9AUw9EsSjPW8SVyMJwYRtWs3X3ug==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.10.4" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-object-rest-spread": { + "version": "7.8.3", + "resolved": "http://localhost:4873/@babel/plugin-syntax-object-rest-spread/-/plugin-syntax-object-rest-spread-7.8.3.tgz", + "integrity": "sha512-XoqMijGZb9y3y2XskN+P1wUGiVwWZ5JmoDRwx5+3GmEplNyVM2s2Dg8ILFQm8rWM48orGy5YpI5Bl8U1y7ydlA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-optional-catch-binding": { + "version": "7.8.3", + "resolved": "http://localhost:4873/@babel/plugin-syntax-optional-catch-binding/-/plugin-syntax-optional-catch-binding-7.8.3.tgz", + "integrity": "sha512-6VPD0Pc1lpTqw0aKoeRTMiB+kWhAoT24PA+ksWSBrFtl5SIRVpZlwN3NNPQjehA2E/91FV3RjLWoVTglWcSV3Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-optional-chaining": { + "version": "7.8.3", + "resolved": "http://localhost:4873/@babel/plugin-syntax-optional-chaining/-/plugin-syntax-optional-chaining-7.8.3.tgz", + "integrity": "sha512-KoK9ErH1MBlCPxV0VANkXW2/dw4vlbGDrFgz8bmUsBGYkFRcbRwMh6cIJubdPrkxRwuGdtCk0v/wPTKbQgBjkg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-private-property-in-object": { + "version": "7.14.5", + "resolved": "http://localhost:4873/@babel/plugin-syntax-private-property-in-object/-/plugin-syntax-private-property-in-object-7.14.5.tgz", + "integrity": "sha512-0wVnp9dxJ72ZUJDV27ZfbSj6iHLoytYZmh3rFcxNnvsJF3ktkzLDZPy/mA17HGsaQT3/DQsWYX1f1QGWkCoVUg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.14.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-top-level-await": { + "version": "7.14.5", + "resolved": "http://localhost:4873/@babel/plugin-syntax-top-level-await/-/plugin-syntax-top-level-await-7.14.5.tgz", + "integrity": "sha512-hx++upLv5U1rgYfwe1xBQUhRmU41NEvpUvrp8jkrSCdvGSnM5/qdRMtylJ6PG5OFkBaHkbTAKTnd3/YyESRHFw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.14.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-typescript": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-syntax-typescript/-/plugin-syntax-typescript-7.27.1.tgz", + "integrity": "sha512-xfYCBMxveHrRMnAWl1ZlPXOZjzkN82THFvLhQhFXFt81Z5HnN+EtUkZhv/zcKpmT3fzmWZB0ywiBrbC3vogbwQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-unicode-sets-regex": { + "version": "7.18.6", + "resolved": "http://localhost:4873/@babel/plugin-syntax-unicode-sets-regex/-/plugin-syntax-unicode-sets-regex-7.18.6.tgz", + "integrity": "sha512-727YkEAPwSIQTv5im8QHz3upqp92JTWhidIC81Tdx4VJYIte/VndKf1qKrfnnhPLiPghStWfvC/iFaMCQu7Nqg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-create-regexp-features-plugin": "^7.18.6", + "@babel/helper-plugin-utils": "^7.18.6" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/plugin-transform-arrow-functions": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-arrow-functions/-/plugin-transform-arrow-functions-7.27.1.tgz", + "integrity": "sha512-8Z4TGic6xW70FKThA5HYEKKyBpOOsucTOD1DjU3fZxDg+K3zBJcXMFnt/4yQiZnf5+MiOMSXQ9PaEK/Ilh1DeA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-async-generator-functions": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-async-generator-functions/-/plugin-transform-async-generator-functions-7.27.1.tgz", + "integrity": "sha512-eST9RrwlpaoJBDHShc+DS2SG4ATTi2MYNb4OxYkf3n+7eb49LWpnS+HSpVfW4x927qQwgk8A2hGNVaajAEw0EA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1", + "@babel/helper-remap-async-to-generator": "^7.27.1", + "@babel/traverse": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-async-to-generator": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-async-to-generator/-/plugin-transform-async-to-generator-7.27.1.tgz", + "integrity": "sha512-NREkZsZVJS4xmTr8qzE5y8AfIPqsdQfRuUiLRTEzb7Qii8iFWCyDKaUV2c0rCuh4ljDZ98ALHP/PetiBV2nddA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-module-imports": "^7.27.1", + "@babel/helper-plugin-utils": "^7.27.1", + "@babel/helper-remap-async-to-generator": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-block-scoped-functions": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-block-scoped-functions/-/plugin-transform-block-scoped-functions-7.27.1.tgz", + "integrity": "sha512-cnqkuOtZLapWYZUYM5rVIdv1nXYuFVIltZ6ZJ7nIj585QsjKM5dhL2Fu/lICXZ1OyIAFc7Qy+bvDAtTXqGrlhg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-block-scoping": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-block-scoping/-/plugin-transform-block-scoping-7.27.1.tgz", + "integrity": "sha512-QEcFlMl9nGTgh1rn2nIeU5bkfb9BAjaQcWbiP4LvKxUot52ABcTkpcyJ7f2Q2U2RuQ84BNLgts3jRme2dTx6Fw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-class-properties": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-class-properties/-/plugin-transform-class-properties-7.27.1.tgz", + "integrity": "sha512-D0VcalChDMtuRvJIu3U/fwWjf8ZMykz5iZsg77Nuj821vCKI3zCyRLwRdWbsuJ/uRwZhZ002QtCqIkwC/ZkvbA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-create-class-features-plugin": "^7.27.1", + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-class-static-block": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-class-static-block/-/plugin-transform-class-static-block-7.27.1.tgz", + "integrity": "sha512-s734HmYU78MVzZ++joYM+NkJusItbdRcbm+AGRgJCt3iA+yux0QpD9cBVdz3tKyrjVYWRl7j0mHSmv4lhV0aoA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-create-class-features-plugin": "^7.27.1", + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.12.0" + } + }, + "node_modules/@babel/plugin-transform-classes": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-classes/-/plugin-transform-classes-7.27.1.tgz", + "integrity": "sha512-7iLhfFAubmpeJe/Wo2TVuDrykh/zlWXLzPNdL0Jqn/Xu8R3QQ8h9ff8FQoISZOsw74/HFqFI7NX63HN7QFIHKA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-annotate-as-pure": "^7.27.1", + "@babel/helper-compilation-targets": "^7.27.1", + "@babel/helper-plugin-utils": "^7.27.1", + "@babel/helper-replace-supers": "^7.27.1", + "@babel/traverse": "^7.27.1", + "globals": "^11.1.0" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-computed-properties": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-computed-properties/-/plugin-transform-computed-properties-7.27.1.tgz", + "integrity": "sha512-lj9PGWvMTVksbWiDT2tW68zGS/cyo4AkZ/QTp0sQT0mjPopCmrSkzxeXkznjqBxzDI6TclZhOJbBmbBLjuOZUw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1", + "@babel/template": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-destructuring": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-destructuring/-/plugin-transform-destructuring-7.27.1.tgz", + "integrity": "sha512-ttDCqhfvpE9emVkXbPD8vyxxh4TWYACVybGkDj+oReOGwnp066ITEivDlLwe0b1R0+evJ13IXQuLNB5w1fhC5Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-dotall-regex": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-dotall-regex/-/plugin-transform-dotall-regex-7.27.1.tgz", + "integrity": "sha512-gEbkDVGRvjj7+T1ivxrfgygpT7GUd4vmODtYpbs0gZATdkX8/iSnOtZSxiZnsgm1YjTgjI6VKBGSJJevkrclzw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-create-regexp-features-plugin": "^7.27.1", + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-duplicate-keys": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-duplicate-keys/-/plugin-transform-duplicate-keys-7.27.1.tgz", + "integrity": "sha512-MTyJk98sHvSs+cvZ4nOauwTTG1JeonDjSGvGGUNHreGQns+Mpt6WX/dVzWBHgg+dYZhkC4X+zTDfkTU+Vy9y7Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-duplicate-named-capturing-groups-regex": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-duplicate-named-capturing-groups-regex/-/plugin-transform-duplicate-named-capturing-groups-regex-7.27.1.tgz", + "integrity": "sha512-hkGcueTEzuhB30B3eJCbCYeCaaEQOmQR0AdvzpD4LoN0GXMWzzGSuRrxR2xTnCrvNbVwK9N6/jQ92GSLfiZWoQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-create-regexp-features-plugin": "^7.27.1", + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/plugin-transform-dynamic-import": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-dynamic-import/-/plugin-transform-dynamic-import-7.27.1.tgz", + "integrity": "sha512-MHzkWQcEmjzzVW9j2q8LGjwGWpG2mjwaaB0BNQwst3FIjqsg8Ct/mIZlvSPJvfi9y2AC8mi/ktxbFVL9pZ1I4A==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-exponentiation-operator": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-exponentiation-operator/-/plugin-transform-exponentiation-operator-7.27.1.tgz", + "integrity": "sha512-uspvXnhHvGKf2r4VVtBpeFnuDWsJLQ6MF6lGJLC89jBR1uoVeqM416AZtTuhTezOfgHicpJQmoD5YUakO/YmXQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-export-namespace-from": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-export-namespace-from/-/plugin-transform-export-namespace-from-7.27.1.tgz", + "integrity": "sha512-tQvHWSZ3/jH2xuq/vZDy0jNn+ZdXJeM8gHvX4lnJmsc3+50yPlWdZXIc5ay+umX+2/tJIqHqiEqcJvxlmIvRvQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-for-of": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-for-of/-/plugin-transform-for-of-7.27.1.tgz", + "integrity": "sha512-BfbWFFEJFQzLCQ5N8VocnCtA8J1CLkNTe2Ms2wocj75dd6VpiqS5Z5quTYcUoo4Yq+DN0rtikODccuv7RU81sw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1", + "@babel/helper-skip-transparent-expression-wrappers": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-function-name": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-function-name/-/plugin-transform-function-name-7.27.1.tgz", + "integrity": "sha512-1bQeydJF9Nr1eBCMMbC+hdwmRlsv5XYOMu03YSWFwNs0HsAmtSxxF1fyuYPqemVldVyFmlCU7w8UE14LupUSZQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-compilation-targets": "^7.27.1", + "@babel/helper-plugin-utils": "^7.27.1", + "@babel/traverse": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-json-strings": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-json-strings/-/plugin-transform-json-strings-7.27.1.tgz", + "integrity": "sha512-6WVLVJiTjqcQauBhn1LkICsR2H+zm62I3h9faTDKt1qP4jn2o72tSvqMwtGFKGTpojce0gJs+76eZ2uCHRZh0Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-literals": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-literals/-/plugin-transform-literals-7.27.1.tgz", + "integrity": "sha512-0HCFSepIpLTkLcsi86GG3mTUzxV5jpmbv97hTETW3yzrAij8aqlD36toB1D0daVFJM8NK6GvKO0gslVQmm+zZA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-logical-assignment-operators": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-logical-assignment-operators/-/plugin-transform-logical-assignment-operators-7.27.1.tgz", + "integrity": "sha512-SJvDs5dXxiae4FbSL1aBJlG4wvl594N6YEVVn9e3JGulwioy6z3oPjx/sQBO3Y4NwUu5HNix6KJ3wBZoewcdbw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-member-expression-literals": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-member-expression-literals/-/plugin-transform-member-expression-literals-7.27.1.tgz", + "integrity": "sha512-hqoBX4dcZ1I33jCSWcXrP+1Ku7kdqXf1oeah7ooKOIiAdKQ+uqftgCFNOSzA5AMS2XIHEYeGFg4cKRCdpxzVOQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-modules-amd": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-modules-amd/-/plugin-transform-modules-amd-7.27.1.tgz", + "integrity": "sha512-iCsytMg/N9/oFq6n+gFTvUYDZQOMK5kEdeYxmxt91fcJGycfxVP9CnrxoliM0oumFERba2i8ZtwRUCMhvP1LnA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-module-transforms": "^7.27.1", + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-modules-commonjs": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-modules-commonjs/-/plugin-transform-modules-commonjs-7.27.1.tgz", + "integrity": "sha512-OJguuwlTYlN0gBZFRPqwOGNWssZjfIUdS7HMYtN8c1KmwpwHFBwTeFZrg9XZa+DFTitWOW5iTAG7tyCUPsCCyw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-module-transforms": "^7.27.1", + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-modules-systemjs": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-modules-systemjs/-/plugin-transform-modules-systemjs-7.27.1.tgz", + "integrity": "sha512-w5N1XzsRbc0PQStASMksmUeqECuzKuTJer7kFagK8AXgpCMkeDMO5S+aaFb7A51ZYDF7XI34qsTX+fkHiIm5yA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-module-transforms": "^7.27.1", + "@babel/helper-plugin-utils": "^7.27.1", + "@babel/helper-validator-identifier": "^7.27.1", + "@babel/traverse": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-modules-umd": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-modules-umd/-/plugin-transform-modules-umd-7.27.1.tgz", + "integrity": "sha512-iQBE/xC5BV1OxJbp6WG7jq9IWiD+xxlZhLrdwpPkTX3ydmXdvoCpyfJN7acaIBZaOqTfr76pgzqBJflNbeRK+w==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-module-transforms": "^7.27.1", + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-named-capturing-groups-regex": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-named-capturing-groups-regex/-/plugin-transform-named-capturing-groups-regex-7.27.1.tgz", + "integrity": "sha512-SstR5JYy8ddZvD6MhV0tM/j16Qds4mIpJTOd1Yu9J9pJjH93bxHECF7pgtc28XvkzTD6Pxcm/0Z73Hvk7kb3Ng==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-create-regexp-features-plugin": "^7.27.1", + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/plugin-transform-new-target": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-new-target/-/plugin-transform-new-target-7.27.1.tgz", + "integrity": "sha512-f6PiYeqXQ05lYq3TIfIDu/MtliKUbNwkGApPUvyo6+tc7uaR4cPjPe7DFPr15Uyycg2lZU6btZ575CuQoYh7MQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-nullish-coalescing-operator": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-nullish-coalescing-operator/-/plugin-transform-nullish-coalescing-operator-7.27.1.tgz", + "integrity": "sha512-aGZh6xMo6q9vq1JGcw58lZ1Z0+i0xB2x0XaauNIUXd6O1xXc3RwoWEBlsTQrY4KQ9Jf0s5rgD6SiNkaUdJegTA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-numeric-separator": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-numeric-separator/-/plugin-transform-numeric-separator-7.27.1.tgz", + "integrity": "sha512-fdPKAcujuvEChxDBJ5c+0BTaS6revLV7CJL08e4m3de8qJfNIuCc2nc7XJYOjBoTMJeqSmwXJ0ypE14RCjLwaw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-object-assign": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-object-assign/-/plugin-transform-object-assign-7.27.1.tgz", + "integrity": "sha512-LP6tsnirA6iy13uBKiYgjJsfQrodmlSrpZModtlo1Vk8sOO68gfo7dfA9TGJyEgxTiO7czK4EGZm8FJEZtk4kQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-object-rest-spread": { + "version": "7.27.2", + "resolved": "http://localhost:4873/@babel/plugin-transform-object-rest-spread/-/plugin-transform-object-rest-spread-7.27.2.tgz", + "integrity": "sha512-AIUHD7xJ1mCrj3uPozvtngY3s0xpv7Nu7DoUSnzNY6Xam1Cy4rUznR//pvMHOhQ4AvbCexhbqXCtpxGHOGOO6g==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-compilation-targets": "^7.27.2", + "@babel/helper-plugin-utils": "^7.27.1", + "@babel/plugin-transform-destructuring": "^7.27.1", + "@babel/plugin-transform-parameters": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-object-super": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-object-super/-/plugin-transform-object-super-7.27.1.tgz", + "integrity": "sha512-SFy8S9plRPbIcxlJ8A6mT/CxFdJx/c04JEctz4jf8YZaVS2px34j7NXRrlGlHkN/M2gnpL37ZpGRGVFLd3l8Ng==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1", + "@babel/helper-replace-supers": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-optional-catch-binding": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-optional-catch-binding/-/plugin-transform-optional-catch-binding-7.27.1.tgz", + "integrity": "sha512-txEAEKzYrHEX4xSZN4kJ+OfKXFVSWKB2ZxM9dpcE3wT7smwkNmXo5ORRlVzMVdJbD+Q8ILTgSD7959uj+3Dm3Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-optional-chaining": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-optional-chaining/-/plugin-transform-optional-chaining-7.27.1.tgz", + "integrity": "sha512-BQmKPPIuc8EkZgNKsv0X4bPmOoayeu4F1YCwx2/CfmDSXDbp7GnzlUH+/ul5VGfRg1AoFPsrIThlEBj2xb4CAg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1", + "@babel/helper-skip-transparent-expression-wrappers": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-parameters": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-parameters/-/plugin-transform-parameters-7.27.1.tgz", + "integrity": "sha512-018KRk76HWKeZ5l4oTj2zPpSh+NbGdt0st5S6x0pga6HgrjBOJb24mMDHorFopOOd6YHkLgOZ+zaCjZGPO4aKg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-private-methods": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-private-methods/-/plugin-transform-private-methods-7.27.1.tgz", + "integrity": "sha512-10FVt+X55AjRAYI9BrdISN9/AQWHqldOeZDUoLyif1Kn05a56xVBXb8ZouL8pZ9jem8QpXaOt8TS7RHUIS+GPA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-create-class-features-plugin": "^7.27.1", + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-private-property-in-object": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-private-property-in-object/-/plugin-transform-private-property-in-object-7.27.1.tgz", + "integrity": "sha512-5J+IhqTi1XPa0DXF83jYOaARrX+41gOewWbkPyjMNRDqgOCqdffGh8L3f/Ek5utaEBZExjSAzcyjmV9SSAWObQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-annotate-as-pure": "^7.27.1", + "@babel/helper-create-class-features-plugin": "^7.27.1", + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-property-literals": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-property-literals/-/plugin-transform-property-literals-7.27.1.tgz", + "integrity": "sha512-oThy3BCuCha8kDZ8ZkgOg2exvPYUlprMukKQXI1r1pJ47NCvxfkEy8vK+r/hT9nF0Aa4H1WUPZZjHTFtAhGfmQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-react-display-name": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-react-display-name/-/plugin-transform-react-display-name-7.27.1.tgz", + "integrity": "sha512-p9+Vl3yuHPmkirRrg021XiP+EETmPMQTLr6Ayjj85RLNEbb3Eya/4VI0vAdzQG9SEAl2Lnt7fy5lZyMzjYoZQQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-react-jsx": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-react-jsx/-/plugin-transform-react-jsx-7.27.1.tgz", + "integrity": "sha512-2KH4LWGSrJIkVf5tSiBFYuXDAoWRq2MMwgivCf+93dd0GQi8RXLjKA/0EvRnVV5G0hrHczsquXuD01L8s6dmBw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-annotate-as-pure": "^7.27.1", + "@babel/helper-module-imports": "^7.27.1", + "@babel/helper-plugin-utils": "^7.27.1", + "@babel/plugin-syntax-jsx": "^7.27.1", + "@babel/types": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-react-jsx-development": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-react-jsx-development/-/plugin-transform-react-jsx-development-7.27.1.tgz", + "integrity": "sha512-ykDdF5yI4f1WrAolLqeF3hmYU12j9ntLQl/AOG1HAS21jxyg1Q0/J/tpREuYLfatGdGmXp/3yS0ZA76kOlVq9Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/plugin-transform-react-jsx": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-react-pure-annotations": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-react-pure-annotations/-/plugin-transform-react-pure-annotations-7.27.1.tgz", + "integrity": "sha512-JfuinvDOsD9FVMTHpzA/pBLisxpv1aSf+OIV8lgH3MuWrks19R27e6a6DipIg4aX1Zm9Wpb04p8wljfKrVSnPA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-annotate-as-pure": "^7.27.1", + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-regenerator": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-regenerator/-/plugin-transform-regenerator-7.27.1.tgz", + "integrity": "sha512-B19lbbL7PMrKr52BNPjCqg1IyNUIjTcxKj8uX9zHO+PmWN93s19NDr/f69mIkEp2x9nmDJ08a7lgHaTTzvW7mw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-regexp-modifiers": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-regexp-modifiers/-/plugin-transform-regexp-modifiers-7.27.1.tgz", + "integrity": "sha512-TtEciroaiODtXvLZv4rmfMhkCv8jx3wgKpL68PuiPh2M4fvz5jhsA7697N1gMvkvr/JTF13DrFYyEbY9U7cVPA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-create-regexp-features-plugin": "^7.27.1", + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/plugin-transform-reserved-words": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-reserved-words/-/plugin-transform-reserved-words-7.27.1.tgz", + "integrity": "sha512-V2ABPHIJX4kC7HegLkYoDpfg9PVmuWy/i6vUM5eGK22bx4YVFD3M5F0QQnWQoDs6AGsUWTVOopBiMFQgHaSkVw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-runtime": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-runtime/-/plugin-transform-runtime-7.27.1.tgz", + "integrity": "sha512-TqGF3desVsTcp3WrJGj4HfKokfCXCLcHpt4PJF0D8/iT6LPd9RS82Upw3KPeyr6B22Lfd3DO8MVrmp0oRkUDdw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-module-imports": "^7.27.1", + "@babel/helper-plugin-utils": "^7.27.1", + "babel-plugin-polyfill-corejs2": "^0.4.10", + "babel-plugin-polyfill-corejs3": "^0.11.0", + "babel-plugin-polyfill-regenerator": "^0.6.1", + "semver": "^6.3.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-runtime/node_modules/semver": { + "version": "6.3.1", + "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", + "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver.js" + } + }, + "node_modules/@babel/plugin-transform-shorthand-properties": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-shorthand-properties/-/plugin-transform-shorthand-properties-7.27.1.tgz", + "integrity": "sha512-N/wH1vcn4oYawbJ13Y/FxcQrWk63jhfNa7jef0ih7PHSIHX2LB7GWE1rkPrOnka9kwMxb6hMl19p7lidA+EHmQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-spread": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-spread/-/plugin-transform-spread-7.27.1.tgz", + "integrity": "sha512-kpb3HUqaILBJcRFVhFUs6Trdd4mkrzcGXss+6/mxUd273PfbWqSDHRzMT2234gIg2QYfAjvXLSquP1xECSg09Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1", + "@babel/helper-skip-transparent-expression-wrappers": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-sticky-regex": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-sticky-regex/-/plugin-transform-sticky-regex-7.27.1.tgz", + "integrity": "sha512-lhInBO5bi/Kowe2/aLdBAawijx+q1pQzicSgnkB6dUPc1+RC8QmJHKf2OjvU+NZWitguJHEaEmbV6VWEouT58g==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-template-literals": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-template-literals/-/plugin-transform-template-literals-7.27.1.tgz", + "integrity": "sha512-fBJKiV7F2DxZUkg5EtHKXQdbsbURW3DZKQUWphDum0uRP6eHGGa/He9mc0mypL680pb+e/lDIthRohlv8NCHkg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-typeof-symbol": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-typeof-symbol/-/plugin-transform-typeof-symbol-7.27.1.tgz", + "integrity": "sha512-RiSILC+nRJM7FY5srIyc4/fGIwUhyDuuBSdWn4y6yT6gm652DpCHZjIipgn6B7MQ1ITOUnAKWixEUjQRIBIcLw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-typescript": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-typescript/-/plugin-transform-typescript-7.27.1.tgz", + "integrity": "sha512-Q5sT5+O4QUebHdbwKedFBEwRLb02zJ7r4A5Gg2hUoLuU3FjdMcyqcywqUrLCaDsFCxzokf7u9kuy7qz51YUuAg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-annotate-as-pure": "^7.27.1", + "@babel/helper-create-class-features-plugin": "^7.27.1", + "@babel/helper-plugin-utils": "^7.27.1", + "@babel/helper-skip-transparent-expression-wrappers": "^7.27.1", + "@babel/plugin-syntax-typescript": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-unicode-escapes": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-unicode-escapes/-/plugin-transform-unicode-escapes-7.27.1.tgz", + "integrity": "sha512-Ysg4v6AmF26k9vpfFuTZg8HRfVWzsh1kVfowA23y9j/Gu6dOuahdUVhkLqpObp3JIv27MLSii6noRnuKN8H0Mg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-unicode-property-regex": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-unicode-property-regex/-/plugin-transform-unicode-property-regex-7.27.1.tgz", + "integrity": "sha512-uW20S39PnaTImxp39O5qFlHLS9LJEmANjMG7SxIhap8rCHqu0Ik+tLEPX5DKmHn6CsWQ7j3lix2tFOa5YtL12Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-create-regexp-features-plugin": "^7.27.1", + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-unicode-regex": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-unicode-regex/-/plugin-transform-unicode-regex-7.27.1.tgz", + "integrity": "sha512-xvINq24TRojDuyt6JGtHmkVkrfVV3FPT16uytxImLeBZqW3/H52yN+kM1MGuyPkIQxrzKwPHs5U/MP3qKyzkGw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-create-regexp-features-plugin": "^7.27.1", + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-unicode-sets-regex": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/plugin-transform-unicode-sets-regex/-/plugin-transform-unicode-sets-regex-7.27.1.tgz", + "integrity": "sha512-EtkOujbc4cgvb0mlpQefi4NTPBzhSIevblFevACNLUspmrALgmEBdL/XfnyyITfd8fKBZrZys92zOWcik7j9Tw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-create-regexp-features-plugin": "^7.27.1", + "@babel/helper-plugin-utils": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/preset-env": { + "version": "7.27.2", + "resolved": "http://localhost:4873/@babel/preset-env/-/preset-env-7.27.2.tgz", + "integrity": "sha512-Ma4zSuYSlGNRlCLO+EAzLnCmJK2vdstgv+n7aUP+/IKZrOfWHOJVdSJtuub8RzHTj3ahD37k5OKJWvzf16TQyQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/compat-data": "^7.27.2", + "@babel/helper-compilation-targets": "^7.27.2", + "@babel/helper-plugin-utils": "^7.27.1", + "@babel/helper-validator-option": "^7.27.1", + "@babel/plugin-bugfix-firefox-class-in-computed-class-key": "^7.27.1", + "@babel/plugin-bugfix-safari-class-field-initializer-scope": "^7.27.1", + "@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression": "^7.27.1", + "@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining": "^7.27.1", + "@babel/plugin-bugfix-v8-static-class-fields-redefine-readonly": "^7.27.1", + "@babel/plugin-proposal-private-property-in-object": "7.21.0-placeholder-for-preset-env.2", + "@babel/plugin-syntax-import-assertions": "^7.27.1", + "@babel/plugin-syntax-import-attributes": "^7.27.1", + "@babel/plugin-syntax-unicode-sets-regex": "^7.18.6", + "@babel/plugin-transform-arrow-functions": "^7.27.1", + "@babel/plugin-transform-async-generator-functions": "^7.27.1", + "@babel/plugin-transform-async-to-generator": "^7.27.1", + "@babel/plugin-transform-block-scoped-functions": "^7.27.1", + "@babel/plugin-transform-block-scoping": "^7.27.1", + "@babel/plugin-transform-class-properties": "^7.27.1", + "@babel/plugin-transform-class-static-block": "^7.27.1", + "@babel/plugin-transform-classes": "^7.27.1", + "@babel/plugin-transform-computed-properties": "^7.27.1", + "@babel/plugin-transform-destructuring": "^7.27.1", + "@babel/plugin-transform-dotall-regex": "^7.27.1", + "@babel/plugin-transform-duplicate-keys": "^7.27.1", + "@babel/plugin-transform-duplicate-named-capturing-groups-regex": "^7.27.1", + "@babel/plugin-transform-dynamic-import": "^7.27.1", + "@babel/plugin-transform-exponentiation-operator": "^7.27.1", + "@babel/plugin-transform-export-namespace-from": "^7.27.1", + "@babel/plugin-transform-for-of": "^7.27.1", + "@babel/plugin-transform-function-name": "^7.27.1", + "@babel/plugin-transform-json-strings": "^7.27.1", + "@babel/plugin-transform-literals": "^7.27.1", + "@babel/plugin-transform-logical-assignment-operators": "^7.27.1", + "@babel/plugin-transform-member-expression-literals": "^7.27.1", + "@babel/plugin-transform-modules-amd": "^7.27.1", + "@babel/plugin-transform-modules-commonjs": "^7.27.1", + "@babel/plugin-transform-modules-systemjs": "^7.27.1", + "@babel/plugin-transform-modules-umd": "^7.27.1", + "@babel/plugin-transform-named-capturing-groups-regex": "^7.27.1", + "@babel/plugin-transform-new-target": "^7.27.1", + "@babel/plugin-transform-nullish-coalescing-operator": "^7.27.1", + "@babel/plugin-transform-numeric-separator": "^7.27.1", + "@babel/plugin-transform-object-rest-spread": "^7.27.2", + "@babel/plugin-transform-object-super": "^7.27.1", + "@babel/plugin-transform-optional-catch-binding": "^7.27.1", + "@babel/plugin-transform-optional-chaining": "^7.27.1", + "@babel/plugin-transform-parameters": "^7.27.1", + "@babel/plugin-transform-private-methods": "^7.27.1", + "@babel/plugin-transform-private-property-in-object": "^7.27.1", + "@babel/plugin-transform-property-literals": "^7.27.1", + "@babel/plugin-transform-regenerator": "^7.27.1", + "@babel/plugin-transform-regexp-modifiers": "^7.27.1", + "@babel/plugin-transform-reserved-words": "^7.27.1", + "@babel/plugin-transform-shorthand-properties": "^7.27.1", + "@babel/plugin-transform-spread": "^7.27.1", + "@babel/plugin-transform-sticky-regex": "^7.27.1", + "@babel/plugin-transform-template-literals": "^7.27.1", + "@babel/plugin-transform-typeof-symbol": "^7.27.1", + "@babel/plugin-transform-unicode-escapes": "^7.27.1", + "@babel/plugin-transform-unicode-property-regex": "^7.27.1", + "@babel/plugin-transform-unicode-regex": "^7.27.1", + "@babel/plugin-transform-unicode-sets-regex": "^7.27.1", + "@babel/preset-modules": "0.1.6-no-external-plugins", + "babel-plugin-polyfill-corejs2": "^0.4.10", + "babel-plugin-polyfill-corejs3": "^0.11.0", + "babel-plugin-polyfill-regenerator": "^0.6.1", + "core-js-compat": "^3.40.0", + "semver": "^6.3.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/preset-env/node_modules/semver": { + "version": "6.3.1", + "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", + "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver.js" + } + }, + "node_modules/@babel/preset-modules": { + "version": "0.1.6-no-external-plugins", + "resolved": "http://localhost:4873/@babel/preset-modules/-/preset-modules-0.1.6-no-external-plugins.tgz", + "integrity": "sha512-HrcgcIESLm9aIR842yhJ5RWan/gebQUJ6E/E5+rf0y9o6oj7w0Br+sWuL6kEQ/o/AdfvR1Je9jG18/gnpwjEyA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.0.0", + "@babel/types": "^7.4.4", + "esutils": "^2.0.2" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0 || ^8.0.0-0 <8.0.0" + } + }, + "node_modules/@babel/preset-react": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/preset-react/-/preset-react-7.27.1.tgz", + "integrity": "sha512-oJHWh2gLhU9dW9HHr42q0cI0/iHHXTLGe39qvpAZZzagHy0MzYLCnCVV0symeRvzmjHyVU7mw2K06E6u/JwbhA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1", + "@babel/helper-validator-option": "^7.27.1", + "@babel/plugin-transform-react-display-name": "^7.27.1", + "@babel/plugin-transform-react-jsx": "^7.27.1", + "@babel/plugin-transform-react-jsx-development": "^7.27.1", + "@babel/plugin-transform-react-pure-annotations": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/preset-typescript": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/preset-typescript/-/preset-typescript-7.27.1.tgz", + "integrity": "sha512-l7WfQfX0WK4M0v2RudjuQK4u99BS6yLHYEmdtVPP7lKV013zr9DygFuWNlnbvQ9LR+LS0Egz/XAvGx5U9MX0fQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-plugin-utils": "^7.27.1", + "@babel/helper-validator-option": "^7.27.1", + "@babel/plugin-syntax-jsx": "^7.27.1", + "@babel/plugin-transform-modules-commonjs": "^7.27.1", + "@babel/plugin-transform-typescript": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/register": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/register/-/register-7.27.1.tgz", + "integrity": "sha512-K13lQpoV54LATKkzBpBAEu1GGSIRzxR9f4IN4V8DCDgiUMo2UDGagEZr3lPeVNJPLkWUi5JE4hCHKneVTwQlYQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "clone-deep": "^4.0.1", + "find-cache-dir": "^2.0.0", + "make-dir": "^2.1.0", + "pirates": "^4.0.6", + "source-map-support": "^0.5.16" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/runtime": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/runtime/-/runtime-7.27.1.tgz", + "integrity": "sha512-1x3D2xEk2fRo3PAhwQwu5UubzgiVWSXTBfWpVd2Mx2AzRqJuDJCsgaDVZ7HB5iGzDW1Hl1sWN2mFyKjmR9uAog==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/runtime-corejs2": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/runtime-corejs2/-/runtime-corejs2-7.27.1.tgz", + "integrity": "sha512-MNwUSFn1d0u9M+i9pP0xNMGyS6Qj/UqZsreCb01Mjk821mMHjwUo+hLqkA34miUBYpYDLk/K3rZo2lysI1WF2A==", + "dev": true, + "license": "MIT", + "dependencies": { + "core-js": "^2.6.12" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/runtime-corejs2/node_modules/core-js": { + "version": "2.6.12", + "resolved": "http://localhost:4873/core-js/-/core-js-2.6.12.tgz", + "integrity": "sha512-Kb2wC0fvsWfQrgk8HU5lW6U/Lcs8+9aaYcy4ZFc6DDlo4nZ7n70dEgE5rtR0oG6ufKDUnrwfWL1mXR5ljDatrQ==", + "deprecated": "core-js@<3.23.3 is no longer maintained and not recommended for usage due to the number of issues. Because of the V8 engine whims, feature detection in old core-js versions could cause a slowdown up to 100x even if nothing is polyfilled. Some versions have web compatibility issues. Please, upgrade your dependencies to the actual version of core-js.", + "dev": true, + "hasInstallScript": true, + "license": "MIT" + }, + "node_modules/@babel/template": { + "version": "7.27.2", + "resolved": "http://localhost:4873/@babel/template/-/template-7.27.2.tgz", + "integrity": "sha512-LPDZ85aEJyYSd18/DkjNh4/y1ntkE5KwUHWTiqgRxruuZL2F1yuHligVHLvcHY2vMHXttKFpJn6LwfI7cw7ODw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/code-frame": "^7.27.1", + "@babel/parser": "^7.27.2", + "@babel/types": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/traverse": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/traverse/-/traverse-7.27.1.tgz", + "integrity": "sha512-ZCYtZciz1IWJB4U61UPu4KEaqyfj+r5T1Q5mqPo+IBpcG9kHv30Z0aD8LXPgC1trYa6rK0orRyAhqUgk4MjmEg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/code-frame": "^7.27.1", + "@babel/generator": "^7.27.1", + "@babel/parser": "^7.27.1", + "@babel/template": "^7.27.1", + "@babel/types": "^7.27.1", + "debug": "^4.3.1", + "globals": "^11.1.0" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/types": { + "version": "7.27.1", + "resolved": "http://localhost:4873/@babel/types/-/types-7.27.1.tgz", + "integrity": "sha512-+EzkxvLNfiUeKMgy/3luqfsCWFRXLb7U6wNQTk60tovuckwB15B191tJWvpp4HjiQWdJkCxO3Wbvc6jlk3Xb2Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-string-parser": "^7.27.1", + "@babel/helper-validator-identifier": "^7.27.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@bcoe/v8-coverage": { + "version": "0.2.3", + "resolved": "http://localhost:4873/@bcoe/v8-coverage/-/v8-coverage-0.2.3.tgz", + "integrity": "sha512-0hYQ8SB4Db5zvZB4axdMHGwEaQjkZzFjQiN9LVYvIFB2nSUHW9tYpxWriPrWDASIxiaXax83REcLxuSdnGPZtw==", + "dev": true, + "license": "MIT" + }, + "node_modules/@chakra-ui/anatomy": { + "version": "2.3.6", + "resolved": "http://localhost:4873/@chakra-ui/anatomy/-/anatomy-2.3.6.tgz", + "integrity": "sha512-TjmjyQouIZzha/l8JxdBZN1pKZTj7sLpJ0YkFnQFyqHcbfWggW9jKWzY1E0VBnhtFz/xF3KC6UAVuZVSJx+y0g==", + "dev": true, + "license": "MIT" + }, + "node_modules/@chakra-ui/color-mode": { + "version": "2.2.0", + "resolved": "http://localhost:4873/@chakra-ui/color-mode/-/color-mode-2.2.0.tgz", + "integrity": "sha512-niTEA8PALtMWRI9wJ4LL0CSBDo8NBfLNp4GD6/0hstcm3IlbBHTVKxN6HwSaoNYfphDQLxCjT4yG+0BJA5tFpg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@chakra-ui/react-use-safe-layout-effect": "2.1.0" + }, + "peerDependencies": { + "react": ">=18" + } + }, + "node_modules/@chakra-ui/hooks": { + "version": "2.4.5", + "resolved": "http://localhost:4873/@chakra-ui/hooks/-/hooks-2.4.5.tgz", + "integrity": "sha512-601fWfHE2i7UjaxK/9lDLlOni6vk/I+04YDbM0BrelJy+eqxdlOmoN8Z6MZ3PzFh7ofERUASor+vL+/HaCaZ7w==", + "dev": true, + "license": "MIT", + "dependencies": { + "@chakra-ui/utils": "2.2.5", + "@zag-js/element-size": "0.31.1", + "copy-to-clipboard": "3.3.3", + "framesync": "6.1.2" + }, + "peerDependencies": { + "react": ">=18" + } + }, + "node_modules/@chakra-ui/icons": { + "version": "2.2.4", + "resolved": "http://localhost:4873/@chakra-ui/icons/-/icons-2.2.4.tgz", + "integrity": "sha512-l5QdBgwrAg3Sc2BRqtNkJpfuLw/pWRDwwT58J6c4PqQT6wzXxyNa8Q0PForu1ltB5qEiFb1kxr/F/HO1EwNa6g==", + "dev": true, + "license": "MIT", + "peerDependencies": { + "@chakra-ui/react": ">=2.0.0", + "react": ">=18" + } + }, + "node_modules/@chakra-ui/object-utils": { + "version": "2.1.0", + "resolved": "http://localhost:4873/@chakra-ui/object-utils/-/object-utils-2.1.0.tgz", + "integrity": "sha512-tgIZOgLHaoti5PYGPTwK3t/cqtcycW0owaiOXoZOcpwwX/vlVb+H1jFsQyWiiwQVPt9RkoSLtxzXamx+aHH+bQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/@chakra-ui/react": { + "version": "2.10.9", + "resolved": "http://localhost:4873/@chakra-ui/react/-/react-2.10.9.tgz", + "integrity": "sha512-lhdcgoocOiURwBNR3L8OioCNIaGCZqRfuKioLyaQLjOanl4jr0PQclsGb+w0cmito252vEWpsz2xRqF7y+Flrw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@chakra-ui/hooks": "2.4.5", + "@chakra-ui/styled-system": "2.12.4", + "@chakra-ui/theme": "3.4.9", + "@chakra-ui/utils": "2.2.5", + "@popperjs/core": "^2.11.8", + "@zag-js/focus-visible": "^0.31.1", + "aria-hidden": "^1.2.3", + "react-fast-compare": "3.2.2", + "react-focus-lock": "^2.9.6", + "react-remove-scroll": "^2.5.7" + }, + "peerDependencies": { + "@emotion/react": ">=11", + "@emotion/styled": ">=11", + "framer-motion": ">=4.0.0", + "react": ">=18", + "react-dom": ">=18" + } + }, + "node_modules/@chakra-ui/react-use-safe-layout-effect": { + "version": "2.1.0", + "resolved": "http://localhost:4873/@chakra-ui/react-use-safe-layout-effect/-/react-use-safe-layout-effect-2.1.0.tgz", + "integrity": "sha512-Knbrrx/bcPwVS1TorFdzrK/zWA8yuU/eaXDkNj24IrKoRlQrSBFarcgAEzlCHtzuhufP3OULPkELTzz91b0tCw==", + "dev": true, + "license": "MIT", + "peerDependencies": { + "react": ">=18" + } + }, + "node_modules/@chakra-ui/react-utils": { + "version": "2.0.12", + "resolved": "http://localhost:4873/@chakra-ui/react-utils/-/react-utils-2.0.12.tgz", + "integrity": "sha512-GbSfVb283+YA3kA8w8xWmzbjNWk14uhNpntnipHCftBibl0lxtQ9YqMFQLwuFOO0U2gYVocszqqDWX+XNKq9hw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@chakra-ui/utils": "2.0.15" + }, + "peerDependencies": { + "react": ">=18" + } + }, + "node_modules/@chakra-ui/react-utils/node_modules/@chakra-ui/utils": { + "version": "2.0.15", + "resolved": "http://localhost:4873/@chakra-ui/utils/-/utils-2.0.15.tgz", + "integrity": "sha512-El4+jL0WSaYYs+rJbuYFDbjmfCcfGDmRY95GO4xwzit6YAPZBLcR65rOEwLps+XWluZTy1xdMrusg/hW0c1aAA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/lodash.mergewith": "4.6.7", + "css-box-model": "1.2.1", + "framesync": "6.1.2", + "lodash.mergewith": "4.6.2" + } + }, + "node_modules/@chakra-ui/react-utils/node_modules/@types/lodash.mergewith": { + "version": "4.6.7", + "resolved": "http://localhost:4873/@types/lodash.mergewith/-/lodash.mergewith-4.6.7.tgz", + "integrity": "sha512-3m+lkO5CLRRYU0fhGRp7zbsGi6+BZj0uTVSwvcKU+nSlhjA9/QRNfuSGnD2mX6hQA7ZbmcCkzk5h4ZYGOtk14A==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/lodash": "*" + } + }, + "node_modules/@chakra-ui/shared-utils": { + "version": "2.0.5", + "resolved": "http://localhost:4873/@chakra-ui/shared-utils/-/shared-utils-2.0.5.tgz", + "integrity": "sha512-4/Wur0FqDov7Y0nCXl7HbHzCg4aq86h+SXdoUeuCMD3dSj7dpsVnStLYhng1vxvlbUnLpdF4oz5Myt3i/a7N3Q==", + "dev": true, + "license": "MIT" + }, + "node_modules/@chakra-ui/skip-nav": { + "version": "2.1.0", + "resolved": "http://localhost:4873/@chakra-ui/skip-nav/-/skip-nav-2.1.0.tgz", + "integrity": "sha512-Hk+FG+vadBSH0/7hwp9LJnLjkO0RPGnx7gBJWI4/SpoJf3e4tZlWYtwGj0toYY4aGKl93jVghuwGbDBEMoHDug==", + "dev": true, + "license": "MIT", + "peerDependencies": { + "@chakra-ui/system": ">=2.0.0", + "react": ">=18" + } + }, + "node_modules/@chakra-ui/styled-system": { + "version": "2.12.4", + "resolved": "http://localhost:4873/@chakra-ui/styled-system/-/styled-system-2.12.4.tgz", + "integrity": "sha512-oa07UG7Lic5hHSQtGRiMEnYjuhIa8lszyuVhZjZqR2Ap3VMF688y1MVPJ1pK+8OwY5uhXBgVd5c0+rI8aBZlwg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@chakra-ui/utils": "2.2.5", + "csstype": "^3.1.2" + } + }, + "node_modules/@chakra-ui/system": { + "version": "2.6.2", + "resolved": "http://localhost:4873/@chakra-ui/system/-/system-2.6.2.tgz", + "integrity": "sha512-EGtpoEjLrUu4W1fHD+a62XR+hzC5YfsWm+6lO0Kybcga3yYEij9beegO0jZgug27V+Rf7vns95VPVP6mFd/DEQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@chakra-ui/color-mode": "2.2.0", + "@chakra-ui/object-utils": "2.1.0", + "@chakra-ui/react-utils": "2.0.12", + "@chakra-ui/styled-system": "2.9.2", + "@chakra-ui/theme-utils": "2.0.21", + "@chakra-ui/utils": "2.0.15", + "react-fast-compare": "3.2.2" + }, + "peerDependencies": { + "@emotion/react": "^11.0.0", + "@emotion/styled": "^11.0.0", + "react": ">=18" + } + }, + "node_modules/@chakra-ui/system/node_modules/@chakra-ui/styled-system": { + "version": "2.9.2", + "resolved": "http://localhost:4873/@chakra-ui/styled-system/-/styled-system-2.9.2.tgz", + "integrity": "sha512-To/Z92oHpIE+4nk11uVMWqo2GGRS86coeMmjxtpnErmWRdLcp1WVCVRAvn+ZwpLiNR+reWFr2FFqJRsREuZdAg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@chakra-ui/shared-utils": "2.0.5", + "csstype": "^3.1.2", + "lodash.mergewith": "4.6.2" + } + }, + "node_modules/@chakra-ui/system/node_modules/@chakra-ui/utils": { + "version": "2.0.15", + "resolved": "http://localhost:4873/@chakra-ui/utils/-/utils-2.0.15.tgz", + "integrity": "sha512-El4+jL0WSaYYs+rJbuYFDbjmfCcfGDmRY95GO4xwzit6YAPZBLcR65rOEwLps+XWluZTy1xdMrusg/hW0c1aAA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/lodash.mergewith": "4.6.7", + "css-box-model": "1.2.1", + "framesync": "6.1.2", + "lodash.mergewith": "4.6.2" + } + }, + "node_modules/@chakra-ui/system/node_modules/@types/lodash.mergewith": { + "version": "4.6.7", + "resolved": "http://localhost:4873/@types/lodash.mergewith/-/lodash.mergewith-4.6.7.tgz", + "integrity": "sha512-3m+lkO5CLRRYU0fhGRp7zbsGi6+BZj0uTVSwvcKU+nSlhjA9/QRNfuSGnD2mX6hQA7ZbmcCkzk5h4ZYGOtk14A==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/lodash": "*" + } + }, + "node_modules/@chakra-ui/theme": { + "version": "3.4.9", + "resolved": "http://localhost:4873/@chakra-ui/theme/-/theme-3.4.9.tgz", + "integrity": "sha512-GAom2SjSdRWTcX76/2yJOFJsOWHQeBgaynCUNBsHq62OafzvELrsSHDUw0bBqBb1c2ww0CclIvGilPup8kXBFA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@chakra-ui/anatomy": "2.3.6", + "@chakra-ui/theme-tools": "2.2.9", + "@chakra-ui/utils": "2.2.5" + }, + "peerDependencies": { + "@chakra-ui/styled-system": ">=2.8.0" + } + }, + "node_modules/@chakra-ui/theme-tools": { + "version": "2.2.9", + "resolved": "http://localhost:4873/@chakra-ui/theme-tools/-/theme-tools-2.2.9.tgz", + "integrity": "sha512-PcbYL19lrVvEc7Oydy//jsy/MO/rZz1DvLyO6AoI+bI/+Kwz9WfOKsspbulEhRg5COayE0R/IZPsskXZ7Mp4bA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@chakra-ui/anatomy": "2.3.6", + "@chakra-ui/utils": "2.2.5", + "color2k": "^2.0.2" + }, + "peerDependencies": { + "@chakra-ui/styled-system": ">=2.0.0" + } + }, + "node_modules/@chakra-ui/theme-utils": { + "version": "2.0.21", + "resolved": "http://localhost:4873/@chakra-ui/theme-utils/-/theme-utils-2.0.21.tgz", + "integrity": "sha512-FjH5LJbT794r0+VSCXB3lT4aubI24bLLRWB+CuRKHijRvsOg717bRdUN/N1fEmEpFnRVrbewttWh/OQs0EWpWw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@chakra-ui/shared-utils": "2.0.5", + "@chakra-ui/styled-system": "2.9.2", + "@chakra-ui/theme": "3.3.1", + "lodash.mergewith": "4.6.2" + } + }, + "node_modules/@chakra-ui/theme-utils/node_modules/@chakra-ui/anatomy": { + "version": "2.2.2", + "resolved": "http://localhost:4873/@chakra-ui/anatomy/-/anatomy-2.2.2.tgz", + "integrity": "sha512-MV6D4VLRIHr4PkW4zMyqfrNS1mPlCTiCXwvYGtDFQYr+xHFfonhAuf9WjsSc0nyp2m0OdkSLnzmVKkZFLo25Tg==", + "dev": true, + "license": "MIT" + }, + "node_modules/@chakra-ui/theme-utils/node_modules/@chakra-ui/styled-system": { + "version": "2.9.2", + "resolved": "http://localhost:4873/@chakra-ui/styled-system/-/styled-system-2.9.2.tgz", + "integrity": "sha512-To/Z92oHpIE+4nk11uVMWqo2GGRS86coeMmjxtpnErmWRdLcp1WVCVRAvn+ZwpLiNR+reWFr2FFqJRsREuZdAg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@chakra-ui/shared-utils": "2.0.5", + "csstype": "^3.1.2", + "lodash.mergewith": "4.6.2" + } + }, + "node_modules/@chakra-ui/theme-utils/node_modules/@chakra-ui/theme": { + "version": "3.3.1", + "resolved": "http://localhost:4873/@chakra-ui/theme/-/theme-3.3.1.tgz", + "integrity": "sha512-Hft/VaT8GYnItGCBbgWd75ICrIrIFrR7lVOhV/dQnqtfGqsVDlrztbSErvMkoPKt0UgAkd9/o44jmZ6X4U2nZQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@chakra-ui/anatomy": "2.2.2", + "@chakra-ui/shared-utils": "2.0.5", + "@chakra-ui/theme-tools": "2.1.2" + }, + "peerDependencies": { + "@chakra-ui/styled-system": ">=2.8.0" + } + }, + "node_modules/@chakra-ui/theme-utils/node_modules/@chakra-ui/theme-tools": { + "version": "2.1.2", + "resolved": "http://localhost:4873/@chakra-ui/theme-tools/-/theme-tools-2.1.2.tgz", + "integrity": "sha512-Qdj8ajF9kxY4gLrq7gA+Azp8CtFHGO9tWMN2wfF9aQNgG9AuMhPrUzMq9AMQ0MXiYcgNq/FD3eegB43nHVmXVA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@chakra-ui/anatomy": "2.2.2", + "@chakra-ui/shared-utils": "2.0.5", + "color2k": "^2.0.2" + }, + "peerDependencies": { + "@chakra-ui/styled-system": ">=2.0.0" + } + }, + "node_modules/@chakra-ui/utils": { + "version": "2.2.5", + "resolved": "http://localhost:4873/@chakra-ui/utils/-/utils-2.2.5.tgz", + "integrity": "sha512-KTBCK+M5KtXH6p54XS39ImQUMVtAx65BoZDoEms3LuObyTo1+civ1sMm4h3nRT320U6H5H7D35WnABVQjqU/4g==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/lodash.mergewith": "4.6.9", + "lodash.mergewith": "4.6.2" + }, + "peerDependencies": { + "react": ">=16.8.0" + } + }, + "node_modules/@cnakazawa/watch": { + "version": "1.0.4", + "resolved": "http://localhost:4873/@cnakazawa/watch/-/watch-1.0.4.tgz", + "integrity": "sha512-v9kIhKwjeZThiWrLmj0y17CWoyddASLj9O2yvbZkbvw/N3rWOYy9zkV66ursAoVr0mV15bL8g0c4QZUE6cdDoQ==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "exec-sh": "^0.3.2", + "minimist": "^1.2.0" + }, + "bin": { + "watch": "cli.js" + }, + "engines": { + "node": ">=0.1.95" + } + }, + "node_modules/@codegenie/serverless-express": { + "version": "3.4.1", + "resolved": "http://localhost:4873/@codegenie/serverless-express/-/serverless-express-3.4.1.tgz", + "integrity": "sha512-PQ3v/wDflxx168B4TwuxbbKjfmvLkyRBdvHRFS8s48hDS0Wnukm+5Dp+HiLvqwXOU7PP2+FyrK47WX4WL15Rrw==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "binary-case": "^1.0.0", + "type-is": "^1.6.16" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/@discoveryjs/json-ext": { + "version": "0.5.7", + "resolved": "http://localhost:4873/@discoveryjs/json-ext/-/json-ext-0.5.7.tgz", + "integrity": "sha512-dBVuXR082gk3jsFp7Rd/JI4kytwGHecnCoTtXFb7DB6CNHp4rg5k1bhg0nWdLGLnOV71lmDzGQaLMy8iPLY0pw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10.0.0" + } + }, + "node_modules/@emotion/babel-plugin": { + "version": "11.13.5", + "resolved": "http://localhost:4873/@emotion/babel-plugin/-/babel-plugin-11.13.5.tgz", + "integrity": "sha512-pxHCpT2ex+0q+HH91/zsdHkw/lXd468DIN2zvfvLtPKLLMo6gQj7oLObq8PhkrxOZb/gGCq03S3Z7PDhS8pduQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-module-imports": "^7.16.7", + "@babel/runtime": "^7.18.3", + "@emotion/hash": "^0.9.2", + "@emotion/memoize": "^0.9.0", + "@emotion/serialize": "^1.3.3", + "babel-plugin-macros": "^3.1.0", + "convert-source-map": "^1.5.0", + "escape-string-regexp": "^4.0.0", + "find-root": "^1.1.0", + "source-map": "^0.5.7", + "stylis": "4.2.0" + } + }, + "node_modules/@emotion/cache": { + "version": "11.14.0", + "resolved": "http://localhost:4873/@emotion/cache/-/cache-11.14.0.tgz", + "integrity": "sha512-L/B1lc/TViYk4DcpGxtAVbx0ZyiKM5ktoIyafGkH6zg/tj+mA+NE//aPYKG0k8kCHSHVJrpLpcAlOBEXQ3SavA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@emotion/memoize": "^0.9.0", + "@emotion/sheet": "^1.4.0", + "@emotion/utils": "^1.4.2", + "@emotion/weak-memoize": "^0.4.0", + "stylis": "4.2.0" + } + }, + "node_modules/@emotion/hash": { + "version": "0.9.2", + "resolved": "http://localhost:4873/@emotion/hash/-/hash-0.9.2.tgz", + "integrity": "sha512-MyqliTZGuOm3+5ZRSaaBGP3USLw6+EGykkwZns2EPC5g8jJ4z9OrdZY9apkl3+UP9+sdz76YYkwCKP5gh8iY3g==", + "dev": true, + "license": "MIT" + }, + "node_modules/@emotion/is-prop-valid": { + "version": "1.3.1", + "resolved": "http://localhost:4873/@emotion/is-prop-valid/-/is-prop-valid-1.3.1.tgz", + "integrity": "sha512-/ACwoqx7XQi9knQs/G0qKvv5teDMhD7bXYns9N/wM8ah8iNb8jZ2uNO0YOgiq2o2poIvVtJS2YALasQuMSQ7Kw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@emotion/memoize": "^0.9.0" + } + }, + "node_modules/@emotion/memoize": { + "version": "0.9.0", + "resolved": "http://localhost:4873/@emotion/memoize/-/memoize-0.9.0.tgz", + "integrity": "sha512-30FAj7/EoJ5mwVPOWhAyCX+FPfMDrVecJAM+Iw9NRoSl4BBAQeqj4cApHHUXOVvIPgLVDsCFoz/hGD+5QQD1GQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/@emotion/react": { + "version": "11.14.0", + "resolved": "http://localhost:4873/@emotion/react/-/react-11.14.0.tgz", + "integrity": "sha512-O000MLDBDdk/EohJPFUqvnp4qnHeYkVP5B0xEG0D/L7cOKP9kefu2DXn8dj74cQfsEzUqh+sr1RzFqiL1o+PpA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.18.3", + "@emotion/babel-plugin": "^11.13.5", + "@emotion/cache": "^11.14.0", + "@emotion/serialize": "^1.3.3", + "@emotion/use-insertion-effect-with-fallbacks": "^1.2.0", + "@emotion/utils": "^1.4.2", + "@emotion/weak-memoize": "^0.4.0", + "hoist-non-react-statics": "^3.3.1" + }, + "peerDependencies": { + "react": ">=16.8.0" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/@emotion/serialize": { + "version": "1.3.3", + "resolved": "http://localhost:4873/@emotion/serialize/-/serialize-1.3.3.tgz", + "integrity": "sha512-EISGqt7sSNWHGI76hC7x1CksiXPahbxEOrC5RjmFRJTqLyEK9/9hZvBbiYn70dw4wuwMKiEMCUlR6ZXTSWQqxA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@emotion/hash": "^0.9.2", + "@emotion/memoize": "^0.9.0", + "@emotion/unitless": "^0.10.0", + "@emotion/utils": "^1.4.2", + "csstype": "^3.0.2" + } + }, + "node_modules/@emotion/sheet": { + "version": "1.4.0", + "resolved": "http://localhost:4873/@emotion/sheet/-/sheet-1.4.0.tgz", + "integrity": "sha512-fTBW9/8r2w3dXWYM4HCB1Rdp8NLibOw2+XELH5m5+AkWiL/KqYX6dc0kKYlaYyKjrQ6ds33MCdMPEwgs2z1rqg==", + "dev": true, + "license": "MIT" + }, + "node_modules/@emotion/styled": { + "version": "11.14.0", + "resolved": "http://localhost:4873/@emotion/styled/-/styled-11.14.0.tgz", + "integrity": "sha512-XxfOnXFffatap2IyCeJyNov3kiDQWoR08gPUQxvbL7fxKryGBKUZUkG6Hz48DZwVrJSVh9sJboyV1Ds4OW6SgA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.18.3", + "@emotion/babel-plugin": "^11.13.5", + "@emotion/is-prop-valid": "^1.3.0", + "@emotion/serialize": "^1.3.3", + "@emotion/use-insertion-effect-with-fallbacks": "^1.2.0", + "@emotion/utils": "^1.4.2" + }, + "peerDependencies": { + "@emotion/react": "^11.0.0-rc.0", + "react": ">=16.8.0" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/@emotion/unitless": { + "version": "0.10.0", + "resolved": "http://localhost:4873/@emotion/unitless/-/unitless-0.10.0.tgz", + "integrity": "sha512-dFoMUuQA20zvtVTuxZww6OHoJYgrzfKM1t52mVySDJnMSEa08ruEvdYQbhvyu6soU+NeLVd3yKfTfT0NeV6qGg==", + "dev": true, + "license": "MIT" + }, + "node_modules/@emotion/use-insertion-effect-with-fallbacks": { + "version": "1.2.0", + "resolved": "http://localhost:4873/@emotion/use-insertion-effect-with-fallbacks/-/use-insertion-effect-with-fallbacks-1.2.0.tgz", + "integrity": "sha512-yJMtVdH59sxi/aVJBpk9FQq+OR8ll5GT8oWd57UpeaKEVGab41JWaCFA7FRLoMLloOZF/c/wsPoe+bfGmRKgDg==", + "dev": true, + "license": "MIT", + "peerDependencies": { + "react": ">=16.8.0" + } + }, + "node_modules/@emotion/utils": { + "version": "1.4.2", + "resolved": "http://localhost:4873/@emotion/utils/-/utils-1.4.2.tgz", + "integrity": "sha512-3vLclRofFziIa3J2wDh9jjbkUz9qk5Vi3IZ/FSTKViB0k+ef0fPV7dYrUIugbgupYDx7v9ud/SjrtEP8Y4xLoA==", + "dev": true, + "license": "MIT" + }, + "node_modules/@emotion/weak-memoize": { + "version": "0.4.0", + "resolved": "http://localhost:4873/@emotion/weak-memoize/-/weak-memoize-0.4.0.tgz", + "integrity": "sha512-snKqtPW01tN0ui7yu9rGv69aJXr/a/Ywvl11sUjNtEcRc+ng/mQriFL0wLXMef74iHa/EkftbDzU9F8iFbH+zg==", + "dev": true, + "license": "MIT" + }, + "node_modules/@eslint-community/eslint-utils": { + "version": "4.7.0", + "resolved": "http://localhost:4873/@eslint-community/eslint-utils/-/eslint-utils-4.7.0.tgz", + "integrity": "sha512-dyybb3AcajC7uha6CvhdVRJqaKyn7w2YKqKyAN37NKYgZT36w+iRb0Dymmc5qEJ549c/S31cMMSFd75bteCpCw==", + "dev": true, + "license": "MIT", + "dependencies": { + "eslint-visitor-keys": "^3.4.3" + }, + "engines": { + "node": "^12.22.0 || ^14.17.0 || >=16.0.0" + }, + "funding": { + "url": "https://opencollective.com/eslint" + }, + "peerDependencies": { + "eslint": "^6.0.0 || ^7.0.0 || >=8.0.0" + } + }, + "node_modules/@eslint-community/eslint-utils/node_modules/eslint-visitor-keys": { + "version": "3.4.3", + "resolved": "http://localhost:4873/eslint-visitor-keys/-/eslint-visitor-keys-3.4.3.tgz", + "integrity": "sha512-wpc+LXeiyiisxPlEkUzU6svyS1frIO3Mgxj1fdy7Pm8Ygzguax2N3Fa/D/ag1WqbOprdI+uY6wMUl8/a2G+iag==", + "dev": true, + "license": "Apache-2.0", + "engines": { + "node": "^12.22.0 || ^14.17.0 || >=16.0.0" + }, + "funding": { + "url": "https://opencollective.com/eslint" + } + }, + "node_modules/@eslint-community/regexpp": { + "version": "4.12.1", + "resolved": "http://localhost:4873/@eslint-community/regexpp/-/regexpp-4.12.1.tgz", + "integrity": "sha512-CCZCDJuduB9OUkFkY2IgppNZMi2lBQgD2qzwXkEia16cge2pijY/aXi96CJMquDMn3nJdlPV1A5KrJEXwfLNzQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": "^12.0.0 || ^14.0.0 || >=16.0.0" + } + }, + "node_modules/@eslint/eslintrc": { + "version": "2.1.4", + "resolved": "http://localhost:4873/@eslint/eslintrc/-/eslintrc-2.1.4.tgz", + "integrity": "sha512-269Z39MS6wVJtsoUl10L60WdkhJVdPG24Q4eZTH3nnF6lpvSShEK3wQjDX9JRWAUPvPh7COouPpU9IrqaZFvtQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "ajv": "^6.12.4", + "debug": "^4.3.2", + "espree": "^9.6.0", + "globals": "^13.19.0", + "ignore": "^5.2.0", + "import-fresh": "^3.2.1", + "js-yaml": "^4.1.0", + "minimatch": "^3.1.2", + "strip-json-comments": "^3.1.1" + }, + "engines": { + "node": "^12.22.0 || ^14.17.0 || >=16.0.0" + }, + "funding": { + "url": "https://opencollective.com/eslint" + } + }, + "node_modules/@eslint/eslintrc/node_modules/argparse": { + "version": "2.0.1", + "resolved": "http://localhost:4873/argparse/-/argparse-2.0.1.tgz", + "integrity": "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==", + "dev": true, + "license": "Python-2.0" + }, + "node_modules/@eslint/eslintrc/node_modules/globals": { + "version": "13.24.0", + "resolved": "http://localhost:4873/globals/-/globals-13.24.0.tgz", + "integrity": "sha512-AhO5QUcj8llrbG09iWhPU2B204J1xnPeL8kQmVorSsy+Sjj1sk8gIyh6cUocGmH4L0UuhAJy+hJMRA4mgA4mFQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "type-fest": "^0.20.2" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/@eslint/eslintrc/node_modules/js-yaml": { + "version": "4.1.0", + "resolved": "http://localhost:4873/js-yaml/-/js-yaml-4.1.0.tgz", + "integrity": "sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==", + "dev": true, + "license": "MIT", + "dependencies": { + "argparse": "^2.0.1" + }, + "bin": { + "js-yaml": "bin/js-yaml.js" + } + }, + "node_modules/@eslint/eslintrc/node_modules/type-fest": { + "version": "0.20.2", + "resolved": "http://localhost:4873/type-fest/-/type-fest-0.20.2.tgz", + "integrity": "sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==", + "dev": true, + "license": "(MIT OR CC0-1.0)", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/@eslint/js": { + "version": "8.57.1", + "resolved": "http://localhost:4873/@eslint/js/-/js-8.57.1.tgz", + "integrity": "sha512-d9zaMRSTIKDLhctzH12MtXvJKSSUhaHcjV+2Z+GK+EEY7XKpP5yR4x+N3TAcHTcu963nIr+TMcCb4DBCYX1z6Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": "^12.22.0 || ^14.17.0 || >=16.0.0" + } + }, + "node_modules/@formatjs/cli": { + "version": "6.7.1", + "resolved": "http://localhost:4873/@formatjs/cli/-/cli-6.7.1.tgz", + "integrity": "sha512-ULiXbLkbuTyd8f0qaByu1Nuc+jbAOLH1qRAtHZ7waIABQGPBB93OQ2FFtQPgoYoupKOKyNr+PZXR6pOT45E4EQ==", + "dev": true, + "license": "MIT", + "bin": { + "formatjs": "bin/formatjs" + }, + "engines": { + "node": ">= 16" + }, + "peerDependencies": { + "@glimmer/env": "^0.1.7", + "@glimmer/reference": "^0.94.0", + "@glimmer/syntax": "^0.94.9", + "@glimmer/validator": "^0.94.0", + "@vue/compiler-core": "^3.5.12", + "content-tag": "^3.0.0", + "ember-template-recast": "^6.1.5", + "vue": "^3.5.12" + }, + "peerDependenciesMeta": { + "@glimmer/env": { + "optional": true + }, + "@glimmer/reference": { + "optional": true + }, + "@glimmer/syntax": { + "optional": true + }, + "@glimmer/validator": { + "optional": true + }, + "@vue/compiler-core": { + "optional": true + }, + "content-tag": { + "optional": true + }, + "ember-template-recast": { + "optional": true + }, + "vue": { + "optional": true + } + } + }, + "node_modules/@formatjs/ecma402-abstract": { + "version": "2.3.4", + "resolved": "http://localhost:4873/@formatjs/ecma402-abstract/-/ecma402-abstract-2.3.4.tgz", + "integrity": "sha512-qrycXDeaORzIqNhBOx0btnhpD1c+/qFIHAN9znofuMJX6QBwtbrmlpWfD4oiUUD2vJUOIYFA/gYtg2KAMGG7sA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@formatjs/fast-memoize": "2.2.7", + "@formatjs/intl-localematcher": "0.6.1", + "decimal.js": "^10.4.3", + "tslib": "^2.8.0" + } + }, + "node_modules/@formatjs/fast-memoize": { + "version": "2.2.7", + "resolved": "http://localhost:4873/@formatjs/fast-memoize/-/fast-memoize-2.2.7.tgz", + "integrity": "sha512-Yabmi9nSvyOMrlSeGGWDiH7rf3a7sIwplbvo/dlz9WCIjzIQAfy1RMf4S0X3yG724n5Ghu2GmEl5NJIV6O9sZQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "tslib": "^2.8.0" + } + }, + "node_modules/@formatjs/icu-messageformat-parser": { + "version": "2.11.2", + "resolved": "http://localhost:4873/@formatjs/icu-messageformat-parser/-/icu-messageformat-parser-2.11.2.tgz", + "integrity": "sha512-AfiMi5NOSo2TQImsYAg8UYddsNJ/vUEv/HaNqiFjnI3ZFfWihUtD5QtuX6kHl8+H+d3qvnE/3HZrfzgdWpsLNA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@formatjs/ecma402-abstract": "2.3.4", + "@formatjs/icu-skeleton-parser": "1.8.14", + "tslib": "^2.8.0" + } + }, + "node_modules/@formatjs/icu-skeleton-parser": { + "version": "1.8.14", + "resolved": "http://localhost:4873/@formatjs/icu-skeleton-parser/-/icu-skeleton-parser-1.8.14.tgz", + "integrity": "sha512-i4q4V4qslThK4Ig8SxyD76cp3+QJ3sAqr7f6q9VVfeGtxG9OhiAk3y9XF6Q41OymsKzsGQ6OQQoJNY4/lI8TcQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@formatjs/ecma402-abstract": "2.3.4", + "tslib": "^2.8.0" + } + }, + "node_modules/@formatjs/intl": { + "version": "2.2.1", + "resolved": "http://localhost:4873/@formatjs/intl/-/intl-2.2.1.tgz", + "integrity": "sha512-vgvyUOOrzqVaOFYzTf2d3+ToSkH2JpR7x/4U1RyoHQLmvEaTQvXJ7A2qm1Iy3brGNXC/+/7bUlc3lpH+h/LOJA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@formatjs/ecma402-abstract": "1.11.4", + "@formatjs/fast-memoize": "1.2.1", + "@formatjs/icu-messageformat-parser": "2.1.0", + "@formatjs/intl-displaynames": "5.4.3", + "@formatjs/intl-listformat": "6.5.3", + "intl-messageformat": "9.13.0", + "tslib": "^2.1.0" + }, + "peerDependencies": { + "typescript": "^4.5" + }, + "peerDependenciesMeta": { + "typescript": { + "optional": true + } + } + }, + "node_modules/@formatjs/intl-displaynames": { + "version": "5.4.3", + "resolved": "http://localhost:4873/@formatjs/intl-displaynames/-/intl-displaynames-5.4.3.tgz", + "integrity": "sha512-4r12A3mS5dp5hnSaQCWBuBNfi9Amgx2dzhU4lTFfhSxgb5DOAiAbMpg6+7gpWZgl4ahsj3l2r/iHIjdmdXOE2Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "@formatjs/ecma402-abstract": "1.11.4", + "@formatjs/intl-localematcher": "0.2.25", + "tslib": "^2.1.0" + } + }, + "node_modules/@formatjs/intl-displaynames/node_modules/@formatjs/ecma402-abstract": { + "version": "1.11.4", + "resolved": "http://localhost:4873/@formatjs/ecma402-abstract/-/ecma402-abstract-1.11.4.tgz", + "integrity": "sha512-EBikYFp2JCdIfGEb5G9dyCkTGDmC57KSHhRQOC3aYxoPWVZvfWCDjZwkGYHN7Lis/fmuWl906bnNTJifDQ3sXw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@formatjs/intl-localematcher": "0.2.25", + "tslib": "^2.1.0" + } + }, + "node_modules/@formatjs/intl-displaynames/node_modules/@formatjs/intl-localematcher": { + "version": "0.2.25", + "resolved": "http://localhost:4873/@formatjs/intl-localematcher/-/intl-localematcher-0.2.25.tgz", + "integrity": "sha512-YmLcX70BxoSopLFdLr1Ds99NdlTI2oWoLbaUW2M406lxOIPzE1KQhRz2fPUkq34xVZQaihCoU29h0KK7An3bhA==", + "dev": true, + "license": "MIT", + "dependencies": { + "tslib": "^2.1.0" + } + }, + "node_modules/@formatjs/intl-listformat": { + "version": "6.5.3", + "resolved": "http://localhost:4873/@formatjs/intl-listformat/-/intl-listformat-6.5.3.tgz", + "integrity": "sha512-ozpz515F/+3CU+HnLi5DYPsLa6JoCfBggBSSg/8nOB5LYSFW9+ZgNQJxJ8tdhKYeODT+4qVHX27EeJLoxLGLNg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@formatjs/ecma402-abstract": "1.11.4", + "@formatjs/intl-localematcher": "0.2.25", + "tslib": "^2.1.0" + } + }, + "node_modules/@formatjs/intl-listformat/node_modules/@formatjs/ecma402-abstract": { + "version": "1.11.4", + "resolved": "http://localhost:4873/@formatjs/ecma402-abstract/-/ecma402-abstract-1.11.4.tgz", + "integrity": "sha512-EBikYFp2JCdIfGEb5G9dyCkTGDmC57KSHhRQOC3aYxoPWVZvfWCDjZwkGYHN7Lis/fmuWl906bnNTJifDQ3sXw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@formatjs/intl-localematcher": "0.2.25", + "tslib": "^2.1.0" + } + }, + "node_modules/@formatjs/intl-listformat/node_modules/@formatjs/intl-localematcher": { + "version": "0.2.25", + "resolved": "http://localhost:4873/@formatjs/intl-localematcher/-/intl-localematcher-0.2.25.tgz", + "integrity": "sha512-YmLcX70BxoSopLFdLr1Ds99NdlTI2oWoLbaUW2M406lxOIPzE1KQhRz2fPUkq34xVZQaihCoU29h0KK7An3bhA==", + "dev": true, + "license": "MIT", + "dependencies": { + "tslib": "^2.1.0" + } + }, + "node_modules/@formatjs/intl-localematcher": { + "version": "0.6.1", + "resolved": "http://localhost:4873/@formatjs/intl-localematcher/-/intl-localematcher-0.6.1.tgz", + "integrity": "sha512-ePEgLgVCqi2BBFnTMWPfIghu6FkbZnnBVhO2sSxvLfrdFw7wCHAHiDoM2h4NRgjbaY7+B7HgOLZGkK187pZTZg==", + "dev": true, + "license": "MIT", + "dependencies": { + "tslib": "^2.8.0" + } + }, + "node_modules/@formatjs/intl/node_modules/@formatjs/ecma402-abstract": { + "version": "1.11.4", + "resolved": "http://localhost:4873/@formatjs/ecma402-abstract/-/ecma402-abstract-1.11.4.tgz", + "integrity": "sha512-EBikYFp2JCdIfGEb5G9dyCkTGDmC57KSHhRQOC3aYxoPWVZvfWCDjZwkGYHN7Lis/fmuWl906bnNTJifDQ3sXw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@formatjs/intl-localematcher": "0.2.25", + "tslib": "^2.1.0" + } + }, + "node_modules/@formatjs/intl/node_modules/@formatjs/fast-memoize": { + "version": "1.2.1", + "resolved": "http://localhost:4873/@formatjs/fast-memoize/-/fast-memoize-1.2.1.tgz", + "integrity": "sha512-Rg0e76nomkz3vF9IPlKeV+Qynok0r7YZjL6syLz4/urSg0IbjPZCB/iYUMNsYA643gh4mgrX3T7KEIFIxJBQeg==", + "dev": true, + "license": "MIT", + "dependencies": { + "tslib": "^2.1.0" + } + }, + "node_modules/@formatjs/intl/node_modules/@formatjs/icu-messageformat-parser": { + "version": "2.1.0", + "resolved": "http://localhost:4873/@formatjs/icu-messageformat-parser/-/icu-messageformat-parser-2.1.0.tgz", + "integrity": "sha512-Qxv/lmCN6hKpBSss2uQ8IROVnta2r9jd3ymUEIjm2UyIkUCHVcbUVRGL/KS/wv7876edvsPe+hjHVJ4z8YuVaw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@formatjs/ecma402-abstract": "1.11.4", + "@formatjs/icu-skeleton-parser": "1.3.6", + "tslib": "^2.1.0" + } + }, + "node_modules/@formatjs/intl/node_modules/@formatjs/icu-skeleton-parser": { + "version": "1.3.6", + "resolved": "http://localhost:4873/@formatjs/icu-skeleton-parser/-/icu-skeleton-parser-1.3.6.tgz", + "integrity": "sha512-I96mOxvml/YLrwU2Txnd4klA7V8fRhb6JG/4hm3VMNmeJo1F03IpV2L3wWt7EweqNLES59SZ4d6hVOPCSf80Bg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@formatjs/ecma402-abstract": "1.11.4", + "tslib": "^2.1.0" + } + }, + "node_modules/@formatjs/intl/node_modules/@formatjs/intl-localematcher": { + "version": "0.2.25", + "resolved": "http://localhost:4873/@formatjs/intl-localematcher/-/intl-localematcher-0.2.25.tgz", + "integrity": "sha512-YmLcX70BxoSopLFdLr1Ds99NdlTI2oWoLbaUW2M406lxOIPzE1KQhRz2fPUkq34xVZQaihCoU29h0KK7An3bhA==", + "dev": true, + "license": "MIT", + "dependencies": { + "tslib": "^2.1.0" + } + }, + "node_modules/@formatjs/intl/node_modules/intl-messageformat": { + "version": "9.13.0", + "resolved": "http://localhost:4873/intl-messageformat/-/intl-messageformat-9.13.0.tgz", + "integrity": "sha512-7sGC7QnSQGa5LZP7bXLDhVDtQOeKGeBFGHF2Y8LVBwYZoQZCgWeKoPGTa5GMG8g/TzDgeXuYJQis7Ggiw2xTOw==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "@formatjs/ecma402-abstract": "1.11.4", + "@formatjs/fast-memoize": "1.2.1", + "@formatjs/icu-messageformat-parser": "2.1.0", + "tslib": "^2.1.0" + } + }, + "node_modules/@humanwhocodes/config-array": { + "version": "0.13.0", + "resolved": "http://localhost:4873/@humanwhocodes/config-array/-/config-array-0.13.0.tgz", + "integrity": "sha512-DZLEEqFWQFiyK6h5YIeynKx7JlvCYWL0cImfSRXZ9l4Sg2efkFGTuFf6vzXjK1cq6IYkU+Eg/JizXw+TD2vRNw==", + "deprecated": "Use @eslint/config-array instead", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "@humanwhocodes/object-schema": "^2.0.3", + "debug": "^4.3.1", + "minimatch": "^3.0.5" + }, + "engines": { + "node": ">=10.10.0" + } + }, + "node_modules/@humanwhocodes/module-importer": { + "version": "1.0.1", + "resolved": "http://localhost:4873/@humanwhocodes/module-importer/-/module-importer-1.0.1.tgz", + "integrity": "sha512-bxveV4V8v5Yb4ncFTT3rPSgZBOpCkjfK0y4oVVVJwIuDVBRMDXrPyXRL988i5ap9m9bnyEEjWfm5WkBmtffLfA==", + "dev": true, + "license": "Apache-2.0", + "engines": { + "node": ">=12.22" + }, + "funding": { + "type": "github", + "url": "https://github.com/sponsors/nzakas" + } + }, + "node_modules/@humanwhocodes/object-schema": { + "version": "2.0.3", + "resolved": "http://localhost:4873/@humanwhocodes/object-schema/-/object-schema-2.0.3.tgz", + "integrity": "sha512-93zYdMES/c1D69yZiKDBj0V24vqNzB/koF26KPaagAfd3P/4gUlh3Dys5ogAK+Exi9QyzlD8x/08Zt7wIKcDcA==", + "deprecated": "Use @eslint/object-schema instead", + "dev": true, + "license": "BSD-3-Clause" + }, + "node_modules/@istanbuljs/load-nyc-config": { + "version": "1.1.0", + "resolved": "http://localhost:4873/@istanbuljs/load-nyc-config/-/load-nyc-config-1.1.0.tgz", + "integrity": "sha512-VjeHSlIzpv/NyD3N0YuHfXOPDIixcA1q2ZV98wsMqcYlPmv2n3Yb2lYP9XMElnaFVXg5A7YLTeLu6V84uQDjmQ==", + "dev": true, + "license": "ISC", + "dependencies": { + "camelcase": "^5.3.1", + "find-up": "^4.1.0", + "get-package-type": "^0.1.0", + "js-yaml": "^3.13.1", + "resolve-from": "^5.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/@istanbuljs/schema": { + "version": "0.1.3", + "resolved": "http://localhost:4873/@istanbuljs/schema/-/schema-0.1.3.tgz", + "integrity": "sha512-ZXRY4jNvVgSVQ8DL3LTcakaAtXwTVUxE81hslsyD2AtoXW/wVob10HkOJ1X/pAlcI7D+2YoZKg5do8G/w6RYgA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/@jest/console": { + "version": "26.6.2", + "resolved": "http://localhost:4873/@jest/console/-/console-26.6.2.tgz", + "integrity": "sha512-IY1R2i2aLsLr7Id3S6p2BA82GNWryt4oSvEXLAKc+L2zdi89dSkE8xC1C+0kpATG4JhBJREnQOH7/zmccM2B0g==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^26.6.2", + "@types/node": "*", + "chalk": "^4.0.0", + "jest-message-util": "^26.6.2", + "jest-util": "^26.6.2", + "slash": "^3.0.0" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/@jest/console/node_modules/jest-message-util": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-message-util/-/jest-message-util-26.6.2.tgz", + "integrity": "sha512-rGiLePzQ3AzwUshu2+Rn+UMFk0pHN58sOG+IaJbk5Jxuqo3NYO1U2/MIR4S1sKgsoYSXSzdtSa0TgrmtUwEbmA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/code-frame": "^7.0.0", + "@jest/types": "^26.6.2", + "@types/stack-utils": "^2.0.0", + "chalk": "^4.0.0", + "graceful-fs": "^4.2.4", + "micromatch": "^4.0.2", + "pretty-format": "^26.6.2", + "slash": "^3.0.0", + "stack-utils": "^2.0.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/@jest/console/node_modules/pretty-format": { + "version": "26.6.2", + "resolved": "http://localhost:4873/pretty-format/-/pretty-format-26.6.2.tgz", + "integrity": "sha512-7AeGuCYNGmycyQbCqd/3PWH4eOoX/OiCa0uphp57NVTeAGdJGaAliecxwBDHYQCIvrW7aDBZCYeNTP/WX69mkg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^26.6.2", + "ansi-regex": "^5.0.0", + "ansi-styles": "^4.0.0", + "react-is": "^17.0.1" + }, + "engines": { + "node": ">= 10" + } + }, + "node_modules/@jest/console/node_modules/react-is": { + "version": "17.0.2", + "resolved": "http://localhost:4873/react-is/-/react-is-17.0.2.tgz", + "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==", + "dev": true, + "license": "MIT" + }, + "node_modules/@jest/console/node_modules/slash": { + "version": "3.0.0", + "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", + "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/@jest/core": { + "version": "26.6.3", + "resolved": "http://localhost:4873/@jest/core/-/core-26.6.3.tgz", + "integrity": "sha512-xvV1kKbhfUqFVuZ8Cyo+JPpipAHHAV3kcDBftiduK8EICXmTFddryy3P7NfZt8Pv37rA9nEJBKCCkglCPt/Xjw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/console": "^26.6.2", + "@jest/reporters": "^26.6.2", + "@jest/test-result": "^26.6.2", + "@jest/transform": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/node": "*", + "ansi-escapes": "^4.2.1", + "chalk": "^4.0.0", + "exit": "^0.1.2", + "graceful-fs": "^4.2.4", + "jest-changed-files": "^26.6.2", + "jest-config": "^26.6.3", + "jest-haste-map": "^26.6.2", + "jest-message-util": "^26.6.2", + "jest-regex-util": "^26.0.0", + "jest-resolve": "^26.6.2", + "jest-resolve-dependencies": "^26.6.3", + "jest-runner": "^26.6.3", + "jest-runtime": "^26.6.3", + "jest-snapshot": "^26.6.2", + "jest-util": "^26.6.2", + "jest-validate": "^26.6.2", + "jest-watcher": "^26.6.2", + "micromatch": "^4.0.2", + "p-each-series": "^2.1.0", + "rimraf": "^3.0.0", + "slash": "^3.0.0", + "strip-ansi": "^6.0.0" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/@jest/core/node_modules/ansi-escapes": { + "version": "4.3.2", + "resolved": "http://localhost:4873/ansi-escapes/-/ansi-escapes-4.3.2.tgz", + "integrity": "sha512-gKXj5ALrKWQLsYG9jlTRmR/xKluxHV+Z9QEwNIgCfM1/uwPMCuzVVnh5mwTd+OuBZcwSIMbqssNWRm1lE51QaQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "type-fest": "^0.21.3" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/@jest/core/node_modules/jest-message-util": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-message-util/-/jest-message-util-26.6.2.tgz", + "integrity": "sha512-rGiLePzQ3AzwUshu2+Rn+UMFk0pHN58sOG+IaJbk5Jxuqo3NYO1U2/MIR4S1sKgsoYSXSzdtSa0TgrmtUwEbmA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/code-frame": "^7.0.0", + "@jest/types": "^26.6.2", + "@types/stack-utils": "^2.0.0", + "chalk": "^4.0.0", + "graceful-fs": "^4.2.4", + "micromatch": "^4.0.2", + "pretty-format": "^26.6.2", + "slash": "^3.0.0", + "stack-utils": "^2.0.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/@jest/core/node_modules/pretty-format": { + "version": "26.6.2", + "resolved": "http://localhost:4873/pretty-format/-/pretty-format-26.6.2.tgz", + "integrity": "sha512-7AeGuCYNGmycyQbCqd/3PWH4eOoX/OiCa0uphp57NVTeAGdJGaAliecxwBDHYQCIvrW7aDBZCYeNTP/WX69mkg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^26.6.2", + "ansi-regex": "^5.0.0", + "ansi-styles": "^4.0.0", + "react-is": "^17.0.1" + }, + "engines": { + "node": ">= 10" + } + }, + "node_modules/@jest/core/node_modules/react-is": { + "version": "17.0.2", + "resolved": "http://localhost:4873/react-is/-/react-is-17.0.2.tgz", + "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==", + "dev": true, + "license": "MIT" + }, + "node_modules/@jest/core/node_modules/rimraf": { + "version": "3.0.2", + "resolved": "http://localhost:4873/rimraf/-/rimraf-3.0.2.tgz", + "integrity": "sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==", + "deprecated": "Rimraf versions prior to v4 are no longer supported", + "dev": true, + "license": "ISC", + "dependencies": { + "glob": "^7.1.3" + }, + "bin": { + "rimraf": "bin.js" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/@jest/core/node_modules/slash": { + "version": "3.0.0", + "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", + "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/@jest/core/node_modules/type-fest": { + "version": "0.21.3", + "resolved": "http://localhost:4873/type-fest/-/type-fest-0.21.3.tgz", + "integrity": "sha512-t0rzBq87m3fVcduHDUFhKmyyX+9eo6WQjZvf51Ea/M0Q7+T374Jp1aUiyUl0GKxp8M/OETVHSDvmkyPgvX+X2w==", + "dev": true, + "license": "(MIT OR CC0-1.0)", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/@jest/environment": { + "version": "26.6.2", + "resolved": "http://localhost:4873/@jest/environment/-/environment-26.6.2.tgz", + "integrity": "sha512-nFy+fHl28zUrRsCeMB61VDThV1pVTtlEokBRgqPrcT1JNq4yRNIyTHfyht6PqtUvY9IsuLGTrbG8kPXjSZIZwA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/fake-timers": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/node": "*", + "jest-mock": "^26.6.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/@jest/expect-utils": { + "version": "29.7.0", + "resolved": "http://localhost:4873/@jest/expect-utils/-/expect-utils-29.7.0.tgz", + "integrity": "sha512-GlsNBWiFQFCVi9QVSx7f5AgMeLxe9YCCs5PuP2O2LdjDAA8Jh9eX7lA1Jq/xdXw3Wb3hyvlFNfZIfcRetSzYcA==", + "dev": true, + "license": "MIT", + "dependencies": { + "jest-get-type": "^29.6.3" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/@jest/fake-timers": { + "version": "26.6.2", + "resolved": "http://localhost:4873/@jest/fake-timers/-/fake-timers-26.6.2.tgz", + "integrity": "sha512-14Uleatt7jdzefLPYM3KLcnUl1ZNikaKq34enpb5XG9i81JpppDb5muZvonvKyrl7ftEHkKS5L5/eB/kxJ+bvA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^26.6.2", + "@sinonjs/fake-timers": "^6.0.1", + "@types/node": "*", + "jest-message-util": "^26.6.2", + "jest-mock": "^26.6.2", + "jest-util": "^26.6.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/@jest/fake-timers/node_modules/jest-message-util": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-message-util/-/jest-message-util-26.6.2.tgz", + "integrity": "sha512-rGiLePzQ3AzwUshu2+Rn+UMFk0pHN58sOG+IaJbk5Jxuqo3NYO1U2/MIR4S1sKgsoYSXSzdtSa0TgrmtUwEbmA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/code-frame": "^7.0.0", + "@jest/types": "^26.6.2", + "@types/stack-utils": "^2.0.0", + "chalk": "^4.0.0", + "graceful-fs": "^4.2.4", + "micromatch": "^4.0.2", + "pretty-format": "^26.6.2", + "slash": "^3.0.0", + "stack-utils": "^2.0.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/@jest/fake-timers/node_modules/pretty-format": { + "version": "26.6.2", + "resolved": "http://localhost:4873/pretty-format/-/pretty-format-26.6.2.tgz", + "integrity": "sha512-7AeGuCYNGmycyQbCqd/3PWH4eOoX/OiCa0uphp57NVTeAGdJGaAliecxwBDHYQCIvrW7aDBZCYeNTP/WX69mkg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^26.6.2", + "ansi-regex": "^5.0.0", + "ansi-styles": "^4.0.0", + "react-is": "^17.0.1" + }, + "engines": { + "node": ">= 10" + } + }, + "node_modules/@jest/fake-timers/node_modules/react-is": { + "version": "17.0.2", + "resolved": "http://localhost:4873/react-is/-/react-is-17.0.2.tgz", + "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==", + "dev": true, + "license": "MIT" + }, + "node_modules/@jest/fake-timers/node_modules/slash": { + "version": "3.0.0", + "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", + "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/@jest/globals": { + "version": "26.6.2", + "resolved": "http://localhost:4873/@jest/globals/-/globals-26.6.2.tgz", + "integrity": "sha512-85Ltnm7HlB/KesBUuALwQ68YTU72w9H2xW9FjZ1eL1U3lhtefjjl5c2MiUbpXt/i6LaPRvoOFJ22yCBSfQ0JIA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/environment": "^26.6.2", + "@jest/types": "^26.6.2", + "expect": "^26.6.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/@jest/globals/node_modules/diff-sequences": { + "version": "26.6.2", + "resolved": "http://localhost:4873/diff-sequences/-/diff-sequences-26.6.2.tgz", + "integrity": "sha512-Mv/TDa3nZ9sbc5soK+OoA74BsS3mL37yixCvUAQkiuA4Wz6YtwP/K47n2rv2ovzHZvoiQeA5FTQOschKkEwB0Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/@jest/globals/node_modules/expect": { + "version": "26.6.2", + "resolved": "http://localhost:4873/expect/-/expect-26.6.2.tgz", + "integrity": "sha512-9/hlOBkQl2l/PLHJx6JjoDF6xPKcJEsUlWKb23rKE7KzeDqUZKXKNMW27KIue5JMdBV9HgmoJPcc8HtO85t9IA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^26.6.2", + "ansi-styles": "^4.0.0", + "jest-get-type": "^26.3.0", + "jest-matcher-utils": "^26.6.2", + "jest-message-util": "^26.6.2", + "jest-regex-util": "^26.0.0" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/@jest/globals/node_modules/jest-diff": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-diff/-/jest-diff-26.6.2.tgz", + "integrity": "sha512-6m+9Z3Gv9wN0WFVasqjCL/06+EFCMTqDEUl/b87HYK2rAPTyfz4ZIuSlPhY51PIQRWx5TaxeF1qmXKe9gfN3sA==", + "dev": true, + "license": "MIT", + "dependencies": { + "chalk": "^4.0.0", + "diff-sequences": "^26.6.2", + "jest-get-type": "^26.3.0", + "pretty-format": "^26.6.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/@jest/globals/node_modules/jest-get-type": { + "version": "26.3.0", + "resolved": "http://localhost:4873/jest-get-type/-/jest-get-type-26.3.0.tgz", + "integrity": "sha512-TpfaviN1R2pQWkIihlfEanwOXK0zcxrKEE4MlU6Tn7keoXdN6/3gK/xl0yEh8DOunn5pOVGKf8hB4R9gVh04ig==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/@jest/globals/node_modules/jest-matcher-utils": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-matcher-utils/-/jest-matcher-utils-26.6.2.tgz", + "integrity": "sha512-llnc8vQgYcNqDrqRDXWwMr9i7rS5XFiCwvh6DTP7Jqa2mqpcCBBlpCbn+trkG0KNhPu/h8rzyBkriOtBstvWhw==", + "dev": true, + "license": "MIT", + "dependencies": { + "chalk": "^4.0.0", + "jest-diff": "^26.6.2", + "jest-get-type": "^26.3.0", + "pretty-format": "^26.6.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/@jest/globals/node_modules/jest-message-util": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-message-util/-/jest-message-util-26.6.2.tgz", + "integrity": "sha512-rGiLePzQ3AzwUshu2+Rn+UMFk0pHN58sOG+IaJbk5Jxuqo3NYO1U2/MIR4S1sKgsoYSXSzdtSa0TgrmtUwEbmA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/code-frame": "^7.0.0", + "@jest/types": "^26.6.2", + "@types/stack-utils": "^2.0.0", + "chalk": "^4.0.0", + "graceful-fs": "^4.2.4", + "micromatch": "^4.0.2", + "pretty-format": "^26.6.2", + "slash": "^3.0.0", + "stack-utils": "^2.0.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/@jest/globals/node_modules/pretty-format": { + "version": "26.6.2", + "resolved": "http://localhost:4873/pretty-format/-/pretty-format-26.6.2.tgz", + "integrity": "sha512-7AeGuCYNGmycyQbCqd/3PWH4eOoX/OiCa0uphp57NVTeAGdJGaAliecxwBDHYQCIvrW7aDBZCYeNTP/WX69mkg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^26.6.2", + "ansi-regex": "^5.0.0", + "ansi-styles": "^4.0.0", + "react-is": "^17.0.1" + }, + "engines": { + "node": ">= 10" + } + }, + "node_modules/@jest/globals/node_modules/react-is": { + "version": "17.0.2", + "resolved": "http://localhost:4873/react-is/-/react-is-17.0.2.tgz", + "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==", + "dev": true, + "license": "MIT" + }, + "node_modules/@jest/globals/node_modules/slash": { + "version": "3.0.0", + "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", + "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/@jest/reporters": { + "version": "26.6.2", + "resolved": "http://localhost:4873/@jest/reporters/-/reporters-26.6.2.tgz", + "integrity": "sha512-h2bW53APG4HvkOnVMo8q3QXa6pcaNt1HkwVsOPMBV6LD/q9oSpxNSYZQYkAnjdMjrJ86UuYeLo+aEZClV6opnw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@bcoe/v8-coverage": "^0.2.3", + "@jest/console": "^26.6.2", + "@jest/test-result": "^26.6.2", + "@jest/transform": "^26.6.2", + "@jest/types": "^26.6.2", + "chalk": "^4.0.0", + "collect-v8-coverage": "^1.0.0", + "exit": "^0.1.2", + "glob": "^7.1.2", + "graceful-fs": "^4.2.4", + "istanbul-lib-coverage": "^3.0.0", + "istanbul-lib-instrument": "^4.0.3", + "istanbul-lib-report": "^3.0.0", + "istanbul-lib-source-maps": "^4.0.0", + "istanbul-reports": "^3.0.2", + "jest-haste-map": "^26.6.2", + "jest-resolve": "^26.6.2", + "jest-util": "^26.6.2", + "jest-worker": "^26.6.2", + "slash": "^3.0.0", + "source-map": "^0.6.0", + "string-length": "^4.0.1", + "terminal-link": "^2.0.0", + "v8-to-istanbul": "^7.0.0" + }, + "engines": { + "node": ">= 10.14.2" + }, + "optionalDependencies": { + "node-notifier": "^8.0.0" + } + }, + "node_modules/@jest/reporters/node_modules/istanbul-lib-instrument": { + "version": "4.0.3", + "resolved": "http://localhost:4873/istanbul-lib-instrument/-/istanbul-lib-instrument-4.0.3.tgz", + "integrity": "sha512-BXgQl9kf4WTCPCCpmFGoJkz/+uhvm7h7PFKUYxh7qarQd3ER33vHG//qaE8eN25l07YqZPpHXU9I09l/RD5aGQ==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "@babel/core": "^7.7.5", + "@istanbuljs/schema": "^0.1.2", + "istanbul-lib-coverage": "^3.0.0", + "semver": "^6.3.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/@jest/reporters/node_modules/semver": { + "version": "6.3.1", + "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", + "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver.js" + } + }, + "node_modules/@jest/reporters/node_modules/slash": { + "version": "3.0.0", + "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", + "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/@jest/reporters/node_modules/source-map": { + "version": "0.6.1", + "resolved": "http://localhost:4873/source-map/-/source-map-0.6.1.tgz", + "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==", + "dev": true, + "license": "BSD-3-Clause", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/@jest/schemas": { + "version": "29.6.3", + "resolved": "http://localhost:4873/@jest/schemas/-/schemas-29.6.3.tgz", + "integrity": "sha512-mo5j5X+jIZmJQveBKeS/clAueipV7KgiX1vMgCxam1RNYiqE1w62n0/tJJnHtjW8ZHcQco5gY85jA3mi0L+nSA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@sinclair/typebox": "^0.27.8" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/@jest/source-map": { + "version": "26.6.2", + "resolved": "http://localhost:4873/@jest/source-map/-/source-map-26.6.2.tgz", + "integrity": "sha512-YwYcCwAnNmOVsZ8mr3GfnzdXDAl4LaenZP5z+G0c8bzC9/dugL8zRmxZzdoTl4IaS3CryS1uWnROLPFmb6lVvA==", + "dev": true, + "license": "MIT", + "dependencies": { + "callsites": "^3.0.0", + "graceful-fs": "^4.2.4", + "source-map": "^0.6.0" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/@jest/source-map/node_modules/source-map": { + "version": "0.6.1", + "resolved": "http://localhost:4873/source-map/-/source-map-0.6.1.tgz", + "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==", + "dev": true, + "license": "BSD-3-Clause", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/@jest/test-result": { + "version": "26.6.2", + "resolved": "http://localhost:4873/@jest/test-result/-/test-result-26.6.2.tgz", + "integrity": "sha512-5O7H5c/7YlojphYNrK02LlDIV2GNPYisKwHm2QTKjNZeEzezCbwYs9swJySv2UfPMyZ0VdsmMv7jIlD/IKYQpQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/console": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/istanbul-lib-coverage": "^2.0.0", + "collect-v8-coverage": "^1.0.0" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/@jest/test-sequencer": { + "version": "26.6.3", + "resolved": "http://localhost:4873/@jest/test-sequencer/-/test-sequencer-26.6.3.tgz", + "integrity": "sha512-YHlVIjP5nfEyjlrSr8t/YdNfU/1XEt7c5b4OxcXCjyRhjzLYu/rO69/WHPuYcbCWkz8kAeZVZp2N2+IOLLEPGw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/test-result": "^26.6.2", + "graceful-fs": "^4.2.4", + "jest-haste-map": "^26.6.2", + "jest-runner": "^26.6.3", + "jest-runtime": "^26.6.3" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/@jest/transform": { + "version": "26.6.2", + "resolved": "http://localhost:4873/@jest/transform/-/transform-26.6.2.tgz", + "integrity": "sha512-E9JjhUgNzvuQ+vVAL21vlyfy12gP0GhazGgJC4h6qUt1jSdUXGWJ1wfu/X7Sd8etSgxV4ovT1pb9v5D6QW4XgA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/core": "^7.1.0", + "@jest/types": "^26.6.2", + "babel-plugin-istanbul": "^6.0.0", + "chalk": "^4.0.0", + "convert-source-map": "^1.4.0", + "fast-json-stable-stringify": "^2.0.0", + "graceful-fs": "^4.2.4", + "jest-haste-map": "^26.6.2", + "jest-regex-util": "^26.0.0", + "jest-util": "^26.6.2", + "micromatch": "^4.0.2", + "pirates": "^4.0.1", + "slash": "^3.0.0", + "source-map": "^0.6.1", + "write-file-atomic": "^3.0.0" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/@jest/transform/node_modules/slash": { + "version": "3.0.0", + "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", + "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/@jest/transform/node_modules/source-map": { + "version": "0.6.1", + "resolved": "http://localhost:4873/source-map/-/source-map-0.6.1.tgz", + "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==", + "dev": true, + "license": "BSD-3-Clause", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/@jest/types": { + "version": "26.6.2", + "resolved": "http://localhost:4873/@jest/types/-/types-26.6.2.tgz", + "integrity": "sha512-fC6QCp7Sc5sX6g8Tvbmj4XUTbyrik0akgRy03yjXbQaBWWNWGE7SGtJk98m0N8nzegD/7SggrUlivxo5ax4KWQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/istanbul-lib-coverage": "^2.0.0", + "@types/istanbul-reports": "^3.0.0", + "@types/node": "*", + "@types/yargs": "^15.0.0", + "chalk": "^4.0.0" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/@jridgewell/gen-mapping": { + "version": "0.3.8", + "resolved": "http://localhost:4873/@jridgewell/gen-mapping/-/gen-mapping-0.3.8.tgz", + "integrity": "sha512-imAbBGkb+ebQyxKgzv5Hu2nmROxoDOXHh80evxdoXNOrvAnVx7zimzc1Oo5h9RlfV4vPXaE2iM5pOFbvOCClWA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jridgewell/set-array": "^1.2.1", + "@jridgewell/sourcemap-codec": "^1.4.10", + "@jridgewell/trace-mapping": "^0.3.24" + }, + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@jridgewell/resolve-uri": { + "version": "3.1.2", + "resolved": "http://localhost:4873/@jridgewell/resolve-uri/-/resolve-uri-3.1.2.tgz", + "integrity": "sha512-bRISgCIjP20/tbWSPWMEi54QVPRZExkuD9lJL+UIxUKtwVJA8wW1Trb1jMs1RFXo1CBTNZ/5hpC9QvmKWdopKw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@jridgewell/set-array": { + "version": "1.2.1", + "resolved": "http://localhost:4873/@jridgewell/set-array/-/set-array-1.2.1.tgz", + "integrity": "sha512-R8gLRTZeyp03ymzP/6Lil/28tGeGEzhx1q2k703KGWRAI1VdvPIXdG70VJc2pAMw3NA6JKL5hhFu1sJX0Mnn/A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@jridgewell/source-map": { + "version": "0.3.6", + "resolved": "http://localhost:4873/@jridgewell/source-map/-/source-map-0.3.6.tgz", + "integrity": "sha512-1ZJTZebgqllO79ue2bm3rIGud/bOe0pP5BjSRCRxxYkEZS8STV7zN84UBbiYu7jy+eCKSnVIUgoWWE/tt+shMQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jridgewell/gen-mapping": "^0.3.5", + "@jridgewell/trace-mapping": "^0.3.25" + } + }, + "node_modules/@jridgewell/sourcemap-codec": { + "version": "1.5.0", + "resolved": "http://localhost:4873/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.5.0.tgz", + "integrity": "sha512-gv3ZRaISU3fjPAgNsriBRqGWQL6quFx04YMPW/zD8XMLsU32mhCCbfbO6KZFLjvYpCZ8zyDEgqsgf+PwPaM7GQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/@jridgewell/trace-mapping": { + "version": "0.3.25", + "resolved": "http://localhost:4873/@jridgewell/trace-mapping/-/trace-mapping-0.3.25.tgz", + "integrity": "sha512-vNk6aEwybGtawWmy/PzwnGDOjCkLWSD2wqvjGGAgOAwCGWySYXfYoxt00IJkTF+8Lb57DwOb3Aa0o9CApepiYQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jridgewell/resolve-uri": "^3.1.0", + "@jridgewell/sourcemap-codec": "^1.4.14" + } + }, + "node_modules/@lhci/cli": { + "version": "0.11.1", + "resolved": "http://localhost:4873/@lhci/cli/-/cli-0.11.1.tgz", + "integrity": "sha512-NDq7Cd6cfINLuI88FSQt+hZ1RSRyOi4TFOO9MVip4BHtSm+BG83sYRGMllUoBt12N6F+5UQte58A9sJz65EI1g==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "@lhci/utils": "0.11.1", + "chrome-launcher": "^0.13.4", + "compression": "^1.7.4", + "debug": "^4.3.1", + "express": "^4.17.1", + "https-proxy-agent": "^5.0.0", + "inquirer": "^6.3.1", + "isomorphic-fetch": "^3.0.0", + "lighthouse": "9.6.8", + "lighthouse-logger": "1.2.0", + "open": "^7.1.0", + "tmp": "^0.1.0", + "uuid": "^8.3.1", + "yargs": "^15.4.1", + "yargs-parser": "^13.1.2" + }, + "bin": { + "lhci": "src/cli.js" + } + }, + "node_modules/@lhci/utils": { + "version": "0.11.1", + "resolved": "http://localhost:4873/@lhci/utils/-/utils-0.11.1.tgz", + "integrity": "sha512-ABUp+AFLRdfQ3+nTDinGxZAz4afBMjEoC1g9GlL5b9Faa9eC90fcmv4uS5V+jcQWFMYjbYpsajHIJfI6r6OIjA==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "debug": "^4.3.1", + "isomorphic-fetch": "^3.0.0", + "js-yaml": "^3.13.1", + "lighthouse": "9.6.8", + "tree-kill": "^1.2.1" + } + }, + "node_modules/@loadable/babel-plugin": { + "version": "5.16.1", + "resolved": "http://localhost:4873/@loadable/babel-plugin/-/babel-plugin-5.16.1.tgz", + "integrity": "sha512-y+oKjRTt5XXf907ReFxiZyQtkYiIa4NAPQYlxb2qh5rUO/UsOKPq2PhCSHvfwoZOUJaMsY0FnoAPZ6lhFZkayQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/plugin-syntax-dynamic-import": "^7.7.4" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "type": "github", + "url": "https://github.com/sponsors/gregberge" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@loadable/component": { + "version": "5.16.7", + "resolved": "http://localhost:4873/@loadable/component/-/component-5.16.7.tgz", + "integrity": "sha512-XvkFixLUOTEaj8lI7uwc4nf8Wmq3IulYG7SZHCWcPm/Li5gjJDFfIkgWOLPnD7jqPJVtAG9bEz4SCek+SpHYYg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.12.18", + "hoist-non-react-statics": "^3.3.1", + "react-is": "^16.12.0" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "type": "github", + "url": "https://github.com/sponsors/gregberge" + }, + "peerDependencies": { + "react": "^16.3.0 || ^17.0.0 || ^18.0.0 || ^19.0.0" + } + }, + "node_modules/@loadable/server": { + "version": "5.16.7", + "resolved": "http://localhost:4873/@loadable/server/-/server-5.16.7.tgz", + "integrity": "sha512-wdRmljftCjzyh75xeyc4+3UL2DGz25/YUrB7BT7VTgVRovHmDThl7feu/01w2C+vSxBqzpMkiuPjSftFPL/Fqw==", + "dev": true, + "license": "MIT", + "dependencies": { + "lodash": "^4.17.15" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "type": "github", + "url": "https://github.com/sponsors/gregberge" + }, + "peerDependencies": { + "@loadable/component": "^5.0.1", + "react": "^16.3.0 || ^17.0.0 || ^18.0.0 || ^19.0.0" + } + }, + "node_modules/@loadable/webpack-plugin": { + "version": "5.15.2", + "resolved": "http://localhost:4873/@loadable/webpack-plugin/-/webpack-plugin-5.15.2.tgz", + "integrity": "sha512-+o87jPHn3E8sqW0aBA+qwKuG8JyIfMGdz3zECv0t/JF0KHhxXtzIlTiqzlIYc5ZpFs/vKSQfjzGIR5tPJjoXDw==", + "dev": true, + "license": "MIT", + "dependencies": { + "make-dir": "^3.0.2" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "type": "github", + "url": "https://github.com/sponsors/gregberge" + }, + "peerDependencies": { + "webpack": ">=4.6.0" + } + }, + "node_modules/@loadable/webpack-plugin/node_modules/make-dir": { + "version": "3.1.0", + "resolved": "http://localhost:4873/make-dir/-/make-dir-3.1.0.tgz", + "integrity": "sha512-g3FeP20LNwhALb/6Cz6Dd4F2ngze0jz7tbzrD2wAV+o9FeNHe4rL+yK2md0J/fiSf1sa1ADhXqi5+oVwOM/eGw==", + "dev": true, + "license": "MIT", + "dependencies": { + "semver": "^6.0.0" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/@loadable/webpack-plugin/node_modules/semver": { + "version": "6.3.1", + "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", + "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver.js" + } + }, + "node_modules/@mswjs/cookies": { + "version": "0.2.2", + "resolved": "http://localhost:4873/@mswjs/cookies/-/cookies-0.2.2.tgz", + "integrity": "sha512-mlN83YSrcFgk7Dm1Mys40DLssI1KdJji2CMKN8eOlBqsTADYzj2+jWzsANsUTFbxDMWPD5e9bfA1RGqBpS3O1g==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/set-cookie-parser": "^2.4.0", + "set-cookie-parser": "^2.4.6" + }, + "engines": { + "node": ">=14" + } + }, + "node_modules/@mswjs/interceptors": { + "version": "0.17.10", + "resolved": "http://localhost:4873/@mswjs/interceptors/-/interceptors-0.17.10.tgz", + "integrity": "sha512-N8x7eSLGcmUFNWZRxT1vsHvypzIRgQYdG0rJey/rZCy6zT/30qDt8Joj7FxzGNLSwXbeZqJOMqDurp7ra4hgbw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@open-draft/until": "^1.0.3", + "@types/debug": "^4.1.7", + "@xmldom/xmldom": "^0.8.3", + "debug": "^4.3.3", + "headers-polyfill": "3.2.5", + "outvariant": "^1.2.1", + "strict-event-emitter": "^0.2.4", + "web-encoding": "^1.1.5" + }, + "engines": { + "node": ">=14" + } + }, + "node_modules/@mswjs/interceptors/node_modules/events": { + "version": "3.3.0", + "resolved": "http://localhost:4873/events/-/events-3.3.0.tgz", + "integrity": "sha512-mQw+2fkQbALzQ7V0MY0IqdnXNOeTtP4r0lN9z7AAawCXgqea7bDii20AYrIBrFd/Hx0M2Ocz6S111CaFkUcb0Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.8.x" + } + }, + "node_modules/@mswjs/interceptors/node_modules/headers-polyfill": { + "version": "3.2.5", + "resolved": "http://localhost:4873/headers-polyfill/-/headers-polyfill-3.2.5.tgz", + "integrity": "sha512-tUCGvt191vNSQgttSyJoibR+VO+I6+iCHIUdhzEMJKE+EAL8BwCN7fUOZlY4ofOelNHsK+gEjxB/B+9N3EWtdA==", + "dev": true, + "license": "MIT" + }, + "node_modules/@mswjs/interceptors/node_modules/strict-event-emitter": { + "version": "0.2.8", + "resolved": "http://localhost:4873/strict-event-emitter/-/strict-event-emitter-0.2.8.tgz", + "integrity": "sha512-KDf/ujU8Zud3YaLtMCcTI4xkZlZVIYxTLr+XIULexP+77EEVWixeXroLUXQXiVtH4XH2W7jr/3PT1v3zBuvc3A==", + "dev": true, + "license": "MIT", + "dependencies": { + "events": "^3.3.0" + } + }, + "node_modules/@nicolo-ribaudo/chokidar-2": { + "version": "2.1.8-no-fsevents.3", + "resolved": "http://localhost:4873/@nicolo-ribaudo/chokidar-2/-/chokidar-2-2.1.8-no-fsevents.3.tgz", + "integrity": "sha512-s88O1aVtXftvp5bCPB7WnmXc5IwOZZ7YPuwNPt+GtOOXpPvad1LfbmjYv+qII7zP6RU2QGnqve27dnLycEnyEQ==", + "dev": true, + "license": "MIT", + "optional": true + }, + "node_modules/@nicolo-ribaudo/eslint-scope-5-internals": { + "version": "5.1.1-v1", + "resolved": "http://localhost:4873/@nicolo-ribaudo/eslint-scope-5-internals/-/eslint-scope-5-internals-5.1.1-v1.tgz", + "integrity": "sha512-54/JRvkLIzzDWshCWfuhadfrfZVPiElY8Fcgmg1HroEly/EDSszzhBAsarCux+D/kOslTRquNzuyGSmUSTTHGg==", + "dev": true, + "license": "MIT", + "dependencies": { + "eslint-scope": "5.1.1" + } + }, + "node_modules/@nodelib/fs.scandir": { + "version": "2.1.5", + "resolved": "http://localhost:4873/@nodelib/fs.scandir/-/fs.scandir-2.1.5.tgz", + "integrity": "sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==", + "dev": true, + "license": "MIT", + "dependencies": { + "@nodelib/fs.stat": "2.0.5", + "run-parallel": "^1.1.9" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/@nodelib/fs.stat": { + "version": "2.0.5", + "resolved": "http://localhost:4873/@nodelib/fs.stat/-/fs.stat-2.0.5.tgz", + "integrity": "sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 8" + } + }, + "node_modules/@nodelib/fs.walk": { + "version": "1.2.8", + "resolved": "http://localhost:4873/@nodelib/fs.walk/-/fs.walk-1.2.8.tgz", + "integrity": "sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@nodelib/fs.scandir": "2.1.5", + "fastq": "^1.6.0" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/@open-draft/until": { + "version": "1.0.3", + "resolved": "http://localhost:4873/@open-draft/until/-/until-1.0.3.tgz", + "integrity": "sha512-Aq58f5HiWdyDlFffbbSjAlv596h/cOnt2DO1w3DOC7OJ5EHs0hd/nycJfiu9RJbT6Yk6F1knnRRXNSpxoIVZ9Q==", + "dev": true, + "license": "MIT" + }, + "node_modules/@peculiar/asn1-schema": { + "version": "2.3.15", + "resolved": "http://localhost:4873/@peculiar/asn1-schema/-/asn1-schema-2.3.15.tgz", + "integrity": "sha512-QPeD8UA8axQREpgR5UTAfu2mqQmm97oUqahDtNdBcfj3qAnoXzFdQW+aNf/tD2WVXF8Fhmftxoj0eMIT++gX2w==", + "dev": true, + "license": "MIT", + "dependencies": { + "asn1js": "^3.0.5", + "pvtsutils": "^1.3.6", + "tslib": "^2.8.1" + } + }, + "node_modules/@peculiar/json-schema": { + "version": "1.1.12", + "resolved": "http://localhost:4873/@peculiar/json-schema/-/json-schema-1.1.12.tgz", + "integrity": "sha512-coUfuoMeIB7B8/NMekxaDzLhaYmp0HZNPEjYRm9goRou8UZIC3z21s0sL9AWoCw4EG876QyO3kYrc61WNF9B/w==", + "dev": true, + "license": "MIT", + "dependencies": { + "tslib": "^2.0.0" + }, + "engines": { + "node": ">=8.0.0" + } + }, + "node_modules/@peculiar/webcrypto": { + "version": "1.5.0", + "resolved": "http://localhost:4873/@peculiar/webcrypto/-/webcrypto-1.5.0.tgz", + "integrity": "sha512-BRs5XUAwiyCDQMsVA9IDvDa7UBR9gAvPHgugOeGng3YN6vJ9JYonyDc0lNczErgtCWtucjR5N7VtaonboD/ezg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@peculiar/asn1-schema": "^2.3.8", + "@peculiar/json-schema": "^1.1.12", + "pvtsutils": "^1.3.5", + "tslib": "^2.6.2", + "webcrypto-core": "^1.8.0" + }, + "engines": { + "node": ">=10.12.0" + } + }, + "node_modules/@pmmmwh/react-refresh-webpack-plugin": { + "version": "0.5.16", + "resolved": "http://localhost:4873/@pmmmwh/react-refresh-webpack-plugin/-/react-refresh-webpack-plugin-0.5.16.tgz", + "integrity": "sha512-kLQc9xz6QIqd2oIYyXRUiAp79kGpFBm3fEM9ahfG1HI0WI5gdZ2OVHWdmZYnwODt7ISck+QuQ6sBPrtvUBML7Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-html": "^0.0.9", + "core-js-pure": "^3.23.3", + "error-stack-parser": "^2.0.6", + "html-entities": "^2.1.0", + "loader-utils": "^2.0.4", + "schema-utils": "^4.2.0", + "source-map": "^0.7.3" + }, + "engines": { + "node": ">= 10.13" + }, + "peerDependencies": { + "@types/webpack": "4.x || 5.x", + "react-refresh": ">=0.10.0 <1.0.0", + "sockjs-client": "^1.4.0", + "type-fest": ">=0.17.0 <5.0.0", + "webpack": ">=4.43.0 <6.0.0", + "webpack-dev-server": "3.x || 4.x || 5.x", + "webpack-hot-middleware": "2.x", + "webpack-plugin-serve": "0.x || 1.x" + }, + "peerDependenciesMeta": { + "@types/webpack": { + "optional": true + }, + "sockjs-client": { + "optional": true + }, + "type-fest": { + "optional": true + }, + "webpack-dev-server": { + "optional": true + }, + "webpack-hot-middleware": { + "optional": true + }, + "webpack-plugin-serve": { + "optional": true + } + } + }, + "node_modules/@pmmmwh/react-refresh-webpack-plugin/node_modules/source-map": { + "version": "0.7.4", + "resolved": "http://localhost:4873/source-map/-/source-map-0.7.4.tgz", + "integrity": "sha512-l3BikUxvPOcn5E74dZiq5BGsTb5yEwhaTSzccU6t4sDOH8NWJCstKO5QT2CvtFoK6F0saL7p9xHAqHOlCPJygA==", + "dev": true, + "license": "BSD-3-Clause", + "engines": { + "node": ">= 8" + } + }, + "node_modules/@polka/url": { + "version": "1.0.0-next.29", + "resolved": "http://localhost:4873/@polka/url/-/url-1.0.0-next.29.tgz", + "integrity": "sha512-wwQAWhWSuHaag8c4q/KN/vCoeOJYshAIvMQwD4GpSb3OiZklFfvAgmj0VCBBImRpuF/aFgIRzllXlVX93Jevww==", + "dev": true, + "license": "MIT" + }, + "node_modules/@popperjs/core": { + "version": "2.11.8", + "resolved": "http://localhost:4873/@popperjs/core/-/core-2.11.8.tgz", + "integrity": "sha512-P1st0aksCrn9sGZhp8GMYwBnQsbvAWsZAX44oXNNvLHGqAOcoVxmjZiohstwQ7SqKnbR47akdNi+uleWD8+g6A==", + "dev": true, + "license": "MIT", + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/popperjs" + } + }, + "node_modules/@salesforce/cc-datacloud-typescript": { + "version": "1.1.2", + "resolved": "http://localhost:4873/@salesforce/cc-datacloud-typescript/-/cc-datacloud-typescript-1.1.2.tgz", + "integrity": "sha512-1zF4j3BCM92EMGRmIn6ti6IJ45hQINjXS30RMhVgwOewXtFXFgBvIrkbtPmBCxYh1dg7tpck4i2uB0K2E8GdbQ==", + "dev": true, + "license": "ISC", + "dependencies": { + "headers-polyfill": "^4.0.2", + "openapi-fetch": "^0.8.2", + "rollup": "^2.79.1" + }, + "engines": { + "node": ">=18" + } + }, + "node_modules/@salesforce/commerce-sdk-react": { + "version": "3.3.0-dev.1", + "resolved": "http://localhost:4873/@salesforce/commerce-sdk-react/-/commerce-sdk-react-3.3.0-dev.1.tgz", + "integrity": "sha512-O00Io0uZkqdLww8pwRlTkIog8059a0wvyX8+KfooFWZF8sNEZ49hTKdXZb+mjGf5Tys72TmhoJEsRZ1PIuN9Cw==", + "dev": true, + "license": "See license in LICENSE", + "dependencies": { + "commerce-sdk-isomorphic": "^3.3.0", + "js-cookie": "^3.0.1", + "jwt-decode": "^4.0.0" + }, + "engines": { + "node": "^16.11.0 || ^18.0.0 || ^20.0.0 || ^22.0.0", + "npm": "^8.0.0 || ^9.0.0 || ^10.0.0 || ^11.0.0" + }, + "optionalDependencies": { + "prop-types": "^15.8.1", + "react-router-dom": "^5.3.4" + }, + "peerDependencies": { + "@tanstack/react-query": "^4.28.0", + "react": "^18.2.0", + "react-helmet": "^6.1.0" + } + }, + "node_modules/@salesforce/pwa-kit-dev": { + "version": "3.10.0-dev.1", + "resolved": "http://localhost:4873/@salesforce/pwa-kit-dev/-/pwa-kit-dev-3.10.0-dev.1.tgz", + "integrity": "sha512-hCUqZyovJWMNG6tN0CWgbxI+bDGEE7Rm2/YJc4d83Cd+Mp7ejzRZhaH98WLRPyQ0Txi4h30THv6V2d7nNASk/g==", + "dev": true, + "license": "SEE LICENSE IN LICENSE", + "dependencies": { + "@babel/cli": "^7.21.0", + "@babel/core": "^7.21.3", + "@babel/eslint-parser": "^7.21.3", + "@babel/node": "^7.22.5", + "@babel/parser": "^7.21.3", + "@babel/plugin-proposal-object-rest-spread": "^7.20.7", + "@babel/plugin-proposal-optional-chaining": "^7.21.0", + "@babel/plugin-transform-async-generator-functions": "^7.22.3", + "@babel/plugin-transform-async-to-generator": "^7.20.7", + "@babel/plugin-transform-object-assign": "^7.18.6", + "@babel/plugin-transform-runtime": "^7.21.0", + "@babel/preset-env": "^7.20.2", + "@babel/preset-react": "^7.18.6", + "@babel/preset-typescript": "^7.21.0", + "@babel/register": "^7.21.0", + "@babel/runtime": "^7.21.0", + "@babel/runtime-corejs2": "^7.21.0", + "@babel/traverse": "^7.23.2", + "@loadable/babel-plugin": "^5.15.3", + "@loadable/server": "^5.15.3", + "@loadable/webpack-plugin": "^5.15.2", + "@pmmmwh/react-refresh-webpack-plugin": "^0.5.10", + "@salesforce/pwa-kit-runtime": "3.10.0-dev.1", + "@typescript-eslint/eslint-plugin": "^5.57.0", + "@typescript-eslint/parser": "^5.57.0", + "archiver": "1.3.0", + "babel-jest": "^26.6.3", + "babel-loader": "^8.3.0", + "babel-plugin-dynamic-import-node-babel-7": "^2.0.7", + "babel-plugin-formatjs": "10.5.36", + "chalk": "^4.1.2", + "commander": "^9.5.0", + "compression": "1.7.4", + "copy-webpack-plugin": "^9.1.0", + "cross-env": "^5.2.1", + "eslint": "^8.37.0", + "eslint-config-prettier": "8.8.0", + "eslint-plugin-jest": "^27.2.1", + "eslint-plugin-jsx-a11y": "6.7.1", + "eslint-plugin-prettier": "4.2.1", + "eslint-plugin-react": "^7.32.2", + "eslint-plugin-react-hooks": "^4.6.0", + "eslint-plugin-use-effect-no-deps": "^1.1.2", + "express": "^4.19.2", + "fs-extra": "^11.1.1", + "git-rev-sync": "^3.0.2", + "glob": "7.2.3", + "ignore-loader": "^0.1.2", + "jest": "^26.6.3", + "jest-cli": "^26.6.3", + "jest-environment-jsdom": "^26.6.2", + "jest-environment-jsdom-global": "^2.0.4", + "jest-expect-message": "1.1.3", + "jest-fetch-mock": "^2.1.2", + "mime-types": "2.1.35", + "minimatch": "3.1.2", + "node-fetch": "^2.6.9", + "open": "^8.4.2", + "prettier": "^2.8.6", + "react-refresh": "^0.14.0", + "replace-in-file": "^6.3.5", + "require-from-string": "^2.0.2", + "rimraf": "2.7.1", + "semver": "^7.5.2", + "source-map-loader": "^4.0.1", + "speed-measure-webpack-plugin": "^1.5.0", + "svg-sprite-loader": "^6.0.11", + "validator": "^13.9.0", + "webpack": "^5.76.3", + "webpack-bundle-analyzer": "^4.8.0", + "webpack-cli": "^4.10.0", + "webpack-dev-middleware": "^5.3.4", + "webpack-hot-middleware": "^2.25.3", + "webpack-hot-server-middleware": "^0.6.1", + "webpack-notifier": "^1.15.0", + "ws": "^8.13.0" + }, + "bin": { + "pwa-kit-dev": "bin/pwa-kit-dev.js" + }, + "engines": { + "node": "^16.11.0 || ^18.0.0 || ^20.0.0 || ^22.0.0", + "npm": "^8.0.0 || ^9.0.0 || ^10.0.0 || ^11.0.0" + }, + "peerDependencies": { + "@loadable/component": "^5.15.3", + "typescript": "4.9.5" + }, + "peerDependenciesMeta": { + "@loadable/component": { + "optional": true + }, + "typescript": { + "optional": true + } + } + }, + "node_modules/@salesforce/pwa-kit-dev/node_modules/bytes": { + "version": "3.0.0", + "resolved": "http://localhost:4873/bytes/-/bytes-3.0.0.tgz", + "integrity": "sha512-pMhOfFDPiv9t5jjIXkHosWmkSyQbvsgEVNkz0ERHbuLh2T/7j4Mqqpz523Fe8MVY89KC6Sh/QfS2sM+SjgFDcw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/@salesforce/pwa-kit-dev/node_modules/compression": { + "version": "1.7.4", + "resolved": "http://localhost:4873/compression/-/compression-1.7.4.tgz", + "integrity": "sha512-jaSIDzP9pZVS4ZfQ+TzvtiWhdpFhE2RDHz8QJkpX9SIpLq88VueF5jJw6t+6CUQcAoA6t+x89MLrWAqpfDE8iQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "accepts": "~1.3.5", + "bytes": "3.0.0", + "compressible": "~2.0.16", + "debug": "2.6.9", + "on-headers": "~1.0.2", + "safe-buffer": "5.1.2", + "vary": "~1.1.2" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/@salesforce/pwa-kit-dev/node_modules/debug": { + "version": "2.6.9", + "resolved": "http://localhost:4873/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "dev": true, + "license": "MIT", + "dependencies": { + "ms": "2.0.0" + } + }, + "node_modules/@salesforce/pwa-kit-dev/node_modules/ms": { + "version": "2.0.0", + "resolved": "http://localhost:4873/ms/-/ms-2.0.0.tgz", + "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", + "dev": true, + "license": "MIT" + }, + "node_modules/@salesforce/pwa-kit-dev/node_modules/open": { + "version": "8.4.2", + "resolved": "http://localhost:4873/open/-/open-8.4.2.tgz", + "integrity": "sha512-7x81NCL719oNbsq/3mh+hVrAWmFuEYUqrq/Iw3kUzH8ReypT9QQ0BLoJS7/G9k6N81XjW4qHWtjWwe/9eLy1EQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "define-lazy-prop": "^2.0.0", + "is-docker": "^2.1.1", + "is-wsl": "^2.2.0" + }, + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/@salesforce/pwa-kit-dev/node_modules/safe-buffer": { + "version": "5.1.2", + "resolved": "http://localhost:4873/safe-buffer/-/safe-buffer-5.1.2.tgz", + "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==", + "dev": true, + "license": "MIT" + }, + "node_modules/@salesforce/pwa-kit-react-sdk": { + "version": "3.10.0-dev.1", + "resolved": "http://localhost:4873/@salesforce/pwa-kit-react-sdk/-/pwa-kit-react-sdk-3.10.0-dev.1.tgz", + "integrity": "sha512-Hv7g/iVhv7hLTs78PkfJJ16A7e9da8B9UzhMUORQTrP7szfeoB4D7dg4IGeEOn1TFSiphDDlwOc/cBQN4KCvFg==", + "dev": true, + "license": "SEE LICENSE IN LICENSE", + "dependencies": { + "@loadable/babel-plugin": "^5.15.3", + "@loadable/server": "^5.15.3", + "@loadable/webpack-plugin": "^5.15.2", + "@salesforce/pwa-kit-runtime": "3.10.0-dev.1", + "@tanstack/react-query": "^4.28.0", + "cross-env": "^5.2.1", + "event-emitter": "^0.3.5", + "hoist-non-react-statics": "^3.3.2", + "prop-types": "^15.8.1", + "react-ssr-prepass": "^1.5.0", + "react-uid": "^2.3.2", + "serialize-javascript": "^6.0.2", + "svg-sprite-loader": "^6.0.11" + }, + "engines": { + "node": "^16.11.0 || ^18.0.0 || ^20.0.0 || ^22.0.0", + "npm": "^8.0.0 || ^9.0.0 || ^10.0.0 || ^11.0.0" + }, + "peerDependencies": { + "@loadable/component": "^5.15.3", + "react": "^18.2.0", + "react-dom": "^18.2.0", + "react-helmet": "^6.1.0", + "react-router-dom": "^5.3.4" + } + }, + "node_modules/@salesforce/pwa-kit-runtime": { + "version": "3.10.0-dev.1", + "resolved": "http://localhost:4873/@salesforce/pwa-kit-runtime/-/pwa-kit-runtime-3.10.0-dev.1.tgz", + "integrity": "sha512-FJatkJw0VAXNtIFQU3PyVyuSYUB/7hODt3u53BxR45xhIyXMoT4/fyXG/RlbbOYPOPYocrr/N0iYO/0TV3V/3A==", + "dev": true, + "license": "SEE LICENSE IN LICENSE", + "dependencies": { + "@loadable/babel-plugin": "^5.15.3", + "aws-sdk": "^2.1354.0", + "aws-serverless-express": "3.4.0", + "cosmiconfig": "8.1.3", + "cross-env": "^5.2.1", + "express": "^4.19.2", + "header-case": "1.0.1", + "http-proxy-middleware": "^2.0.6", + "merge-descriptors": "^1.0.1", + "morgan": "^1.10.0", + "semver": "^7.5.2", + "set-cookie-parser": "^2.6.0", + "whatwg-encoding": "^1.0.5" + }, + "engines": { + "node": "^16.11.0 || ^18.0.0 || ^20.0.0 || ^22.0.0", + "npm": "^8.0.0 || ^9.0.0 || ^10.0.0 || ^11.0.0" + }, + "peerDependencies": { + "@salesforce/pwa-kit-dev": "3.10.0-dev.1" + }, + "peerDependenciesMeta": { + "@salesforce/pwa-kit-dev": { + "optional": true + } + } + }, + "node_modules/@salesforce/retail-react-app": { + "version": "7.0.0-dev.0", + "resolved": "http://localhost:4873/@salesforce/retail-react-app/-/retail-react-app-7.0.0-dev.0.tgz", + "integrity": "sha512-XhFR/BwlxauhjfReaztrc+yBtypyHOCq8FgV4d9Z5AIxTSt9KTG7aRuLJFt3CBkQfyTsZtQxtLINzesBymzKQw==", + "dev": true, + "hasInstallScript": true, + "license": "See license in LICENSE", + "dependencies": { + "@chakra-ui/icons": "^2.0.19", + "@chakra-ui/react": "^2.6.0", + "@chakra-ui/skip-nav": "^2.0.15", + "@chakra-ui/system": "^2.5.6", + "@emotion/react": "^11.10.6", + "@emotion/styled": "^11.10.6", + "@formatjs/cli": "^6.0.4", + "@lhci/cli": "^0.11.0", + "@loadable/component": "^5.15.3", + "@peculiar/webcrypto": "^1.4.2", + "@salesforce/cc-datacloud-typescript": "1.1.2", + "@salesforce/commerce-sdk-react": "3.3.0-dev.1", + "@salesforce/pwa-kit-dev": "3.10.0-dev.1", + "@salesforce/pwa-kit-react-sdk": "3.10.0-dev.1", + "@salesforce/pwa-kit-runtime": "3.10.0-dev.1", + "@tanstack/react-query": "^4.28.0", + "@tanstack/react-query-devtools": "^4.29.1", + "@testing-library/dom": "^9.0.1", + "@testing-library/jest-dom": "^5.16.5", + "@testing-library/react": "^14.0.0", + "@testing-library/user-event": "^14.4.3", + "babel-plugin-module-resolver": "5.0.2", + "base64-arraybuffer": "^0.2.0", + "bundlesize2": "^0.0.35", + "card-validator": "^8.1.1", + "cross-env": "^5.2.1", + "cross-fetch": "^3.1.4", + "focus-visible": "^5.2.0", + "framer-motion": "^10.12.9", + "full-icu": "^1.5.0", + "helmet": "^4.6.0", + "jest-fetch-mock": "^2.1.2", + "jose": "^4.14.4", + "js-cookie": "^3.0.1", + "jsonwebtoken": "^9.0.0", + "jwt-decode": "^4.0.0", + "lodash": "^4.17.21", + "msw": "^1.2.1", + "nanoid": "^3.3.8", + "prop-types": "^15.8.1", + "query-string": "^7.1.3", + "raf": "^3.4.1", + "randomstring": "^1.2.3", + "react": "^18.2.0", + "react-dom": "^18.2.0", + "react-helmet": "^6.1.0", + "react-hook-form": "^7.43.9", + "react-intl": "^5.25.1", + "react-router-dom": "^5.3.4" + }, + "engines": { + "node": "^16.11.0 || ^18.0.0 || ^20.0.0 || ^22.0.0", + "npm": "^8.0.0 || ^9.0.0 || ^10.0.0 || ^11.0.0" + } + }, + "node_modules/@sentry/core": { + "version": "6.19.7", + "resolved": "http://localhost:4873/@sentry/core/-/core-6.19.7.tgz", + "integrity": "sha512-tOfZ/umqB2AcHPGbIrsFLcvApdTm9ggpi/kQZFkej7kMphjT+SGBiQfYtjyg9jcRW+ilAR4JXC9BGKsdEQ+8Vw==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "@sentry/hub": "6.19.7", + "@sentry/minimal": "6.19.7", + "@sentry/types": "6.19.7", + "@sentry/utils": "6.19.7", + "tslib": "^1.9.3" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/@sentry/core/node_modules/tslib": { + "version": "1.14.1", + "resolved": "http://localhost:4873/tslib/-/tslib-1.14.1.tgz", + "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==", + "dev": true, + "license": "0BSD" + }, + "node_modules/@sentry/hub": { + "version": "6.19.7", + "resolved": "http://localhost:4873/@sentry/hub/-/hub-6.19.7.tgz", + "integrity": "sha512-y3OtbYFAqKHCWezF0EGGr5lcyI2KbaXW2Ik7Xp8Mu9TxbSTuwTe4rTntwg8ngPjUQU3SUHzgjqVB8qjiGqFXCA==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "@sentry/types": "6.19.7", + "@sentry/utils": "6.19.7", + "tslib": "^1.9.3" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/@sentry/hub/node_modules/tslib": { + "version": "1.14.1", + "resolved": "http://localhost:4873/tslib/-/tslib-1.14.1.tgz", + "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==", + "dev": true, + "license": "0BSD" + }, + "node_modules/@sentry/minimal": { + "version": "6.19.7", + "resolved": "http://localhost:4873/@sentry/minimal/-/minimal-6.19.7.tgz", + "integrity": "sha512-wcYmSJOdvk6VAPx8IcmZgN08XTXRwRtB1aOLZm+MVHjIZIhHoBGZJYTVQS/BWjldsamj2cX3YGbGXNunaCfYJQ==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "@sentry/hub": "6.19.7", + "@sentry/types": "6.19.7", + "tslib": "^1.9.3" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/@sentry/minimal/node_modules/tslib": { + "version": "1.14.1", + "resolved": "http://localhost:4873/tslib/-/tslib-1.14.1.tgz", + "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==", + "dev": true, + "license": "0BSD" + }, + "node_modules/@sentry/node": { + "version": "6.19.7", + "resolved": "http://localhost:4873/@sentry/node/-/node-6.19.7.tgz", + "integrity": "sha512-gtmRC4dAXKODMpHXKfrkfvyBL3cI8y64vEi3fDD046uqYcrWdgoQsffuBbxMAizc6Ez1ia+f0Flue6p15Qaltg==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "@sentry/core": "6.19.7", + "@sentry/hub": "6.19.7", + "@sentry/types": "6.19.7", + "@sentry/utils": "6.19.7", + "cookie": "^0.4.1", + "https-proxy-agent": "^5.0.0", + "lru_map": "^0.3.3", + "tslib": "^1.9.3" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/@sentry/node/node_modules/cookie": { + "version": "0.4.2", + "resolved": "http://localhost:4873/cookie/-/cookie-0.4.2.tgz", + "integrity": "sha512-aSWTXFzaKWkvHO1Ny/s+ePFpvKsPnjc551iI41v3ny/ow6tBG5Vd+FuqGNhh1LxOmVzOlGUriIlOaokOvhaStA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/@sentry/node/node_modules/tslib": { + "version": "1.14.1", + "resolved": "http://localhost:4873/tslib/-/tslib-1.14.1.tgz", + "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==", + "dev": true, + "license": "0BSD" + }, + "node_modules/@sentry/types": { + "version": "6.19.7", + "resolved": "http://localhost:4873/@sentry/types/-/types-6.19.7.tgz", + "integrity": "sha512-jH84pDYE+hHIbVnab3Hr+ZXr1v8QABfhx39KknxqKWr2l0oEItzepV0URvbEhB446lk/S/59230dlUUIBGsXbg==", + "dev": true, + "license": "BSD-3-Clause", + "engines": { + "node": ">=6" + } + }, + "node_modules/@sentry/utils": { + "version": "6.19.7", + "resolved": "http://localhost:4873/@sentry/utils/-/utils-6.19.7.tgz", + "integrity": "sha512-z95ECmE3i9pbWoXQrD/7PgkBAzJYR+iXtPuTkpBjDKs86O3mT+PXOT3BAn79w2wkn7/i3vOGD2xVr1uiMl26dA==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "@sentry/types": "6.19.7", + "tslib": "^1.9.3" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/@sentry/utils/node_modules/tslib": { + "version": "1.14.1", + "resolved": "http://localhost:4873/tslib/-/tslib-1.14.1.tgz", + "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==", + "dev": true, + "license": "0BSD" + }, + "node_modules/@sinclair/typebox": { + "version": "0.27.8", + "resolved": "http://localhost:4873/@sinclair/typebox/-/typebox-0.27.8.tgz", + "integrity": "sha512-+Fj43pSMwJs4KRrH/938Uf+uAELIgVBmQzg/q1YG10djyfA3TnrU8N8XzqCh/okZdszqBQTZf96idMfE5lnwTA==", + "dev": true, + "license": "MIT" + }, + "node_modules/@sinonjs/commons": { + "version": "1.8.6", + "resolved": "http://localhost:4873/@sinonjs/commons/-/commons-1.8.6.tgz", + "integrity": "sha512-Ky+XkAkqPZSm3NLBeUng77EBQl3cmeJhITaGHdYH8kjVB+aun3S4XBRti2zt17mtt0mIUDiNxYeoJm6drVvBJQ==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "type-detect": "4.0.8" + } + }, + "node_modules/@sinonjs/fake-timers": { + "version": "6.0.1", + "resolved": "http://localhost:4873/@sinonjs/fake-timers/-/fake-timers-6.0.1.tgz", + "integrity": "sha512-MZPUxrmFubI36XS1DI3qmI0YdN1gks62JtFZvxR67ljjSNCeK6U08Zx4msEWOXuofgqUt6zPHSi1H9fbjR/NRA==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "@sinonjs/commons": "^1.7.0" + } + }, + "node_modules/@tanstack/match-sorter-utils": { + "version": "8.19.4", + "resolved": "http://localhost:4873/@tanstack/match-sorter-utils/-/match-sorter-utils-8.19.4.tgz", + "integrity": "sha512-Wo1iKt2b9OT7d+YGhvEPD3DXvPv2etTusIMhMUoG7fbhmxcXCtIjJDEygy91Y2JFlwGyjqiBPRozme7UD8hoqg==", + "dev": true, + "license": "MIT", + "dependencies": { + "remove-accents": "0.5.0" + }, + "engines": { + "node": ">=12" + }, + "funding": { + "type": "github", + "url": "https://github.com/sponsors/tannerlinsley" + } + }, + "node_modules/@tanstack/query-core": { + "version": "4.36.1", + "resolved": "http://localhost:4873/@tanstack/query-core/-/query-core-4.36.1.tgz", + "integrity": "sha512-DJSilV5+ytBP1FbFcEJovv4rnnm/CokuVvrBEtW/Va9DvuJ3HksbXUJEpI0aV1KtuL4ZoO9AVE6PyNLzF7tLeA==", + "dev": true, + "license": "MIT", + "funding": { + "type": "github", + "url": "https://github.com/sponsors/tannerlinsley" + } + }, + "node_modules/@tanstack/react-query": { + "version": "4.36.1", + "resolved": "http://localhost:4873/@tanstack/react-query/-/react-query-4.36.1.tgz", + "integrity": "sha512-y7ySVHFyyQblPl3J3eQBWpXZkliroki3ARnBKsdJchlgt7yJLRDUcf4B8soufgiYt3pEQIkBWBx1N9/ZPIeUWw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@tanstack/query-core": "4.36.1", + "use-sync-external-store": "^1.2.0" + }, + "funding": { + "type": "github", + "url": "https://github.com/sponsors/tannerlinsley" + }, + "peerDependencies": { + "react": "^16.8.0 || ^17.0.0 || ^18.0.0", + "react-dom": "^16.8.0 || ^17.0.0 || ^18.0.0", + "react-native": "*" + }, + "peerDependenciesMeta": { + "react-dom": { + "optional": true + }, + "react-native": { + "optional": true + } + } + }, + "node_modules/@tanstack/react-query-devtools": { + "version": "4.36.1", + "resolved": "http://localhost:4873/@tanstack/react-query-devtools/-/react-query-devtools-4.36.1.tgz", + "integrity": "sha512-WYku83CKP3OevnYSG8Y/QO9g0rT75v1om5IvcWUwiUZJ4LanYGLVCZ8TdFG5jfsq4Ej/lu2wwDAULEUnRIMBSw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@tanstack/match-sorter-utils": "^8.7.0", + "superjson": "^1.10.0", + "use-sync-external-store": "^1.2.0" + }, + "funding": { + "type": "github", + "url": "https://github.com/sponsors/tannerlinsley" + }, + "peerDependencies": { + "@tanstack/react-query": "^4.36.1", + "react": "^16.8.0 || ^17.0.0 || ^18.0.0", + "react-dom": "^16.8.0 || ^17.0.0 || ^18.0.0" + } + }, + "node_modules/@testing-library/dom": { + "version": "9.3.4", + "resolved": "http://localhost:4873/@testing-library/dom/-/dom-9.3.4.tgz", + "integrity": "sha512-FlS4ZWlp97iiNWig0Muq8p+3rVDjRiYE+YKGbAqXOu9nwJFFOdL00kFpz42M+4huzYi86vAK1sOOfyOG45muIQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/code-frame": "^7.10.4", + "@babel/runtime": "^7.12.5", + "@types/aria-query": "^5.0.1", + "aria-query": "5.1.3", + "chalk": "^4.1.0", + "dom-accessibility-api": "^0.5.9", + "lz-string": "^1.5.0", + "pretty-format": "^27.0.2" + }, + "engines": { + "node": ">=14" + } + }, + "node_modules/@testing-library/jest-dom": { + "version": "5.17.0", + "resolved": "http://localhost:4873/@testing-library/jest-dom/-/jest-dom-5.17.0.tgz", + "integrity": "sha512-ynmNeT7asXyH3aSVv4vvX4Rb+0qjOhdNHnO/3vuZNqPmhDpV/+rCSGwQ7bLcmU2cJ4dvoheIO85LQj0IbJHEtg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@adobe/css-tools": "^4.0.1", + "@babel/runtime": "^7.9.2", + "@types/testing-library__jest-dom": "^5.9.1", + "aria-query": "^5.0.0", + "chalk": "^3.0.0", + "css.escape": "^1.5.1", + "dom-accessibility-api": "^0.5.6", + "lodash": "^4.17.15", + "redent": "^3.0.0" + }, + "engines": { + "node": ">=8", + "npm": ">=6", + "yarn": ">=1" + } + }, + "node_modules/@testing-library/jest-dom/node_modules/chalk": { + "version": "3.0.0", + "resolved": "http://localhost:4873/chalk/-/chalk-3.0.0.tgz", + "integrity": "sha512-4D3B6Wf41KOYRFdszmDqMCGq5VV/uMAB273JILmO+3jAlh8X4qDtdtgCR3fxtbLEMzSx22QdhnDcJvu2u1fVwg==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-styles": "^4.1.0", + "supports-color": "^7.1.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/@testing-library/react": { + "version": "14.3.1", + "resolved": "http://localhost:4873/@testing-library/react/-/react-14.3.1.tgz", + "integrity": "sha512-H99XjUhWQw0lTgyMN05W3xQG1Nh4lq574D8keFf1dDoNTJgp66VbJozRaczoF+wsiaPJNt/TcnfpLGufGxSrZQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.12.5", + "@testing-library/dom": "^9.0.0", + "@types/react-dom": "^18.0.0" + }, + "engines": { + "node": ">=14" + }, + "peerDependencies": { + "react": "^18.0.0", + "react-dom": "^18.0.0" + } + }, + "node_modules/@testing-library/user-event": { + "version": "14.6.1", + "resolved": "http://localhost:4873/@testing-library/user-event/-/user-event-14.6.1.tgz", + "integrity": "sha512-vq7fv0rnt+QTXgPxr5Hjc210p6YKq2kmdziLgnsZGgLJ9e6VAShx1pACLuRjd/AS/sr7phAR58OIIpf0LlmQNw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=12", + "npm": ">=6" + }, + "peerDependencies": { + "@testing-library/dom": ">=7.21.4" + } + }, + "node_modules/@tootallnate/once": { + "version": "1.1.2", + "resolved": "http://localhost:4873/@tootallnate/once/-/once-1.1.2.tgz", + "integrity": "sha512-RbzJvlNzmRq5c3O09UipeuXno4tA1FE6ikOjxZK0tuxVv3412l64l5t1W5pj4+rJq9vpkm/kwiR07aZXnsKPxw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 6" + } + }, + "node_modules/@types/aria-query": { + "version": "5.0.4", + "resolved": "http://localhost:4873/@types/aria-query/-/aria-query-5.0.4.tgz", + "integrity": "sha512-rfT93uj5s0PRL7EzccGMs3brplhcrghnDoV26NqKhCAS1hVo+WdNsPvE/yb6ilfr5hi2MEk6d5EWJTKdxg8jVw==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/babel__core": { + "version": "7.20.5", + "resolved": "http://localhost:4873/@types/babel__core/-/babel__core-7.20.5.tgz", + "integrity": "sha512-qoQprZvz5wQFJwMDqeseRXWv3rqMvhgpbXFfVyWhbx9X47POIA6i/+dXefEmZKoAgOaTdaIgNSMqMIU61yRyzA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/parser": "^7.20.7", + "@babel/types": "^7.20.7", + "@types/babel__generator": "*", + "@types/babel__template": "*", + "@types/babel__traverse": "*" + } + }, + "node_modules/@types/babel__generator": { + "version": "7.27.0", + "resolved": "http://localhost:4873/@types/babel__generator/-/babel__generator-7.27.0.tgz", + "integrity": "sha512-ufFd2Xi92OAVPYsy+P4n7/U7e68fex0+Ee8gSG9KX7eo084CWiQ4sdxktvdl0bOPupXtVJPY19zk6EwWqUQ8lg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/types": "^7.0.0" + } + }, + "node_modules/@types/babel__helper-plugin-utils": { + "version": "7.10.3", + "resolved": "http://localhost:4873/@types/babel__helper-plugin-utils/-/babel__helper-plugin-utils-7.10.3.tgz", + "integrity": "sha512-FcLBBPXInqKfULB2nvOBskQPcnSMZ0s1Y2q76u9H1NPPWaLcTeq38xBeKfF/RBUECK333qeaqRdYoPSwW7rTNQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/babel__core": "*" + } + }, + "node_modules/@types/babel__template": { + "version": "7.4.4", + "resolved": "http://localhost:4873/@types/babel__template/-/babel__template-7.4.4.tgz", + "integrity": "sha512-h/NUaSyG5EyxBIp8YRxo4RMe2/qQgvyowRwVMzhYhBCONbW8PUsg4lkFMrhgZhUe5z3L3MiLDuvyJ/CaPa2A8A==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/parser": "^7.1.0", + "@babel/types": "^7.0.0" + } + }, + "node_modules/@types/babel__traverse": { + "version": "7.20.7", + "resolved": "http://localhost:4873/@types/babel__traverse/-/babel__traverse-7.20.7.tgz", + "integrity": "sha512-dkO5fhS7+/oos4ciWxyEyjWe48zmG6wbCheo/G2ZnHx4fs3EU6YC6UM8rk56gAjNJ9P3MTH2jo5jb92/K6wbng==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/types": "^7.20.7" + } + }, + "node_modules/@types/cookie": { + "version": "0.4.1", + "resolved": "http://localhost:4873/@types/cookie/-/cookie-0.4.1.tgz", + "integrity": "sha512-XW/Aa8APYr6jSVVA1y/DEIZX0/GMKLEVekNG727R8cs56ahETkRAy/3DR7+fJyh7oUgGwNQaRfXCun0+KbWY7Q==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/debug": { + "version": "4.1.12", + "resolved": "http://localhost:4873/@types/debug/-/debug-4.1.12.tgz", + "integrity": "sha512-vIChWdVG3LG1SMxEvI/AK+FWJthlrqlTu7fbrlywTkkaONwk/UAGaULXRlf8vkzFBLVm0zkMdCquhL5aOjhXPQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/ms": "*" + } + }, + "node_modules/@types/eslint": { + "version": "9.6.1", + "resolved": "http://localhost:4873/@types/eslint/-/eslint-9.6.1.tgz", + "integrity": "sha512-FXx2pKgId/WyYo2jXw63kk7/+TY7u7AziEJxJAnSFzHlqTAS3Ync6SvgYAN/k4/PQpnnVuzoMuVnByKK2qp0ag==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/estree": "*", + "@types/json-schema": "*" + } + }, + "node_modules/@types/eslint-scope": { + "version": "3.7.7", + "resolved": "http://localhost:4873/@types/eslint-scope/-/eslint-scope-3.7.7.tgz", + "integrity": "sha512-MzMFlSLBqNF2gcHWO0G1vP/YQyfvrxZ0bF+u7mzUdZ1/xK4A4sru+nraZz5i3iEIk1l1uyicaDVTB4QbbEkAYg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/eslint": "*", + "@types/estree": "*" + } + }, + "node_modules/@types/estree": { + "version": "1.0.7", + "resolved": "http://localhost:4873/@types/estree/-/estree-1.0.7.tgz", + "integrity": "sha512-w28IoSUCJpidD/TGviZwwMJckNESJZXFu7NBZ5YJ4mEUnNraUn9Pm8HSZm/jDF1pDWYKspWE7oVphigUPRakIQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/graceful-fs": { + "version": "4.1.9", + "resolved": "http://localhost:4873/@types/graceful-fs/-/graceful-fs-4.1.9.tgz", + "integrity": "sha512-olP3sd1qOEe5dXTSaFvQG+02VdRXcdytWLAZsAq1PecU8uqQAhkrnbli7DagjtXKW/Bl7YJbUsa8MPcuc8LHEQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/node": "*" + } + }, + "node_modules/@types/hoist-non-react-statics": { + "version": "3.3.6", + "resolved": "http://localhost:4873/@types/hoist-non-react-statics/-/hoist-non-react-statics-3.3.6.tgz", + "integrity": "sha512-lPByRJUer/iN/xa4qpyL0qmL11DqNW81iU/IG1S3uvRUq4oKagz8VCxZjiWkumgt66YT3vOdDgZ0o32sGKtCEw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/react": "*", + "hoist-non-react-statics": "^3.3.0" + } + }, + "node_modules/@types/http-proxy": { + "version": "1.17.16", + "resolved": "http://localhost:4873/@types/http-proxy/-/http-proxy-1.17.16.tgz", + "integrity": "sha512-sdWoUajOB1cd0A8cRRQ1cfyWNbmFKLAqBB89Y8x5iYyG/mkJHc0YUH8pdWBy2omi9qtCpiIgGjuwO0dQST2l5w==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/node": "*" + } + }, + "node_modules/@types/istanbul-lib-coverage": { + "version": "2.0.6", + "resolved": "http://localhost:4873/@types/istanbul-lib-coverage/-/istanbul-lib-coverage-2.0.6.tgz", + "integrity": "sha512-2QF/t/auWm0lsy8XtKVPG19v3sSOQlJe/YHZgfjb/KBBHOGSV+J2q/S671rcq9uTBrLAXmZpqJiaQbMT+zNU1w==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/istanbul-lib-report": { + "version": "3.0.3", + "resolved": "http://localhost:4873/@types/istanbul-lib-report/-/istanbul-lib-report-3.0.3.tgz", + "integrity": "sha512-NQn7AHQnk/RSLOxrBbGyJM/aVQ+pjj5HCgasFxc0K/KhoATfQ/47AyUl15I2yBUpihjmas+a+VJBOqecrFH+uA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/istanbul-lib-coverage": "*" + } + }, + "node_modules/@types/istanbul-reports": { + "version": "3.0.4", + "resolved": "http://localhost:4873/@types/istanbul-reports/-/istanbul-reports-3.0.4.tgz", + "integrity": "sha512-pk2B1NWalF9toCRu6gjBzR69syFjP4Od8WRAX+0mmf9lAjCRicLOWc+ZrxZHx/0XRjotgkF9t6iaMJ+aXcOdZQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/istanbul-lib-report": "*" + } + }, + "node_modules/@types/jest": { + "version": "29.5.14", + "resolved": "http://localhost:4873/@types/jest/-/jest-29.5.14.tgz", + "integrity": "sha512-ZN+4sdnLUbo8EVvVc2ao0GFW6oVrQRPn4K2lglySj7APvSrgzxHiNNK99us4WDMi57xxA2yggblIAMNhXOotLQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "expect": "^29.0.0", + "pretty-format": "^29.0.0" + } + }, + "node_modules/@types/jest/node_modules/ansi-styles": { + "version": "5.2.0", + "resolved": "http://localhost:4873/ansi-styles/-/ansi-styles-5.2.0.tgz", + "integrity": "sha512-Cxwpt2SfTzTtXcfOlzGEee8O+c+MmUgGrNiBcXnuWxuFJHe6a5Hz7qwhwe5OgaSYI0IJvkLqWX1ASG+cJOkEiA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/ansi-styles?sponsor=1" + } + }, + "node_modules/@types/jest/node_modules/pretty-format": { + "version": "29.7.0", + "resolved": "http://localhost:4873/pretty-format/-/pretty-format-29.7.0.tgz", + "integrity": "sha512-Pdlw/oPxN+aXdmM9R00JVC9WVFoCLTKJvDVLgmJ+qAffBMxsV85l/Lu7sNx4zSzPyoL2euImuEwHhOXdEgNFZQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/schemas": "^29.6.3", + "ansi-styles": "^5.0.0", + "react-is": "^18.0.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/@types/jest/node_modules/react-is": { + "version": "18.3.1", + "resolved": "http://localhost:4873/react-is/-/react-is-18.3.1.tgz", + "integrity": "sha512-/LLMVyas0ljjAtoYiPqYiL8VWXzUUdThrmU5+n20DZv+a+ClRoevUzw5JxU+Ieh5/c87ytoTBV9G1FiKfNJdmg==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/js-levenshtein": { + "version": "1.1.3", + "resolved": "http://localhost:4873/@types/js-levenshtein/-/js-levenshtein-1.1.3.tgz", + "integrity": "sha512-jd+Q+sD20Qfu9e2aEXogiO3vpOC1PYJOUdyN9gvs4Qrvkg4wF43L5OhqrPeokdv8TL0/mXoYfpkcoGZMNN2pkQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/json-schema": { + "version": "7.0.15", + "resolved": "http://localhost:4873/@types/json-schema/-/json-schema-7.0.15.tgz", + "integrity": "sha512-5+fP8P8MFNC+AyZCDxrB2pkZFPGzqQWUzpSeuuVLvm8VMcorNYavBqoFcxK8bQz4Qsbn4oUEEem4wDLfcysGHA==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/json-stable-stringify": { + "version": "1.1.0", + "resolved": "http://localhost:4873/@types/json-stable-stringify/-/json-stable-stringify-1.1.0.tgz", + "integrity": "sha512-ESTsHWB72QQq+pjUFIbEz9uSCZppD31YrVkbt2rnUciTYEvcwN6uZIhX5JZeBHqRlFJ41x/7MewCs7E2Qux6Cg==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/lodash": { + "version": "4.17.17", + "resolved": "http://localhost:4873/@types/lodash/-/lodash-4.17.17.tgz", + "integrity": "sha512-RRVJ+J3J+WmyOTqnz3PiBLA501eKwXl2noseKOrNo/6+XEHjTAxO4xHvxQB6QuNm+s4WRbn6rSiap8+EA+ykFQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/lodash.mergewith": { + "version": "4.6.9", + "resolved": "http://localhost:4873/@types/lodash.mergewith/-/lodash.mergewith-4.6.9.tgz", + "integrity": "sha512-fgkoCAOF47K7sxrQ7Mlud2TH023itugZs2bUg8h/KzT+BnZNrR2jAOmaokbLunHNnobXVWOezAeNn/lZqwxkcw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/lodash": "*" + } + }, + "node_modules/@types/ms": { + "version": "2.1.0", + "resolved": "http://localhost:4873/@types/ms/-/ms-2.1.0.tgz", + "integrity": "sha512-GsCCIZDE/p3i96vtEqx+7dBUGXrc7zeSK3wwPHIaRThS+9OhWIXRqzs4d6k1SVU8g91DrNRWxWUGhp5KXQb2VA==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/node": { + "version": "22.15.21", + "resolved": "http://localhost:4873/@types/node/-/node-22.15.21.tgz", + "integrity": "sha512-EV/37Td6c+MgKAbkcLG6vqZ2zEYHD7bvSrzqqs2RIhbA6w3x+Dqz8MZM3sP6kGTeLrdoOgKZe+Xja7tUB2DNkQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "undici-types": "~6.21.0" + } + }, + "node_modules/@types/normalize-package-data": { + "version": "2.4.4", + "resolved": "http://localhost:4873/@types/normalize-package-data/-/normalize-package-data-2.4.4.tgz", + "integrity": "sha512-37i+OaWTh9qeK4LSHPsyRC7NahnGotNuZvjLSgcPzblpHB3rrCJxAOgI5gCdKm7coonsaX1Of0ILiTcnZjbfxA==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/parse-json": { + "version": "4.0.2", + "resolved": "http://localhost:4873/@types/parse-json/-/parse-json-4.0.2.tgz", + "integrity": "sha512-dISoDXWWQwUquiKsyZ4Ng+HX2KsPL7LyHKHQwgGFEA3IaKac4Obd+h2a/a6waisAoepJlBcx9paWqjA8/HVjCw==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/prettier": { + "version": "2.7.3", + "resolved": "http://localhost:4873/@types/prettier/-/prettier-2.7.3.tgz", + "integrity": "sha512-+68kP9yzs4LMp7VNh8gdzMSPZFL44MLGqiHWvttYJe+6qnuVr4Ek9wSBQoveqY/r+LwjCcU29kNVkidwim+kYA==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/prop-types": { + "version": "15.7.14", + "resolved": "http://localhost:4873/@types/prop-types/-/prop-types-15.7.14.tgz", + "integrity": "sha512-gNMvNH49DJ7OJYv+KAKn0Xp45p8PLl6zo2YnvDIbTd4J6MER2BmWN49TG7n9LvkyihINxeKW8+3bfS2yDC9dzQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/react": { + "version": "18.3.22", + "resolved": "http://localhost:4873/@types/react/-/react-18.3.22.tgz", + "integrity": "sha512-vUhG0YmQZ7kL/tmKLrD3g5zXbXXreZXB3pmROW8bg3CnLnpjkRVwUlLne7Ufa2r9yJ8+/6B73RzhAek5TBKh2Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/prop-types": "*", + "csstype": "^3.0.2" + } + }, + "node_modules/@types/react-dom": { + "version": "18.3.7", + "resolved": "http://localhost:4873/@types/react-dom/-/react-dom-18.3.7.tgz", + "integrity": "sha512-MEe3UeoENYVFXzoXEWsvcpg6ZvlrFNlOQ7EOsvhI3CfAXwzPfO8Qwuxd40nepsYKqyyVQnTdEfv68q91yLcKrQ==", + "dev": true, + "license": "MIT", + "peerDependencies": { + "@types/react": "^18.0.0" + } + }, + "node_modules/@types/semver": { + "version": "7.7.0", + "resolved": "http://localhost:4873/@types/semver/-/semver-7.7.0.tgz", + "integrity": "sha512-k107IF4+Xr7UHjwDc7Cfd6PRQfbdkiRabXGRjo07b4WyPahFBZCZ1sE+BNxYIJPPg73UkfOsVOLwqVc/6ETrIA==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/set-cookie-parser": { + "version": "2.4.10", + "resolved": "http://localhost:4873/@types/set-cookie-parser/-/set-cookie-parser-2.4.10.tgz", + "integrity": "sha512-GGmQVGpQWUe5qglJozEjZV/5dyxbOOZ0LHe/lqyWssB88Y4svNfst0uqBVscdDeIKl5Jy5+aPSvy7mI9tYRguw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/node": "*" + } + }, + "node_modules/@types/stack-utils": { + "version": "2.0.3", + "resolved": "http://localhost:4873/@types/stack-utils/-/stack-utils-2.0.3.tgz", + "integrity": "sha512-9aEbYZ3TbYMznPdcdr3SmIrLXwC/AKZXQeCf9Pgao5CKb8CyHuEX5jzWPTkvregvhRJHcpRO6BFoGW9ycaOkYw==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/testing-library__jest-dom": { + "version": "5.14.9", + "resolved": "http://localhost:4873/@types/testing-library__jest-dom/-/testing-library__jest-dom-5.14.9.tgz", + "integrity": "sha512-FSYhIjFlfOpGSRyVoMBMuS3ws5ehFQODymf3vlI7U1K8c7PHwWwFY7VREfmsuzHSOnoKs/9/Y983ayOs7eRzqw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/jest": "*" + } + }, + "node_modules/@types/yargs": { + "version": "15.0.19", + "resolved": "http://localhost:4873/@types/yargs/-/yargs-15.0.19.tgz", + "integrity": "sha512-2XUaGVmyQjgyAZldf0D0c14vvo/yv0MhQBSTJcejMMaitsn3nxCB6TmH4G0ZQf+uxROOa9mpanoSm8h6SG/1ZA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/yargs-parser": "*" + } + }, + "node_modules/@types/yargs-parser": { + "version": "21.0.3", + "resolved": "http://localhost:4873/@types/yargs-parser/-/yargs-parser-21.0.3.tgz", + "integrity": "sha512-I4q9QU9MQv4oEOz4tAHJtNz1cwuLxn2F3xcc2iV5WdqLPpUnj30aUuxt1mAxYTG+oe8CZMV/+6rU4S4gRDzqtQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/@types/yauzl": { + "version": "2.10.3", + "resolved": "http://localhost:4873/@types/yauzl/-/yauzl-2.10.3.tgz", + "integrity": "sha512-oJoftv0LSuaDZE3Le4DbKX+KS9G36NzOeSap90UIK0yMA/NhKJhqlSGtNDORNRaIbQfzjXDrQa0ytJ6mNRGz/Q==", + "dev": true, + "license": "MIT", + "optional": true, + "dependencies": { + "@types/node": "*" + } + }, + "node_modules/@typescript-eslint/eslint-plugin": { + "version": "5.62.0", + "resolved": "http://localhost:4873/@typescript-eslint/eslint-plugin/-/eslint-plugin-5.62.0.tgz", + "integrity": "sha512-TiZzBSJja/LbhNPvk6yc0JrX9XqhQ0hdh6M2svYfsHGejaKFIAGd9MQ+ERIMzLGlN/kZoYIgdxFV0PuljTKXag==", + "dev": true, + "license": "MIT", + "dependencies": { + "@eslint-community/regexpp": "^4.4.0", + "@typescript-eslint/scope-manager": "5.62.0", + "@typescript-eslint/type-utils": "5.62.0", + "@typescript-eslint/utils": "5.62.0", + "debug": "^4.3.4", + "graphemer": "^1.4.0", + "ignore": "^5.2.0", + "natural-compare-lite": "^1.4.0", + "semver": "^7.3.7", + "tsutils": "^3.21.0" + }, + "engines": { + "node": "^12.22.0 || ^14.17.0 || >=16.0.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/typescript-eslint" + }, + "peerDependencies": { + "@typescript-eslint/parser": "^5.0.0", + "eslint": "^6.0.0 || ^7.0.0 || ^8.0.0" + }, + "peerDependenciesMeta": { + "typescript": { + "optional": true + } + } + }, + "node_modules/@typescript-eslint/parser": { + "version": "5.62.0", + "resolved": "http://localhost:4873/@typescript-eslint/parser/-/parser-5.62.0.tgz", + "integrity": "sha512-VlJEV0fOQ7BExOsHYAGrgbEiZoi8D+Bl2+f6V2RrXerRSylnp+ZBHmPvaIa8cz0Ajx7WO7Z5RqfgYg7ED1nRhA==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "@typescript-eslint/scope-manager": "5.62.0", + "@typescript-eslint/types": "5.62.0", + "@typescript-eslint/typescript-estree": "5.62.0", + "debug": "^4.3.4" + }, + "engines": { + "node": "^12.22.0 || ^14.17.0 || >=16.0.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/typescript-eslint" + }, + "peerDependencies": { + "eslint": "^6.0.0 || ^7.0.0 || ^8.0.0" + }, + "peerDependenciesMeta": { + "typescript": { + "optional": true + } + } + }, + "node_modules/@typescript-eslint/scope-manager": { + "version": "5.62.0", + "resolved": "http://localhost:4873/@typescript-eslint/scope-manager/-/scope-manager-5.62.0.tgz", + "integrity": "sha512-VXuvVvZeQCQb5Zgf4HAxc04q5j+WrNAtNh9OwCsCgpKqESMTu3tF/jhZ3xG6T4NZwWl65Bg8KuS2uEvhSfLl0w==", + "dev": true, + "license": "MIT", + "dependencies": { + "@typescript-eslint/types": "5.62.0", + "@typescript-eslint/visitor-keys": "5.62.0" + }, + "engines": { + "node": "^12.22.0 || ^14.17.0 || >=16.0.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/typescript-eslint" + } + }, + "node_modules/@typescript-eslint/type-utils": { + "version": "5.62.0", + "resolved": "http://localhost:4873/@typescript-eslint/type-utils/-/type-utils-5.62.0.tgz", + "integrity": "sha512-xsSQreu+VnfbqQpW5vnCJdq1Z3Q0U31qiWmRhr98ONQmcp/yhiPJFPq8MXiJVLiksmOKSjIldZzkebzHuCGzew==", + "dev": true, + "license": "MIT", + "dependencies": { + "@typescript-eslint/typescript-estree": "5.62.0", + "@typescript-eslint/utils": "5.62.0", + "debug": "^4.3.4", + "tsutils": "^3.21.0" + }, + "engines": { + "node": "^12.22.0 || ^14.17.0 || >=16.0.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/typescript-eslint" + }, + "peerDependencies": { + "eslint": "*" + }, + "peerDependenciesMeta": { + "typescript": { + "optional": true + } + } + }, + "node_modules/@typescript-eslint/types": { + "version": "5.62.0", + "resolved": "http://localhost:4873/@typescript-eslint/types/-/types-5.62.0.tgz", + "integrity": "sha512-87NVngcbVXUahrRTqIK27gD2t5Cu1yuCXxbLcFtCzZGlfyVWWh8mLHkoxzjsB6DDNnvdL+fW8MiwPEJyGJQDgQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": "^12.22.0 || ^14.17.0 || >=16.0.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/typescript-eslint" + } + }, + "node_modules/@typescript-eslint/typescript-estree": { + "version": "5.62.0", + "resolved": "http://localhost:4873/@typescript-eslint/typescript-estree/-/typescript-estree-5.62.0.tgz", + "integrity": "sha512-CmcQ6uY7b9y694lKdRB8FEel7JbU/40iSAPomu++SjLMntB+2Leay2LO6i8VnJk58MtE9/nQSFIH6jpyRWyYzA==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "@typescript-eslint/types": "5.62.0", + "@typescript-eslint/visitor-keys": "5.62.0", + "debug": "^4.3.4", + "globby": "^11.1.0", + "is-glob": "^4.0.3", + "semver": "^7.3.7", + "tsutils": "^3.21.0" + }, + "engines": { + "node": "^12.22.0 || ^14.17.0 || >=16.0.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/typescript-eslint" + }, + "peerDependenciesMeta": { + "typescript": { + "optional": true + } + } + }, + "node_modules/@typescript-eslint/utils": { + "version": "5.62.0", + "resolved": "http://localhost:4873/@typescript-eslint/utils/-/utils-5.62.0.tgz", + "integrity": "sha512-n8oxjeb5aIbPFEtmQxQYOLI0i9n5ySBEY/ZEHHZqKQSFnxio1rv6dthascc9dLuwrL0RC5mPCxB7vnAVGAYWAQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@eslint-community/eslint-utils": "^4.2.0", + "@types/json-schema": "^7.0.9", + "@types/semver": "^7.3.12", + "@typescript-eslint/scope-manager": "5.62.0", + "@typescript-eslint/types": "5.62.0", + "@typescript-eslint/typescript-estree": "5.62.0", + "eslint-scope": "^5.1.1", + "semver": "^7.3.7" + }, + "engines": { + "node": "^12.22.0 || ^14.17.0 || >=16.0.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/typescript-eslint" + }, + "peerDependencies": { + "eslint": "^6.0.0 || ^7.0.0 || ^8.0.0" + } + }, + "node_modules/@typescript-eslint/visitor-keys": { + "version": "5.62.0", + "resolved": "http://localhost:4873/@typescript-eslint/visitor-keys/-/visitor-keys-5.62.0.tgz", + "integrity": "sha512-07ny+LHRzQXepkGg6w0mFY41fVUNBrL2Roj/++7V1txKugfjm/Ci/qSND03r2RhlJhJYMcTn9AhhSSqQp0Ysyw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@typescript-eslint/types": "5.62.0", + "eslint-visitor-keys": "^3.3.0" + }, + "engines": { + "node": "^12.22.0 || ^14.17.0 || >=16.0.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/typescript-eslint" + } + }, + "node_modules/@typescript-eslint/visitor-keys/node_modules/eslint-visitor-keys": { + "version": "3.4.3", + "resolved": "http://localhost:4873/eslint-visitor-keys/-/eslint-visitor-keys-3.4.3.tgz", + "integrity": "sha512-wpc+LXeiyiisxPlEkUzU6svyS1frIO3Mgxj1fdy7Pm8Ygzguax2N3Fa/D/ag1WqbOprdI+uY6wMUl8/a2G+iag==", + "dev": true, + "license": "Apache-2.0", + "engines": { + "node": "^12.22.0 || ^14.17.0 || >=16.0.0" + }, + "funding": { + "url": "https://opencollective.com/eslint" + } + }, + "node_modules/@ungap/structured-clone": { + "version": "1.3.0", + "resolved": "http://localhost:4873/@ungap/structured-clone/-/structured-clone-1.3.0.tgz", + "integrity": "sha512-WmoN8qaIAo7WTYWbAZuG8PYEhn5fkz7dZrqTBZ7dtt//lL2Gwms1IcnQ5yHqjDfX8Ft5j4YzDM23f87zBfDe9g==", + "dev": true, + "license": "ISC" + }, + "node_modules/@vendia/serverless-express": { + "version": "3.4.1", + "resolved": "http://localhost:4873/@vendia/serverless-express/-/serverless-express-3.4.1.tgz", + "integrity": "sha512-4dJJvr9vQlq9iUClpfm5iFL+neoSctUI6Zkh9F4wjk/tpcM7QVD6niJi4ptiIzyzJCWoN97ACQCXyE0O8MznLQ==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "@codegenie/serverless-express": "^3.4.1", + "binary-case": "^1.0.0", + "type-is": "^1.6.16" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/@webassemblyjs/ast": { + "version": "1.14.1", + "resolved": "http://localhost:4873/@webassemblyjs/ast/-/ast-1.14.1.tgz", + "integrity": "sha512-nuBEDgQfm1ccRp/8bCQrx1frohyufl4JlbMMZ4P1wpeOfDhF6FQkxZJ1b/e+PLwr6X1Nhw6OLme5usuBWYBvuQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@webassemblyjs/helper-numbers": "1.13.2", + "@webassemblyjs/helper-wasm-bytecode": "1.13.2" + } + }, + "node_modules/@webassemblyjs/floating-point-hex-parser": { + "version": "1.13.2", + "resolved": "http://localhost:4873/@webassemblyjs/floating-point-hex-parser/-/floating-point-hex-parser-1.13.2.tgz", + "integrity": "sha512-6oXyTOzbKxGH4steLbLNOu71Oj+C8Lg34n6CqRvqfS2O71BxY6ByfMDRhBytzknj9yGUPVJ1qIKhRlAwO1AovA==", + "dev": true, + "license": "MIT" + }, + "node_modules/@webassemblyjs/helper-api-error": { + "version": "1.13.2", + "resolved": "http://localhost:4873/@webassemblyjs/helper-api-error/-/helper-api-error-1.13.2.tgz", + "integrity": "sha512-U56GMYxy4ZQCbDZd6JuvvNV/WFildOjsaWD3Tzzvmw/mas3cXzRJPMjP83JqEsgSbyrmaGjBfDtV7KDXV9UzFQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/@webassemblyjs/helper-buffer": { + "version": "1.14.1", + "resolved": "http://localhost:4873/@webassemblyjs/helper-buffer/-/helper-buffer-1.14.1.tgz", + "integrity": "sha512-jyH7wtcHiKssDtFPRB+iQdxlDf96m0E39yb0k5uJVhFGleZFoNw1c4aeIcVUPPbXUVJ94wwnMOAqUHyzoEPVMA==", + "dev": true, + "license": "MIT" + }, + "node_modules/@webassemblyjs/helper-numbers": { + "version": "1.13.2", + "resolved": "http://localhost:4873/@webassemblyjs/helper-numbers/-/helper-numbers-1.13.2.tgz", + "integrity": "sha512-FE8aCmS5Q6eQYcV3gI35O4J789wlQA+7JrqTTpJqn5emA4U2hvwJmvFRC0HODS+3Ye6WioDklgd6scJ3+PLnEA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@webassemblyjs/floating-point-hex-parser": "1.13.2", + "@webassemblyjs/helper-api-error": "1.13.2", + "@xtuc/long": "4.2.2" + } + }, + "node_modules/@webassemblyjs/helper-wasm-bytecode": { + "version": "1.13.2", + "resolved": "http://localhost:4873/@webassemblyjs/helper-wasm-bytecode/-/helper-wasm-bytecode-1.13.2.tgz", + "integrity": "sha512-3QbLKy93F0EAIXLh0ogEVR6rOubA9AoZ+WRYhNbFyuB70j3dRdwH9g+qXhLAO0kiYGlg3TxDV+I4rQTr/YNXkA==", + "dev": true, + "license": "MIT" + }, + "node_modules/@webassemblyjs/helper-wasm-section": { + "version": "1.14.1", + "resolved": "http://localhost:4873/@webassemblyjs/helper-wasm-section/-/helper-wasm-section-1.14.1.tgz", + "integrity": "sha512-ds5mXEqTJ6oxRoqjhWDU83OgzAYjwsCV8Lo/N+oRsNDmx/ZDpqalmrtgOMkHwxsG0iI//3BwWAErYRHtgn0dZw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@webassemblyjs/ast": "1.14.1", + "@webassemblyjs/helper-buffer": "1.14.1", + "@webassemblyjs/helper-wasm-bytecode": "1.13.2", + "@webassemblyjs/wasm-gen": "1.14.1" + } + }, + "node_modules/@webassemblyjs/ieee754": { + "version": "1.13.2", + "resolved": "http://localhost:4873/@webassemblyjs/ieee754/-/ieee754-1.13.2.tgz", + "integrity": "sha512-4LtOzh58S/5lX4ITKxnAK2USuNEvpdVV9AlgGQb8rJDHaLeHciwG4zlGr0j/SNWlr7x3vO1lDEsuePvtcDNCkw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@xtuc/ieee754": "^1.2.0" + } + }, + "node_modules/@webassemblyjs/leb128": { + "version": "1.13.2", + "resolved": "http://localhost:4873/@webassemblyjs/leb128/-/leb128-1.13.2.tgz", + "integrity": "sha512-Lde1oNoIdzVzdkNEAWZ1dZ5orIbff80YPdHx20mrHwHrVNNTjNr8E3xz9BdpcGqRQbAEa+fkrCb+fRFTl/6sQw==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "@xtuc/long": "4.2.2" + } + }, + "node_modules/@webassemblyjs/utf8": { + "version": "1.13.2", + "resolved": "http://localhost:4873/@webassemblyjs/utf8/-/utf8-1.13.2.tgz", + "integrity": "sha512-3NQWGjKTASY1xV5m7Hr0iPeXD9+RDobLll3T9d2AO+g3my8xy5peVyjSag4I50mR1bBSN/Ct12lo+R9tJk0NZQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/@webassemblyjs/wasm-edit": { + "version": "1.14.1", + "resolved": "http://localhost:4873/@webassemblyjs/wasm-edit/-/wasm-edit-1.14.1.tgz", + "integrity": "sha512-RNJUIQH/J8iA/1NzlE4N7KtyZNHi3w7at7hDjvRNm5rcUXa00z1vRz3glZoULfJ5mpvYhLybmVcwcjGrC1pRrQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@webassemblyjs/ast": "1.14.1", + "@webassemblyjs/helper-buffer": "1.14.1", + "@webassemblyjs/helper-wasm-bytecode": "1.13.2", + "@webassemblyjs/helper-wasm-section": "1.14.1", + "@webassemblyjs/wasm-gen": "1.14.1", + "@webassemblyjs/wasm-opt": "1.14.1", + "@webassemblyjs/wasm-parser": "1.14.1", + "@webassemblyjs/wast-printer": "1.14.1" + } + }, + "node_modules/@webassemblyjs/wasm-gen": { + "version": "1.14.1", + "resolved": "http://localhost:4873/@webassemblyjs/wasm-gen/-/wasm-gen-1.14.1.tgz", + "integrity": "sha512-AmomSIjP8ZbfGQhumkNvgC33AY7qtMCXnN6bL2u2Js4gVCg8fp735aEiMSBbDR7UQIj90n4wKAFUSEd0QN2Ukg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@webassemblyjs/ast": "1.14.1", + "@webassemblyjs/helper-wasm-bytecode": "1.13.2", + "@webassemblyjs/ieee754": "1.13.2", + "@webassemblyjs/leb128": "1.13.2", + "@webassemblyjs/utf8": "1.13.2" + } + }, + "node_modules/@webassemblyjs/wasm-opt": { + "version": "1.14.1", + "resolved": "http://localhost:4873/@webassemblyjs/wasm-opt/-/wasm-opt-1.14.1.tgz", + "integrity": "sha512-PTcKLUNvBqnY2U6E5bdOQcSM+oVP/PmrDY9NzowJjislEjwP/C4an2303MCVS2Mg9d3AJpIGdUFIQQWbPds0Sw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@webassemblyjs/ast": "1.14.1", + "@webassemblyjs/helper-buffer": "1.14.1", + "@webassemblyjs/wasm-gen": "1.14.1", + "@webassemblyjs/wasm-parser": "1.14.1" + } + }, + "node_modules/@webassemblyjs/wasm-parser": { + "version": "1.14.1", + "resolved": "http://localhost:4873/@webassemblyjs/wasm-parser/-/wasm-parser-1.14.1.tgz", + "integrity": "sha512-JLBl+KZ0R5qB7mCnud/yyX08jWFw5MsoalJ1pQ4EdFlgj9VdXKGuENGsiCIjegI1W7p91rUlcB/LB5yRJKNTcQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@webassemblyjs/ast": "1.14.1", + "@webassemblyjs/helper-api-error": "1.13.2", + "@webassemblyjs/helper-wasm-bytecode": "1.13.2", + "@webassemblyjs/ieee754": "1.13.2", + "@webassemblyjs/leb128": "1.13.2", + "@webassemblyjs/utf8": "1.13.2" + } + }, + "node_modules/@webassemblyjs/wast-printer": { + "version": "1.14.1", + "resolved": "http://localhost:4873/@webassemblyjs/wast-printer/-/wast-printer-1.14.1.tgz", + "integrity": "sha512-kPSSXE6De1XOR820C90RIo2ogvZG+c3KiHzqUoO/F34Y2shGzesfqv7o57xrxovZJH/MetF5UjroJ/R/3isoiw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@webassemblyjs/ast": "1.14.1", + "@xtuc/long": "4.2.2" + } + }, + "node_modules/@webpack-cli/configtest": { + "version": "1.2.0", + "resolved": "http://localhost:4873/@webpack-cli/configtest/-/configtest-1.2.0.tgz", + "integrity": "sha512-4FB8Tj6xyVkyqjj1OaTqCjXYULB9FMkqQ8yGrZjRDrYh0nOE+7Lhs45WioWQQMV+ceFlE368Ukhe6xdvJM9Egg==", + "dev": true, + "license": "MIT", + "peerDependencies": { + "webpack": "4.x.x || 5.x.x", + "webpack-cli": "4.x.x" + } + }, + "node_modules/@webpack-cli/info": { + "version": "1.5.0", + "resolved": "http://localhost:4873/@webpack-cli/info/-/info-1.5.0.tgz", + "integrity": "sha512-e8tSXZpw2hPl2uMJY6fsMswaok5FdlGNRTktvFk2sD8RjH0hE2+XistawJx1vmKteh4NmGmNUrp+Tb2w+udPcQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "envinfo": "^7.7.3" + }, + "peerDependencies": { + "webpack-cli": "4.x.x" + } + }, + "node_modules/@webpack-cli/serve": { + "version": "1.7.0", + "resolved": "http://localhost:4873/@webpack-cli/serve/-/serve-1.7.0.tgz", + "integrity": "sha512-oxnCNGj88fL+xzV+dacXs44HcDwf1ovs3AuEzvP7mqXw7fQntqIhQ1BRmynh4qEKQSSSRSWVyXRjmTbZIX9V2Q==", + "dev": true, + "license": "MIT", + "peerDependencies": { + "webpack-cli": "4.x.x" + }, + "peerDependenciesMeta": { + "webpack-dev-server": { + "optional": true + } + } + }, + "node_modules/@xmldom/xmldom": { + "version": "0.8.10", + "resolved": "http://localhost:4873/@xmldom/xmldom/-/xmldom-0.8.10.tgz", + "integrity": "sha512-2WALfTl4xo2SkGCYRt6rDTFfk9R1czmBvUQy12gK2KuRKIpWEhcbbzy8EZXtz/jkRqHX8bFEc6FC1HjX4TUWYw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10.0.0" + } + }, + "node_modules/@xtuc/ieee754": { + "version": "1.2.0", + "resolved": "http://localhost:4873/@xtuc/ieee754/-/ieee754-1.2.0.tgz", + "integrity": "sha512-DX8nKgqcGwsc0eJSqYt5lwP4DH5FlHnmuWWBRy7X0NcaGR0ZtuyeESgMwTYVEtxmsNGY+qit4QYT/MIYTOTPeA==", + "dev": true, + "license": "BSD-3-Clause" + }, + "node_modules/@xtuc/long": { + "version": "4.2.2", + "resolved": "http://localhost:4873/@xtuc/long/-/long-4.2.2.tgz", + "integrity": "sha512-NuHqBY1PB/D8xU6s/thBgOAiAP7HOYDQ32+BFZILJ8ivkUkAHQnWfn6WhL79Owj1qmUnoN/YPhktdIoucipkAQ==", + "dev": true, + "license": "Apache-2.0" + }, + "node_modules/@zag-js/dom-query": { + "version": "0.31.1", + "resolved": "http://localhost:4873/@zag-js/dom-query/-/dom-query-0.31.1.tgz", + "integrity": "sha512-oiuohEXAXhBxpzzNm9k2VHGEOLC1SXlXSbRPcfBZ9so5NRQUA++zCE7cyQJqGLTZR0t3itFLlZqDbYEXRrefwg==", + "dev": true, + "license": "MIT" + }, + "node_modules/@zag-js/element-size": { + "version": "0.31.1", + "resolved": "http://localhost:4873/@zag-js/element-size/-/element-size-0.31.1.tgz", + "integrity": "sha512-4T3yvn5NqqAjhlP326Fv+w9RqMIBbNN9H72g5q2ohwzhSgSfZzrKtjL4rs9axY/cw9UfMfXjRjEE98e5CMq7WQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/@zag-js/focus-visible": { + "version": "0.31.1", + "resolved": "http://localhost:4873/@zag-js/focus-visible/-/focus-visible-0.31.1.tgz", + "integrity": "sha512-dbLksz7FEwyFoANbpIlNnd3bVm0clQSUsnP8yUVQucStZPsuWjCrhL2jlAbGNrTrahX96ntUMXHb/sM68TibFg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@zag-js/dom-query": "0.31.1" + } + }, + "node_modules/@zxing/text-encoding": { + "version": "0.9.0", + "resolved": "http://localhost:4873/@zxing/text-encoding/-/text-encoding-0.9.0.tgz", + "integrity": "sha512-U/4aVJ2mxI0aDNI8Uq0wEhMgY+u4CNtEb0om3+y3+niDAsoTCOB33UF0sxpzqzdqXLqmvc+vZyAt4O8pPdfkwA==", + "dev": true, + "license": "(Unlicense OR Apache-2.0)", + "optional": true + }, + "node_modules/abab": { + "version": "2.0.6", + "resolved": "http://localhost:4873/abab/-/abab-2.0.6.tgz", + "integrity": "sha512-j2afSsaIENvHZN2B8GOpF566vZ5WVk5opAiMTvWgaQT8DkbOqsTfvNAvHoRGU2zzP8cPoqys+xHTRDWW8L+/BA==", + "deprecated": "Use your platform's native atob() and btoa() methods instead", + "dev": true, + "license": "BSD-3-Clause" + }, + "node_modules/accepts": { + "version": "1.3.8", + "resolved": "http://localhost:4873/accepts/-/accepts-1.3.8.tgz", + "integrity": "sha512-PYAthTa2m2VKxuvSD3DPC/Gy+U+sOA1LAuT8mkmRuvw+NACSaeXEQ+NHcVF7rONl6qcaxV3Uuemwawk+7+SJLw==", + "dev": true, + "license": "MIT", + "dependencies": { + "mime-types": "~2.1.34", + "negotiator": "0.6.3" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/accepts/node_modules/negotiator": { + "version": "0.6.3", + "resolved": "http://localhost:4873/negotiator/-/negotiator-0.6.3.tgz", + "integrity": "sha512-+EUsqGPLsM+j/zdChZjsnX51g4XrHFOIXwfnCVPGlQk/k5giakcKsuxCObBRu6DSm9opw/O6slWbJdghQM4bBg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/acorn": { + "version": "8.14.1", + "resolved": "http://localhost:4873/acorn/-/acorn-8.14.1.tgz", + "integrity": "sha512-OvQ/2pUDKmgfCg++xsTX1wGxfTaszcHVcTctW4UJB4hibJx2HXxxO5UmVgyjMa+ZDsiaf5wWLXYpRWMmBI0QHg==", + "dev": true, + "license": "MIT", + "bin": { + "acorn": "bin/acorn" + }, + "engines": { + "node": ">=0.4.0" + } + }, + "node_modules/acorn-globals": { + "version": "6.0.0", + "resolved": "http://localhost:4873/acorn-globals/-/acorn-globals-6.0.0.tgz", + "integrity": "sha512-ZQl7LOWaF5ePqqcX4hLuv/bLXYQNfNWw2c0/yX/TsPRKamzHcTGQnlCjHT3TsmkOUVEPS3crCxiPfdzE/Trlhg==", + "dev": true, + "license": "MIT", + "dependencies": { + "acorn": "^7.1.1", + "acorn-walk": "^7.1.1" + } + }, + "node_modules/acorn-globals/node_modules/acorn": { + "version": "7.4.1", + "resolved": "http://localhost:4873/acorn/-/acorn-7.4.1.tgz", + "integrity": "sha512-nQyp0o1/mNdbTO1PO6kHkwSrmgZ0MT/jCCpNiwbUjGoRN4dlBhqJtoQuCnEOKzgTVwg0ZWiCoQy6SxMebQVh8A==", + "dev": true, + "license": "MIT", + "bin": { + "acorn": "bin/acorn" + }, + "engines": { + "node": ">=0.4.0" + } + }, + "node_modules/acorn-jsx": { + "version": "5.3.2", + "resolved": "http://localhost:4873/acorn-jsx/-/acorn-jsx-5.3.2.tgz", + "integrity": "sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==", + "dev": true, + "license": "MIT", + "peerDependencies": { + "acorn": "^6.0.0 || ^7.0.0 || ^8.0.0" + } + }, + "node_modules/acorn-walk": { + "version": "7.2.0", + "resolved": "http://localhost:4873/acorn-walk/-/acorn-walk-7.2.0.tgz", + "integrity": "sha512-OPdCF6GsMIP+Az+aWfAAOEt2/+iVDKE7oy6lJ098aoe59oAmK76qV6Gw60SbZ8jHuG2wH058GF4pLFbYamYrVA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.4.0" + } + }, + "node_modules/agent-base": { + "version": "6.0.2", + "resolved": "http://localhost:4873/agent-base/-/agent-base-6.0.2.tgz", + "integrity": "sha512-RZNwNclF7+MS/8bDg70amg32dyeZGZxiDuQmZxKLAlQjr3jGyLx+4Kkk58UO7D2QdgFIQCovuSuZESne6RG6XQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "debug": "4" + }, + "engines": { + "node": ">= 6.0.0" + } + }, + "node_modules/ajv": { + "version": "6.12.6", + "resolved": "http://localhost:4873/ajv/-/ajv-6.12.6.tgz", + "integrity": "sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==", + "dev": true, + "license": "MIT", + "dependencies": { + "fast-deep-equal": "^3.1.1", + "fast-json-stable-stringify": "^2.0.0", + "json-schema-traverse": "^0.4.1", + "uri-js": "^4.2.2" + }, + "funding": { + "type": "github", + "url": "https://github.com/sponsors/epoberezkin" + } + }, + "node_modules/ajv-formats": { + "version": "2.1.1", + "resolved": "http://localhost:4873/ajv-formats/-/ajv-formats-2.1.1.tgz", + "integrity": "sha512-Wx0Kx52hxE7C18hkMEggYlEifqWZtYaRgouJor+WMdPnQyEK13vgEWyVNup7SoeeoLMsr4kf5h6dOW11I15MUA==", + "dev": true, + "license": "MIT", + "dependencies": { + "ajv": "^8.0.0" + }, + "peerDependencies": { + "ajv": "^8.0.0" + }, + "peerDependenciesMeta": { + "ajv": { + "optional": true + } + } + }, + "node_modules/ajv-formats/node_modules/ajv": { + "version": "8.17.1", + "resolved": "http://localhost:4873/ajv/-/ajv-8.17.1.tgz", + "integrity": "sha512-B/gBuNg5SiMTrPkC+A2+cW0RszwxYmn6VYxB/inlBStS5nx6xHIt/ehKRhIMhqusl7a8LjQoZnjCs5vhwxOQ1g==", + "dev": true, + "license": "MIT", + "dependencies": { + "fast-deep-equal": "^3.1.3", + "fast-uri": "^3.0.1", + "json-schema-traverse": "^1.0.0", + "require-from-string": "^2.0.2" + }, + "funding": { + "type": "github", + "url": "https://github.com/sponsors/epoberezkin" + } + }, + "node_modules/ajv-formats/node_modules/json-schema-traverse": { + "version": "1.0.0", + "resolved": "http://localhost:4873/json-schema-traverse/-/json-schema-traverse-1.0.0.tgz", + "integrity": "sha512-NM8/P9n3XjXhIZn1lLhkFaACTOURQXjWhV4BA/RnOv8xvgqtqpAX9IO4mRQxSx1Rlo4tqzeqb0sOlruaOy3dug==", + "dev": true, + "license": "MIT" + }, + "node_modules/ajv-keywords": { + "version": "3.5.2", + "resolved": "http://localhost:4873/ajv-keywords/-/ajv-keywords-3.5.2.tgz", + "integrity": "sha512-5p6WTN0DdTGVQk6VjcEju19IgaHudalcfabD7yhDGeA6bcQnmL+CpveLJq/3hvfwd1aof6L386Ougkx6RfyMIQ==", + "dev": true, + "license": "MIT", + "peerDependencies": { + "ajv": "^6.9.1" + } + }, + "node_modules/ansi-colors": { + "version": "4.1.3", + "resolved": "http://localhost:4873/ansi-colors/-/ansi-colors-4.1.3.tgz", + "integrity": "sha512-/6w/C21Pm1A7aZitlI5Ni/2J6FFQN8i1Cvz3kHABAAbw93v/NlvKdVOqz7CCWz/3iv/JplRSEEZ83XION15ovw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/ansi-escapes": { + "version": "3.2.0", + "resolved": "http://localhost:4873/ansi-escapes/-/ansi-escapes-3.2.0.tgz", + "integrity": "sha512-cBhpre4ma+U0T1oM5fXg7Dy1Jw7zzwv7lt/GoCpr+hDQJoYnKVPLL4dCvSEFMmQurOQvSrwT7SL/DAlhBI97RQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4" + } + }, + "node_modules/ansi-html": { + "version": "0.0.9", + "resolved": "http://localhost:4873/ansi-html/-/ansi-html-0.0.9.tgz", + "integrity": "sha512-ozbS3LuenHVxNRh/wdnN16QapUHzauqSomAl1jwwJRRsGwFwtj644lIhxfWu0Fy0acCij2+AEgHvjscq3dlVXg==", + "dev": true, + "engines": [ + "node >= 0.8.0" + ], + "license": "Apache-2.0", + "bin": { + "ansi-html": "bin/ansi-html" + } + }, + "node_modules/ansi-html-community": { + "version": "0.0.8", + "resolved": "http://localhost:4873/ansi-html-community/-/ansi-html-community-0.0.8.tgz", + "integrity": "sha512-1APHAyr3+PCamwNw3bXCPp4HFLONZt/yIH0sZp0/469KWNTEy+qN5jQ3GVX6DMZ1UXAi34yVwtTeaG/HpBuuzw==", + "dev": true, + "engines": [ + "node >= 0.8.0" + ], + "license": "Apache-2.0", + "bin": { + "ansi-html": "bin/ansi-html" + } + }, + "node_modules/ansi-regex": { + "version": "5.0.1", + "resolved": "http://localhost:4873/ansi-regex/-/ansi-regex-5.0.1.tgz", + "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/ansi-styles": { + "version": "4.3.0", + "resolved": "http://localhost:4873/ansi-styles/-/ansi-styles-4.3.0.tgz", + "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==", + "dev": true, + "license": "MIT", + "dependencies": { + "color-convert": "^2.0.1" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/chalk/ansi-styles?sponsor=1" + } + }, + "node_modules/anymatch": { + "version": "3.1.3", + "resolved": "http://localhost:4873/anymatch/-/anymatch-3.1.3.tgz", + "integrity": "sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw==", + "dev": true, + "license": "ISC", + "dependencies": { + "normalize-path": "^3.0.0", + "picomatch": "^2.0.4" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/anymatch/node_modules/normalize-path": { + "version": "3.0.0", + "resolved": "http://localhost:4873/normalize-path/-/normalize-path-3.0.0.tgz", + "integrity": "sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/archiver": { + "version": "1.3.0", + "resolved": "http://localhost:4873/archiver/-/archiver-1.3.0.tgz", + "integrity": "sha512-4q/CtGPNVyC5aT9eYHhFP7SAEjKYzQIDIJWXfexUIPNxitNs1y6hORdX+sYxERSZ6qPeNNBJ5UolFsJdWTU02g==", + "dev": true, + "license": "MIT", + "dependencies": { + "archiver-utils": "^1.3.0", + "async": "^2.0.0", + "buffer-crc32": "^0.2.1", + "glob": "^7.0.0", + "lodash": "^4.8.0", + "readable-stream": "^2.0.0", + "tar-stream": "^1.5.0", + "walkdir": "^0.0.11", + "zip-stream": "^1.1.0" + }, + "engines": { + "node": ">= 0.10.0" + } + }, + "node_modules/archiver-utils": { + "version": "1.3.0", + "resolved": "http://localhost:4873/archiver-utils/-/archiver-utils-1.3.0.tgz", + "integrity": "sha512-h+hTREBXcW5e1L9RihGXdH4PHHdGipG/jE2sMZrqIH6BmZAxeGU5IWjVsKhokdCSWX7km6Kkh406zZNEElHFPQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "glob": "^7.0.0", + "graceful-fs": "^4.1.0", + "lazystream": "^1.0.0", + "lodash": "^4.8.0", + "normalize-path": "^2.0.0", + "readable-stream": "^2.0.0" + }, + "engines": { + "node": ">= 0.10.0" + } + }, + "node_modules/argparse": { + "version": "1.0.10", + "resolved": "http://localhost:4873/argparse/-/argparse-1.0.10.tgz", + "integrity": "sha512-o5Roy6tNG4SL/FOkCAN6RzjiakZS25RLYFrcMttJqbdd8BWrnA+fGz57iN5Pb06pvBGvl5gQ0B48dJlslXvoTg==", + "dev": true, + "license": "MIT", + "dependencies": { + "sprintf-js": "~1.0.2" + } + }, + "node_modules/aria-hidden": { + "version": "1.2.6", + "resolved": "http://localhost:4873/aria-hidden/-/aria-hidden-1.2.6.tgz", + "integrity": "sha512-ik3ZgC9dY/lYVVM++OISsaYDeg1tb0VtP5uL3ouh1koGOaUMDPpbFIei4JkFimWUFPn90sbMNMXQAIVOlnYKJA==", + "dev": true, + "license": "MIT", + "dependencies": { + "tslib": "^2.0.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/aria-query": { + "version": "5.1.3", + "resolved": "http://localhost:4873/aria-query/-/aria-query-5.1.3.tgz", + "integrity": "sha512-R5iJ5lkuHybztUfuOAznmboyjWq8O6sqNqtK7CLOqdydi54VNbORp49mb14KbWgG1QD3JFO9hJdZ+y4KutfdOQ==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "deep-equal": "^2.0.5" + } + }, + "node_modules/arr-diff": { + "version": "4.0.0", + "resolved": "http://localhost:4873/arr-diff/-/arr-diff-4.0.0.tgz", + "integrity": "sha512-YVIQ82gZPGBebQV/a8dar4AitzCQs0jjXwMPZllpXMaGjXPYVUawSxQrRsjhjupyVxEvbHgUmIhKVlND+j02kA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/arr-flatten": { + "version": "1.1.0", + "resolved": "http://localhost:4873/arr-flatten/-/arr-flatten-1.1.0.tgz", + "integrity": "sha512-L3hKV5R/p5o81R7O02IGnwpDmkp6E982XhtbuwSe3O4qOtMMMtodicASA1Cny2U+aCXcNpml+m4dPsvsJ3jatg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/arr-union": { + "version": "3.1.0", + "resolved": "http://localhost:4873/arr-union/-/arr-union-3.1.0.tgz", + "integrity": "sha512-sKpyeERZ02v1FeCZT8lrfJq5u6goHCtpTAzPwJYe7c8SPFOboNjNg1vz2L4VTn9T4PQxEx13TbXLmYUcS6Ug7Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/array-buffer-byte-length": { + "version": "1.0.2", + "resolved": "http://localhost:4873/array-buffer-byte-length/-/array-buffer-byte-length-1.0.2.tgz", + "integrity": "sha512-LHE+8BuR7RYGDKvnrmcuSq3tDcKv9OFEXQt/HpbZhY7V6h0zlUXutnAD82GiFx9rdieCMjkvtcsPqBwgUl1Iiw==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.3", + "is-array-buffer": "^3.0.5" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/array-flatten": { + "version": "1.1.1", + "resolved": "http://localhost:4873/array-flatten/-/array-flatten-1.1.1.tgz", + "integrity": "sha512-PCVAQswWemu6UdxsDFFX/+gVeYqKAod3D3UVm91jHwynguOwAvYPhx8nNlM++NqRcK6CxxpUafjmhIdKiHibqg==", + "dev": true, + "license": "MIT" + }, + "node_modules/array-includes": { + "version": "3.1.8", + "resolved": "http://localhost:4873/array-includes/-/array-includes-3.1.8.tgz", + "integrity": "sha512-itaWrbYbqpGXkGhZPGUulwnhVf5Hpy1xiCFsGqyIGglbBxmG5vSjxQen3/WGOjPpNEv1RtBLKxbmVXm8HpJStQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind": "^1.0.7", + "define-properties": "^1.2.1", + "es-abstract": "^1.23.2", + "es-object-atoms": "^1.0.0", + "get-intrinsic": "^1.2.4", + "is-string": "^1.0.7" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/array-union": { + "version": "2.1.0", + "resolved": "http://localhost:4873/array-union/-/array-union-2.1.0.tgz", + "integrity": "sha512-HGyxoOTYUyCM6stUe6EJgnd4EoewAI7zMdfqO+kGjnlZmBDz/cR5pf8r/cR4Wq60sL/p0IkcjUEEPwS3GFrIyw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/array-unique": { + "version": "0.3.2", + "resolved": "http://localhost:4873/array-unique/-/array-unique-0.3.2.tgz", + "integrity": "sha512-SleRWjh9JUud2wH1hPs9rZBZ33H6T9HOiL0uwGnGx9FpE6wKGyfWugmbkEOIs6qWrZhg0LWeLziLrEwQJhs5mQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/array.prototype.findlast": { + "version": "1.2.5", + "resolved": "http://localhost:4873/array.prototype.findlast/-/array.prototype.findlast-1.2.5.tgz", + "integrity": "sha512-CVvd6FHg1Z3POpBLxO6E6zr+rSKEQ9L6rZHAaY7lLfhKsWYUBBOuMs0e9o24oopj6H+geRCX0YJ+TJLBK2eHyQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind": "^1.0.7", + "define-properties": "^1.2.1", + "es-abstract": "^1.23.2", + "es-errors": "^1.3.0", + "es-object-atoms": "^1.0.0", + "es-shim-unscopables": "^1.0.2" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/array.prototype.flat": { + "version": "1.3.3", + "resolved": "http://localhost:4873/array.prototype.flat/-/array.prototype.flat-1.3.3.tgz", + "integrity": "sha512-rwG/ja1neyLqCuGZ5YYrznA62D4mZXg0i1cIskIUKSiqF3Cje9/wXAls9B9s1Wa2fomMsIv8czB8jZcPmxCXFg==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind": "^1.0.8", + "define-properties": "^1.2.1", + "es-abstract": "^1.23.5", + "es-shim-unscopables": "^1.0.2" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/array.prototype.flatmap": { + "version": "1.3.3", + "resolved": "http://localhost:4873/array.prototype.flatmap/-/array.prototype.flatmap-1.3.3.tgz", + "integrity": "sha512-Y7Wt51eKJSyi80hFrJCePGGNo5ktJCslFuboqJsbf57CCPcm5zztluPlc4/aD8sWsKvlwatezpV4U1efk8kpjg==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind": "^1.0.8", + "define-properties": "^1.2.1", + "es-abstract": "^1.23.5", + "es-shim-unscopables": "^1.0.2" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/array.prototype.reduce": { + "version": "1.0.8", + "resolved": "http://localhost:4873/array.prototype.reduce/-/array.prototype.reduce-1.0.8.tgz", + "integrity": "sha512-DwuEqgXFBwbmZSRqt3BpQigWNUoqw9Ml2dTWdF3B2zQlQX4OeUE0zyuzX0fX0IbTvjdkZbcBTU3idgpO78qkTw==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind": "^1.0.8", + "call-bound": "^1.0.4", + "define-properties": "^1.2.1", + "es-abstract": "^1.23.9", + "es-array-method-boxes-properly": "^1.0.0", + "es-errors": "^1.3.0", + "es-object-atoms": "^1.1.1", + "is-string": "^1.1.1" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/array.prototype.tosorted": { + "version": "1.1.4", + "resolved": "http://localhost:4873/array.prototype.tosorted/-/array.prototype.tosorted-1.1.4.tgz", + "integrity": "sha512-p6Fx8B7b7ZhL/gmUsAy0D15WhvDccw3mnGNbZpi3pmeJdxtWsj2jEaI4Y6oo3XiHfzuSgPwKc04MYt6KgvC/wA==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind": "^1.0.7", + "define-properties": "^1.2.1", + "es-abstract": "^1.23.3", + "es-errors": "^1.3.0", + "es-shim-unscopables": "^1.0.2" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/arraybuffer.prototype.slice": { + "version": "1.0.4", + "resolved": "http://localhost:4873/arraybuffer.prototype.slice/-/arraybuffer.prototype.slice-1.0.4.tgz", + "integrity": "sha512-BNoCY6SXXPQ7gF2opIP4GBE+Xw7U+pHMYKuzjgCN3GwiaIR09UUeKfheyIry77QtrCBlC0KK0q5/TER/tYh3PQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "array-buffer-byte-length": "^1.0.1", + "call-bind": "^1.0.8", + "define-properties": "^1.2.1", + "es-abstract": "^1.23.5", + "es-errors": "^1.3.0", + "get-intrinsic": "^1.2.6", + "is-array-buffer": "^3.0.4" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/asn1js": { + "version": "3.0.6", + "resolved": "http://localhost:4873/asn1js/-/asn1js-3.0.6.tgz", + "integrity": "sha512-UOCGPYbl0tv8+006qks/dTgV9ajs97X2p0FAbyS2iyCRrmLSRolDaHdp+v/CLgnzHc3fVB+CwYiUmei7ndFcgA==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "pvtsutils": "^1.3.6", + "pvutils": "^1.1.3", + "tslib": "^2.8.1" + }, + "engines": { + "node": ">=12.0.0" + } + }, + "node_modules/assign-symbols": { + "version": "1.0.0", + "resolved": "http://localhost:4873/assign-symbols/-/assign-symbols-1.0.0.tgz", + "integrity": "sha512-Q+JC7Whu8HhmTdBph/Tq59IoRtoy6KAm5zzPv00WdujX82lbAL8K7WVjne7vdCsAmbF4AYaDOPyO3k0kl8qIrw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/ast-types-flow": { + "version": "0.0.7", + "resolved": "http://localhost:4873/ast-types-flow/-/ast-types-flow-0.0.7.tgz", + "integrity": "sha512-eBvWn1lvIApYMhzQMsu9ciLfkBY499mFZlNqG+/9WR7PVlroQw0vG30cOQQbaKz3sCEc44TAOu2ykzqXSNnwag==", + "dev": true, + "license": "ISC" + }, + "node_modules/async": { + "version": "2.6.4", + "resolved": "http://localhost:4873/async/-/async-2.6.4.tgz", + "integrity": "sha512-mzo5dfJYwAn29PeiJ0zvwTo04zj8HDJj0Mn8TD7sno7q12prdbnasKJHhkm2c1LgrhlJ0teaea8860oxi51mGA==", + "dev": true, + "license": "MIT", + "dependencies": { + "lodash": "^4.17.14" + } + }, + "node_modules/async-function": { + "version": "1.0.0", + "resolved": "http://localhost:4873/async-function/-/async-function-1.0.0.tgz", + "integrity": "sha512-hsU18Ae8CDTR6Kgu9DYf0EbCr/a5iGL0rytQDobUcdpYOKokk8LEjVphnXkDkgpi0wYVsqrXuP0bZxJaTqdgoA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/asynckit": { + "version": "0.4.0", + "resolved": "http://localhost:4873/asynckit/-/asynckit-0.4.0.tgz", + "integrity": "sha512-Oei9OH4tRh0YqU3GxhX79dM/mwVgvbZJaSNaRk+bshkj0S5cfHcgYakreBjrHwatXKbz+IoIdYLxrKim2MjW0Q==", + "dev": true, + "license": "MIT" + }, + "node_modules/atob": { + "version": "2.1.2", + "resolved": "http://localhost:4873/atob/-/atob-2.1.2.tgz", + "integrity": "sha512-Wm6ukoaOGJi/73p/cl2GvLjTI5JM1k/O14isD73YML8StrH/7/lRFgmg8nICZgD3bZZvjwCGxtMOD3wWNAu8cg==", + "dev": true, + "license": "(MIT OR Apache-2.0)", + "bin": { + "atob": "bin/atob.js" + }, + "engines": { + "node": ">= 4.5.0" + } + }, + "node_modules/available-typed-arrays": { + "version": "1.0.7", + "resolved": "http://localhost:4873/available-typed-arrays/-/available-typed-arrays-1.0.7.tgz", + "integrity": "sha512-wvUjBtSGN7+7SjNpq/9M2Tg350UZD3q62IFZLbRAR1bSMlCo1ZaeW+BJ+D090e4hIIZLBcTDWe4Mh4jvUDajzQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "possible-typed-array-names": "^1.0.0" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/aws-sdk": { + "version": "2.1692.0", + "resolved": "http://localhost:4873/aws-sdk/-/aws-sdk-2.1692.0.tgz", + "integrity": "sha512-x511uiJ/57FIsbgUe5csJ13k3uzu25uWQE+XqfBis/sB0SFoiElJWXRkgEAUh0U6n40eT3ay5Ue4oPkRMu1LYw==", + "dev": true, + "hasInstallScript": true, + "license": "Apache-2.0", + "dependencies": { + "buffer": "4.9.2", + "events": "1.1.1", + "ieee754": "1.1.13", + "jmespath": "0.16.0", + "querystring": "0.2.0", + "sax": "1.2.1", + "url": "0.10.3", + "util": "^0.12.4", + "uuid": "8.0.0", + "xml2js": "0.6.2" + }, + "engines": { + "node": ">= 10.0.0" + } + }, + "node_modules/aws-sdk/node_modules/uuid": { + "version": "8.0.0", + "resolved": "http://localhost:4873/uuid/-/uuid-8.0.0.tgz", + "integrity": "sha512-jOXGuXZAWdsTH7eZLtyXMqUb9EcWMGZNbL9YcGBJl4MH4nrxHmZJhEHvyLFrkxo+28uLb/NYRcStH48fnD0Vzw==", + "dev": true, + "license": "MIT", + "bin": { + "uuid": "dist/bin/uuid" + } + }, + "node_modules/aws-serverless-express": { + "version": "3.4.0", + "resolved": "http://localhost:4873/aws-serverless-express/-/aws-serverless-express-3.4.0.tgz", + "integrity": "sha512-YG9ZjAOI9OpwqDDWzkRc3kKJYJuR7gTMjLa3kAWopO17myoprxskCUyCEee+RKe34tcR4UNrVtgAwW5yDe74bw==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "@vendia/serverless-express": "^3.4.0", + "binary-case": "^1.0.0", + "type-is": "^1.6.16" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/axe-core": { + "version": "4.10.3", + "resolved": "http://localhost:4873/axe-core/-/axe-core-4.10.3.tgz", + "integrity": "sha512-Xm7bpRXnDSX2YE2YFfBk2FnF0ep6tmG7xPh8iHee8MIcrgq762Nkce856dYtJYLkuIoYZvGfTs/PbZhideTcEg==", + "dev": true, + "license": "MPL-2.0", + "engines": { + "node": ">=4" + } + }, + "node_modules/axobject-query": { + "version": "3.2.4", + "resolved": "http://localhost:4873/axobject-query/-/axobject-query-3.2.4.tgz", + "integrity": "sha512-aPTElBrbifBU1krmZxGZOlBkslORe7Ll7+BDnI50Wy4LgOt69luMgevkDfTq1O/ZgprooPCtWpjCwKSZw/iZ4A==", + "dev": true, + "license": "Apache-2.0", + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/babel-jest": { + "version": "26.6.3", + "resolved": "http://localhost:4873/babel-jest/-/babel-jest-26.6.3.tgz", + "integrity": "sha512-pl4Q+GAVOHwvjrck6jKjvmGhnO3jHX/xuB9d27f+EJZ/6k+6nMuPjorrYp7s++bKKdANwzElBWnLWaObvTnaZA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/transform": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/babel__core": "^7.1.7", + "babel-plugin-istanbul": "^6.0.0", + "babel-preset-jest": "^26.6.2", + "chalk": "^4.0.0", + "graceful-fs": "^4.2.4", + "slash": "^3.0.0" + }, + "engines": { + "node": ">= 10.14.2" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/babel-jest/node_modules/slash": { + "version": "3.0.0", + "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", + "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/babel-loader": { + "version": "8.4.1", + "resolved": "http://localhost:4873/babel-loader/-/babel-loader-8.4.1.tgz", + "integrity": "sha512-nXzRChX+Z1GoE6yWavBQg6jDslyFF3SDjl2paADuoQtQW10JqShJt62R6eJQ5m/pjJFDT8xgKIWSP85OY8eXeA==", + "dev": true, + "license": "MIT", + "dependencies": { + "find-cache-dir": "^3.3.1", + "loader-utils": "^2.0.4", + "make-dir": "^3.1.0", + "schema-utils": "^2.6.5" + }, + "engines": { + "node": ">= 8.9" + }, + "peerDependencies": { + "@babel/core": "^7.0.0", + "webpack": ">=2" + } + }, + "node_modules/babel-loader/node_modules/find-cache-dir": { + "version": "3.3.2", + "resolved": "http://localhost:4873/find-cache-dir/-/find-cache-dir-3.3.2.tgz", + "integrity": "sha512-wXZV5emFEjrridIgED11OoUKLxiYjAcqot/NJdAkOhlJ+vGzwhOAfcG5OX1jP+S0PcjEn8bdMJv+g2jwQ3Onig==", + "dev": true, + "license": "MIT", + "dependencies": { + "commondir": "^1.0.1", + "make-dir": "^3.0.2", + "pkg-dir": "^4.1.0" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/avajs/find-cache-dir?sponsor=1" + } + }, + "node_modules/babel-loader/node_modules/make-dir": { + "version": "3.1.0", + "resolved": "http://localhost:4873/make-dir/-/make-dir-3.1.0.tgz", + "integrity": "sha512-g3FeP20LNwhALb/6Cz6Dd4F2ngze0jz7tbzrD2wAV+o9FeNHe4rL+yK2md0J/fiSf1sa1ADhXqi5+oVwOM/eGw==", + "dev": true, + "license": "MIT", + "dependencies": { + "semver": "^6.0.0" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/babel-loader/node_modules/pkg-dir": { + "version": "4.2.0", + "resolved": "http://localhost:4873/pkg-dir/-/pkg-dir-4.2.0.tgz", + "integrity": "sha512-HRDzbaKjC+AOWVXxAU/x54COGeIv9eb+6CkDSQoNTt4XyWoIJvuPsXizxu/Fr23EiekbtZwmh1IcIG/l/a10GQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "find-up": "^4.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/babel-loader/node_modules/schema-utils": { + "version": "2.7.1", + "resolved": "http://localhost:4873/schema-utils/-/schema-utils-2.7.1.tgz", + "integrity": "sha512-SHiNtMOUGWBQJwzISiVYKu82GiV4QYGePp3odlY1tuKO7gPtphAT5R/py0fA6xtbgLL/RvtJZnU9b8s0F1q0Xg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/json-schema": "^7.0.5", + "ajv": "^6.12.4", + "ajv-keywords": "^3.5.2" + }, + "engines": { + "node": ">= 8.9.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/webpack" + } + }, + "node_modules/babel-loader/node_modules/semver": { + "version": "6.3.1", + "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", + "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver.js" + } + }, + "node_modules/babel-plugin-dynamic-import-node-babel-7": { + "version": "2.0.7", + "resolved": "http://localhost:4873/babel-plugin-dynamic-import-node-babel-7/-/babel-plugin-dynamic-import-node-babel-7-2.0.7.tgz", + "integrity": "sha512-8DO7mdeczoxi0z1ggb6wS/yWkwM2F9uMPKsVeohK1Ff389JENDfZd+aINwM5r2p66IZGR0rkMrYCr2EyEGrGAQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/plugin-syntax-dynamic-import": "^7.0.0-beta.42" + } + }, + "node_modules/babel-plugin-formatjs": { + "version": "10.5.36", + "resolved": "http://localhost:4873/babel-plugin-formatjs/-/babel-plugin-formatjs-10.5.36.tgz", + "integrity": "sha512-/JFNKuHTvOZ/oqKULBNJVn7zl6XU8rjHijghxyaBOExlk4t8CZ442wsVktuY0EmEnRvNBfPSBY4PhFe6s7QvnA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/core": "^7.26.10", + "@babel/helper-plugin-utils": "^7.26.5", + "@babel/plugin-syntax-jsx": "^7.25.9", + "@babel/traverse": "^7.26.10", + "@babel/types": "^7.26.10", + "@formatjs/icu-messageformat-parser": "2.11.2", + "@formatjs/ts-transformer": "3.13.33", + "@types/babel__core": "^7.20.5", + "@types/babel__helper-plugin-utils": "^7.10.3", + "@types/babel__traverse": "^7.20.6", + "tslib": "^2.8.0" + } + }, + "node_modules/babel-plugin-formatjs/node_modules/@formatjs/ts-transformer": { + "version": "3.13.33", + "resolved": "http://localhost:4873/@formatjs/ts-transformer/-/ts-transformer-3.13.33.tgz", + "integrity": "sha512-J52P8685QW5THfR9baUuaxcvFiROEjUVF0Y3SheeVPp/gevoYcN8DywizK00ELd37S4Egg/Ym+nk5gF5TKZTxA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@formatjs/icu-messageformat-parser": "2.11.2", + "@types/json-stable-stringify": "^1.1.0", + "@types/node": "^22.0.0", + "chalk": "^4.1.2", + "json-stable-stringify": "^1.1.1", + "tslib": "^2.8.0", + "typescript": "5.8.2" + }, + "peerDependencies": { + "ts-jest": "^29" + }, + "peerDependenciesMeta": { + "ts-jest": { + "optional": true + } + } + }, + "node_modules/babel-plugin-formatjs/node_modules/typescript": { + "version": "5.8.2", + "resolved": "http://localhost:4873/typescript/-/typescript-5.8.2.tgz", + "integrity": "sha512-aJn6wq13/afZp/jT9QZmwEjDqqvSGp1VT5GVg+f/t6/oVyrgXM6BY1h9BRh/O5p3PlUPAe+WuiEZOmb/49RqoQ==", + "dev": true, + "license": "Apache-2.0", + "bin": { + "tsc": "bin/tsc", + "tsserver": "bin/tsserver" + }, + "engines": { + "node": ">=14.17" + } + }, + "node_modules/babel-plugin-istanbul": { + "version": "6.1.1", + "resolved": "http://localhost:4873/babel-plugin-istanbul/-/babel-plugin-istanbul-6.1.1.tgz", + "integrity": "sha512-Y1IQok9821cC9onCx5otgFfRm7Lm+I+wwxOx738M/WLPZ9Q42m4IG5W0FNX8WLL2gYMZo3JkuXIH2DOpWM+qwA==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "@babel/helper-plugin-utils": "^7.0.0", + "@istanbuljs/load-nyc-config": "^1.0.0", + "@istanbuljs/schema": "^0.1.2", + "istanbul-lib-instrument": "^5.0.4", + "test-exclude": "^6.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/babel-plugin-jest-hoist": { + "version": "26.6.2", + "resolved": "http://localhost:4873/babel-plugin-jest-hoist/-/babel-plugin-jest-hoist-26.6.2.tgz", + "integrity": "sha512-PO9t0697lNTmcEHH69mdtYiOIkkOlj9fySqfO3K1eCcdISevLAE0xY59VLLUj0SoiPiTX/JU2CYFpILydUa5Lw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/template": "^7.3.3", + "@babel/types": "^7.3.3", + "@types/babel__core": "^7.0.0", + "@types/babel__traverse": "^7.0.6" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/babel-plugin-macros": { + "version": "3.1.0", + "resolved": "http://localhost:4873/babel-plugin-macros/-/babel-plugin-macros-3.1.0.tgz", + "integrity": "sha512-Cg7TFGpIr01vOQNODXOOaGz2NpCU5gl8x1qJFbb6hbZxR7XrcE2vtbAsTAbJ7/xwJtUuJEw8K8Zr/AE0LHlesg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.12.5", + "cosmiconfig": "^7.0.0", + "resolve": "^1.19.0" + }, + "engines": { + "node": ">=10", + "npm": ">=6" + } + }, + "node_modules/babel-plugin-macros/node_modules/cosmiconfig": { + "version": "7.1.0", + "resolved": "http://localhost:4873/cosmiconfig/-/cosmiconfig-7.1.0.tgz", + "integrity": "sha512-AdmX6xUzdNASswsFtmwSt7Vj8po9IuqXm0UXz7QKPuEUmPB4XyjGfaAr2PSuELMwkRMVH1EpIkX5bTZGRB3eCA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/parse-json": "^4.0.0", + "import-fresh": "^3.2.1", + "parse-json": "^5.0.0", + "path-type": "^4.0.0", + "yaml": "^1.10.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/babel-plugin-module-resolver": { + "version": "5.0.2", + "resolved": "http://localhost:4873/babel-plugin-module-resolver/-/babel-plugin-module-resolver-5.0.2.tgz", + "integrity": "sha512-9KtaCazHee2xc0ibfqsDeamwDps6FZNo5S0Q81dUqEuFzVwPhcT4J5jOqIVvgCA3Q/wO9hKYxN/Ds3tIsp5ygg==", + "dev": true, + "license": "MIT", + "dependencies": { + "find-babel-config": "^2.1.1", + "glob": "^9.3.3", + "pkg-up": "^3.1.0", + "reselect": "^4.1.7", + "resolve": "^1.22.8" + } + }, + "node_modules/babel-plugin-module-resolver/node_modules/brace-expansion": { + "version": "2.0.1", + "resolved": "http://localhost:4873/brace-expansion/-/brace-expansion-2.0.1.tgz", + "integrity": "sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==", + "dev": true, + "license": "MIT", + "dependencies": { + "balanced-match": "^1.0.0" + } + }, + "node_modules/babel-plugin-module-resolver/node_modules/glob": { + "version": "9.3.5", + "resolved": "http://localhost:4873/glob/-/glob-9.3.5.tgz", + "integrity": "sha512-e1LleDykUz2Iu+MTYdkSsuWX8lvAjAcs0Xef0lNIu0S2wOAzuTxCJtcd9S3cijlwYF18EsU3rzb8jPVobxDh9Q==", + "dev": true, + "license": "ISC", + "dependencies": { + "fs.realpath": "^1.0.0", + "minimatch": "^8.0.2", + "minipass": "^4.2.4", + "path-scurry": "^1.6.1" + }, + "engines": { + "node": ">=16 || 14 >=14.17" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/babel-plugin-module-resolver/node_modules/minimatch": { + "version": "8.0.4", + "resolved": "http://localhost:4873/minimatch/-/minimatch-8.0.4.tgz", + "integrity": "sha512-W0Wvr9HyFXZRGIDgCicunpQ299OKXs9RgZfaukz4qAW/pJhcpUfupc9c+OObPOFueNy8VSrZgEmDtk6Kh4WzDA==", + "dev": true, + "license": "ISC", + "dependencies": { + "brace-expansion": "^2.0.1" + }, + "engines": { + "node": ">=16 || 14 >=14.17" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/babel-plugin-polyfill-corejs2": { + "version": "0.4.13", + "resolved": "http://localhost:4873/babel-plugin-polyfill-corejs2/-/babel-plugin-polyfill-corejs2-0.4.13.tgz", + "integrity": "sha512-3sX/eOms8kd3q2KZ6DAhKPc0dgm525Gqq5NtWKZ7QYYZEv57OQ54KtblzJzH1lQF/eQxO8KjWGIK9IPUJNus5g==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/compat-data": "^7.22.6", + "@babel/helper-define-polyfill-provider": "^0.6.4", + "semver": "^6.3.1" + }, + "peerDependencies": { + "@babel/core": "^7.4.0 || ^8.0.0-0 <8.0.0" + } + }, + "node_modules/babel-plugin-polyfill-corejs2/node_modules/semver": { + "version": "6.3.1", + "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", + "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver.js" + } + }, + "node_modules/babel-plugin-polyfill-corejs3": { + "version": "0.11.1", + "resolved": "http://localhost:4873/babel-plugin-polyfill-corejs3/-/babel-plugin-polyfill-corejs3-0.11.1.tgz", + "integrity": "sha512-yGCqvBT4rwMczo28xkH/noxJ6MZ4nJfkVYdoDaC/utLtWrXxv27HVrzAeSbqR8SxDsp46n0YF47EbHoixy6rXQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-define-polyfill-provider": "^0.6.3", + "core-js-compat": "^3.40.0" + }, + "peerDependencies": { + "@babel/core": "^7.4.0 || ^8.0.0-0 <8.0.0" + } + }, + "node_modules/babel-plugin-polyfill-regenerator": { + "version": "0.6.4", + "resolved": "http://localhost:4873/babel-plugin-polyfill-regenerator/-/babel-plugin-polyfill-regenerator-0.6.4.tgz", + "integrity": "sha512-7gD3pRadPrbjhjLyxebmx/WrFYcuSjZ0XbdUujQMZ/fcE9oeewk2U/7PCvez84UeuK3oSjmPZ0Ch0dlupQvGzw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/helper-define-polyfill-provider": "^0.6.4" + }, + "peerDependencies": { + "@babel/core": "^7.4.0 || ^8.0.0-0 <8.0.0" + } + }, + "node_modules/babel-preset-current-node-syntax": { + "version": "1.1.0", + "resolved": "http://localhost:4873/babel-preset-current-node-syntax/-/babel-preset-current-node-syntax-1.1.0.tgz", + "integrity": "sha512-ldYss8SbBlWva1bs28q78Ju5Zq1F+8BrqBZZ0VFhLBvhh6lCpC2o3gDJi/5DRLs9FgYZCnmPYIVFU4lRXCkyUw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/plugin-syntax-async-generators": "^7.8.4", + "@babel/plugin-syntax-bigint": "^7.8.3", + "@babel/plugin-syntax-class-properties": "^7.12.13", + "@babel/plugin-syntax-class-static-block": "^7.14.5", + "@babel/plugin-syntax-import-attributes": "^7.24.7", + "@babel/plugin-syntax-import-meta": "^7.10.4", + "@babel/plugin-syntax-json-strings": "^7.8.3", + "@babel/plugin-syntax-logical-assignment-operators": "^7.10.4", + "@babel/plugin-syntax-nullish-coalescing-operator": "^7.8.3", + "@babel/plugin-syntax-numeric-separator": "^7.10.4", + "@babel/plugin-syntax-object-rest-spread": "^7.8.3", + "@babel/plugin-syntax-optional-catch-binding": "^7.8.3", + "@babel/plugin-syntax-optional-chaining": "^7.8.3", + "@babel/plugin-syntax-private-property-in-object": "^7.14.5", + "@babel/plugin-syntax-top-level-await": "^7.14.5" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/babel-preset-jest": { + "version": "26.6.2", + "resolved": "http://localhost:4873/babel-preset-jest/-/babel-preset-jest-26.6.2.tgz", + "integrity": "sha512-YvdtlVm9t3k777c5NPQIv6cxFFFapys25HiUmuSgHwIZhfifweR5c5Sf5nwE3MAbfu327CYSvps8Yx6ANLyleQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "babel-plugin-jest-hoist": "^26.6.2", + "babel-preset-current-node-syntax": "^1.0.0" + }, + "engines": { + "node": ">= 10.14.2" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/balanced-match": { + "version": "1.0.2", + "resolved": "http://localhost:4873/balanced-match/-/balanced-match-1.0.2.tgz", + "integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==", + "dev": true, + "license": "MIT" + }, + "node_modules/base": { + "version": "0.11.2", + "resolved": "http://localhost:4873/base/-/base-0.11.2.tgz", + "integrity": "sha512-5T6P4xPgpp0YDFvSWwEZ4NoE3aM4QBQXDzmVbraCkFj8zHM+mba8SyqB5DbZWyR7mYHo6Y7BdQo3MoA4m0TeQg==", + "dev": true, + "license": "MIT", + "dependencies": { + "cache-base": "^1.0.1", + "class-utils": "^0.3.5", + "component-emitter": "^1.2.1", + "define-property": "^1.0.0", + "isobject": "^3.0.1", + "mixin-deep": "^1.2.0", + "pascalcase": "^0.1.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/base/node_modules/define-property": { + "version": "1.0.0", + "resolved": "http://localhost:4873/define-property/-/define-property-1.0.0.tgz", + "integrity": "sha512-cZTYKFWspt9jZsMscWo8sc/5lbPC9Q0N5nBLgb+Yd915iL3udB1uFgS3B8YCx66UVHq018DAVFoee7x+gxggeA==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-descriptor": "^1.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/base64-arraybuffer": { + "version": "0.2.0", + "resolved": "http://localhost:4873/base64-arraybuffer/-/base64-arraybuffer-0.2.0.tgz", + "integrity": "sha512-7emyCsu1/xiBXgQZrscw/8KPRT44I4Yq9Pe6EGs3aPRTsWuggML1/1DTuZUuIaJPIm1FTDUVXl4x/yW8s0kQDQ==", + "dev": true, + "engines": { + "node": ">= 0.6.0" + } + }, + "node_modules/base64-js": { + "version": "1.5.1", + "resolved": "http://localhost:4873/base64-js/-/base64-js-1.5.1.tgz", + "integrity": "sha512-AKpaYlHn8t4SVbOHCy+b5+KKgvR4vrsD8vbvrbiQJps7fKDTkjkDry6ji0rUJjC0kzbNePLwzxq8iypo41qeWA==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/feross" + }, + { + "type": "patreon", + "url": "https://www.patreon.com/feross" + }, + { + "type": "consulting", + "url": "https://feross.org/support" + } + ], + "license": "MIT" + }, + "node_modules/basic-auth": { + "version": "2.0.1", + "resolved": "http://localhost:4873/basic-auth/-/basic-auth-2.0.1.tgz", + "integrity": "sha512-NF+epuEdnUYVlGuhaxbbq+dvJttwLnGY+YixlXlME5KpQ5W3CnXA5cVTneY3SPbPDRkcjMbifrwmFYcClgOZeg==", + "dev": true, + "license": "MIT", + "dependencies": { + "safe-buffer": "5.1.2" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/basic-auth/node_modules/safe-buffer": { + "version": "5.1.2", + "resolved": "http://localhost:4873/safe-buffer/-/safe-buffer-5.1.2.tgz", + "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==", + "dev": true, + "license": "MIT" + }, + "node_modules/big.js": { + "version": "5.2.2", + "resolved": "http://localhost:4873/big.js/-/big.js-5.2.2.tgz", + "integrity": "sha512-vyL2OymJxmarO8gxMr0mhChsO9QGwhynfuu4+MHTAW6czfq9humCB7rKpUjDd9YUiDPU4mzpyupFSvOClAwbmQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": "*" + } + }, + "node_modules/binary-case": { + "version": "1.1.4", + "resolved": "http://localhost:4873/binary-case/-/binary-case-1.1.4.tgz", + "integrity": "sha512-9Kq8m6NZTAgy05Ryuh7U3Qc4/ujLQU1AZ5vMw4cr3igTdi5itZC6kCNrRr2X8NzPiDn2oUIFTfa71DKMnue/Zg==", + "dev": true, + "license": "Apache-2.0" + }, + "node_modules/binary-extensions": { + "version": "2.3.0", + "resolved": "http://localhost:4873/binary-extensions/-/binary-extensions-2.3.0.tgz", + "integrity": "sha512-Ceh+7ox5qe7LJuLHoY0feh3pHuUDHAcRUeyL2VYghZwfpkNIy/+8Ocg0a3UuSoYzavmylwuLWQOf3hl0jjMMIw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/bl": { + "version": "1.2.3", + "resolved": "http://localhost:4873/bl/-/bl-1.2.3.tgz", + "integrity": "sha512-pvcNpa0UU69UT341rO6AYy4FVAIkUHuZXRIWbq+zHnsVcRzDDjIAhGuuYoi0d//cwIwtt4pkpKycWEfjdV+vww==", + "dev": true, + "license": "MIT", + "dependencies": { + "readable-stream": "^2.3.5", + "safe-buffer": "^5.1.1" + } + }, + "node_modules/bluebird": { + "version": "3.7.2", + "resolved": "http://localhost:4873/bluebird/-/bluebird-3.7.2.tgz", + "integrity": "sha512-XpNj6GDQzdfW+r2Wnn7xiSAd7TM3jzkxGXBGTtWKuSXv1xUV+azxAm8jdWZN06QTQk+2N2XB9jRDkvbmQmcRtg==", + "dev": true, + "license": "MIT" + }, + "node_modules/body-parser": { + "version": "1.20.3", + "resolved": "http://localhost:4873/body-parser/-/body-parser-1.20.3.tgz", + "integrity": "sha512-7rAxByjUMqQ3/bHJy7D6OGXvx/MMc4IqBn/X0fcM1QUcAItpZrBEYhWGem+tzXH90c+G01ypMcYJBO9Y30203g==", + "dev": true, + "license": "MIT", + "dependencies": { + "bytes": "3.1.2", + "content-type": "~1.0.5", + "debug": "2.6.9", + "depd": "2.0.0", + "destroy": "1.2.0", + "http-errors": "2.0.0", + "iconv-lite": "0.4.24", + "on-finished": "2.4.1", + "qs": "6.13.0", + "raw-body": "2.5.2", + "type-is": "~1.6.18", + "unpipe": "1.0.0" + }, + "engines": { + "node": ">= 0.8", + "npm": "1.2.8000 || >= 1.4.16" + } + }, + "node_modules/body-parser/node_modules/debug": { + "version": "2.6.9", + "resolved": "http://localhost:4873/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "dev": true, + "license": "MIT", + "dependencies": { + "ms": "2.0.0" + } + }, + "node_modules/body-parser/node_modules/ms": { + "version": "2.0.0", + "resolved": "http://localhost:4873/ms/-/ms-2.0.0.tgz", + "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", + "dev": true, + "license": "MIT" + }, + "node_modules/brace-expansion": { + "version": "1.1.11", + "resolved": "http://localhost:4873/brace-expansion/-/brace-expansion-1.1.11.tgz", + "integrity": "sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==", + "dev": true, + "license": "MIT", + "dependencies": { + "balanced-match": "^1.0.0", + "concat-map": "0.0.1" + } + }, + "node_modules/braces": { + "version": "3.0.3", + "resolved": "http://localhost:4873/braces/-/braces-3.0.3.tgz", + "integrity": "sha512-yQbXgO/OSZVD2IsiLlro+7Hf6Q18EJrKSEsdoMzKePKXct3gvD8oLcOQdIzGupr5Fj+EDe8gO/lxc1BzfMpxvA==", + "dev": true, + "license": "MIT", + "dependencies": { + "fill-range": "^7.1.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/browser-process-hrtime": { + "version": "1.0.0", + "resolved": "http://localhost:4873/browser-process-hrtime/-/browser-process-hrtime-1.0.0.tgz", + "integrity": "sha512-9o5UecI3GhkpM6DrXr69PblIuWxPKk9Y0jHBRhdocZ2y7YECBFCsHm79Pr3OyR2AvjhDkabFJaDJMYRazHgsow==", + "dev": true, + "license": "BSD-2-Clause" + }, + "node_modules/browserslist": { + "version": "4.24.5", + "resolved": "http://localhost:4873/browserslist/-/browserslist-4.24.5.tgz", + "integrity": "sha512-FDToo4Wo82hIdgc1CQ+NQD0hEhmpPjrZ3hiUgwgOG6IuTdlpr8jdjyG24P6cNP1yJpTLzS5OcGgSw0xmDU1/Tw==", + "dev": true, + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/browserslist" + }, + { + "type": "tidelift", + "url": "https://tidelift.com/funding/github/npm/browserslist" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "MIT", + "dependencies": { + "caniuse-lite": "^1.0.30001716", + "electron-to-chromium": "^1.5.149", + "node-releases": "^2.0.19", + "update-browserslist-db": "^1.1.3" + }, + "bin": { + "browserslist": "cli.js" + }, + "engines": { + "node": "^6 || ^7 || ^8 || ^9 || ^10 || ^11 || ^12 || >=13.7" + } + }, + "node_modules/bser": { + "version": "2.1.1", + "resolved": "http://localhost:4873/bser/-/bser-2.1.1.tgz", + "integrity": "sha512-gQxTNE/GAfIIrmHLUE3oJyp5FO6HRBfhjnw4/wMmA63ZGDJnWBmgY/lyQBpnDUkGmAhbSe39tx2d/iTOAfglwQ==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "node-int64": "^0.4.0" + } + }, + "node_modules/buffer": { + "version": "4.9.2", + "resolved": "http://localhost:4873/buffer/-/buffer-4.9.2.tgz", + "integrity": "sha512-xq+q3SRMOxGivLhBNaUdC64hDTQwejJ+H0T/NB1XMtTVEwNTrfFF3gAxiyW0Bu/xWEGhjVKgUcMhCrUy2+uCWg==", + "dev": true, + "license": "MIT", + "dependencies": { + "base64-js": "^1.0.2", + "ieee754": "^1.1.4", + "isarray": "^1.0.0" + } + }, + "node_modules/buffer-alloc": { + "version": "1.2.0", + "resolved": "http://localhost:4873/buffer-alloc/-/buffer-alloc-1.2.0.tgz", + "integrity": "sha512-CFsHQgjtW1UChdXgbyJGtnm+O/uLQeZdtbDo8mfUgYXCHSM1wgrVxXm6bSyrUuErEb+4sYVGCzASBRot7zyrow==", + "dev": true, + "license": "MIT", + "dependencies": { + "buffer-alloc-unsafe": "^1.1.0", + "buffer-fill": "^1.0.0" + } + }, + "node_modules/buffer-alloc-unsafe": { + "version": "1.1.0", + "resolved": "http://localhost:4873/buffer-alloc-unsafe/-/buffer-alloc-unsafe-1.1.0.tgz", + "integrity": "sha512-TEM2iMIEQdJ2yjPJoSIsldnleVaAk1oW3DBVUykyOLsEsFmEc9kn+SFFPz+gl54KQNxlDnAwCXosOS9Okx2xAg==", + "dev": true, + "license": "MIT" + }, + "node_modules/buffer-crc32": { + "version": "0.2.13", + "resolved": "http://localhost:4873/buffer-crc32/-/buffer-crc32-0.2.13.tgz", + "integrity": "sha512-VO9Ht/+p3SN7SKWqcrgEzjGbRSJYTx+Q1pTQC0wrWqHx0vpJraQ6GtHx8tvcg1rlK1byhU5gccxgOgj7B0TDkQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": "*" + } + }, + "node_modules/buffer-equal-constant-time": { + "version": "1.0.1", + "resolved": "http://localhost:4873/buffer-equal-constant-time/-/buffer-equal-constant-time-1.0.1.tgz", + "integrity": "sha512-zRpUiDwd/xk6ADqPMATG8vc9VPrkck7T07OIx0gnjmJAnHnTVXNQG3vfvWNuiZIkwu9KrKdA1iJKfsfTVxE6NA==", + "dev": true, + "license": "BSD-3-Clause" + }, + "node_modules/buffer-fill": { + "version": "1.0.0", + "resolved": "http://localhost:4873/buffer-fill/-/buffer-fill-1.0.0.tgz", + "integrity": "sha512-T7zexNBwiiaCOGDg9xNX9PBmjrubblRkENuptryuI64URkXDFum9il/JGL8Lm8wYfAXpredVXXZz7eMHilimiQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/buffer-from": { + "version": "1.1.2", + "resolved": "http://localhost:4873/buffer-from/-/buffer-from-1.1.2.tgz", + "integrity": "sha512-E+XQCRwSbaaiChtv6k6Dwgc+bx+Bs6vuKJHHl5kox/BaKbhiXzqQOwK4cO22yElGp2OCmjwVhT3HmxgyPGnJfQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/bundlesize2": { + "version": "0.0.35", + "resolved": "http://localhost:4873/bundlesize2/-/bundlesize2-0.0.35.tgz", + "integrity": "sha512-GjlPAyJfaBStTxJnl7UpipSoE6wiuyxKfbFEYAaVnKEAAkzJXi3vt0JM4xibYhnTkg0D9OZFsmR5FGxgQcflcQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "bytes": "^3.1.0", + "chalk": "^4.0.0", + "ci-env": "^1.15.0", + "commander": "^5.1.0", + "cosmiconfig": "5.2.1", + "figures": "^3.2.0", + "glob": "^9.3.5", + "gzip-size": "^5.1.1", + "node-fetch": "^2.6.7", + "plur": "^4.0.0" + }, + "bin": { + "bundlesize": "index.js" + } + }, + "node_modules/bundlesize2/node_modules/brace-expansion": { + "version": "2.0.1", + "resolved": "http://localhost:4873/brace-expansion/-/brace-expansion-2.0.1.tgz", + "integrity": "sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==", + "dev": true, + "license": "MIT", + "dependencies": { + "balanced-match": "^1.0.0" + } + }, + "node_modules/bundlesize2/node_modules/commander": { + "version": "5.1.0", + "resolved": "http://localhost:4873/commander/-/commander-5.1.0.tgz", + "integrity": "sha512-P0CysNDQ7rtVw4QIQtm+MRxV66vKFSvlsQvGYXZWR3qFU0jlMKHZZZgw8e+8DSah4UDKMqnknRDQz+xuQXQ/Zg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 6" + } + }, + "node_modules/bundlesize2/node_modules/cosmiconfig": { + "version": "5.2.1", + "resolved": "http://localhost:4873/cosmiconfig/-/cosmiconfig-5.2.1.tgz", + "integrity": "sha512-H65gsXo1SKjf8zmrJ67eJk8aIRKV5ff2D4uKZIBZShbhGSpEmsQOPW/SKMKYhSTrqR7ufy6RP69rPogdaPh/kA==", + "dev": true, + "license": "MIT", + "dependencies": { + "import-fresh": "^2.0.0", + "is-directory": "^0.3.1", + "js-yaml": "^3.13.1", + "parse-json": "^4.0.0" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/bundlesize2/node_modules/glob": { + "version": "9.3.5", + "resolved": "http://localhost:4873/glob/-/glob-9.3.5.tgz", + "integrity": "sha512-e1LleDykUz2Iu+MTYdkSsuWX8lvAjAcs0Xef0lNIu0S2wOAzuTxCJtcd9S3cijlwYF18EsU3rzb8jPVobxDh9Q==", + "dev": true, + "license": "ISC", + "dependencies": { + "fs.realpath": "^1.0.0", + "minimatch": "^8.0.2", + "minipass": "^4.2.4", + "path-scurry": "^1.6.1" + }, + "engines": { + "node": ">=16 || 14 >=14.17" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/bundlesize2/node_modules/import-fresh": { + "version": "2.0.0", + "resolved": "http://localhost:4873/import-fresh/-/import-fresh-2.0.0.tgz", + "integrity": "sha512-eZ5H8rcgYazHbKC3PG4ClHNykCSxtAhxSSEM+2mb+7evD2CKF5V7c0dNum7AdpDh0ZdICwZY9sRSn8f+KH96sg==", + "dev": true, + "license": "MIT", + "dependencies": { + "caller-path": "^2.0.0", + "resolve-from": "^3.0.0" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/bundlesize2/node_modules/minimatch": { + "version": "8.0.4", + "resolved": "http://localhost:4873/minimatch/-/minimatch-8.0.4.tgz", + "integrity": "sha512-W0Wvr9HyFXZRGIDgCicunpQ299OKXs9RgZfaukz4qAW/pJhcpUfupc9c+OObPOFueNy8VSrZgEmDtk6Kh4WzDA==", + "dev": true, + "license": "ISC", + "dependencies": { + "brace-expansion": "^2.0.1" + }, + "engines": { + "node": ">=16 || 14 >=14.17" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/bundlesize2/node_modules/parse-json": { + "version": "4.0.0", + "resolved": "http://localhost:4873/parse-json/-/parse-json-4.0.0.tgz", + "integrity": "sha512-aOIos8bujGN93/8Ox/jPLh7RwVnPEysynVFE+fQZyg6jKELEHwzgKdLRFHUgXJL6kylijVSBC4BvN9OmsB48Rw==", + "dev": true, + "license": "MIT", + "dependencies": { + "error-ex": "^1.3.1", + "json-parse-better-errors": "^1.0.1" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/bundlesize2/node_modules/resolve-from": { + "version": "3.0.0", + "resolved": "http://localhost:4873/resolve-from/-/resolve-from-3.0.0.tgz", + "integrity": "sha512-GnlH6vxLymXJNMBo7XP1fJIzBFbdYt49CuTwmB/6N53t+kMPRMFKz783LlQ4tv28XoQfMWinAJX6WCGf2IlaIw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4" + } + }, + "node_modules/bytes": { + "version": "3.1.2", + "resolved": "http://localhost:4873/bytes/-/bytes-3.1.2.tgz", + "integrity": "sha512-/Nf7TyzTx6S3yRJObOAV7956r8cr2+Oj8AC5dt8wSP3BQAoeX58NoHyCU8P8zGkNXStjTSi6fzO6F0pBdcYbEg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/cache-base": { + "version": "1.0.1", + "resolved": "http://localhost:4873/cache-base/-/cache-base-1.0.1.tgz", + "integrity": "sha512-AKcdTnFSWATd5/GCPRxr2ChwIJ85CeyrEyjRHlKxQ56d4XJMGym0uAiKn0xbLOGOl3+yRpOTi484dVCEc5AUzQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "collection-visit": "^1.0.0", + "component-emitter": "^1.2.1", + "get-value": "^2.0.6", + "has-value": "^1.0.0", + "isobject": "^3.0.1", + "set-value": "^2.0.0", + "to-object-path": "^0.3.0", + "union-value": "^1.0.0", + "unset-value": "^1.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/call-bind": { + "version": "1.0.8", + "resolved": "http://localhost:4873/call-bind/-/call-bind-1.0.8.tgz", + "integrity": "sha512-oKlSFMcMwpUg2ednkhQ454wfWiU/ul3CkJe/PEHcTKuiX6RpbehUiFMXu13HalGZxfUwCQzZG747YXBn1im9ww==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind-apply-helpers": "^1.0.0", + "es-define-property": "^1.0.0", + "get-intrinsic": "^1.2.4", + "set-function-length": "^1.2.2" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/call-bind-apply-helpers": { + "version": "1.0.2", + "resolved": "http://localhost:4873/call-bind-apply-helpers/-/call-bind-apply-helpers-1.0.2.tgz", + "integrity": "sha512-Sp1ablJ0ivDkSzjcaJdxEunN5/XvksFJ2sMBFfq6x0ryhQV/2b/KwFe21cMpmHtPOSij8K99/wSfoEuTObmuMQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "es-errors": "^1.3.0", + "function-bind": "^1.1.2" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/call-bound": { + "version": "1.0.4", + "resolved": "http://localhost:4873/call-bound/-/call-bound-1.0.4.tgz", + "integrity": "sha512-+ys997U96po4Kx/ABpBCqhA9EuxJaQWDQg7295H4hBphv3IZg0boBKuwYpt4YXp6MZ5AmZQnU/tyMTlRpaSejg==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind-apply-helpers": "^1.0.2", + "get-intrinsic": "^1.3.0" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/caller-callsite": { + "version": "2.0.0", + "resolved": "http://localhost:4873/caller-callsite/-/caller-callsite-2.0.0.tgz", + "integrity": "sha512-JuG3qI4QOftFsZyOn1qq87fq5grLIyk1JYd5lJmdA+fG7aQ9pA/i3JIJGcO3q0MrRcHlOt1U+ZeHW8Dq9axALQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "callsites": "^2.0.0" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/caller-callsite/node_modules/callsites": { + "version": "2.0.0", + "resolved": "http://localhost:4873/callsites/-/callsites-2.0.0.tgz", + "integrity": "sha512-ksWePWBloaWPxJYQ8TL0JHvtci6G5QTKwQ95RcWAa/lzoAKuAOflGdAK92hpHXjkwb8zLxoLNUoNYZgVsaJzvQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4" + } + }, + "node_modules/caller-path": { + "version": "2.0.0", + "resolved": "http://localhost:4873/caller-path/-/caller-path-2.0.0.tgz", + "integrity": "sha512-MCL3sf6nCSXOwCTzvPKhN18TU7AHTvdtam8DAogxcrJ8Rjfbbg7Lgng64H9Iy+vUV6VGFClN/TyxBkAebLRR4A==", + "dev": true, + "license": "MIT", + "dependencies": { + "caller-callsite": "^2.0.0" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/callsites": { + "version": "3.1.0", + "resolved": "http://localhost:4873/callsites/-/callsites-3.1.0.tgz", + "integrity": "sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/camelcase": { + "version": "5.3.1", + "resolved": "http://localhost:4873/camelcase/-/camelcase-5.3.1.tgz", + "integrity": "sha512-L28STB170nwWS63UjtlEOE3dldQApaJXZkOI1uMFfzf3rRuPegHaHesyee+YxQ+W6SvRDQV6UrdOdRiR153wJg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/caniuse-lite": { + "version": "1.0.30001718", + "resolved": "http://localhost:4873/caniuse-lite/-/caniuse-lite-1.0.30001718.tgz", + "integrity": "sha512-AflseV1ahcSunK53NfEs9gFWgOEmzr0f+kaMFA4xiLZlr9Hzt7HxcSpIFcnNCUkz6R6dWKa54rUz3HUmI3nVcw==", + "dev": true, + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/browserslist" + }, + { + "type": "tidelift", + "url": "https://tidelift.com/funding/github/npm/caniuse-lite" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "CC-BY-4.0" + }, + "node_modules/capture-exit": { + "version": "2.0.0", + "resolved": "http://localhost:4873/capture-exit/-/capture-exit-2.0.0.tgz", + "integrity": "sha512-PiT/hQmTonHhl/HFGN+Lx3JJUznrVYJ3+AQsnthneZbvW7x+f08Tk7yLJTLEOUvBTbduLeeBkxEaYXUOUrRq6g==", + "dev": true, + "license": "ISC", + "dependencies": { + "rsvp": "^4.8.4" + }, + "engines": { + "node": "6.* || 8.* || >= 10.*" + } + }, + "node_modules/card-validator": { + "version": "8.1.1", + "resolved": "http://localhost:4873/card-validator/-/card-validator-8.1.1.tgz", + "integrity": "sha512-cN4FsKwoTfTFnqPwVc7TQLSsH/QMDB3n/gWm0XelcApz4sKipnOQ6k33sa3bWsNnnIpgs7eXOF+mUV2UQAX2Sw==", + "dev": true, + "license": "MIT", + "dependencies": { + "credit-card-type": "^9.1.0" + } + }, + "node_modules/chalk": { + "version": "4.1.2", + "resolved": "http://localhost:4873/chalk/-/chalk-4.1.2.tgz", + "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-styles": "^4.1.0", + "supports-color": "^7.1.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/chalk?sponsor=1" + } + }, + "node_modules/char-regex": { + "version": "1.0.2", + "resolved": "http://localhost:4873/char-regex/-/char-regex-1.0.2.tgz", + "integrity": "sha512-kWWXztvZ5SBQV+eRgKFeh8q5sLuZY2+8WUIzlxWVTg+oGwY14qylx1KbKzHd8P6ZYkAg0xyIDU9JMHhyJMZ1jw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + } + }, + "node_modules/chardet": { + "version": "0.7.0", + "resolved": "http://localhost:4873/chardet/-/chardet-0.7.0.tgz", + "integrity": "sha512-mT8iDcrh03qDGRRmoA2hmBJnxpllMR+0/0qlzjqZES6NdiWDcZkCNAk4rPFZ9Q85r27unkiNNg8ZOiwZXBHwcA==", + "dev": true, + "license": "MIT" + }, + "node_modules/chokidar": { + "version": "3.6.0", + "resolved": "http://localhost:4873/chokidar/-/chokidar-3.6.0.tgz", + "integrity": "sha512-7VT13fmjotKpGipCW9JEQAusEPE+Ei8nl6/g4FBAmIm0GOOLMua9NDDo/DWp0ZAxCr3cPq5ZpBqmPAQgDda2Pw==", + "dev": true, + "license": "MIT", + "dependencies": { + "anymatch": "~3.1.2", + "braces": "~3.0.2", + "glob-parent": "~5.1.2", + "is-binary-path": "~2.1.0", + "is-glob": "~4.0.1", + "normalize-path": "~3.0.0", + "readdirp": "~3.6.0" + }, + "engines": { + "node": ">= 8.10.0" + }, + "funding": { + "url": "https://paulmillr.com/funding/" + }, + "optionalDependencies": { + "fsevents": "~2.3.2" + } + }, + "node_modules/chokidar/node_modules/normalize-path": { + "version": "3.0.0", + "resolved": "http://localhost:4873/normalize-path/-/normalize-path-3.0.0.tgz", + "integrity": "sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/chownr": { + "version": "1.1.4", + "resolved": "http://localhost:4873/chownr/-/chownr-1.1.4.tgz", + "integrity": "sha512-jJ0bqzaylmJtVnNgzTeSOs8DPavpbYgEr/b0YL8/2GO3xJEhInFmhKMUnEJQjZumK7KXGFhUy89PrsJWlakBVg==", + "dev": true, + "license": "ISC" + }, + "node_modules/chrome-launcher": { + "version": "0.13.4", + "resolved": "http://localhost:4873/chrome-launcher/-/chrome-launcher-0.13.4.tgz", + "integrity": "sha512-nnzXiDbGKjDSK6t2I+35OAPBy5Pw/39bgkb/ZAFwMhwJbdYBp6aH+vW28ZgtjdU890Q7D+3wN/tB8N66q5Gi2A==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "@types/node": "*", + "escape-string-regexp": "^1.0.5", + "is-wsl": "^2.2.0", + "lighthouse-logger": "^1.0.0", + "mkdirp": "^0.5.3", + "rimraf": "^3.0.2" + } + }, + "node_modules/chrome-launcher/node_modules/escape-string-regexp": { + "version": "1.0.5", + "resolved": "http://localhost:4873/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz", + "integrity": "sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.8.0" + } + }, + "node_modules/chrome-launcher/node_modules/rimraf": { + "version": "3.0.2", + "resolved": "http://localhost:4873/rimraf/-/rimraf-3.0.2.tgz", + "integrity": "sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==", + "deprecated": "Rimraf versions prior to v4 are no longer supported", + "dev": true, + "license": "ISC", + "dependencies": { + "glob": "^7.1.3" + }, + "bin": { + "rimraf": "bin.js" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/chrome-trace-event": { + "version": "1.0.4", + "resolved": "http://localhost:4873/chrome-trace-event/-/chrome-trace-event-1.0.4.tgz", + "integrity": "sha512-rNjApaLzuwaOTjCiT8lSDdGN1APCiqkChLMJxJPWLunPAt5fy8xgU9/jNOchV84wfIxrA0lRQB7oCT8jrn/wrQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.0" + } + }, + "node_modules/ci-env": { + "version": "1.17.0", + "resolved": "http://localhost:4873/ci-env/-/ci-env-1.17.0.tgz", + "integrity": "sha512-NtTjhgSEqv4Aj90TUYHQLxHdnCPXnjdtuGG1X8lTfp/JqeXTdw0FTWl/vUAPuvbWZTF8QVpv6ASe/XacE+7R2A==", + "dev": true, + "license": "MIT" + }, + "node_modules/ci-info": { + "version": "2.0.0", + "resolved": "http://localhost:4873/ci-info/-/ci-info-2.0.0.tgz", + "integrity": "sha512-5tK7EtrZ0N+OLFMthtqOj4fI2Jeb88C4CAZPu25LDVUgXJ0A3Js4PMGqrn0JU1W0Mh1/Z8wZzYPxqUrXeBboCQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/cjs-module-lexer": { + "version": "0.6.0", + "resolved": "http://localhost:4873/cjs-module-lexer/-/cjs-module-lexer-0.6.0.tgz", + "integrity": "sha512-uc2Vix1frTfnuzxxu1Hp4ktSvM3QaI4oXl4ZUqL1wjTu/BGki9TrCWoqLTg/drR1KwAEarXuRFCG2Svr1GxPFw==", + "dev": true, + "license": "MIT" + }, + "node_modules/class-utils": { + "version": "0.3.6", + "resolved": "http://localhost:4873/class-utils/-/class-utils-0.3.6.tgz", + "integrity": "sha512-qOhPa/Fj7s6TY8H8esGu5QNpMMQxz79h+urzrNYN6mn+9BnxlDGf5QZ+XeCDsxSjPqsSR56XOZOJmpeurnLMeg==", + "dev": true, + "license": "MIT", + "dependencies": { + "arr-union": "^3.1.0", + "define-property": "^0.2.5", + "isobject": "^3.0.0", + "static-extend": "^0.1.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/class-utils/node_modules/define-property": { + "version": "0.2.5", + "resolved": "http://localhost:4873/define-property/-/define-property-0.2.5.tgz", + "integrity": "sha512-Rr7ADjQZenceVOAKop6ALkkRAmH1A4Gx9hV/7ZujPUN2rkATqFO0JZLZInbAjpZYoJ1gUx8MRMQVkYemcbMSTA==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-descriptor": "^0.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/class-utils/node_modules/is-descriptor": { + "version": "0.1.7", + "resolved": "http://localhost:4873/is-descriptor/-/is-descriptor-0.1.7.tgz", + "integrity": "sha512-C3grZTvObeN1xud4cRWl366OMXZTj0+HGyk4hvfpx4ZHt1Pb60ANSXqCK7pdOTeUQpRzECBSTphqvD7U+l22Eg==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-accessor-descriptor": "^1.0.1", + "is-data-descriptor": "^1.0.1" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/cli-cursor": { + "version": "2.1.0", + "resolved": "http://localhost:4873/cli-cursor/-/cli-cursor-2.1.0.tgz", + "integrity": "sha512-8lgKz8LmCRYZZQDpRyT2m5rKJ08TnU4tR9FFFW2rxpxR1FzWi4PQ/NfyODchAatHaUgnSPVcx/R5w6NuTBzFiw==", + "dev": true, + "license": "MIT", + "dependencies": { + "restore-cursor": "^2.0.0" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/cli-spinners": { + "version": "2.9.2", + "resolved": "http://localhost:4873/cli-spinners/-/cli-spinners-2.9.2.tgz", + "integrity": "sha512-ywqV+5MmyL4E7ybXgKys4DugZbX0FC6LnwrhjuykIjnK9k8OQacQ7axGKnjDXWNhns0xot3bZI5h55H8yo9cJg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/cli-width": { + "version": "2.2.1", + "resolved": "http://localhost:4873/cli-width/-/cli-width-2.2.1.tgz", + "integrity": "sha512-GRMWDxpOB6Dgk2E5Uo+3eEBvtOOlimMmpbFiKuLFnQzYDavtLFY3K5ona41jgN/WdRZtG7utuVSVTL4HbZHGkw==", + "dev": true, + "license": "ISC" + }, + "node_modules/cliui": { + "version": "6.0.0", + "resolved": "http://localhost:4873/cliui/-/cliui-6.0.0.tgz", + "integrity": "sha512-t6wbgtoCXvAzst7QgXxJYqPt0usEfbgQdftEPbLL/cvv6HPE5VgvqCuAIDR0NgU52ds6rFwqrgakNLrHEjCbrQ==", + "dev": true, + "license": "ISC", + "dependencies": { + "string-width": "^4.2.0", + "strip-ansi": "^6.0.0", + "wrap-ansi": "^6.2.0" + } + }, + "node_modules/cliui/node_modules/emoji-regex": { + "version": "8.0.0", + "resolved": "http://localhost:4873/emoji-regex/-/emoji-regex-8.0.0.tgz", + "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", + "dev": true, + "license": "MIT" + }, + "node_modules/cliui/node_modules/is-fullwidth-code-point": { + "version": "3.0.0", + "resolved": "http://localhost:4873/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", + "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/cliui/node_modules/string-width": { + "version": "4.2.3", + "resolved": "http://localhost:4873/string-width/-/string-width-4.2.3.tgz", + "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", + "dev": true, + "license": "MIT", + "dependencies": { + "emoji-regex": "^8.0.0", + "is-fullwidth-code-point": "^3.0.0", + "strip-ansi": "^6.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/clone": { + "version": "2.1.2", + "resolved": "http://localhost:4873/clone/-/clone-2.1.2.tgz", + "integrity": "sha512-3Pe/CF1Nn94hyhIYpjtiLhdCoEoz0DqQ+988E9gmeEdQZlojxnOb74wctFyuwWQHzqyf9X7C7MG8juUpqBJT8w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.8" + } + }, + "node_modules/clone-deep": { + "version": "4.0.1", + "resolved": "http://localhost:4873/clone-deep/-/clone-deep-4.0.1.tgz", + "integrity": "sha512-neHB9xuzh/wk0dIHweyAXv2aPGZIVk3pLMe+/RNzINf17fe0OG96QroktYAUm7SM1PBnzTabaLboqqxDyMU+SQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-plain-object": "^2.0.4", + "kind-of": "^6.0.2", + "shallow-clone": "^3.0.0" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/co": { + "version": "4.6.0", + "resolved": "http://localhost:4873/co/-/co-4.6.0.tgz", + "integrity": "sha512-QVb0dM5HvG+uaxitm8wONl7jltx8dqhfU33DcqtOZcLSVIKSDDLDi7+0LbAKiyI8hD9u42m2YxXSkMGWThaecQ==", + "dev": true, + "license": "MIT", + "engines": { + "iojs": ">= 1.0.0", + "node": ">= 0.12.0" + } + }, + "node_modules/collect-v8-coverage": { + "version": "1.0.2", + "resolved": "http://localhost:4873/collect-v8-coverage/-/collect-v8-coverage-1.0.2.tgz", + "integrity": "sha512-lHl4d5/ONEbLlJvaJNtsF/Lz+WvB07u2ycqTYbdrq7UypDXailES4valYb2eWiJFxZlVmpGekfqoxQhzyFdT4Q==", + "dev": true, + "license": "MIT" + }, + "node_modules/collection-visit": { + "version": "1.0.0", + "resolved": "http://localhost:4873/collection-visit/-/collection-visit-1.0.0.tgz", + "integrity": "sha512-lNkKvzEeMBBjUGHZ+q6z9pSJla0KWAQPvtzhEV9+iGyQYG+pBpl7xKDhxoNSOZH2hhv0v5k0y2yAM4o4SjoSkw==", + "dev": true, + "license": "MIT", + "dependencies": { + "map-visit": "^1.0.0", + "object-visit": "^1.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/color-convert": { + "version": "2.0.1", + "resolved": "http://localhost:4873/color-convert/-/color-convert-2.0.1.tgz", + "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "color-name": "~1.1.4" + }, + "engines": { + "node": ">=7.0.0" + } + }, + "node_modules/color-name": { + "version": "1.1.4", + "resolved": "http://localhost:4873/color-name/-/color-name-1.1.4.tgz", + "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==", + "dev": true, + "license": "MIT" + }, + "node_modules/color2k": { + "version": "2.0.3", + "resolved": "http://localhost:4873/color2k/-/color2k-2.0.3.tgz", + "integrity": "sha512-zW190nQTIoXcGCaU08DvVNFTmQhUpnJfVuAKfWqUQkflXKpaDdpaYoM0iluLS9lgJNHyBF58KKA2FBEwkD7wog==", + "dev": true, + "license": "MIT" + }, + "node_modules/colorette": { + "version": "2.0.20", + "resolved": "http://localhost:4873/colorette/-/colorette-2.0.20.tgz", + "integrity": "sha512-IfEDxwoWIjkeXL1eXcDiow4UbKjhLdq6/EuSVR9GMN7KVH3r9gQ83e73hsz1Nd1T3ijd5xv1wcWRYO+D6kCI2w==", + "dev": true, + "license": "MIT" + }, + "node_modules/combined-stream": { + "version": "1.0.8", + "resolved": "http://localhost:4873/combined-stream/-/combined-stream-1.0.8.tgz", + "integrity": "sha512-FQN4MRfuJeHf7cBbBMJFXhKSDq+2kAArBlmRBvcvFE5BB1HZKXtSFASDhdlz9zOYwxh8lDdnvmMOe/+5cdoEdg==", + "dev": true, + "license": "MIT", + "dependencies": { + "delayed-stream": "~1.0.0" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/commander": { + "version": "9.5.0", + "resolved": "http://localhost:4873/commander/-/commander-9.5.0.tgz", + "integrity": "sha512-KRs7WVDKg86PWiuAqhDrAQnTXZKraVcCc6vFdL14qrZ/DcWwuRo7VoiYXalXO7S5GKpqYiVEwCbgFDfxNHKJBQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": "^12.20.0 || >=14" + } + }, + "node_modules/commerce-sdk-isomorphic": { + "version": "3.3.0", + "resolved": "http://localhost:4873/commerce-sdk-isomorphic/-/commerce-sdk-isomorphic-3.3.0.tgz", + "integrity": "sha512-i+aSgVsQjh7VyODRiVB35LPQNWMoYkjrGMiw7pmYzpTsRkXv79uG8m7fGePbXjcvuVPg6H+AN+TqtebcDQukiA==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "nanoid": "^3.3.8", + "node-fetch": "2.6.13", + "seedrandom": "^3.0.5" + }, + "engines": { + "node": ">=12" + }, + "peerDependencies": { + "react": ">=16.8.0", + "react-dom": ">=16.8.0" + } + }, + "node_modules/commerce-sdk-isomorphic/node_modules/node-fetch": { + "version": "2.6.13", + "resolved": "http://localhost:4873/node-fetch/-/node-fetch-2.6.13.tgz", + "integrity": "sha512-StxNAxh15zr77QvvkmveSQ8uCQ4+v5FkvNTj0OESmiHu+VRi/gXArXtkWMElOsOUNLtUEvI4yS+rdtOHZTwlQA==", + "dev": true, + "license": "MIT", + "dependencies": { + "whatwg-url": "^5.0.0" + }, + "engines": { + "node": "4.x || >=6.0.0" + }, + "peerDependencies": { + "encoding": "^0.1.0" + }, + "peerDependenciesMeta": { + "encoding": { + "optional": true + } + } + }, + "node_modules/commerce-sdk-isomorphic/node_modules/tr46": { + "version": "0.0.3", + "resolved": "http://localhost:4873/tr46/-/tr46-0.0.3.tgz", + "integrity": "sha512-N3WMsuqV66lT30CrXNbEjx4GEwlow3v6rr4mCcv6prnfwhS01rkgyFdjPNBYd9br7LpXV1+Emh01fHnq2Gdgrw==", + "dev": true, + "license": "MIT" + }, + "node_modules/commerce-sdk-isomorphic/node_modules/webidl-conversions": { + "version": "3.0.1", + "resolved": "http://localhost:4873/webidl-conversions/-/webidl-conversions-3.0.1.tgz", + "integrity": "sha512-2JAn3z8AR6rjK8Sm8orRC0h/bcl/DqL7tRPdGZ4I1CjdF+EaMLmYxBHyXuKL849eucPFhvBoxMsflfOb8kxaeQ==", + "dev": true, + "license": "BSD-2-Clause" + }, + "node_modules/commerce-sdk-isomorphic/node_modules/whatwg-url": { + "version": "5.0.0", + "resolved": "http://localhost:4873/whatwg-url/-/whatwg-url-5.0.0.tgz", + "integrity": "sha512-saE57nupxk6v3HY35+jzBwYa0rKSy0XR8JSxZPwgLr7ys0IBzhGviA1/TUGJLmSVqs8pb9AnvICXEuOHLprYTw==", + "dev": true, + "license": "MIT", + "dependencies": { + "tr46": "~0.0.3", + "webidl-conversions": "^3.0.0" + } + }, + "node_modules/commondir": { + "version": "1.0.1", + "resolved": "http://localhost:4873/commondir/-/commondir-1.0.1.tgz", + "integrity": "sha512-W9pAhw0ja1Edb5GVdIF1mjZw/ASI0AlShXM83UUGe2DVr5TdAPEA1OA8m/g8zWp9x6On7gqufY+FatDbC3MDQg==", + "dev": true, + "license": "MIT" + }, + "node_modules/component-emitter": { + "version": "1.3.1", + "resolved": "http://localhost:4873/component-emitter/-/component-emitter-1.3.1.tgz", + "integrity": "sha512-T0+barUSQRTUQASh8bx02dl+DhF54GtIDY13Y3m9oWTklKbb3Wv974meRpeZ3lp1JpLVECWWNHC4vaG2XHXouQ==", + "dev": true, + "license": "MIT", + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/compress-commons": { + "version": "1.2.2", + "resolved": "http://localhost:4873/compress-commons/-/compress-commons-1.2.2.tgz", + "integrity": "sha512-SLTU8iWWmcORfUN+4351Z2aZXKJe1tr0jSilPMCZlLPzpdTXnkBW1LevW/MfuANBKJek8Xu9ggqrtVmQrChLtg==", + "dev": true, + "license": "MIT", + "dependencies": { + "buffer-crc32": "^0.2.1", + "crc32-stream": "^2.0.0", + "normalize-path": "^2.0.0", + "readable-stream": "^2.0.0" + }, + "engines": { + "node": ">= 0.10.0" + } + }, + "node_modules/compressible": { + "version": "2.0.18", + "resolved": "http://localhost:4873/compressible/-/compressible-2.0.18.tgz", + "integrity": "sha512-AF3r7P5dWxL8MxyITRMlORQNaOA2IkAFaTr4k7BUumjPtRpGDTZpl0Pb1XCO6JeDCBdp126Cgs9sMxqSjgYyRg==", + "dev": true, + "license": "MIT", + "dependencies": { + "mime-db": ">= 1.43.0 < 2" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/compression": { + "version": "1.8.0", + "resolved": "http://localhost:4873/compression/-/compression-1.8.0.tgz", + "integrity": "sha512-k6WLKfunuqCYD3t6AsuPGvQWaKwuLLh2/xHNcX4qE+vIfDNXpSqnrhwA7O53R7WVQUnt8dVAIW+YHr7xTgOgGA==", + "dev": true, + "license": "MIT", + "dependencies": { + "bytes": "3.1.2", + "compressible": "~2.0.18", + "debug": "2.6.9", + "negotiator": "~0.6.4", + "on-headers": "~1.0.2", + "safe-buffer": "5.2.1", + "vary": "~1.1.2" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/compression/node_modules/debug": { + "version": "2.6.9", + "resolved": "http://localhost:4873/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "dev": true, + "license": "MIT", + "dependencies": { + "ms": "2.0.0" + } + }, + "node_modules/compression/node_modules/ms": { + "version": "2.0.0", + "resolved": "http://localhost:4873/ms/-/ms-2.0.0.tgz", + "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", + "dev": true, + "license": "MIT" + }, + "node_modules/concat-map": { + "version": "0.0.1", + "resolved": "http://localhost:4873/concat-map/-/concat-map-0.0.1.tgz", + "integrity": "sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==", + "dev": true, + "license": "MIT" + }, + "node_modules/configstore": { + "version": "5.0.1", + "resolved": "http://localhost:4873/configstore/-/configstore-5.0.1.tgz", + "integrity": "sha512-aMKprgk5YhBNyH25hj8wGt2+D52Sw1DRRIzqBwLp2Ya9mFmY8KPvvtvmna8SxVR9JMZ4kzMD68N22vlaRpkeFA==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "dot-prop": "^5.2.0", + "graceful-fs": "^4.1.2", + "make-dir": "^3.0.0", + "unique-string": "^2.0.0", + "write-file-atomic": "^3.0.0", + "xdg-basedir": "^4.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/configstore/node_modules/make-dir": { + "version": "3.1.0", + "resolved": "http://localhost:4873/make-dir/-/make-dir-3.1.0.tgz", + "integrity": "sha512-g3FeP20LNwhALb/6Cz6Dd4F2ngze0jz7tbzrD2wAV+o9FeNHe4rL+yK2md0J/fiSf1sa1ADhXqi5+oVwOM/eGw==", + "dev": true, + "license": "MIT", + "dependencies": { + "semver": "^6.0.0" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/configstore/node_modules/semver": { + "version": "6.3.1", + "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", + "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver.js" + } + }, + "node_modules/content-disposition": { + "version": "0.5.4", + "resolved": "http://localhost:4873/content-disposition/-/content-disposition-0.5.4.tgz", + "integrity": "sha512-FveZTNuGw04cxlAiWbzi6zTAL/lhehaWbTtgluJh4/E95DqMwTmha3KZN1aAWA8cFIhHzMZUvLevkw5Rqk+tSQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "safe-buffer": "5.2.1" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/content-type": { + "version": "1.0.5", + "resolved": "http://localhost:4873/content-type/-/content-type-1.0.5.tgz", + "integrity": "sha512-nTjqfcBFEipKdXCv4YDQWCfmcLZKm81ldF0pAopTvyrFGVbcR6P/VAAd5G7N+0tTr8QqiU0tFadD6FK4NtJwOA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/convert-source-map": { + "version": "1.9.0", + "resolved": "http://localhost:4873/convert-source-map/-/convert-source-map-1.9.0.tgz", + "integrity": "sha512-ASFBup0Mz1uyiIjANan1jzLQami9z1PoYSZCiiYW2FczPbenXc45FZdBZLzOT+r6+iciuEModtmCti+hjaAk0A==", + "dev": true, + "license": "MIT" + }, + "node_modules/cookie": { + "version": "0.7.1", + "resolved": "http://localhost:4873/cookie/-/cookie-0.7.1.tgz", + "integrity": "sha512-6DnInpx7SJ2AK3+CTUE/ZM0vWTUboZCegxhC2xiIydHR9jNuTAASBrfEpHhiGOZw/nX51bHt6YQl8jsGo4y/0w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/cookie-signature": { + "version": "1.0.6", + "resolved": "http://localhost:4873/cookie-signature/-/cookie-signature-1.0.6.tgz", + "integrity": "sha512-QADzlaHc8icV8I7vbaJXJwod9HWYp8uCqf1xa4OfNu1T7JVxQIrUgOWtHdNDtPiywmFbiS12VjotIXLrKM3orQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/copy-anything": { + "version": "3.0.5", + "resolved": "http://localhost:4873/copy-anything/-/copy-anything-3.0.5.tgz", + "integrity": "sha512-yCEafptTtb4bk7GLEQoM8KVJpxAfdBJYaXyzQEgQQQgYrZiDp8SJmGKlYza6CYjEDNstAdNdKA3UuoULlEbS6w==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-what": "^4.1.8" + }, + "engines": { + "node": ">=12.13" + }, + "funding": { + "url": "https://github.com/sponsors/mesqueeb" + } + }, + "node_modules/copy-descriptor": { + "version": "0.1.1", + "resolved": "http://localhost:4873/copy-descriptor/-/copy-descriptor-0.1.1.tgz", + "integrity": "sha512-XgZ0pFcakEUlbwQEVNg3+QAis1FyTL3Qel9FYy8pSkQqoG3PNoT0bOCQtOXcOkur21r2Eq2kI+IE+gsmAEVlYw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/copy-to-clipboard": { + "version": "3.3.3", + "resolved": "http://localhost:4873/copy-to-clipboard/-/copy-to-clipboard-3.3.3.tgz", + "integrity": "sha512-2KV8NhB5JqC3ky0r9PMCAZKbUHSwtEo4CwCs0KXgruG43gX5PMqDEBbVU4OUzw2MuAWUfsuFmWvEKG5QRfSnJA==", + "dev": true, + "license": "MIT", + "dependencies": { + "toggle-selection": "^1.0.6" + } + }, + "node_modules/copy-webpack-plugin": { + "version": "9.1.0", + "resolved": "http://localhost:4873/copy-webpack-plugin/-/copy-webpack-plugin-9.1.0.tgz", + "integrity": "sha512-rxnR7PaGigJzhqETHGmAcxKnLZSR5u1Y3/bcIv/1FnqXedcL/E2ewK7ZCNrArJKCiSv8yVXhTqetJh8inDvfsA==", + "dev": true, + "license": "MIT", + "dependencies": { + "fast-glob": "^3.2.7", + "glob-parent": "^6.0.1", + "globby": "^11.0.3", + "normalize-path": "^3.0.0", + "schema-utils": "^3.1.1", + "serialize-javascript": "^6.0.0" + }, + "engines": { + "node": ">= 12.13.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/webpack" + }, + "peerDependencies": { + "webpack": "^5.1.0" + } + }, + "node_modules/copy-webpack-plugin/node_modules/glob-parent": { + "version": "6.0.2", + "resolved": "http://localhost:4873/glob-parent/-/glob-parent-6.0.2.tgz", + "integrity": "sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==", + "dev": true, + "license": "ISC", + "dependencies": { + "is-glob": "^4.0.3" + }, + "engines": { + "node": ">=10.13.0" + } + }, + "node_modules/copy-webpack-plugin/node_modules/normalize-path": { + "version": "3.0.0", + "resolved": "http://localhost:4873/normalize-path/-/normalize-path-3.0.0.tgz", + "integrity": "sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/copy-webpack-plugin/node_modules/schema-utils": { + "version": "3.3.0", + "resolved": "http://localhost:4873/schema-utils/-/schema-utils-3.3.0.tgz", + "integrity": "sha512-pN/yOAvcC+5rQ5nERGuwrjLlYvLTbCibnZ1I7B1LaiAz9BRBlE9GMgE/eqV30P7aJQUf7Ddimy/RsbYO/GrVGg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/json-schema": "^7.0.8", + "ajv": "^6.12.5", + "ajv-keywords": "^3.5.2" + }, + "engines": { + "node": ">= 10.13.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/webpack" + } + }, + "node_modules/core-js": { + "version": "3.42.0", + "resolved": "http://localhost:4873/core-js/-/core-js-3.42.0.tgz", + "integrity": "sha512-Sz4PP4ZA+Rq4II21qkNqOEDTDrCvcANId3xpIgB34NDkWc3UduWj2dqEtN9yZIq8Dk3HyPI33x9sqqU5C8sr0g==", + "dev": true, + "hasInstallScript": true, + "license": "MIT", + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/core-js" + } + }, + "node_modules/core-js-compat": { + "version": "3.42.0", + "resolved": "http://localhost:4873/core-js-compat/-/core-js-compat-3.42.0.tgz", + "integrity": "sha512-bQasjMfyDGyaeWKBIu33lHh9qlSR0MFE/Nmc6nMjf/iU9b3rSMdAYz1Baxrv4lPdGUsTqZudHA4jIGSJy0SWZQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "browserslist": "^4.24.4" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/core-js" + } + }, + "node_modules/core-js-pure": { + "version": "3.42.0", + "resolved": "http://localhost:4873/core-js-pure/-/core-js-pure-3.42.0.tgz", + "integrity": "sha512-007bM04u91fF4kMgwom2I5cQxAFIy8jVulgr9eozILl/SZE53QOqnW/+vviC+wQWLv+AunBG+8Q0TLoeSsSxRQ==", + "dev": true, + "hasInstallScript": true, + "license": "MIT", + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/core-js" + } + }, + "node_modules/core-util-is": { + "version": "1.0.3", + "resolved": "http://localhost:4873/core-util-is/-/core-util-is-1.0.3.tgz", + "integrity": "sha512-ZQBvi1DcpJ4GDqanjucZ2Hj3wEO5pZDS89BWbkcrvdxksJorwUDDZamX9ldFkp9aw2lmBDLgkObEA4DWNJ9FYQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/cosmiconfig": { + "version": "8.1.3", + "resolved": "http://localhost:4873/cosmiconfig/-/cosmiconfig-8.1.3.tgz", + "integrity": "sha512-/UkO2JKI18b5jVMJUp0lvKFMpa/Gye+ZgZjKD+DGEN9y7NRcf/nK1A0sp67ONmKtnDCNMS44E6jrk0Yc3bDuUw==", + "dev": true, + "license": "MIT", + "dependencies": { + "import-fresh": "^3.2.1", + "js-yaml": "^4.1.0", + "parse-json": "^5.0.0", + "path-type": "^4.0.0" + }, + "engines": { + "node": ">=14" + }, + "funding": { + "url": "https://github.com/sponsors/d-fischer" + } + }, + "node_modules/cosmiconfig/node_modules/argparse": { + "version": "2.0.1", + "resolved": "http://localhost:4873/argparse/-/argparse-2.0.1.tgz", + "integrity": "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==", + "dev": true, + "license": "Python-2.0" + }, + "node_modules/cosmiconfig/node_modules/js-yaml": { + "version": "4.1.0", + "resolved": "http://localhost:4873/js-yaml/-/js-yaml-4.1.0.tgz", + "integrity": "sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==", + "dev": true, + "license": "MIT", + "dependencies": { + "argparse": "^2.0.1" + }, + "bin": { + "js-yaml": "bin/js-yaml.js" + } + }, + "node_modules/crc": { + "version": "3.8.0", + "resolved": "http://localhost:4873/crc/-/crc-3.8.0.tgz", + "integrity": "sha512-iX3mfgcTMIq3ZKLIsVFAbv7+Mc10kxabAGQb8HvjA1o3T1PIYprbakQ65d3I+2HGHt6nSKkM9PYjgoJO2KcFBQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "buffer": "^5.1.0" + } + }, + "node_modules/crc/node_modules/buffer": { + "version": "5.7.1", + "resolved": "http://localhost:4873/buffer/-/buffer-5.7.1.tgz", + "integrity": "sha512-EHcyIPBQ4BSGlvjB16k5KgAJ27CIsHY/2JBmCRReo48y9rQ3MaUzWX3KVlBa4U7MyX02HdVj0K7C3WaB3ju7FQ==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/feross" + }, + { + "type": "patreon", + "url": "https://www.patreon.com/feross" + }, + { + "type": "consulting", + "url": "https://feross.org/support" + } + ], + "license": "MIT", + "dependencies": { + "base64-js": "^1.3.1", + "ieee754": "^1.1.13" + } + }, + "node_modules/crc32-stream": { + "version": "2.0.0", + "resolved": "http://localhost:4873/crc32-stream/-/crc32-stream-2.0.0.tgz", + "integrity": "sha512-UjZSqFCbn+jZUHJIh6Y3vMF7EJLcJWNm4tKDf2peJRwlZKHvkkvOMTvAei6zjU9gO1xONVr3rRFw0gixm2eUng==", + "dev": true, + "license": "MIT", + "dependencies": { + "crc": "^3.4.4", + "readable-stream": "^2.0.0" + }, + "engines": { + "node": ">= 0.10.0" + } + }, + "node_modules/credit-card-type": { + "version": "9.1.0", + "resolved": "http://localhost:4873/credit-card-type/-/credit-card-type-9.1.0.tgz", + "integrity": "sha512-CpNFuLxiPFxuZqhSKml3M+t0K/484pMAnfYWH14JoD7OZMnmC0Lmo+P7JX9SobqFpRoo7ifA18kOHdxJywYPEA==", + "dev": true, + "license": "MIT" + }, + "node_modules/cross-env": { + "version": "5.2.1", + "resolved": "http://localhost:4873/cross-env/-/cross-env-5.2.1.tgz", + "integrity": "sha512-1yHhtcfAd1r4nwQgknowuUNfIT9E8dOMMspC36g45dN+iD1blloi7xp8X/xAIDnjHWyt1uQ8PHk2fkNaym7soQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "cross-spawn": "^6.0.5" + }, + "bin": { + "cross-env": "dist/bin/cross-env.js", + "cross-env-shell": "dist/bin/cross-env-shell.js" + }, + "engines": { + "node": ">=4.0" + } + }, + "node_modules/cross-fetch": { + "version": "3.2.0", + "resolved": "http://localhost:4873/cross-fetch/-/cross-fetch-3.2.0.tgz", + "integrity": "sha512-Q+xVJLoGOeIMXZmbUK4HYk+69cQH6LudR0Vu/pRm2YlU/hDV9CiS0gKUMaWY5f2NeUH9C1nV3bsTlCo0FsTV1Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "node-fetch": "^2.7.0" + } + }, + "node_modules/cross-spawn": { + "version": "6.0.6", + "resolved": "http://localhost:4873/cross-spawn/-/cross-spawn-6.0.6.tgz", + "integrity": "sha512-VqCUuhcd1iB+dsv8gxPttb5iZh/D0iubSP21g36KXdEuf6I5JiioesUVjpCdHV9MZRUfVFlvwtIUyPfxo5trtw==", + "dev": true, + "license": "MIT", + "dependencies": { + "nice-try": "^1.0.4", + "path-key": "^2.0.1", + "semver": "^5.5.0", + "shebang-command": "^1.2.0", + "which": "^1.2.9" + }, + "engines": { + "node": ">=4.8" + } + }, + "node_modules/cross-spawn/node_modules/semver": { + "version": "5.7.2", + "resolved": "http://localhost:4873/semver/-/semver-5.7.2.tgz", + "integrity": "sha512-cBznnQ9KjJqU67B52RMC65CMarK2600WFnbkcaiwWq3xy/5haFJlshgnpjovMVJ+Hff49d8GEn0b87C5pDQ10g==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver" + } + }, + "node_modules/crypto-random-string": { + "version": "2.0.0", + "resolved": "http://localhost:4873/crypto-random-string/-/crypto-random-string-2.0.0.tgz", + "integrity": "sha512-v1plID3y9r/lPhviJ1wrXpLeyUIGAZ2SHNYTEapm7/8A9nLPoyvVp3RK/EPFqn5kEznyWgYZNsRtYYIWbuG8KA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/csp_evaluator": { + "version": "1.1.1", + "resolved": "http://localhost:4873/csp_evaluator/-/csp_evaluator-1.1.1.tgz", + "integrity": "sha512-N3ASg0C4kNPUaNxt1XAvzHIVuzdtr8KLgfk1O8WDyimp1GisPAHESupArO2ieHk9QWbrJ/WkQODyh21Ps/xhxw==", + "dev": true, + "license": "Apache-2.0" + }, + "node_modules/css-box-model": { + "version": "1.2.1", + "resolved": "http://localhost:4873/css-box-model/-/css-box-model-1.2.1.tgz", + "integrity": "sha512-a7Vr4Q/kd/aw96bnJG332W9V9LkJO69JRcaCYDUqjp6/z0w6VcZjgAcTbgFxEPfBgdnAwlh3iwu+hLopa+flJw==", + "dev": true, + "license": "MIT", + "dependencies": { + "tiny-invariant": "^1.0.6" + } + }, + "node_modules/css.escape": { + "version": "1.5.1", + "resolved": "http://localhost:4873/css.escape/-/css.escape-1.5.1.tgz", + "integrity": "sha512-YUifsXXuknHlUsmlgyY0PKzgPOr7/FjCePfHNt0jxm83wHZi44VDMQ7/fGNkjY3/jV1MC+1CmZbaHzugyeRtpg==", + "dev": true, + "license": "MIT" + }, + "node_modules/cssom": { + "version": "0.4.4", + "resolved": "http://localhost:4873/cssom/-/cssom-0.4.4.tgz", + "integrity": "sha512-p3pvU7r1MyyqbTk+WbNJIgJjG2VmTIaB10rI93LzVPrmDJKkzKYMtxxyAvQXR/NS6otuzveI7+7BBq3SjBS2mw==", + "dev": true, + "license": "MIT" + }, + "node_modules/cssstyle": { + "version": "2.3.0", + "resolved": "http://localhost:4873/cssstyle/-/cssstyle-2.3.0.tgz", + "integrity": "sha512-AZL67abkUzIuvcHqk7c09cezpGNcxUxU4Ioi/05xHk4DQeTkWmGYftIE6ctU6AEt+Gn4n1lDStOtj7FKycP71A==", + "dev": true, + "license": "MIT", + "dependencies": { + "cssom": "~0.3.6" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/cssstyle/node_modules/cssom": { + "version": "0.3.8", + "resolved": "http://localhost:4873/cssom/-/cssom-0.3.8.tgz", + "integrity": "sha512-b0tGHbfegbhPJpxpiBPU2sCkigAqtM9O121le6bbOlgyV+NyGyCmVfJ6QW9eRjz8CpNfWEOYBIMIGRYkLwsIYg==", + "dev": true, + "license": "MIT" + }, + "node_modules/csstype": { + "version": "3.1.3", + "resolved": "http://localhost:4873/csstype/-/csstype-3.1.3.tgz", + "integrity": "sha512-M1uQkMl8rQK/szD0LNhtqxIPLpimGm8sOBwU7lLnCpSbTyY3yeU1Vc7l4KT5zT4s/yOxHH5O7tIuuLOCnLADRw==", + "dev": true, + "license": "MIT" + }, + "node_modules/d": { + "version": "1.0.2", + "resolved": "http://localhost:4873/d/-/d-1.0.2.tgz", + "integrity": "sha512-MOqHvMWF9/9MX6nza0KgvFH4HpMU0EF5uUDXqX/BtxtU8NfB0QzRtJ8Oe/6SuS4kbhyzVJwjd97EA4PKrzJ8bw==", + "dev": true, + "license": "ISC", + "dependencies": { + "es5-ext": "^0.10.64", + "type": "^2.7.2" + }, + "engines": { + "node": ">=0.12" + } + }, + "node_modules/damerau-levenshtein": { + "version": "1.0.8", + "resolved": "http://localhost:4873/damerau-levenshtein/-/damerau-levenshtein-1.0.8.tgz", + "integrity": "sha512-sdQSFB7+llfUcQHUQO3+B8ERRj0Oa4w9POWMI/puGtuf7gFywGmkaLCElnudfTiKZV+NvHqL0ifzdrI8Ro7ESA==", + "dev": true, + "license": "BSD-2-Clause" + }, + "node_modules/data-urls": { + "version": "2.0.0", + "resolved": "http://localhost:4873/data-urls/-/data-urls-2.0.0.tgz", + "integrity": "sha512-X5eWTSXO/BJmpdIKCRuKUgSCgAN0OwliVK3yPKbwIWU1Tdw5BRajxlzMidvh+gwko9AfQ9zIj52pzF91Q3YAvQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "abab": "^2.0.3", + "whatwg-mimetype": "^2.3.0", + "whatwg-url": "^8.0.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/data-view-buffer": { + "version": "1.0.2", + "resolved": "http://localhost:4873/data-view-buffer/-/data-view-buffer-1.0.2.tgz", + "integrity": "sha512-EmKO5V3OLXh1rtK2wgXRansaK1/mtVdTUEiEI0W8RkvgT05kfxaH29PliLnpLP73yYO6142Q72QNa8Wx/A5CqQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.3", + "es-errors": "^1.3.0", + "is-data-view": "^1.0.2" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/data-view-byte-length": { + "version": "1.0.2", + "resolved": "http://localhost:4873/data-view-byte-length/-/data-view-byte-length-1.0.2.tgz", + "integrity": "sha512-tuhGbE6CfTM9+5ANGf+oQb72Ky/0+s3xKUpHvShfiz2RxMFgFPjsXuRLBVMtvMs15awe45SRb83D6wH4ew6wlQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.3", + "es-errors": "^1.3.0", + "is-data-view": "^1.0.2" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/inspect-js" + } + }, + "node_modules/data-view-byte-offset": { + "version": "1.0.1", + "resolved": "http://localhost:4873/data-view-byte-offset/-/data-view-byte-offset-1.0.1.tgz", + "integrity": "sha512-BS8PfmtDGnrgYdOonGZQdLZslWIeCGFP9tpan0hi1Co2Zr2NKADsvGYA8XxuG/4UWgJ6Cjtv+YJnB6MM69QGlQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.2", + "es-errors": "^1.3.0", + "is-data-view": "^1.0.1" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/debounce": { + "version": "1.2.1", + "resolved": "http://localhost:4873/debounce/-/debounce-1.2.1.tgz", + "integrity": "sha512-XRRe6Glud4rd/ZGQfiV1ruXSfbvfJedlV9Y6zOlP+2K04vBYiJEte6stfFkCP03aMnY5tsipamumUjL14fofug==", + "dev": true, + "license": "MIT" + }, + "node_modules/debug": { + "version": "4.4.1", + "resolved": "http://localhost:4873/debug/-/debug-4.4.1.tgz", + "integrity": "sha512-KcKCqiftBJcZr++7ykoDIEwSa3XWowTfNPo92BYxjXiyYEVrUQh2aLyhxBCwww+heortUFxEJYcRzosstTEBYQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "ms": "^2.1.3" + }, + "engines": { + "node": ">=6.0" + }, + "peerDependenciesMeta": { + "supports-color": { + "optional": true + } + } + }, + "node_modules/decamelize": { + "version": "1.2.0", + "resolved": "http://localhost:4873/decamelize/-/decamelize-1.2.0.tgz", + "integrity": "sha512-z2S+W9X73hAUUki+N+9Za2lBlun89zigOyGrsax+KUQ6wKW4ZoWpEYBkGhQjwAjjDCkWxhY0VKEhk8wzY7F5cA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/decimal.js": { + "version": "10.5.0", + "resolved": "http://localhost:4873/decimal.js/-/decimal.js-10.5.0.tgz", + "integrity": "sha512-8vDa8Qxvr/+d94hSh5P3IJwI5t8/c0KsMp+g8bNw9cY2icONa5aPfvKeieW1WlG0WQYwwhJ7mjui2xtiePQSXw==", + "dev": true, + "license": "MIT" + }, + "node_modules/decode-uri-component": { + "version": "0.2.2", + "resolved": "http://localhost:4873/decode-uri-component/-/decode-uri-component-0.2.2.tgz", + "integrity": "sha512-FqUYQ+8o158GyGTrMFJms9qh3CqTKvAqgqsTnkLI8sKu0028orqBhxNMFkFen0zGyg6epACD32pjVk58ngIErQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10" + } + }, + "node_modules/deep-equal": { + "version": "2.2.3", + "resolved": "http://localhost:4873/deep-equal/-/deep-equal-2.2.3.tgz", + "integrity": "sha512-ZIwpnevOurS8bpT4192sqAowWM76JDKSHYzMLty3BZGSswgq6pBaH3DhCSW5xVAZICZyKdOBPjwww5wfgT/6PA==", + "dev": true, + "license": "MIT", + "dependencies": { + "array-buffer-byte-length": "^1.0.0", + "call-bind": "^1.0.5", + "es-get-iterator": "^1.1.3", + "get-intrinsic": "^1.2.2", + "is-arguments": "^1.1.1", + "is-array-buffer": "^3.0.2", + "is-date-object": "^1.0.5", + "is-regex": "^1.1.4", + "is-shared-array-buffer": "^1.0.2", + "isarray": "^2.0.5", + "object-is": "^1.1.5", + "object-keys": "^1.1.1", + "object.assign": "^4.1.4", + "regexp.prototype.flags": "^1.5.1", + "side-channel": "^1.0.4", + "which-boxed-primitive": "^1.0.2", + "which-collection": "^1.0.1", + "which-typed-array": "^1.1.13" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/deep-equal/node_modules/isarray": { + "version": "2.0.5", + "resolved": "http://localhost:4873/isarray/-/isarray-2.0.5.tgz", + "integrity": "sha512-xHjhDr3cNBK0BzdUJSPXZntQUx/mwMS5Rw4A7lPJ90XGAO6ISP/ePDNuo0vhqOZU+UD5JoodwCAAoZQd3FeAKw==", + "dev": true, + "license": "MIT" + }, + "node_modules/deep-is": { + "version": "0.1.4", + "resolved": "http://localhost:4873/deep-is/-/deep-is-0.1.4.tgz", + "integrity": "sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/deepmerge": { + "version": "4.3.1", + "resolved": "http://localhost:4873/deepmerge/-/deepmerge-4.3.1.tgz", + "integrity": "sha512-3sUqbMEc77XqpdNO7FRyRog+eW3ph+GYCbj+rK+uYyRMuwsVy0rMiVtPn+QJlKFvWP/1PYpapqYn0Me2knFn+A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/defaults": { + "version": "1.0.4", + "resolved": "http://localhost:4873/defaults/-/defaults-1.0.4.tgz", + "integrity": "sha512-eFuaLoy/Rxalv2kr+lqMlUnrDWV+3j4pljOIJgLIhI058IQfWJ7vXhyEIHu+HtC738klGALYxOKDO0bQP3tg8A==", + "dev": true, + "license": "MIT", + "dependencies": { + "clone": "^1.0.2" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/defaults/node_modules/clone": { + "version": "1.0.4", + "resolved": "http://localhost:4873/clone/-/clone-1.0.4.tgz", + "integrity": "sha512-JQHZ2QMW6l3aH/j6xCqQThY/9OH4D/9ls34cgkUBiEeocRTU04tHfKPBsUK1PqZCUQM7GiA0IIXJSuXHI64Kbg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.8" + } + }, + "node_modules/define-data-property": { + "version": "1.1.4", + "resolved": "http://localhost:4873/define-data-property/-/define-data-property-1.1.4.tgz", + "integrity": "sha512-rBMvIzlpA8v6E+SJZoo++HAYqsLrkg7MSfIinMPFhmkorw7X+dOXVJQs+QT69zGkzMyfDnIMN2Wid1+NbL3T+A==", + "dev": true, + "license": "MIT", + "dependencies": { + "es-define-property": "^1.0.0", + "es-errors": "^1.3.0", + "gopd": "^1.0.1" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/define-lazy-prop": { + "version": "2.0.0", + "resolved": "http://localhost:4873/define-lazy-prop/-/define-lazy-prop-2.0.0.tgz", + "integrity": "sha512-Ds09qNh8yw3khSjiJjiUInaGX9xlqZDY7JVryGxdxV7NPeuqQfplOpQ66yJFZut3jLa5zOwkXw1g9EI2uKh4Og==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/define-properties": { + "version": "1.2.1", + "resolved": "http://localhost:4873/define-properties/-/define-properties-1.2.1.tgz", + "integrity": "sha512-8QmQKqEASLd5nx0U1B1okLElbUuuttJ/AnYmRXbbbGDWh6uS208EjD4Xqq/I9wK7u0v6O08XhTWnt5XtEbR6Dg==", + "dev": true, + "license": "MIT", + "dependencies": { + "define-data-property": "^1.0.1", + "has-property-descriptors": "^1.0.0", + "object-keys": "^1.1.1" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/define-property": { + "version": "2.0.2", + "resolved": "http://localhost:4873/define-property/-/define-property-2.0.2.tgz", + "integrity": "sha512-jwK2UV4cnPpbcG7+VRARKTZPUWowwXA8bzH5NP6ud0oeAxyYPuGZUAC7hMugpCdz4BeSZl2Dl9k66CHJ/46ZYQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-descriptor": "^1.0.2", + "isobject": "^3.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/delayed-stream": { + "version": "1.0.0", + "resolved": "http://localhost:4873/delayed-stream/-/delayed-stream-1.0.0.tgz", + "integrity": "sha512-ZySD7Nf91aLB0RxL4KGrKHBXl7Eds1DAmEdcoVawXnLD7SDhpNgtuII2aAkg7a7QS41jxPSZ17p4VdGnMHk3MQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.4.0" + } + }, + "node_modules/depd": { + "version": "2.0.0", + "resolved": "http://localhost:4873/depd/-/depd-2.0.0.tgz", + "integrity": "sha512-g7nH6P6dyDioJogAAGprGpCtVImJhpPk/roCzdb3fIh61/s/nPsfR6onyMwkCAR/OlC3yBC0lESvUoQEAssIrw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/destroy": { + "version": "1.2.0", + "resolved": "http://localhost:4873/destroy/-/destroy-1.2.0.tgz", + "integrity": "sha512-2sJGJTaXIIaR1w4iJSNoN0hnMY7Gpc/n8D4qSCJw8QqFWXf7cuAgnEHxBpweaVcPevC2l3KpjYCx3NypQQgaJg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.8", + "npm": "1.2.8000 || >= 1.4.16" + } + }, + "node_modules/detect-newline": { + "version": "3.1.0", + "resolved": "http://localhost:4873/detect-newline/-/detect-newline-3.1.0.tgz", + "integrity": "sha512-TLz+x/vEXm/Y7P7wn1EJFNLxYpUD4TgMosxY6fAVJUnJMbupHBOncxyWUG9OpTaH9EBD7uFI5LfEgmMOc54DsA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/detect-node-es": { + "version": "1.1.0", + "resolved": "http://localhost:4873/detect-node-es/-/detect-node-es-1.1.0.tgz", + "integrity": "sha512-ypdmJU/TbBby2Dxibuv7ZLW3Bs1QEmM7nHjEANfohJLvE0XVujisn1qPJcZxg+qDucsr+bP6fLD1rPS3AhJ7EQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/devtools-protocol": { + "version": "0.0.981744", + "resolved": "http://localhost:4873/devtools-protocol/-/devtools-protocol-0.0.981744.tgz", + "integrity": "sha512-0cuGS8+jhR67Fy7qG3i3Pc7Aw494sb9yG9QgpG97SFVWwolgYjlhJg7n+UaHxOQT30d1TYu/EYe9k01ivLErIg==", + "dev": true, + "license": "BSD-3-Clause" + }, + "node_modules/diff-sequences": { + "version": "29.6.3", + "resolved": "http://localhost:4873/diff-sequences/-/diff-sequences-29.6.3.tgz", + "integrity": "sha512-EjePK1srD3P08o2j4f0ExnylqRs5B9tJjcp9t1krH2qRi8CCdsYfwe9JgSLurFBWwq4uOlipzfk5fHNvwFKr8Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/dir-glob": { + "version": "3.0.1", + "resolved": "http://localhost:4873/dir-glob/-/dir-glob-3.0.1.tgz", + "integrity": "sha512-WkrWp9GR4KXfKGYzOLmTuGVi1UWFfws377n9cc55/tb6DuqyF6pcQ5AbiHEshaDpY9v6oaSr2XCDidGmMwdzIA==", + "dev": true, + "license": "MIT", + "dependencies": { + "path-type": "^4.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/doctrine": { + "version": "3.0.0", + "resolved": "http://localhost:4873/doctrine/-/doctrine-3.0.0.tgz", + "integrity": "sha512-yS+Q5i3hBf7GBkd4KG8a7eBNNWNGLTaEwwYWUijIYM7zrlYDM0BFXHjjPWlWZ1Rg7UaddZeIDmi9jF3HmqiQ2w==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "esutils": "^2.0.2" + }, + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/dom-accessibility-api": { + "version": "0.5.16", + "resolved": "http://localhost:4873/dom-accessibility-api/-/dom-accessibility-api-0.5.16.tgz", + "integrity": "sha512-X7BJ2yElsnOJ30pZF4uIIDfBEVgF4XEBxL9Bxhy6dnrm5hkzqmsWHGTiHqRiITNhMyFLyAiWndIJP7Z1NTteDg==", + "dev": true, + "license": "MIT" + }, + "node_modules/dom-serializer": { + "version": "0.2.2", + "resolved": "http://localhost:4873/dom-serializer/-/dom-serializer-0.2.2.tgz", + "integrity": "sha512-2/xPb3ORsQ42nHYiSunXkDjPLBaEj/xTwUO4B7XCZQTRk7EBtTOPaygh10YAAh2OI1Qrp6NWfpAhzswj0ydt9g==", + "dev": true, + "license": "MIT", + "dependencies": { + "domelementtype": "^2.0.1", + "entities": "^2.0.0" + } + }, + "node_modules/dom-serializer/node_modules/domelementtype": { + "version": "2.3.0", + "resolved": "http://localhost:4873/domelementtype/-/domelementtype-2.3.0.tgz", + "integrity": "sha512-OLETBj6w0OsagBwdXnPdN0cnMfF9opN69co+7ZrbfPGrdpPVNBUj02spi6B1N7wChLQiPn4CSH/zJvXw56gmHw==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/fb55" + } + ], + "license": "BSD-2-Clause" + }, + "node_modules/dom-serializer/node_modules/entities": { + "version": "2.2.0", + "resolved": "http://localhost:4873/entities/-/entities-2.2.0.tgz", + "integrity": "sha512-p92if5Nz619I0w+akJrLZH0MX0Pb5DX39XOwQTtXSdQQOaYH03S1uIQp4mhOZtAXrxq4ViO67YTiLBo2638o9A==", + "dev": true, + "license": "BSD-2-Clause", + "funding": { + "url": "https://github.com/fb55/entities?sponsor=1" + } + }, + "node_modules/domelementtype": { + "version": "1.3.1", + "resolved": "http://localhost:4873/domelementtype/-/domelementtype-1.3.1.tgz", + "integrity": "sha512-BSKB+TSpMpFI/HOxCNr1O8aMOTZ8hT3pM3GQ0w/mWRmkhEDSFJkkyzz4XQsBV44BChwGkrDfMyjVD0eA2aFV3w==", + "dev": true, + "license": "BSD-2-Clause" + }, + "node_modules/domexception": { + "version": "2.0.1", + "resolved": "http://localhost:4873/domexception/-/domexception-2.0.1.tgz", + "integrity": "sha512-yxJ2mFy/sibVQlu5qHjOkf9J3K6zgmCxgJ94u2EdvDOV09H+32LtRswEcUsmUWN72pVLOEnTSRaIVVzVQgS0dg==", + "deprecated": "Use your platform's native DOMException instead", + "dev": true, + "license": "MIT", + "dependencies": { + "webidl-conversions": "^5.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/domexception/node_modules/webidl-conversions": { + "version": "5.0.0", + "resolved": "http://localhost:4873/webidl-conversions/-/webidl-conversions-5.0.0.tgz", + "integrity": "sha512-VlZwKPCkYKxQgeSbH5EyngOmRp7Ww7I9rQLERETtf5ofd9pGeswWiOtogpEO850jziPRarreGxn5QIiTqpb2wA==", + "dev": true, + "license": "BSD-2-Clause", + "engines": { + "node": ">=8" + } + }, + "node_modules/domhandler": { + "version": "2.4.2", + "resolved": "http://localhost:4873/domhandler/-/domhandler-2.4.2.tgz", + "integrity": "sha512-JiK04h0Ht5u/80fdLMCEmV4zkNh2BcoMFBmZ/91WtYZ8qVXSKjiw7fXMgFPnHcSZgOo3XdinHvmnDUeMf5R4wA==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "domelementtype": "1" + } + }, + "node_modules/domready": { + "version": "1.0.8", + "resolved": "http://localhost:4873/domready/-/domready-1.0.8.tgz", + "integrity": "sha512-uIzsOJUNk+AdGE9a6VDeessoMCzF8RrZvJCX/W8QtyfgdR6Uofn/MvRonih3OtCO79b2VDzDOymuiABrQ4z3XA==", + "dev": true + }, + "node_modules/domutils": { + "version": "1.7.0", + "resolved": "http://localhost:4873/domutils/-/domutils-1.7.0.tgz", + "integrity": "sha512-Lgd2XcJ/NjEw+7tFvfKxOzCYKZsdct5lczQ2ZaQY8Djz7pfAD3Gbp8ySJWtreII/vDlMVmxwa6pHmdxIYgttDg==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "dom-serializer": "0", + "domelementtype": "1" + } + }, + "node_modules/dot-prop": { + "version": "5.3.0", + "resolved": "http://localhost:4873/dot-prop/-/dot-prop-5.3.0.tgz", + "integrity": "sha512-QM8q3zDe58hqUqjraQOmzZ1LIH9SWQJTlEKCH4kJ2oQvLZk7RbQXvtDM2XEq3fwkV9CCvvH4LA0AV+ogFsBM2Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-obj": "^2.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/dunder-proto": { + "version": "1.0.1", + "resolved": "http://localhost:4873/dunder-proto/-/dunder-proto-1.0.1.tgz", + "integrity": "sha512-KIN/nDJBQRcXw0MLVhZE9iQHmG68qAVIBg9CqmUYjmQIhgij9U5MFvrqkUL5FbtyyzZuOeOt0zdeRe4UY7ct+A==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind-apply-helpers": "^1.0.1", + "es-errors": "^1.3.0", + "gopd": "^1.2.0" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/duplexer": { + "version": "0.1.2", + "resolved": "http://localhost:4873/duplexer/-/duplexer-0.1.2.tgz", + "integrity": "sha512-jtD6YG370ZCIi/9GTaJKQxWTZD045+4R4hTk/x1UyoqadyJ9x9CgSi1RlVDQF8U2sxLLSnFkCaMihqljHIWgMg==", + "dev": true, + "license": "MIT" + }, + "node_modules/ecdsa-sig-formatter": { + "version": "1.0.11", + "resolved": "http://localhost:4873/ecdsa-sig-formatter/-/ecdsa-sig-formatter-1.0.11.tgz", + "integrity": "sha512-nagl3RYrbNv6kQkeJIpt6NJZy8twLB/2vtz6yN9Z4vRKHN4/QZJIEbqohALSgwKdnksuY3k5Addp5lg8sVoVcQ==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "safe-buffer": "^5.0.1" + } + }, + "node_modules/ee-first": { + "version": "1.1.1", + "resolved": "http://localhost:4873/ee-first/-/ee-first-1.1.1.tgz", + "integrity": "sha512-WMwm9LhRUo+WUaRN+vRuETqG89IgZphVSNkdFgeb6sS/E4OrDIN7t48CAewSHXc6C8lefD8KKfr5vY61brQlow==", + "dev": true, + "license": "MIT" + }, + "node_modules/electron-to-chromium": { + "version": "1.5.155", + "resolved": "http://localhost:4873/electron-to-chromium/-/electron-to-chromium-1.5.155.tgz", + "integrity": "sha512-ps5KcGGmwL8VaeJlvlDlu4fORQpv3+GIcF5I3f9tUKUlJ/wsysh6HU8P5L1XWRYeXfA0oJd4PyM8ds8zTFf6Ng==", + "dev": true, + "license": "ISC" + }, + "node_modules/emittery": { + "version": "0.7.2", + "resolved": "http://localhost:4873/emittery/-/emittery-0.7.2.tgz", + "integrity": "sha512-A8OG5SR/ij3SsJdWDJdkkSYUjQdCUx6APQXem0SaEePBSRg4eymGYwBkKo1Y6DU+af/Jn2dBQqDBvjnr9Vi8nQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sindresorhus/emittery?sponsor=1" + } + }, + "node_modules/emoji-regex": { + "version": "9.2.2", + "resolved": "http://localhost:4873/emoji-regex/-/emoji-regex-9.2.2.tgz", + "integrity": "sha512-L18DaJsXSUk2+42pv8mLs5jJT2hqFkFE4j21wOmgbUqsZ2hL72NsUU785g9RXgo3s0ZNgVl42TiHp3ZtOv/Vyg==", + "dev": true, + "license": "MIT" + }, + "node_modules/emojis-list": { + "version": "3.0.0", + "resolved": "http://localhost:4873/emojis-list/-/emojis-list-3.0.0.tgz", + "integrity": "sha512-/kyM18EfinwXZbno9FyUGeFh87KC8HRQBQGildHZbEuRyWFOmv1U10o9BBp8XVZDVNNuQKyIGIu5ZYAAXJ0V2Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 4" + } + }, + "node_modules/encodeurl": { + "version": "2.0.0", + "resolved": "http://localhost:4873/encodeurl/-/encodeurl-2.0.0.tgz", + "integrity": "sha512-Q0n9HRi4m6JuGIV1eFlmvJB7ZEVxu93IrMyiMsGC0lrMJMWzRgx6WGquyfQgZVb31vhGgXnfmPNNXmxnOkRBrg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/end-of-stream": { + "version": "1.4.4", + "resolved": "http://localhost:4873/end-of-stream/-/end-of-stream-1.4.4.tgz", + "integrity": "sha512-+uw1inIHVPQoaVuHzRyXd21icM+cnt4CzD5rW+NC1wjOUSTOs+Te7FOv7AhN7vS9x/oIyhLP5PR1H+phQAHu5Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "once": "^1.4.0" + } + }, + "node_modules/enhanced-resolve": { + "version": "5.18.1", + "resolved": "http://localhost:4873/enhanced-resolve/-/enhanced-resolve-5.18.1.tgz", + "integrity": "sha512-ZSW3ma5GkcQBIpwZTSRAI8N71Uuwgs93IezB7mf7R60tC8ZbJideoDNKjHn2O9KIlx6rkGTTEk1xUCK2E1Y2Yg==", + "dev": true, + "license": "MIT", + "dependencies": { + "graceful-fs": "^4.2.4", + "tapable": "^2.2.0" + }, + "engines": { + "node": ">=10.13.0" + } + }, + "node_modules/enquirer": { + "version": "2.4.1", + "resolved": "http://localhost:4873/enquirer/-/enquirer-2.4.1.tgz", + "integrity": "sha512-rRqJg/6gd538VHvR3PSrdRBb/1Vy2YfzHqzvbhGIQpDRKIa4FgV/54b5Q1xYSxOOwKvjXweS26E0Q+nAMwp2pQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-colors": "^4.1.1", + "strip-ansi": "^6.0.1" + }, + "engines": { + "node": ">=8.6" + } + }, + "node_modules/entities": { + "version": "1.1.2", + "resolved": "http://localhost:4873/entities/-/entities-1.1.2.tgz", + "integrity": "sha512-f2LZMYl1Fzu7YSBKg+RoROelpOaNrcGmE9AZubeDfrCEia483oW4MI4VyFd5VNHIgQ/7qm1I0wUHK1eJnn2y2w==", + "dev": true, + "license": "BSD-2-Clause" + }, + "node_modules/envinfo": { + "version": "7.14.0", + "resolved": "http://localhost:4873/envinfo/-/envinfo-7.14.0.tgz", + "integrity": "sha512-CO40UI41xDQzhLB1hWyqUKgFhs250pNcGbyGKe1l/e4FSaI/+YE4IMG76GDt0In67WLPACIITC+sOi08x4wIvg==", + "dev": true, + "license": "MIT", + "bin": { + "envinfo": "dist/cli.js" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/error-ex": { + "version": "1.3.2", + "resolved": "http://localhost:4873/error-ex/-/error-ex-1.3.2.tgz", + "integrity": "sha512-7dFHNmqeFSEt2ZBsCriorKnn3Z2pj+fd9kmI6QoWw4//DL+icEBfc0U7qJCisqrTsKTjw4fNFy2pW9OqStD84g==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-arrayish": "^0.2.1" + } + }, + "node_modules/error-stack-parser": { + "version": "2.1.4", + "resolved": "http://localhost:4873/error-stack-parser/-/error-stack-parser-2.1.4.tgz", + "integrity": "sha512-Sk5V6wVazPhq5MhpO+AUxJn5x7XSXGl1R93Vn7i+zS15KDVxQijejNCrz8340/2bgLBjR9GtEG8ZVKONDjcqGQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "stackframe": "^1.3.4" + } + }, + "node_modules/es-abstract": { + "version": "1.23.9", + "resolved": "http://localhost:4873/es-abstract/-/es-abstract-1.23.9.tgz", + "integrity": "sha512-py07lI0wjxAC/DcfK1S6G7iANonniZwTISvdPzk9hzeH0IZIshbuuFxLIU96OyF89Yb9hiqWn8M/bY83KY5vzA==", + "dev": true, + "license": "MIT", + "dependencies": { + "array-buffer-byte-length": "^1.0.2", + "arraybuffer.prototype.slice": "^1.0.4", + "available-typed-arrays": "^1.0.7", + "call-bind": "^1.0.8", + "call-bound": "^1.0.3", + "data-view-buffer": "^1.0.2", + "data-view-byte-length": "^1.0.2", + "data-view-byte-offset": "^1.0.1", + "es-define-property": "^1.0.1", + "es-errors": "^1.3.0", + "es-object-atoms": "^1.0.0", + "es-set-tostringtag": "^2.1.0", + "es-to-primitive": "^1.3.0", + "function.prototype.name": "^1.1.8", + "get-intrinsic": "^1.2.7", + "get-proto": "^1.0.0", + "get-symbol-description": "^1.1.0", + "globalthis": "^1.0.4", + "gopd": "^1.2.0", + "has-property-descriptors": "^1.0.2", + "has-proto": "^1.2.0", + "has-symbols": "^1.1.0", + "hasown": "^2.0.2", + "internal-slot": "^1.1.0", + "is-array-buffer": "^3.0.5", + "is-callable": "^1.2.7", + "is-data-view": "^1.0.2", + "is-regex": "^1.2.1", + "is-shared-array-buffer": "^1.0.4", + "is-string": "^1.1.1", + "is-typed-array": "^1.1.15", + "is-weakref": "^1.1.0", + "math-intrinsics": "^1.1.0", + "object-inspect": "^1.13.3", + "object-keys": "^1.1.1", + "object.assign": "^4.1.7", + "own-keys": "^1.0.1", + "regexp.prototype.flags": "^1.5.3", + "safe-array-concat": "^1.1.3", + "safe-push-apply": "^1.0.0", + "safe-regex-test": "^1.1.0", + "set-proto": "^1.0.0", + "string.prototype.trim": "^1.2.10", + "string.prototype.trimend": "^1.0.9", + "string.prototype.trimstart": "^1.0.8", + "typed-array-buffer": "^1.0.3", + "typed-array-byte-length": "^1.0.3", + "typed-array-byte-offset": "^1.0.4", + "typed-array-length": "^1.0.7", + "unbox-primitive": "^1.1.0", + "which-typed-array": "^1.1.18" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/es-array-method-boxes-properly": { + "version": "1.0.0", + "resolved": "http://localhost:4873/es-array-method-boxes-properly/-/es-array-method-boxes-properly-1.0.0.tgz", + "integrity": "sha512-wd6JXUmyHmt8T5a2xreUwKcGPq6f1f+WwIJkijUqiGcJz1qqnZgP6XIK+QyIWU5lT7imeNxUll48bziG+TSYcA==", + "dev": true, + "license": "MIT" + }, + "node_modules/es-define-property": { + "version": "1.0.1", + "resolved": "http://localhost:4873/es-define-property/-/es-define-property-1.0.1.tgz", + "integrity": "sha512-e3nRfgfUZ4rNGL232gUgX06QNyyez04KdjFrF+LTRoOXmrOgFKDg4BCdsjW8EnT69eqdYGmRpJwiPVYNrCaW3g==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/es-errors": { + "version": "1.3.0", + "resolved": "http://localhost:4873/es-errors/-/es-errors-1.3.0.tgz", + "integrity": "sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/es-get-iterator": { + "version": "1.1.3", + "resolved": "http://localhost:4873/es-get-iterator/-/es-get-iterator-1.1.3.tgz", + "integrity": "sha512-sPZmqHBe6JIiTfN5q2pEi//TwxmAFHwj/XEuYjTuse78i8KxaqMTTzxPoFKuzRpDpTJ+0NAbpfenkmH2rePtuw==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind": "^1.0.2", + "get-intrinsic": "^1.1.3", + "has-symbols": "^1.0.3", + "is-arguments": "^1.1.1", + "is-map": "^2.0.2", + "is-set": "^2.0.2", + "is-string": "^1.0.7", + "isarray": "^2.0.5", + "stop-iteration-iterator": "^1.0.0" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/es-get-iterator/node_modules/isarray": { + "version": "2.0.5", + "resolved": "http://localhost:4873/isarray/-/isarray-2.0.5.tgz", + "integrity": "sha512-xHjhDr3cNBK0BzdUJSPXZntQUx/mwMS5Rw4A7lPJ90XGAO6ISP/ePDNuo0vhqOZU+UD5JoodwCAAoZQd3FeAKw==", + "dev": true, + "license": "MIT" + }, + "node_modules/es-iterator-helpers": { + "version": "1.2.1", + "resolved": "http://localhost:4873/es-iterator-helpers/-/es-iterator-helpers-1.2.1.tgz", + "integrity": "sha512-uDn+FE1yrDzyC0pCo961B2IHbdM8y/ACZsKD4dG6WqrjV53BADjwa7D+1aom2rsNVfLyDgU/eigvlJGJ08OQ4w==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind": "^1.0.8", + "call-bound": "^1.0.3", + "define-properties": "^1.2.1", + "es-abstract": "^1.23.6", + "es-errors": "^1.3.0", + "es-set-tostringtag": "^2.0.3", + "function-bind": "^1.1.2", + "get-intrinsic": "^1.2.6", + "globalthis": "^1.0.4", + "gopd": "^1.2.0", + "has-property-descriptors": "^1.0.2", + "has-proto": "^1.2.0", + "has-symbols": "^1.1.0", + "internal-slot": "^1.1.0", + "iterator.prototype": "^1.1.4", + "safe-array-concat": "^1.1.3" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/es-module-lexer": { + "version": "1.7.0", + "resolved": "http://localhost:4873/es-module-lexer/-/es-module-lexer-1.7.0.tgz", + "integrity": "sha512-jEQoCwk8hyb2AZziIOLhDqpm5+2ww5uIE6lkO/6jcOCusfk6LhMHpXXfBLXTZ7Ydyt0j4VoUQv6uGNYbdW+kBA==", + "dev": true, + "license": "MIT" + }, + "node_modules/es-object-atoms": { + "version": "1.1.1", + "resolved": "http://localhost:4873/es-object-atoms/-/es-object-atoms-1.1.1.tgz", + "integrity": "sha512-FGgH2h8zKNim9ljj7dankFPcICIK9Cp5bm+c2gQSYePhpaG5+esrLODihIorn+Pe6FGJzWhXQotPv73jTaldXA==", + "dev": true, + "license": "MIT", + "dependencies": { + "es-errors": "^1.3.0" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/es-set-tostringtag": { + "version": "2.1.0", + "resolved": "http://localhost:4873/es-set-tostringtag/-/es-set-tostringtag-2.1.0.tgz", + "integrity": "sha512-j6vWzfrGVfyXxge+O0x5sh6cvxAog0a/4Rdd2K36zCMV5eJ+/+tOAngRO8cODMNWbVRdVlmGZQL2YS3yR8bIUA==", + "dev": true, + "license": "MIT", + "dependencies": { + "es-errors": "^1.3.0", + "get-intrinsic": "^1.2.6", + "has-tostringtag": "^1.0.2", + "hasown": "^2.0.2" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/es-shim-unscopables": { + "version": "1.1.0", + "resolved": "http://localhost:4873/es-shim-unscopables/-/es-shim-unscopables-1.1.0.tgz", + "integrity": "sha512-d9T8ucsEhh8Bi1woXCf+TIKDIROLG5WCkxg8geBCbvk22kzwC5G2OnXVMO6FUsvQlgUUXQ2itephWDLqDzbeCw==", + "dev": true, + "license": "MIT", + "dependencies": { + "hasown": "^2.0.2" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/es-to-primitive": { + "version": "1.3.0", + "resolved": "http://localhost:4873/es-to-primitive/-/es-to-primitive-1.3.0.tgz", + "integrity": "sha512-w+5mJ3GuFL+NjVtJlvydShqE1eN3h3PbI7/5LAsYJP/2qtuMXjfL2LpHSRqo4b4eSF5K/DH1JXKUAHSB2UW50g==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-callable": "^1.2.7", + "is-date-object": "^1.0.5", + "is-symbol": "^1.0.4" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/es5-ext": { + "version": "0.10.64", + "resolved": "http://localhost:4873/es5-ext/-/es5-ext-0.10.64.tgz", + "integrity": "sha512-p2snDhiLaXe6dahss1LddxqEm+SkuDvV8dnIQG0MWjyHpcMNfXKPE+/Cc0y+PhxJX3A4xGNeFCj5oc0BUh6deg==", + "dev": true, + "hasInstallScript": true, + "license": "ISC", + "dependencies": { + "es6-iterator": "^2.0.3", + "es6-symbol": "^3.1.3", + "esniff": "^2.0.1", + "next-tick": "^1.1.0" + }, + "engines": { + "node": ">=0.10" + } + }, + "node_modules/es6-iterator": { + "version": "2.0.3", + "resolved": "http://localhost:4873/es6-iterator/-/es6-iterator-2.0.3.tgz", + "integrity": "sha512-zw4SRzoUkd+cl+ZoE15A9o1oQd920Bb0iOJMQkQhl3jNc03YqVjAhG7scf9C5KWRU/R13Orf588uCC6525o02g==", + "dev": true, + "license": "MIT", + "dependencies": { + "d": "1", + "es5-ext": "^0.10.35", + "es6-symbol": "^3.1.1" + } + }, + "node_modules/es6-symbol": { + "version": "3.1.4", + "resolved": "http://localhost:4873/es6-symbol/-/es6-symbol-3.1.4.tgz", + "integrity": "sha512-U9bFFjX8tFiATgtkJ1zg25+KviIXpgRvRHS8sau3GfhVzThRQrOeksPeT0BWW2MNZs1OEWJ1DPXOQMn0KKRkvg==", + "dev": true, + "license": "ISC", + "dependencies": { + "d": "^1.0.2", + "ext": "^1.7.0" + }, + "engines": { + "node": ">=0.12" + } + }, + "node_modules/escalade": { + "version": "3.2.0", + "resolved": "http://localhost:4873/escalade/-/escalade-3.2.0.tgz", + "integrity": "sha512-WUj2qlxaQtO4g6Pq5c29GTcWGDyd8itL8zTlipgECz3JesAiiOKotd8JU6otB3PACgG6xkJUyVhboMS+bje/jA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/escape-html": { + "version": "1.0.3", + "resolved": "http://localhost:4873/escape-html/-/escape-html-1.0.3.tgz", + "integrity": "sha512-NiSupZ4OeuGwr68lGIeym/ksIZMJodUGOSCZ/FSnTxcrekbvqrgdUxlJOMpijaKZVjAJrWrGs/6Jy8OMuyj9ow==", + "dev": true, + "license": "MIT" + }, + "node_modules/escape-string-regexp": { + "version": "4.0.0", + "resolved": "http://localhost:4873/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz", + "integrity": "sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/escodegen": { + "version": "2.1.0", + "resolved": "http://localhost:4873/escodegen/-/escodegen-2.1.0.tgz", + "integrity": "sha512-2NlIDTwUWJN0mRPQOdtQBzbUHvdGY2P1VXSyU83Q3xKxM7WHX2Ql8dKq782Q9TgQUNOLEzEYu9bzLNj1q88I5w==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "esprima": "^4.0.1", + "estraverse": "^5.2.0", + "esutils": "^2.0.2" + }, + "bin": { + "escodegen": "bin/escodegen.js", + "esgenerate": "bin/esgenerate.js" + }, + "engines": { + "node": ">=6.0" + }, + "optionalDependencies": { + "source-map": "~0.6.1" + } + }, + "node_modules/escodegen/node_modules/source-map": { + "version": "0.6.1", + "resolved": "http://localhost:4873/source-map/-/source-map-0.6.1.tgz", + "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==", + "dev": true, + "license": "BSD-3-Clause", + "optional": true, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/eslint": { + "version": "8.57.1", + "resolved": "http://localhost:4873/eslint/-/eslint-8.57.1.tgz", + "integrity": "sha512-ypowyDxpVSYpkXr9WPv2PAZCtNip1Mv5KTW0SCurXv/9iOpcrH9PaqUElksqEB6pChqHGDRCFTyrZlGhnLNGiA==", + "deprecated": "This version is no longer supported. Please see https://eslint.org/version-support for other options.", + "dev": true, + "license": "MIT", + "dependencies": { + "@eslint-community/eslint-utils": "^4.2.0", + "@eslint-community/regexpp": "^4.6.1", + "@eslint/eslintrc": "^2.1.4", + "@eslint/js": "8.57.1", + "@humanwhocodes/config-array": "^0.13.0", + "@humanwhocodes/module-importer": "^1.0.1", + "@nodelib/fs.walk": "^1.2.8", + "@ungap/structured-clone": "^1.2.0", + "ajv": "^6.12.4", + "chalk": "^4.0.0", + "cross-spawn": "^7.0.2", + "debug": "^4.3.2", + "doctrine": "^3.0.0", + "escape-string-regexp": "^4.0.0", + "eslint-scope": "^7.2.2", + "eslint-visitor-keys": "^3.4.3", + "espree": "^9.6.1", + "esquery": "^1.4.2", + "esutils": "^2.0.2", + "fast-deep-equal": "^3.1.3", + "file-entry-cache": "^6.0.1", + "find-up": "^5.0.0", + "glob-parent": "^6.0.2", + "globals": "^13.19.0", + "graphemer": "^1.4.0", + "ignore": "^5.2.0", + "imurmurhash": "^0.1.4", + "is-glob": "^4.0.0", + "is-path-inside": "^3.0.3", + "js-yaml": "^4.1.0", + "json-stable-stringify-without-jsonify": "^1.0.1", + "levn": "^0.4.1", + "lodash.merge": "^4.6.2", + "minimatch": "^3.1.2", + "natural-compare": "^1.4.0", + "optionator": "^0.9.3", + "strip-ansi": "^6.0.1", + "text-table": "^0.2.0" + }, + "bin": { + "eslint": "bin/eslint.js" + }, + "engines": { + "node": "^12.22.0 || ^14.17.0 || >=16.0.0" + }, + "funding": { + "url": "https://opencollective.com/eslint" + } + }, + "node_modules/eslint-config-prettier": { + "version": "8.8.0", + "resolved": "http://localhost:4873/eslint-config-prettier/-/eslint-config-prettier-8.8.0.tgz", + "integrity": "sha512-wLbQiFre3tdGgpDv67NQKnJuTlcUVYHas3k+DZCc2U2BadthoEY4B7hLPvAxaqdyOGCzuLfii2fqGph10va7oA==", + "dev": true, + "license": "MIT", + "bin": { + "eslint-config-prettier": "bin/cli.js" + }, + "peerDependencies": { + "eslint": ">=7.0.0" + } + }, + "node_modules/eslint-plugin-jest": { + "version": "27.9.0", + "resolved": "http://localhost:4873/eslint-plugin-jest/-/eslint-plugin-jest-27.9.0.tgz", + "integrity": "sha512-QIT7FH7fNmd9n4se7FFKHbsLKGQiw885Ds6Y/sxKgCZ6natwCsXdgPOADnYVxN2QrRweF0FZWbJ6S7Rsn7llug==", + "dev": true, + "license": "MIT", + "dependencies": { + "@typescript-eslint/utils": "^5.10.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + }, + "peerDependencies": { + "@typescript-eslint/eslint-plugin": "^5.0.0 || ^6.0.0 || ^7.0.0", + "eslint": "^7.0.0 || ^8.0.0", + "jest": "*" + }, + "peerDependenciesMeta": { + "@typescript-eslint/eslint-plugin": { + "optional": true + }, + "jest": { + "optional": true + } + } + }, + "node_modules/eslint-plugin-jsx-a11y": { + "version": "6.7.1", + "resolved": "http://localhost:4873/eslint-plugin-jsx-a11y/-/eslint-plugin-jsx-a11y-6.7.1.tgz", + "integrity": "sha512-63Bog4iIethyo8smBklORknVjB0T2dwB8Mr/hIC+fBS0uyHdYYpzM/Ed+YC8VxTjlXHEWFOdmgwcDn1U2L9VCA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.20.7", + "aria-query": "^5.1.3", + "array-includes": "^3.1.6", + "array.prototype.flatmap": "^1.3.1", + "ast-types-flow": "^0.0.7", + "axe-core": "^4.6.2", + "axobject-query": "^3.1.1", + "damerau-levenshtein": "^1.0.8", + "emoji-regex": "^9.2.2", + "has": "^1.0.3", + "jsx-ast-utils": "^3.3.3", + "language-tags": "=1.0.5", + "minimatch": "^3.1.2", + "object.entries": "^1.1.6", + "object.fromentries": "^2.0.6", + "semver": "^6.3.0" + }, + "engines": { + "node": ">=4.0" + }, + "peerDependencies": { + "eslint": "^3 || ^4 || ^5 || ^6 || ^7 || ^8" + } + }, + "node_modules/eslint-plugin-jsx-a11y/node_modules/semver": { + "version": "6.3.1", + "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", + "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver.js" + } + }, + "node_modules/eslint-plugin-prettier": { + "version": "4.2.1", + "resolved": "http://localhost:4873/eslint-plugin-prettier/-/eslint-plugin-prettier-4.2.1.tgz", + "integrity": "sha512-f/0rXLXUt0oFYs8ra4w49wYZBG5GKZpAYsJSm6rnYL5uVDjd+zowwMwVZHnAjf4edNrKpCDYfXDgmRE/Ak7QyQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "prettier-linter-helpers": "^1.0.0" + }, + "engines": { + "node": ">=12.0.0" + }, + "peerDependencies": { + "eslint": ">=7.28.0", + "prettier": ">=2.0.0" + }, + "peerDependenciesMeta": { + "eslint-config-prettier": { + "optional": true + } + } + }, + "node_modules/eslint-plugin-react": { + "version": "7.37.5", + "resolved": "http://localhost:4873/eslint-plugin-react/-/eslint-plugin-react-7.37.5.tgz", + "integrity": "sha512-Qteup0SqU15kdocexFNAJMvCJEfa2xUKNV4CC1xsVMrIIqEy3SQ/rqyxCWNzfrd3/ldy6HMlD2e0JDVpDg2qIA==", + "dev": true, + "license": "MIT", + "dependencies": { + "array-includes": "^3.1.8", + "array.prototype.findlast": "^1.2.5", + "array.prototype.flatmap": "^1.3.3", + "array.prototype.tosorted": "^1.1.4", + "doctrine": "^2.1.0", + "es-iterator-helpers": "^1.2.1", + "estraverse": "^5.3.0", + "hasown": "^2.0.2", + "jsx-ast-utils": "^2.4.1 || ^3.0.0", + "minimatch": "^3.1.2", + "object.entries": "^1.1.9", + "object.fromentries": "^2.0.8", + "object.values": "^1.2.1", + "prop-types": "^15.8.1", + "resolve": "^2.0.0-next.5", + "semver": "^6.3.1", + "string.prototype.matchall": "^4.0.12", + "string.prototype.repeat": "^1.0.0" + }, + "engines": { + "node": ">=4" + }, + "peerDependencies": { + "eslint": "^3 || ^4 || ^5 || ^6 || ^7 || ^8 || ^9.7" + } + }, + "node_modules/eslint-plugin-react-hooks": { + "version": "4.6.2", + "resolved": "http://localhost:4873/eslint-plugin-react-hooks/-/eslint-plugin-react-hooks-4.6.2.tgz", + "integrity": "sha512-QzliNJq4GinDBcD8gPB5v0wh6g8q3SUi6EFF0x8N/BL9PoVs0atuGc47ozMRyOWAKdwaZ5OnbOEa3WR+dSGKuQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + }, + "peerDependencies": { + "eslint": "^3.0.0 || ^4.0.0 || ^5.0.0 || ^6.0.0 || ^7.0.0 || ^8.0.0-0" + } + }, + "node_modules/eslint-plugin-react/node_modules/doctrine": { + "version": "2.1.0", + "resolved": "http://localhost:4873/doctrine/-/doctrine-2.1.0.tgz", + "integrity": "sha512-35mSku4ZXK0vfCuHEDAwt55dg2jNajHZ1odvF+8SSr82EsZY4QmXfuWso8oEd8zRhVObSN18aM0CjSdoBX7zIw==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "esutils": "^2.0.2" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/eslint-plugin-react/node_modules/resolve": { + "version": "2.0.0-next.5", + "resolved": "http://localhost:4873/resolve/-/resolve-2.0.0-next.5.tgz", + "integrity": "sha512-U7WjGVG9sH8tvjW5SmGbQuui75FiyjAX72HX15DwBBwF9dNiQZRQAg9nnPhYy+TUnE0+VcrttuvNI8oSxZcocA==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-core-module": "^2.13.0", + "path-parse": "^1.0.7", + "supports-preserve-symlinks-flag": "^1.0.0" + }, + "bin": { + "resolve": "bin/resolve" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/eslint-plugin-react/node_modules/semver": { + "version": "6.3.1", + "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", + "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver.js" + } + }, + "node_modules/eslint-plugin-use-effect-no-deps": { + "version": "1.1.2", + "resolved": "http://localhost:4873/eslint-plugin-use-effect-no-deps/-/eslint-plugin-use-effect-no-deps-1.1.2.tgz", + "integrity": "sha512-ohYM9EGcvlOtSsjyPw+7ktgDD0IAboijRyPH6SrQLZejaapCrO6TY40glYnPUteBA1lTkY34puE6FwKChO8EAA==", + "dev": true, + "license": "MIT", + "dependencies": { + "requireindex": "~1.2.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/eslint-scope": { + "version": "5.1.1", + "resolved": "http://localhost:4873/eslint-scope/-/eslint-scope-5.1.1.tgz", + "integrity": "sha512-2NxwbF/hZ0KpepYN0cNbo+FN6XoK7GaHlQhgx/hIZl6Va0bF45RQOOwhLIy8lQDbuCiadSLCBnH2CFYquit5bw==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "esrecurse": "^4.3.0", + "estraverse": "^4.1.1" + }, + "engines": { + "node": ">=8.0.0" + } + }, + "node_modules/eslint-scope/node_modules/estraverse": { + "version": "4.3.0", + "resolved": "http://localhost:4873/estraverse/-/estraverse-4.3.0.tgz", + "integrity": "sha512-39nnKffWz8xN1BU/2c79n9nB9HDzo0niYUqx6xyqUnyoAnQyyWpOTdZEeiCch8BBu515t4wp9ZmgVfVhn9EBpw==", + "dev": true, + "license": "BSD-2-Clause", + "engines": { + "node": ">=4.0" + } + }, + "node_modules/eslint-visitor-keys": { + "version": "2.1.0", + "resolved": "http://localhost:4873/eslint-visitor-keys/-/eslint-visitor-keys-2.1.0.tgz", + "integrity": "sha512-0rSmRBzXgDzIsD6mGdJgevzgezI534Cer5L/vyMX0kHzT/jiB43jRhd9YUlMGYLQy2zprNmoT8qasCGtY+QaKw==", + "dev": true, + "license": "Apache-2.0", + "engines": { + "node": ">=10" + } + }, + "node_modules/eslint/node_modules/argparse": { + "version": "2.0.1", + "resolved": "http://localhost:4873/argparse/-/argparse-2.0.1.tgz", + "integrity": "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==", + "dev": true, + "license": "Python-2.0" + }, + "node_modules/eslint/node_modules/cross-spawn": { + "version": "7.0.6", + "resolved": "http://localhost:4873/cross-spawn/-/cross-spawn-7.0.6.tgz", + "integrity": "sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA==", + "dev": true, + "license": "MIT", + "dependencies": { + "path-key": "^3.1.0", + "shebang-command": "^2.0.0", + "which": "^2.0.1" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/eslint/node_modules/eslint-scope": { + "version": "7.2.2", + "resolved": "http://localhost:4873/eslint-scope/-/eslint-scope-7.2.2.tgz", + "integrity": "sha512-dOt21O7lTMhDM+X9mB4GX+DZrZtCUJPL/wlcTqxyrx5IvO0IYtILdtrQGQp+8n5S0gwSVmOf9NQrjMOgfQZlIg==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "esrecurse": "^4.3.0", + "estraverse": "^5.2.0" + }, + "engines": { + "node": "^12.22.0 || ^14.17.0 || >=16.0.0" + }, + "funding": { + "url": "https://opencollective.com/eslint" + } + }, + "node_modules/eslint/node_modules/eslint-visitor-keys": { + "version": "3.4.3", + "resolved": "http://localhost:4873/eslint-visitor-keys/-/eslint-visitor-keys-3.4.3.tgz", + "integrity": "sha512-wpc+LXeiyiisxPlEkUzU6svyS1frIO3Mgxj1fdy7Pm8Ygzguax2N3Fa/D/ag1WqbOprdI+uY6wMUl8/a2G+iag==", + "dev": true, + "license": "Apache-2.0", + "engines": { + "node": "^12.22.0 || ^14.17.0 || >=16.0.0" + }, + "funding": { + "url": "https://opencollective.com/eslint" + } + }, + "node_modules/eslint/node_modules/find-up": { + "version": "5.0.0", + "resolved": "http://localhost:4873/find-up/-/find-up-5.0.0.tgz", + "integrity": "sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng==", + "dev": true, + "license": "MIT", + "dependencies": { + "locate-path": "^6.0.0", + "path-exists": "^4.0.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/eslint/node_modules/glob-parent": { + "version": "6.0.2", + "resolved": "http://localhost:4873/glob-parent/-/glob-parent-6.0.2.tgz", + "integrity": "sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==", + "dev": true, + "license": "ISC", + "dependencies": { + "is-glob": "^4.0.3" + }, + "engines": { + "node": ">=10.13.0" + } + }, + "node_modules/eslint/node_modules/globals": { + "version": "13.24.0", + "resolved": "http://localhost:4873/globals/-/globals-13.24.0.tgz", + "integrity": "sha512-AhO5QUcj8llrbG09iWhPU2B204J1xnPeL8kQmVorSsy+Sjj1sk8gIyh6cUocGmH4L0UuhAJy+hJMRA4mgA4mFQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "type-fest": "^0.20.2" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/eslint/node_modules/js-yaml": { + "version": "4.1.0", + "resolved": "http://localhost:4873/js-yaml/-/js-yaml-4.1.0.tgz", + "integrity": "sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==", + "dev": true, + "license": "MIT", + "dependencies": { + "argparse": "^2.0.1" + }, + "bin": { + "js-yaml": "bin/js-yaml.js" + } + }, + "node_modules/eslint/node_modules/locate-path": { + "version": "6.0.0", + "resolved": "http://localhost:4873/locate-path/-/locate-path-6.0.0.tgz", + "integrity": "sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw==", + "dev": true, + "license": "MIT", + "dependencies": { + "p-locate": "^5.0.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/eslint/node_modules/p-limit": { + "version": "3.1.0", + "resolved": "http://localhost:4873/p-limit/-/p-limit-3.1.0.tgz", + "integrity": "sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "yocto-queue": "^0.1.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/eslint/node_modules/p-locate": { + "version": "5.0.0", + "resolved": "http://localhost:4873/p-locate/-/p-locate-5.0.0.tgz", + "integrity": "sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw==", + "dev": true, + "license": "MIT", + "dependencies": { + "p-limit": "^3.0.2" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/eslint/node_modules/path-key": { + "version": "3.1.1", + "resolved": "http://localhost:4873/path-key/-/path-key-3.1.1.tgz", + "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/eslint/node_modules/shebang-command": { + "version": "2.0.0", + "resolved": "http://localhost:4873/shebang-command/-/shebang-command-2.0.0.tgz", + "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==", + "dev": true, + "license": "MIT", + "dependencies": { + "shebang-regex": "^3.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/eslint/node_modules/shebang-regex": { + "version": "3.0.0", + "resolved": "http://localhost:4873/shebang-regex/-/shebang-regex-3.0.0.tgz", + "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/eslint/node_modules/type-fest": { + "version": "0.20.2", + "resolved": "http://localhost:4873/type-fest/-/type-fest-0.20.2.tgz", + "integrity": "sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==", + "dev": true, + "license": "(MIT OR CC0-1.0)", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/eslint/node_modules/which": { + "version": "2.0.2", + "resolved": "http://localhost:4873/which/-/which-2.0.2.tgz", + "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", + "dev": true, + "license": "ISC", + "dependencies": { + "isexe": "^2.0.0" + }, + "bin": { + "node-which": "bin/node-which" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/esniff": { + "version": "2.0.1", + "resolved": "http://localhost:4873/esniff/-/esniff-2.0.1.tgz", + "integrity": "sha512-kTUIGKQ/mDPFoJ0oVfcmyJn4iBDRptjNVIzwIFR7tqWXdVI9xfA2RMwY/gbSpJG3lkdWNEjLap/NqVHZiJsdfg==", + "dev": true, + "license": "ISC", + "dependencies": { + "d": "^1.0.1", + "es5-ext": "^0.10.62", + "event-emitter": "^0.3.5", + "type": "^2.7.2" + }, + "engines": { + "node": ">=0.10" + } + }, + "node_modules/espree": { + "version": "9.6.1", + "resolved": "http://localhost:4873/espree/-/espree-9.6.1.tgz", + "integrity": "sha512-oruZaFkjorTpF32kDSI5/75ViwGeZginGGy2NoOSg3Q9bnwlnmDm4HLnkl0RE3n+njDXR037aY1+x58Z/zFdwQ==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "acorn": "^8.9.0", + "acorn-jsx": "^5.3.2", + "eslint-visitor-keys": "^3.4.1" + }, + "engines": { + "node": "^12.22.0 || ^14.17.0 || >=16.0.0" + }, + "funding": { + "url": "https://opencollective.com/eslint" + } + }, + "node_modules/espree/node_modules/eslint-visitor-keys": { + "version": "3.4.3", + "resolved": "http://localhost:4873/eslint-visitor-keys/-/eslint-visitor-keys-3.4.3.tgz", + "integrity": "sha512-wpc+LXeiyiisxPlEkUzU6svyS1frIO3Mgxj1fdy7Pm8Ygzguax2N3Fa/D/ag1WqbOprdI+uY6wMUl8/a2G+iag==", + "dev": true, + "license": "Apache-2.0", + "engines": { + "node": "^12.22.0 || ^14.17.0 || >=16.0.0" + }, + "funding": { + "url": "https://opencollective.com/eslint" + } + }, + "node_modules/esprima": { + "version": "4.0.1", + "resolved": "http://localhost:4873/esprima/-/esprima-4.0.1.tgz", + "integrity": "sha512-eGuFFw7Upda+g4p+QHvnW0RyTX/SVeJBDM/gCtMARO0cLuT2HcEKnTPvhjV6aGeqrCB/sbNop0Kszm0jsaWU4A==", + "dev": true, + "license": "BSD-2-Clause", + "bin": { + "esparse": "bin/esparse.js", + "esvalidate": "bin/esvalidate.js" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/esquery": { + "version": "1.6.0", + "resolved": "http://localhost:4873/esquery/-/esquery-1.6.0.tgz", + "integrity": "sha512-ca9pw9fomFcKPvFLXhBKUK90ZvGibiGOvRJNbjljY7s7uq/5YO4BOzcYtJqExdx99rF6aAcnRxHmcUHcz6sQsg==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "estraverse": "^5.1.0" + }, + "engines": { + "node": ">=0.10" + } + }, + "node_modules/esrecurse": { + "version": "4.3.0", + "resolved": "http://localhost:4873/esrecurse/-/esrecurse-4.3.0.tgz", + "integrity": "sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "estraverse": "^5.2.0" + }, + "engines": { + "node": ">=4.0" + } + }, + "node_modules/estraverse": { + "version": "5.3.0", + "resolved": "http://localhost:4873/estraverse/-/estraverse-5.3.0.tgz", + "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==", + "dev": true, + "license": "BSD-2-Clause", + "engines": { + "node": ">=4.0" + } + }, + "node_modules/esutils": { + "version": "2.0.3", + "resolved": "http://localhost:4873/esutils/-/esutils-2.0.3.tgz", + "integrity": "sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==", + "dev": true, + "license": "BSD-2-Clause", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/etag": { + "version": "1.8.1", + "resolved": "http://localhost:4873/etag/-/etag-1.8.1.tgz", + "integrity": "sha512-aIL5Fx7mawVa300al2BnEE4iNvo1qETxLrPI/o05L7z6go7fCw1J6EQmbK4FmJ2AS7kgVF/KEZWufBfdClMcPg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/event-emitter": { + "version": "0.3.5", + "resolved": "http://localhost:4873/event-emitter/-/event-emitter-0.3.5.tgz", + "integrity": "sha512-D9rRn9y7kLPnJ+hMq7S/nhvoKwwvVJahBi2BPmx3bvbsEdK3W9ii8cBSGjP+72/LnM4n6fo3+dkCX5FeTQruXA==", + "dev": true, + "license": "MIT", + "dependencies": { + "d": "1", + "es5-ext": "~0.10.14" + } + }, + "node_modules/eventemitter3": { + "version": "4.0.7", + "resolved": "http://localhost:4873/eventemitter3/-/eventemitter3-4.0.7.tgz", + "integrity": "sha512-8guHBZCwKnFhYdHr2ysuRWErTwhoN2X8XELRlrRwpmfeY2jjuUN4taQMsULKUVo1K4DvZl+0pgfyoysHxvmvEw==", + "dev": true, + "license": "MIT" + }, + "node_modules/events": { + "version": "1.1.1", + "resolved": "http://localhost:4873/events/-/events-1.1.1.tgz", + "integrity": "sha512-kEcvvCBByWXGnZy6JUlgAp2gBIUjfCAV6P6TgT1/aaQKcmuAEC4OZTV1I4EWQLz2gxZw76atuVyvHhTxvi0Flw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.4.x" + } + }, + "node_modules/exec-sh": { + "version": "0.3.6", + "resolved": "http://localhost:4873/exec-sh/-/exec-sh-0.3.6.tgz", + "integrity": "sha512-nQn+hI3yp+oD0huYhKwvYI32+JFeq+XkNcD1GAo3Y/MjxsfVGmrrzrnzjWiNY6f+pUCP440fThsFh5gZrRAU/w==", + "dev": true, + "license": "MIT" + }, + "node_modules/execa": { + "version": "4.1.0", + "resolved": "http://localhost:4873/execa/-/execa-4.1.0.tgz", + "integrity": "sha512-j5W0//W7f8UxAn8hXVnwG8tLwdiUy4FJLcSupCg6maBYZDpyBvTApK7KyuI4bKj8KOh1r2YH+6ucuYtJv1bTZA==", + "dev": true, + "license": "MIT", + "dependencies": { + "cross-spawn": "^7.0.0", + "get-stream": "^5.0.0", + "human-signals": "^1.1.1", + "is-stream": "^2.0.0", + "merge-stream": "^2.0.0", + "npm-run-path": "^4.0.0", + "onetime": "^5.1.0", + "signal-exit": "^3.0.2", + "strip-final-newline": "^2.0.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sindresorhus/execa?sponsor=1" + } + }, + "node_modules/execa/node_modules/cross-spawn": { + "version": "7.0.6", + "resolved": "http://localhost:4873/cross-spawn/-/cross-spawn-7.0.6.tgz", + "integrity": "sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA==", + "dev": true, + "license": "MIT", + "dependencies": { + "path-key": "^3.1.0", + "shebang-command": "^2.0.0", + "which": "^2.0.1" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/execa/node_modules/path-key": { + "version": "3.1.1", + "resolved": "http://localhost:4873/path-key/-/path-key-3.1.1.tgz", + "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/execa/node_modules/shebang-command": { + "version": "2.0.0", + "resolved": "http://localhost:4873/shebang-command/-/shebang-command-2.0.0.tgz", + "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==", + "dev": true, + "license": "MIT", + "dependencies": { + "shebang-regex": "^3.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/execa/node_modules/shebang-regex": { + "version": "3.0.0", + "resolved": "http://localhost:4873/shebang-regex/-/shebang-regex-3.0.0.tgz", + "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/execa/node_modules/which": { + "version": "2.0.2", + "resolved": "http://localhost:4873/which/-/which-2.0.2.tgz", + "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", + "dev": true, + "license": "ISC", + "dependencies": { + "isexe": "^2.0.0" + }, + "bin": { + "node-which": "bin/node-which" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/exit": { + "version": "0.1.2", + "resolved": "http://localhost:4873/exit/-/exit-0.1.2.tgz", + "integrity": "sha512-Zk/eNKV2zbjpKzrsQ+n1G6poVbErQxJ0LBOJXaKZ1EViLzH+hrLu9cdXI4zw9dBQJslwBEpbQ2P1oS7nDxs6jQ==", + "dev": true, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/expand-brackets": { + "version": "2.1.4", + "resolved": "http://localhost:4873/expand-brackets/-/expand-brackets-2.1.4.tgz", + "integrity": "sha512-w/ozOKR9Obk3qoWeY/WDi6MFta9AoMR+zud60mdnbniMcBxRuFJyDt2LdX/14A1UABeqk+Uk+LDfUpvoGKppZA==", + "dev": true, + "license": "MIT", + "dependencies": { + "debug": "^2.3.3", + "define-property": "^0.2.5", + "extend-shallow": "^2.0.1", + "posix-character-classes": "^0.1.0", + "regex-not": "^1.0.0", + "snapdragon": "^0.8.1", + "to-regex": "^3.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/expand-brackets/node_modules/debug": { + "version": "2.6.9", + "resolved": "http://localhost:4873/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "dev": true, + "license": "MIT", + "dependencies": { + "ms": "2.0.0" + } + }, + "node_modules/expand-brackets/node_modules/define-property": { + "version": "0.2.5", + "resolved": "http://localhost:4873/define-property/-/define-property-0.2.5.tgz", + "integrity": "sha512-Rr7ADjQZenceVOAKop6ALkkRAmH1A4Gx9hV/7ZujPUN2rkATqFO0JZLZInbAjpZYoJ1gUx8MRMQVkYemcbMSTA==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-descriptor": "^0.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/expand-brackets/node_modules/extend-shallow": { + "version": "2.0.1", + "resolved": "http://localhost:4873/extend-shallow/-/extend-shallow-2.0.1.tgz", + "integrity": "sha512-zCnTtlxNoAiDc3gqY2aYAWFx7XWWiasuF2K8Me5WbN8otHKTUKBwjPtNpRs/rbUZm7KxWAaNj7P1a/p52GbVug==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-extendable": "^0.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/expand-brackets/node_modules/is-descriptor": { + "version": "0.1.7", + "resolved": "http://localhost:4873/is-descriptor/-/is-descriptor-0.1.7.tgz", + "integrity": "sha512-C3grZTvObeN1xud4cRWl366OMXZTj0+HGyk4hvfpx4ZHt1Pb60ANSXqCK7pdOTeUQpRzECBSTphqvD7U+l22Eg==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-accessor-descriptor": "^1.0.1", + "is-data-descriptor": "^1.0.1" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/expand-brackets/node_modules/is-extendable": { + "version": "0.1.1", + "resolved": "http://localhost:4873/is-extendable/-/is-extendable-0.1.1.tgz", + "integrity": "sha512-5BMULNob1vgFX6EjQw5izWDxrecWK9AM72rugNr0TFldMOi0fj6Jk+zeKIt0xGj4cEfQIJth4w3OKWOJ4f+AFw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/expand-brackets/node_modules/ms": { + "version": "2.0.0", + "resolved": "http://localhost:4873/ms/-/ms-2.0.0.tgz", + "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", + "dev": true, + "license": "MIT" + }, + "node_modules/expect": { + "version": "29.7.0", + "resolved": "http://localhost:4873/expect/-/expect-29.7.0.tgz", + "integrity": "sha512-2Zks0hf1VLFYI1kbh0I5jP3KHHyCHpkfyHBzsSXRFgl/Bg9mWYfMW8oD+PdMPlEwy5HNsR9JutYy6pMeOh61nw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/expect-utils": "^29.7.0", + "jest-get-type": "^29.6.3", + "jest-matcher-utils": "^29.7.0", + "jest-message-util": "^29.7.0", + "jest-util": "^29.7.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/expect/node_modules/@jest/types": { + "version": "29.6.3", + "resolved": "http://localhost:4873/@jest/types/-/types-29.6.3.tgz", + "integrity": "sha512-u3UPsIilWKOM3F9CXtrG8LEJmNxwoCQC/XVj4IKYXvvpx7QIi/Kg1LI5uDmDpKlac62NUtX7eLjRh+jVZcLOzw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/schemas": "^29.6.3", + "@types/istanbul-lib-coverage": "^2.0.0", + "@types/istanbul-reports": "^3.0.0", + "@types/node": "*", + "@types/yargs": "^17.0.8", + "chalk": "^4.0.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/expect/node_modules/@types/yargs": { + "version": "17.0.33", + "resolved": "http://localhost:4873/@types/yargs/-/yargs-17.0.33.tgz", + "integrity": "sha512-WpxBCKWPLr4xSsHgz511rFJAM+wS28w2zEO1QDNY5zM/S8ok70NNfztH0xwhqKyaK0OHCbN98LDAZuy1ctxDkA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/yargs-parser": "*" + } + }, + "node_modules/expect/node_modules/ci-info": { + "version": "3.9.0", + "resolved": "http://localhost:4873/ci-info/-/ci-info-3.9.0.tgz", + "integrity": "sha512-NIxF55hv4nSqQswkAeiOi1r83xy8JldOFDTWiug55KBu9Jnblncd2U6ViHmYgHf01TPZS77NJBhBMKdWj9HQMQ==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/sibiraj-s" + } + ], + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/expect/node_modules/jest-util": { + "version": "29.7.0", + "resolved": "http://localhost:4873/jest-util/-/jest-util-29.7.0.tgz", + "integrity": "sha512-z6EbKajIpqGKU56y5KBUgy1dt1ihhQJgWzUlZHArA/+X2ad7Cb5iF+AK1EWVL/Bo7Rz9uurpqw6SiBCefUbCGA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^29.6.3", + "@types/node": "*", + "chalk": "^4.0.0", + "ci-info": "^3.2.0", + "graceful-fs": "^4.2.9", + "picomatch": "^2.2.3" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/express": { + "version": "4.21.2", + "resolved": "http://localhost:4873/express/-/express-4.21.2.tgz", + "integrity": "sha512-28HqgMZAmih1Czt9ny7qr6ek2qddF4FclbMzwhCREB6OFfH+rXAnuNCwo1/wFvrtbgsQDb4kSbX9de9lFbrXnA==", + "dev": true, + "license": "MIT", + "dependencies": { + "accepts": "~1.3.8", + "array-flatten": "1.1.1", + "body-parser": "1.20.3", + "content-disposition": "0.5.4", + "content-type": "~1.0.4", + "cookie": "0.7.1", + "cookie-signature": "1.0.6", + "debug": "2.6.9", + "depd": "2.0.0", + "encodeurl": "~2.0.0", + "escape-html": "~1.0.3", + "etag": "~1.8.1", + "finalhandler": "1.3.1", + "fresh": "0.5.2", + "http-errors": "2.0.0", + "merge-descriptors": "1.0.3", + "methods": "~1.1.2", + "on-finished": "2.4.1", + "parseurl": "~1.3.3", + "path-to-regexp": "0.1.12", + "proxy-addr": "~2.0.7", + "qs": "6.13.0", + "range-parser": "~1.2.1", + "safe-buffer": "5.2.1", + "send": "0.19.0", + "serve-static": "1.16.2", + "setprototypeof": "1.2.0", + "statuses": "2.0.1", + "type-is": "~1.6.18", + "utils-merge": "1.0.1", + "vary": "~1.1.2" + }, + "engines": { + "node": ">= 0.10.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/express" + } + }, + "node_modules/express/node_modules/debug": { + "version": "2.6.9", + "resolved": "http://localhost:4873/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "dev": true, + "license": "MIT", + "dependencies": { + "ms": "2.0.0" + } + }, + "node_modules/express/node_modules/ms": { + "version": "2.0.0", + "resolved": "http://localhost:4873/ms/-/ms-2.0.0.tgz", + "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", + "dev": true, + "license": "MIT" + }, + "node_modules/ext": { + "version": "1.7.0", + "resolved": "http://localhost:4873/ext/-/ext-1.7.0.tgz", + "integrity": "sha512-6hxeJYaL110a9b5TEJSj0gojyHQAmA2ch5Os+ySCiA1QGdS697XWY1pzsrSjqA9LDEEgdB/KypIlR59RcLuHYw==", + "dev": true, + "license": "ISC", + "dependencies": { + "type": "^2.7.2" + } + }, + "node_modules/extend-shallow": { + "version": "3.0.2", + "resolved": "http://localhost:4873/extend-shallow/-/extend-shallow-3.0.2.tgz", + "integrity": "sha512-BwY5b5Ql4+qZoefgMj2NUmx+tehVTH/Kf4k1ZEtOHNFcm2wSxMRo992l6X3TIgni2eZVTZ85xMOjF31fwZAj6Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "assign-symbols": "^1.0.0", + "is-extendable": "^1.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/external-editor": { + "version": "3.1.0", + "resolved": "http://localhost:4873/external-editor/-/external-editor-3.1.0.tgz", + "integrity": "sha512-hMQ4CX1p1izmuLYyZqLMO/qGNw10wSv9QDCPfzXfyFrOaCSSoRfqE1Kf1s5an66J5JZC62NewG+mK49jOCtQew==", + "dev": true, + "license": "MIT", + "dependencies": { + "chardet": "^0.7.0", + "iconv-lite": "^0.4.24", + "tmp": "^0.0.33" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/external-editor/node_modules/tmp": { + "version": "0.0.33", + "resolved": "http://localhost:4873/tmp/-/tmp-0.0.33.tgz", + "integrity": "sha512-jRCJlojKnZ3addtTOjdIqoRuPEKBvNXcGYqzO6zWZX8KfKEpnGY5jfggJQ3EjKuu8D4bJRr0y+cYJFmYbImXGw==", + "dev": true, + "license": "MIT", + "dependencies": { + "os-tmpdir": "~1.0.2" + }, + "engines": { + "node": ">=0.6.0" + } + }, + "node_modules/extglob": { + "version": "2.0.4", + "resolved": "http://localhost:4873/extglob/-/extglob-2.0.4.tgz", + "integrity": "sha512-Nmb6QXkELsuBr24CJSkilo6UHHgbekK5UiZgfE6UHD3Eb27YC6oD+bhcT+tJ6cl8dmsgdQxnWlcry8ksBIBLpw==", + "dev": true, + "license": "MIT", + "dependencies": { + "array-unique": "^0.3.2", + "define-property": "^1.0.0", + "expand-brackets": "^2.1.4", + "extend-shallow": "^2.0.1", + "fragment-cache": "^0.2.1", + "regex-not": "^1.0.0", + "snapdragon": "^0.8.1", + "to-regex": "^3.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/extglob/node_modules/define-property": { + "version": "1.0.0", + "resolved": "http://localhost:4873/define-property/-/define-property-1.0.0.tgz", + "integrity": "sha512-cZTYKFWspt9jZsMscWo8sc/5lbPC9Q0N5nBLgb+Yd915iL3udB1uFgS3B8YCx66UVHq018DAVFoee7x+gxggeA==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-descriptor": "^1.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/extglob/node_modules/extend-shallow": { + "version": "2.0.1", + "resolved": "http://localhost:4873/extend-shallow/-/extend-shallow-2.0.1.tgz", + "integrity": "sha512-zCnTtlxNoAiDc3gqY2aYAWFx7XWWiasuF2K8Me5WbN8otHKTUKBwjPtNpRs/rbUZm7KxWAaNj7P1a/p52GbVug==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-extendable": "^0.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/extglob/node_modules/is-extendable": { + "version": "0.1.1", + "resolved": "http://localhost:4873/is-extendable/-/is-extendable-0.1.1.tgz", + "integrity": "sha512-5BMULNob1vgFX6EjQw5izWDxrecWK9AM72rugNr0TFldMOi0fj6Jk+zeKIt0xGj4cEfQIJth4w3OKWOJ4f+AFw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/extract-zip": { + "version": "2.0.1", + "resolved": "http://localhost:4873/extract-zip/-/extract-zip-2.0.1.tgz", + "integrity": "sha512-GDhU9ntwuKyGXdZBUgTIe+vXnWj0fppUEtMDL0+idd5Sta8TGpHssn/eusA9mrPr9qNDym6SxAYZjNvCn/9RBg==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "debug": "^4.1.1", + "get-stream": "^5.1.0", + "yauzl": "^2.10.0" + }, + "bin": { + "extract-zip": "cli.js" + }, + "engines": { + "node": ">= 10.17.0" + }, + "optionalDependencies": { + "@types/yauzl": "^2.9.1" + } + }, + "node_modules/fast-deep-equal": { + "version": "3.1.3", + "resolved": "http://localhost:4873/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz", + "integrity": "sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==", + "dev": true, + "license": "MIT" + }, + "node_modules/fast-diff": { + "version": "1.3.0", + "resolved": "http://localhost:4873/fast-diff/-/fast-diff-1.3.0.tgz", + "integrity": "sha512-VxPP4NqbUjj6MaAOafWeUn2cXWLcCtljklUtZf0Ind4XQ+QPtmA0b18zZy0jIQx+ExRVCR/ZQpBmik5lXshNsw==", + "dev": true, + "license": "Apache-2.0" + }, + "node_modules/fast-glob": { + "version": "3.3.3", + "resolved": "http://localhost:4873/fast-glob/-/fast-glob-3.3.3.tgz", + "integrity": "sha512-7MptL8U0cqcFdzIzwOTHoilX9x5BrNqye7Z/LuC7kCMRio1EMSyqRK3BEAUD7sXRq4iT4AzTVuZdhgQ2TCvYLg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@nodelib/fs.stat": "^2.0.2", + "@nodelib/fs.walk": "^1.2.3", + "glob-parent": "^5.1.2", + "merge2": "^1.3.0", + "micromatch": "^4.0.8" + }, + "engines": { + "node": ">=8.6.0" + } + }, + "node_modules/fast-json-stable-stringify": { + "version": "2.1.0", + "resolved": "http://localhost:4873/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz", + "integrity": "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==", + "dev": true, + "license": "MIT" + }, + "node_modules/fast-levenshtein": { + "version": "2.0.6", + "resolved": "http://localhost:4873/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz", + "integrity": "sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==", + "dev": true, + "license": "MIT" + }, + "node_modules/fast-uri": { + "version": "3.0.6", + "resolved": "http://localhost:4873/fast-uri/-/fast-uri-3.0.6.tgz", + "integrity": "sha512-Atfo14OibSv5wAp4VWNsFYE1AchQRTv9cBGWET4pZWHzYshFSS9NQI6I57rdKn9croWVMbYFbLhJ+yJvmZIIHw==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/fastify" + }, + { + "type": "opencollective", + "url": "https://opencollective.com/fastify" + } + ], + "license": "BSD-3-Clause" + }, + "node_modules/fastest-levenshtein": { + "version": "1.0.16", + "resolved": "http://localhost:4873/fastest-levenshtein/-/fastest-levenshtein-1.0.16.tgz", + "integrity": "sha512-eRnCtTTtGZFpQCwhJiUOuxPQWRXVKYDn0b2PeHfXL6/Zi53SLAzAHfVhVWK2AryC/WH05kGfxhFIPvTF0SXQzg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 4.9.1" + } + }, + "node_modules/fastq": { + "version": "1.19.1", + "resolved": "http://localhost:4873/fastq/-/fastq-1.19.1.tgz", + "integrity": "sha512-GwLTyxkCXjXbxqIhTsMI2Nui8huMPtnxg7krajPJAjnEG/iiOS7i+zCtWGZR9G0NBKbXKh6X9m9UIsYX/N6vvQ==", + "dev": true, + "license": "ISC", + "dependencies": { + "reusify": "^1.0.4" + } + }, + "node_modules/fb-watchman": { + "version": "2.0.2", + "resolved": "http://localhost:4873/fb-watchman/-/fb-watchman-2.0.2.tgz", + "integrity": "sha512-p5161BqbuCaSnB8jIbzQHOlpgsPmK5rJVDfDKO91Axs5NC1uu3HRQm6wt9cd9/+GtQQIO53JdGXXoyDpTAsgYA==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "bser": "2.1.1" + } + }, + "node_modules/fd-slicer": { + "version": "1.1.0", + "resolved": "http://localhost:4873/fd-slicer/-/fd-slicer-1.1.0.tgz", + "integrity": "sha512-cE1qsB/VwyQozZ+q1dGxR8LBYNZeofhEdUNGSMbQD3Gw2lAzX9Zb3uIU6Ebc/Fmyjo9AWWfnn0AUCHqtevs/8g==", + "dev": true, + "license": "MIT", + "dependencies": { + "pend": "~1.2.0" + } + }, + "node_modules/figures": { + "version": "3.2.0", + "resolved": "http://localhost:4873/figures/-/figures-3.2.0.tgz", + "integrity": "sha512-yaduQFRKLXYOGgEn6AZau90j3ggSOyiqXU0F9JZfeXYhNa+Jk4X+s45A2zg5jns87GAFa34BBm2kXw4XpNcbdg==", + "dev": true, + "license": "MIT", + "dependencies": { + "escape-string-regexp": "^1.0.5" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/figures/node_modules/escape-string-regexp": { + "version": "1.0.5", + "resolved": "http://localhost:4873/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz", + "integrity": "sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.8.0" + } + }, + "node_modules/file-entry-cache": { + "version": "6.0.1", + "resolved": "http://localhost:4873/file-entry-cache/-/file-entry-cache-6.0.1.tgz", + "integrity": "sha512-7Gps/XWymbLk2QLYK4NzpMOrYjMhdIxXuIvy2QBsLE6ljuodKvdkWs/cpyJJ3CVIVpH0Oi1Hvg1ovbMzLdFBBg==", + "dev": true, + "license": "MIT", + "dependencies": { + "flat-cache": "^3.0.4" + }, + "engines": { + "node": "^10.12.0 || >=12.0.0" + } + }, + "node_modules/fill-range": { + "version": "7.1.1", + "resolved": "http://localhost:4873/fill-range/-/fill-range-7.1.1.tgz", + "integrity": "sha512-YsGpe3WHLK8ZYi4tWDg2Jy3ebRz2rXowDxnld4bkQB00cc/1Zw9AWnC0i9ztDJitivtQvaI9KaLyKrc+hBW0yg==", + "dev": true, + "license": "MIT", + "dependencies": { + "to-regex-range": "^5.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/filter-obj": { + "version": "1.1.0", + "resolved": "http://localhost:4873/filter-obj/-/filter-obj-1.1.0.tgz", + "integrity": "sha512-8rXg1ZnX7xzy2NGDVkBVaAy+lSlPNwad13BtgSlLuxfIslyt5Vg64U7tFcCt4WS1R0hvtnQybT/IyCkGZ3DpXQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/finalhandler": { + "version": "1.3.1", + "resolved": "http://localhost:4873/finalhandler/-/finalhandler-1.3.1.tgz", + "integrity": "sha512-6BN9trH7bp3qvnrRyzsBz+g3lZxTNZTbVO2EV1CS0WIcDbawYVdYvGflME/9QP0h0pYlCDBCTjYa9nZzMDpyxQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "debug": "2.6.9", + "encodeurl": "~2.0.0", + "escape-html": "~1.0.3", + "on-finished": "2.4.1", + "parseurl": "~1.3.3", + "statuses": "2.0.1", + "unpipe": "~1.0.0" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/finalhandler/node_modules/debug": { + "version": "2.6.9", + "resolved": "http://localhost:4873/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "dev": true, + "license": "MIT", + "dependencies": { + "ms": "2.0.0" + } + }, + "node_modules/finalhandler/node_modules/ms": { + "version": "2.0.0", + "resolved": "http://localhost:4873/ms/-/ms-2.0.0.tgz", + "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", + "dev": true, + "license": "MIT" + }, + "node_modules/find-babel-config": { + "version": "2.1.2", + "resolved": "http://localhost:4873/find-babel-config/-/find-babel-config-2.1.2.tgz", + "integrity": "sha512-ZfZp1rQyp4gyuxqt1ZqjFGVeVBvmpURMqdIWXbPRfB97Bf6BzdK/xSIbylEINzQ0kB5tlDQfn9HkNXXWsqTqLg==", + "dev": true, + "license": "MIT", + "dependencies": { + "json5": "^2.2.3" + } + }, + "node_modules/find-cache-dir": { + "version": "2.1.0", + "resolved": "http://localhost:4873/find-cache-dir/-/find-cache-dir-2.1.0.tgz", + "integrity": "sha512-Tq6PixE0w/VMFfCgbONnkiQIVol/JJL7nRMi20fqzA4NRs9AfeqMGeRdPi3wIhYkxjeBaWh2rxwapn5Tu3IqOQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "commondir": "^1.0.1", + "make-dir": "^2.0.0", + "pkg-dir": "^3.0.0" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/find-root": { + "version": "1.1.0", + "resolved": "http://localhost:4873/find-root/-/find-root-1.1.0.tgz", + "integrity": "sha512-NKfW6bec6GfKc0SGx1e07QZY9PE99u0Bft/0rzSD5k3sO/vwkVUpDUKVm5Gpp5Ue3YfShPFTX2070tDs5kB9Ng==", + "dev": true, + "license": "MIT" + }, + "node_modules/find-up": { + "version": "4.1.0", + "resolved": "http://localhost:4873/find-up/-/find-up-4.1.0.tgz", + "integrity": "sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==", + "dev": true, + "license": "MIT", + "dependencies": { + "locate-path": "^5.0.0", + "path-exists": "^4.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/flat": { + "version": "5.0.2", + "resolved": "http://localhost:4873/flat/-/flat-5.0.2.tgz", + "integrity": "sha512-b6suED+5/3rTpUBdG1gupIl8MPFCAMA0QXwmljLhvCUKcUvdE4gWky9zpuGCcXHOsz4J9wPGNWq6OKpmIzz3hQ==", + "dev": true, + "license": "BSD-3-Clause", + "bin": { + "flat": "cli.js" + } + }, + "node_modules/flat-cache": { + "version": "3.2.0", + "resolved": "http://localhost:4873/flat-cache/-/flat-cache-3.2.0.tgz", + "integrity": "sha512-CYcENa+FtcUKLmhhqyctpclsq7QF38pKjZHsGNiSQF5r4FtoKDWabFDl3hzaEQMvT1LHEysw5twgLvpYYb4vbw==", + "dev": true, + "license": "MIT", + "dependencies": { + "flatted": "^3.2.9", + "keyv": "^4.5.3", + "rimraf": "^3.0.2" + }, + "engines": { + "node": "^10.12.0 || >=12.0.0" + } + }, + "node_modules/flat-cache/node_modules/rimraf": { + "version": "3.0.2", + "resolved": "http://localhost:4873/rimraf/-/rimraf-3.0.2.tgz", + "integrity": "sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==", + "deprecated": "Rimraf versions prior to v4 are no longer supported", + "dev": true, + "license": "ISC", + "dependencies": { + "glob": "^7.1.3" + }, + "bin": { + "rimraf": "bin.js" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/flatted": { + "version": "3.3.3", + "resolved": "http://localhost:4873/flatted/-/flatted-3.3.3.tgz", + "integrity": "sha512-GX+ysw4PBCz0PzosHDepZGANEuFCMLrnRTiEy9McGjmkCQYwRq4A/X786G/fjM/+OjsWSU1ZrY5qyARZmO/uwg==", + "dev": true, + "license": "ISC" + }, + "node_modules/focus-lock": { + "version": "1.3.6", + "resolved": "http://localhost:4873/focus-lock/-/focus-lock-1.3.6.tgz", + "integrity": "sha512-Ik/6OCk9RQQ0T5Xw+hKNLWrjSMtv51dD4GRmJjbD5a58TIEpI5a5iXagKVl3Z5UuyslMCA8Xwnu76jQob62Yhg==", + "dev": true, + "license": "MIT", + "dependencies": { + "tslib": "^2.0.3" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/focus-visible": { + "version": "5.2.1", + "resolved": "http://localhost:4873/focus-visible/-/focus-visible-5.2.1.tgz", + "integrity": "sha512-8Bx950VD1bWTQJEH/AM6SpEk+SU55aVnp4Ujhuuxy3eMEBCRwBnTBnVXr9YAPvZL3/CNjCa8u4IWfNmEO53whA==", + "dev": true, + "license": "W3C" + }, + "node_modules/follow-redirects": { + "version": "1.15.9", + "resolved": "http://localhost:4873/follow-redirects/-/follow-redirects-1.15.9.tgz", + "integrity": "sha512-gew4GsXizNgdoRyqmyfMHyAmXsZDk6mHkSxZFCzW9gwlbtOW44CDtYavM+y+72qD/Vq2l550kMF52DT8fOLJqQ==", + "dev": true, + "funding": [ + { + "type": "individual", + "url": "https://github.com/sponsors/RubenVerborgh" + } + ], + "license": "MIT", + "engines": { + "node": ">=4.0" + }, + "peerDependenciesMeta": { + "debug": { + "optional": true + } + } + }, + "node_modules/for-each": { + "version": "0.3.5", + "resolved": "http://localhost:4873/for-each/-/for-each-0.3.5.tgz", + "integrity": "sha512-dKx12eRCVIzqCxFGplyFKJMPvLEWgmNtUrpTiJIR5u97zEhRG8ySrtboPHZXx7daLxQVrl643cTzbab2tkQjxg==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-callable": "^1.2.7" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/for-in": { + "version": "1.0.2", + "resolved": "http://localhost:4873/for-in/-/for-in-1.0.2.tgz", + "integrity": "sha512-7EwmXrOjyL+ChxMhmG5lnW9MPt1aIeZEwKhQzoBUdTV0N3zuwWDZYVJatDvZ2OyzPUvdIAZDsCetk3coyMfcnQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/form-data": { + "version": "3.0.3", + "resolved": "http://localhost:4873/form-data/-/form-data-3.0.3.tgz", + "integrity": "sha512-q5YBMeWy6E2Un0nMGWMgI65MAKtaylxfNJGJxpGh45YDciZB4epbWpaAfImil6CPAPTYB4sh0URQNDRIZG5F2w==", + "dev": true, + "license": "MIT", + "dependencies": { + "asynckit": "^0.4.0", + "combined-stream": "^1.0.8", + "es-set-tostringtag": "^2.1.0", + "mime-types": "^2.1.35" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/forwarded": { + "version": "0.2.0", + "resolved": "http://localhost:4873/forwarded/-/forwarded-0.2.0.tgz", + "integrity": "sha512-buRG0fpBtRHSTCOASe6hD258tEubFoRLb4ZNA6NxMVHNw2gOcwHo9wyablzMzOA5z9xA9L1KNjk/Nt6MT9aYow==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/fragment-cache": { + "version": "0.2.1", + "resolved": "http://localhost:4873/fragment-cache/-/fragment-cache-0.2.1.tgz", + "integrity": "sha512-GMBAbW9antB8iZRHLoGw0b3HANt57diZYFO/HL1JGIC1MjKrdmhxvrJbupnVvpys0zsz7yBApXdQyfepKly2kA==", + "dev": true, + "license": "MIT", + "dependencies": { + "map-cache": "^0.2.2" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/framer-motion": { + "version": "10.18.0", + "resolved": "http://localhost:4873/framer-motion/-/framer-motion-10.18.0.tgz", + "integrity": "sha512-oGlDh1Q1XqYPksuTD/usb0I70hq95OUzmL9+6Zd+Hs4XV0oaISBa/UUMSjYiq6m8EUF32132mOJ8xVZS+I0S6w==", + "dev": true, + "license": "MIT", + "dependencies": { + "tslib": "^2.4.0" + }, + "optionalDependencies": { + "@emotion/is-prop-valid": "^0.8.2" + }, + "peerDependencies": { + "react": "^18.0.0", + "react-dom": "^18.0.0" + }, + "peerDependenciesMeta": { + "react": { + "optional": true + }, + "react-dom": { + "optional": true + } + } + }, + "node_modules/framer-motion/node_modules/@emotion/is-prop-valid": { + "version": "0.8.8", + "resolved": "http://localhost:4873/@emotion/is-prop-valid/-/is-prop-valid-0.8.8.tgz", + "integrity": "sha512-u5WtneEAr5IDG2Wv65yhunPSMLIpuKsbuOktRojfrEiEvRyC85LgPMZI63cr7NUqT8ZIGdSVg8ZKGxIug4lXcA==", + "dev": true, + "license": "MIT", + "optional": true, + "dependencies": { + "@emotion/memoize": "0.7.4" + } + }, + "node_modules/framer-motion/node_modules/@emotion/memoize": { + "version": "0.7.4", + "resolved": "http://localhost:4873/@emotion/memoize/-/memoize-0.7.4.tgz", + "integrity": "sha512-Ja/Vfqe3HpuzRsG1oBtWTHk2PGZ7GR+2Vz5iYGelAw8dx32K0y7PjVuxK6z1nMpZOqAFsRUPCkK1YjJ56qJlgw==", + "dev": true, + "license": "MIT", + "optional": true + }, + "node_modules/framesync": { + "version": "6.1.2", + "resolved": "http://localhost:4873/framesync/-/framesync-6.1.2.tgz", + "integrity": "sha512-jBTqhX6KaQVDyus8muwZbBeGGP0XgujBRbQ7gM7BRdS3CadCZIHiawyzYLnafYcvZIh5j8WE7cxZKFn7dXhu9g==", + "dev": true, + "license": "MIT", + "dependencies": { + "tslib": "2.4.0" + } + }, + "node_modules/framesync/node_modules/tslib": { + "version": "2.4.0", + "resolved": "http://localhost:4873/tslib/-/tslib-2.4.0.tgz", + "integrity": "sha512-d6xOpEDfsi2CZVlPQzGeux8XMwLT9hssAsaPYExaQMuYskwb+x1x7J371tWlbBdWHroy99KnVB6qIkUbs5X3UQ==", + "dev": true, + "license": "0BSD" + }, + "node_modules/fresh": { + "version": "0.5.2", + "resolved": "http://localhost:4873/fresh/-/fresh-0.5.2.tgz", + "integrity": "sha512-zJ2mQYM18rEFOudeV4GShTGIQ7RbzA7ozbU9I/XBpm7kqgMywgmylMwXHxZJmkVoYkna9d2pVXVXPdYTP9ej8Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/fs-constants": { + "version": "1.0.0", + "resolved": "http://localhost:4873/fs-constants/-/fs-constants-1.0.0.tgz", + "integrity": "sha512-y6OAwoSIf7FyjMIv94u+b5rdheZEjzR63GTyZJm5qh4Bi+2YgwLCcI/fPFZkL5PSixOt6ZNKm+w+Hfp/Bciwow==", + "dev": true, + "license": "MIT" + }, + "node_modules/fs-extra": { + "version": "11.3.0", + "resolved": "http://localhost:4873/fs-extra/-/fs-extra-11.3.0.tgz", + "integrity": "sha512-Z4XaCL6dUDHfP/jT25jJKMmtxvuwbkrD1vNSMFlo9lNLY2c5FHYSQgHPRZUjAB26TpDEoW9HCOgplrdbaPV/ew==", + "dev": true, + "license": "MIT", + "dependencies": { + "graceful-fs": "^4.2.0", + "jsonfile": "^6.0.1", + "universalify": "^2.0.0" + }, + "engines": { + "node": ">=14.14" + } + }, + "node_modules/fs-monkey": { + "version": "1.0.6", + "resolved": "http://localhost:4873/fs-monkey/-/fs-monkey-1.0.6.tgz", + "integrity": "sha512-b1FMfwetIKymC0eioW7mTywihSQE4oLzQn1dB6rZB5fx/3NpNEdAWeCSMB+60/AeT0TCXsxzAlcYVEFCTAksWg==", + "dev": true, + "license": "Unlicense" + }, + "node_modules/fs-readdir-recursive": { + "version": "1.1.0", + "resolved": "http://localhost:4873/fs-readdir-recursive/-/fs-readdir-recursive-1.1.0.tgz", + "integrity": "sha512-GNanXlVr2pf02+sPN40XN8HG+ePaNcvM0q5mZBd668Obwb0yD5GiUbZOFgwn8kGMY6I3mdyDJzieUy3PTYyTRA==", + "dev": true, + "license": "MIT" + }, + "node_modules/fs.realpath": { + "version": "1.0.0", + "resolved": "http://localhost:4873/fs.realpath/-/fs.realpath-1.0.0.tgz", + "integrity": "sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==", + "dev": true, + "license": "ISC" + }, + "node_modules/fsevents": { + "version": "2.3.3", + "resolved": "http://localhost:4873/fsevents/-/fsevents-2.3.3.tgz", + "integrity": "sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw==", + "dev": true, + "hasInstallScript": true, + "license": "MIT", + "optional": true, + "os": [ + "darwin" + ], + "engines": { + "node": "^8.16.0 || ^10.6.0 || >=11.0.0" + } + }, + "node_modules/full-icu": { + "version": "1.5.0", + "resolved": "http://localhost:4873/full-icu/-/full-icu-1.5.0.tgz", + "integrity": "sha512-BxB2otKUSFyvENjbI8EtQscpiPOEnhrf5V4MVpa6PjzsrLmdKKUUhulbydsfKS4ve6cGXNVRLlrOjizby/ZfDA==", + "dev": true, + "hasInstallScript": true, + "license": "Unicode-DFS-2016", + "dependencies": { + "yauzl": "^2.10.0" + }, + "bin": { + "full-icu": "node-full-icu.js", + "node-full-icu-path": "node-icu-data.js" + } + }, + "node_modules/function-bind": { + "version": "1.1.2", + "resolved": "http://localhost:4873/function-bind/-/function-bind-1.1.2.tgz", + "integrity": "sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==", + "dev": true, + "license": "MIT", + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/function.prototype.name": { + "version": "1.1.8", + "resolved": "http://localhost:4873/function.prototype.name/-/function.prototype.name-1.1.8.tgz", + "integrity": "sha512-e5iwyodOHhbMr/yNrc7fDYG4qlbIvI5gajyzPnb5TCwyhjApznQh1BMFou9b30SevY43gCJKXycoCBjMbsuW0Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind": "^1.0.8", + "call-bound": "^1.0.3", + "define-properties": "^1.2.1", + "functions-have-names": "^1.2.3", + "hasown": "^2.0.2", + "is-callable": "^1.2.7" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/functions-have-names": { + "version": "1.2.3", + "resolved": "http://localhost:4873/functions-have-names/-/functions-have-names-1.2.3.tgz", + "integrity": "sha512-xckBUXyTIqT97tq2x2AMb+g163b5JFysYk0x4qxNFwbfQkmNZoiRHb6sPzI9/QV33WeuvVYBUIiD4NzNIyqaRQ==", + "dev": true, + "license": "MIT", + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/gensync": { + "version": "1.0.0-beta.2", + "resolved": "http://localhost:4873/gensync/-/gensync-1.0.0-beta.2.tgz", + "integrity": "sha512-3hN7NaskYvMDLQY55gnW3NQ+mesEAepTqlg+VEbj7zzqEMBVNhzcGYYeqFo/TlYz6eQiFcp1HcsCZO+nGgS8zg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/get-caller-file": { + "version": "2.0.5", + "resolved": "http://localhost:4873/get-caller-file/-/get-caller-file-2.0.5.tgz", + "integrity": "sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==", + "dev": true, + "license": "ISC", + "engines": { + "node": "6.* || 8.* || >= 10.*" + } + }, + "node_modules/get-intrinsic": { + "version": "1.3.0", + "resolved": "http://localhost:4873/get-intrinsic/-/get-intrinsic-1.3.0.tgz", + "integrity": "sha512-9fSjSaos/fRIVIp+xSJlE6lfwhES7LNtKaCBIamHsjr2na1BiABJPo0mOjjz8GJDURarmCPGqaiVg5mfjb98CQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind-apply-helpers": "^1.0.2", + "es-define-property": "^1.0.1", + "es-errors": "^1.3.0", + "es-object-atoms": "^1.1.1", + "function-bind": "^1.1.2", + "get-proto": "^1.0.1", + "gopd": "^1.2.0", + "has-symbols": "^1.1.0", + "hasown": "^2.0.2", + "math-intrinsics": "^1.1.0" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/get-nonce": { + "version": "1.0.1", + "resolved": "http://localhost:4873/get-nonce/-/get-nonce-1.0.1.tgz", + "integrity": "sha512-FJhYRoDaiatfEkUK8HKlicmu/3SGFD51q3itKDGoSTysQJBnfOcxU5GxnhE1E6soB76MbT0MBtnKJuXyAx+96Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/get-package-type": { + "version": "0.1.0", + "resolved": "http://localhost:4873/get-package-type/-/get-package-type-0.1.0.tgz", + "integrity": "sha512-pjzuKtY64GYfWizNAJ0fr9VqttZkNiK2iS430LtIHzjBEr6bX8Am2zm4sW4Ro5wjWW5cAlRL1qAMTcXbjNAO2Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8.0.0" + } + }, + "node_modules/get-proto": { + "version": "1.0.1", + "resolved": "http://localhost:4873/get-proto/-/get-proto-1.0.1.tgz", + "integrity": "sha512-sTSfBjoXBp89JvIKIefqw7U2CCebsc74kiY6awiGogKtoSGbgjYE/G/+l9sF3MWFPNc9IcoOC4ODfKHfxFmp0g==", + "dev": true, + "license": "MIT", + "dependencies": { + "dunder-proto": "^1.0.1", + "es-object-atoms": "^1.0.0" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/get-stream": { + "version": "5.2.0", + "resolved": "http://localhost:4873/get-stream/-/get-stream-5.2.0.tgz", + "integrity": "sha512-nBF+F1rAZVCu/p7rjzgA+Yb4lfYXrpl7a6VmJrU8wF9I1CKvP/QwPNZHnOlwbTkY6dvtFIzFMSyQXbLoTQPRpA==", + "dev": true, + "license": "MIT", + "dependencies": { + "pump": "^3.0.0" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/get-symbol-description": { + "version": "1.1.0", + "resolved": "http://localhost:4873/get-symbol-description/-/get-symbol-description-1.1.0.tgz", + "integrity": "sha512-w9UMqWwJxHNOvoNzSJ2oPF5wvYcvP7jUvYzhp67yEhTi17ZDBBC1z9pTdGuzjD+EFIqLSYRweZjqfiPzQ06Ebg==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.3", + "es-errors": "^1.3.0", + "get-intrinsic": "^1.2.6" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/get-value": { + "version": "2.0.6", + "resolved": "http://localhost:4873/get-value/-/get-value-2.0.6.tgz", + "integrity": "sha512-Ln0UQDlxH1BapMu3GPtf7CuYNwRZf2gwCuPqbyG6pB8WfmFpzqcy4xtAaAMUhnNqjMKTiCPZG2oMT3YSx8U2NA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/git-rev-sync": { + "version": "3.0.2", + "resolved": "http://localhost:4873/git-rev-sync/-/git-rev-sync-3.0.2.tgz", + "integrity": "sha512-Nd5RiYpyncjLv0j6IONy0lGzAqdRXUaBctuGBbrEA2m6Bn4iDrN/9MeQTXuiquw8AEKL9D2BW0nw5m/lQvxqnQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "escape-string-regexp": "1.0.5", + "graceful-fs": "4.1.15", + "shelljs": "0.8.5" + } + }, + "node_modules/git-rev-sync/node_modules/escape-string-regexp": { + "version": "1.0.5", + "resolved": "http://localhost:4873/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz", + "integrity": "sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.8.0" + } + }, + "node_modules/git-rev-sync/node_modules/graceful-fs": { + "version": "4.1.15", + "resolved": "http://localhost:4873/graceful-fs/-/graceful-fs-4.1.15.tgz", + "integrity": "sha512-6uHUhOPEBgQ24HM+r6b/QwWfZq+yiFcipKFrOFiBEnWdy5sdzYoi+pJeQaPI5qOLRFqWmAXUPQNsielzdLoecA==", + "dev": true, + "license": "ISC" + }, + "node_modules/glob": { + "version": "7.2.3", + "resolved": "http://localhost:4873/glob/-/glob-7.2.3.tgz", + "integrity": "sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==", + "deprecated": "Glob versions prior to v9 are no longer supported", + "dev": true, + "license": "ISC", + "dependencies": { + "fs.realpath": "^1.0.0", + "inflight": "^1.0.4", + "inherits": "2", + "minimatch": "^3.1.1", + "once": "^1.3.0", + "path-is-absolute": "^1.0.0" + }, + "engines": { + "node": "*" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/glob-parent": { + "version": "5.1.2", + "resolved": "http://localhost:4873/glob-parent/-/glob-parent-5.1.2.tgz", + "integrity": "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==", + "dev": true, + "license": "ISC", + "dependencies": { + "is-glob": "^4.0.1" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/glob-to-regexp": { + "version": "0.4.1", + "resolved": "http://localhost:4873/glob-to-regexp/-/glob-to-regexp-0.4.1.tgz", + "integrity": "sha512-lkX1HJXwyMcprw/5YUZc2s7DrpAiHB21/V+E1rHUrVNokkvB6bqMzT0VfV6/86ZNabt1k14YOIaT7nDvOX3Iiw==", + "dev": true, + "license": "BSD-2-Clause" + }, + "node_modules/globals": { + "version": "11.12.0", + "resolved": "http://localhost:4873/globals/-/globals-11.12.0.tgz", + "integrity": "sha512-WOBp/EEGUiIsJSp7wcv/y6MO+lV9UoncWqxuFfm8eBwzWNgyfBd6Gz+IeKQ9jCmyhoH99g15M3T+QaVHFjizVA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4" + } + }, + "node_modules/globalthis": { + "version": "1.0.4", + "resolved": "http://localhost:4873/globalthis/-/globalthis-1.0.4.tgz", + "integrity": "sha512-DpLKbNU4WylpxJykQujfCcwYWiV/Jhm50Goo0wrVILAv5jOr9d+H+UR3PhSCD2rCCEIg0uc+G+muBTwD54JhDQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "define-properties": "^1.2.1", + "gopd": "^1.0.1" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/globby": { + "version": "11.1.0", + "resolved": "http://localhost:4873/globby/-/globby-11.1.0.tgz", + "integrity": "sha512-jhIXaOzy1sb8IyocaruWSn1TjmnBVs8Ayhcy83rmxNJ8q2uWKCAj3CnJY+KpGSXCueAPc0i05kVvVKtP1t9S3g==", + "dev": true, + "license": "MIT", + "dependencies": { + "array-union": "^2.1.0", + "dir-glob": "^3.0.1", + "fast-glob": "^3.2.9", + "ignore": "^5.2.0", + "merge2": "^1.4.1", + "slash": "^3.0.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/globby/node_modules/slash": { + "version": "3.0.0", + "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", + "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/gopd": { + "version": "1.2.0", + "resolved": "http://localhost:4873/gopd/-/gopd-1.2.0.tgz", + "integrity": "sha512-ZUKRh6/kUFoAiTAtTYPZJ3hw9wNxx+BIBOijnlG9PnrJsCcSjs1wyyD6vJpaYtgnzDrKYRSqf3OO6Rfa93xsRg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/graceful-fs": { + "version": "4.2.11", + "resolved": "http://localhost:4873/graceful-fs/-/graceful-fs-4.2.11.tgz", + "integrity": "sha512-RbJ5/jmFcNNCcDV5o9eTnBLJ/HszWV0P73bc+Ff4nS/rJj+YaS6IGyiOL0VoBYX+l1Wrl3k63h/KrH+nhJ0XvQ==", + "dev": true, + "license": "ISC" + }, + "node_modules/graphemer": { + "version": "1.4.0", + "resolved": "http://localhost:4873/graphemer/-/graphemer-1.4.0.tgz", + "integrity": "sha512-EtKwoO6kxCL9WO5xipiHTZlSzBm7WLT627TqC/uVRd0HKmq8NXyebnNYxDoBi7wt8eTWrUrKXCOVaFq9x1kgag==", + "dev": true, + "license": "MIT" + }, + "node_modules/graphql": { + "version": "16.11.0", + "resolved": "http://localhost:4873/graphql/-/graphql-16.11.0.tgz", + "integrity": "sha512-mS1lbMsxgQj6hge1XZ6p7GPhbrtFwUFYi3wRzXAC/FmYnyXMTvvI3td3rjmQ2u8ewXueaSvRPWaEcgVVOT9Jnw==", + "dev": true, + "license": "MIT", + "engines": { + "node": "^12.22.0 || ^14.16.0 || ^16.0.0 || >=17.0.0" + } + }, + "node_modules/growly": { + "version": "1.3.0", + "resolved": "http://localhost:4873/growly/-/growly-1.3.0.tgz", + "integrity": "sha512-+xGQY0YyAWCnqy7Cd++hc2JqMYzlm0dG30Jd0beaA64sROr8C4nt8Yc9V5Ro3avlSUDTN0ulqP/VBKi1/lLygw==", + "dev": true, + "license": "MIT" + }, + "node_modules/gzip-size": { + "version": "5.1.1", + "resolved": "http://localhost:4873/gzip-size/-/gzip-size-5.1.1.tgz", + "integrity": "sha512-FNHi6mmoHvs1mxZAds4PpdCS6QG8B4C1krxJsMutgxl5t3+GlRTzzI3NEkifXx2pVsOvJdOGSmIgDhQ55FwdPA==", + "dev": true, + "license": "MIT", + "dependencies": { + "duplexer": "^0.1.1", + "pify": "^4.0.1" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/has": { + "version": "1.0.4", + "resolved": "http://localhost:4873/has/-/has-1.0.4.tgz", + "integrity": "sha512-qdSAmqLF6209RFj4VVItywPMbm3vWylknmB3nvNiUIs72xAimcM8nVYxYr7ncvZq5qzk9MKIZR8ijqD/1QuYjQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.4.0" + } + }, + "node_modules/has-ansi": { + "version": "2.0.0", + "resolved": "http://localhost:4873/has-ansi/-/has-ansi-2.0.0.tgz", + "integrity": "sha512-C8vBJ8DwUCx19vhm7urhTuUsr4/IyP6l4VzNQDv+ryHQObW3TTTp9yB68WpYgRe2bbaGuZ/se74IqFeVnMnLZg==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-regex": "^2.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/has-ansi/node_modules/ansi-regex": { + "version": "2.1.1", + "resolved": "http://localhost:4873/ansi-regex/-/ansi-regex-2.1.1.tgz", + "integrity": "sha512-TIGnTpdo+E3+pCyAluZvtED5p5wCqLdezCyhPZzKPcxvFplEt4i+W7OONCKgeZFT3+y5NZZfOOS/Bdcanm1MYA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/has-bigints": { + "version": "1.1.0", + "resolved": "http://localhost:4873/has-bigints/-/has-bigints-1.1.0.tgz", + "integrity": "sha512-R3pbpkcIqv2Pm3dUwgjclDRVmWpTJW2DcMzcIhEXEx1oh/CEMObMm3KLmRJOdvhM7o4uQBnwr8pzRK2sJWIqfg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/has-flag": { + "version": "4.0.0", + "resolved": "http://localhost:4873/has-flag/-/has-flag-4.0.0.tgz", + "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/has-property-descriptors": { + "version": "1.0.2", + "resolved": "http://localhost:4873/has-property-descriptors/-/has-property-descriptors-1.0.2.tgz", + "integrity": "sha512-55JNKuIW+vq4Ke1BjOTjM2YctQIvCT7GFzHwmfZPGo5wnrgkid0YQtnAleFSqumZm4az3n2BS+erby5ipJdgrg==", + "dev": true, + "license": "MIT", + "dependencies": { + "es-define-property": "^1.0.0" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/has-proto": { + "version": "1.2.0", + "resolved": "http://localhost:4873/has-proto/-/has-proto-1.2.0.tgz", + "integrity": "sha512-KIL7eQPfHQRC8+XluaIw7BHUwwqL19bQn4hzNgdr+1wXoU0KKj6rufu47lhY7KbJR2C6T6+PfyN0Ea7wkSS+qQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "dunder-proto": "^1.0.0" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/has-symbols": { + "version": "1.1.0", + "resolved": "http://localhost:4873/has-symbols/-/has-symbols-1.1.0.tgz", + "integrity": "sha512-1cDNdwJ2Jaohmb3sg4OmKaMBwuC48sYni5HUw2DvsC8LjGTLK9h+eb1X6RyuOHe4hT0ULCW68iomhjUoKUqlPQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/has-tostringtag": { + "version": "1.0.2", + "resolved": "http://localhost:4873/has-tostringtag/-/has-tostringtag-1.0.2.tgz", + "integrity": "sha512-NqADB8VjPFLM2V0VvHUewwwsw0ZWBaIdgo+ieHtK3hasLz4qeCRjYcqfB6AQrBggRKppKF8L52/VqdVsO47Dlw==", + "dev": true, + "license": "MIT", + "dependencies": { + "has-symbols": "^1.0.3" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/has-value": { + "version": "1.0.0", + "resolved": "http://localhost:4873/has-value/-/has-value-1.0.0.tgz", + "integrity": "sha512-IBXk4GTsLYdQ7Rvt+GRBrFSVEkmuOUy4re0Xjd9kJSUQpnTrWR4/y9RpfexN9vkAPMFuQoeWKwqzPozRTlasGw==", + "dev": true, + "license": "MIT", + "dependencies": { + "get-value": "^2.0.6", + "has-values": "^1.0.0", + "isobject": "^3.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/has-values": { + "version": "1.0.0", + "resolved": "http://localhost:4873/has-values/-/has-values-1.0.0.tgz", + "integrity": "sha512-ODYZC64uqzmtfGMEAX/FvZiRyWLpAC3vYnNunURUnkGVTS+mI0smVsWaPydRBsE3g+ok7h960jChO8mFcWlHaQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-number": "^3.0.0", + "kind-of": "^4.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/has-values/node_modules/is-number": { + "version": "3.0.0", + "resolved": "http://localhost:4873/is-number/-/is-number-3.0.0.tgz", + "integrity": "sha512-4cboCqIpliH+mAvFNegjZQ4kgKc3ZUhQVr3HvWbSh5q3WH2v82ct+T2Y1hdU5Gdtorx/cLifQjqCbL7bpznLTg==", + "dev": true, + "license": "MIT", + "dependencies": { + "kind-of": "^3.0.2" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/has-values/node_modules/is-number/node_modules/kind-of": { + "version": "3.2.2", + "resolved": "http://localhost:4873/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha512-NOW9QQXMoZGg/oqnVNoNTTIFEIid1627WCffUBJEdMxYApq7mNE7CpzucIPc+ZQg25Phej7IJSmX3hO+oblOtQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-buffer": "^1.1.5" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/has-values/node_modules/kind-of": { + "version": "4.0.0", + "resolved": "http://localhost:4873/kind-of/-/kind-of-4.0.0.tgz", + "integrity": "sha512-24XsCxmEbRwEDbz/qz3stgin8TTzZ1ESR56OMCN0ujYg+vRutNSiOj9bHH9u85DKgXguraugV5sFuvbD4FW/hw==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-buffer": "^1.1.5" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/hasown": { + "version": "2.0.2", + "resolved": "http://localhost:4873/hasown/-/hasown-2.0.2.tgz", + "integrity": "sha512-0hJU9SCPvmMzIBdZFqNPXWa6dqh7WdH0cII9y+CyS8rG3nL48Bclra9HmKhVVUHyPWNH5Y7xDwAB7bfgSjkUMQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "function-bind": "^1.1.2" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/he": { + "version": "1.2.0", + "resolved": "http://localhost:4873/he/-/he-1.2.0.tgz", + "integrity": "sha512-F/1DnUGPopORZi0ni+CvrCgHQ5FyEAHRLSApuYWMmrbSwoN2Mn/7k+Gl38gJnR7yyDZk6WLXwiGod1JOWNDKGw==", + "dev": true, + "license": "MIT", + "bin": { + "he": "bin/he" + } + }, + "node_modules/header-case": { + "version": "1.0.1", + "resolved": "http://localhost:4873/header-case/-/header-case-1.0.1.tgz", + "integrity": "sha512-i0q9mkOeSuhXw6bGgiQCCBgY/jlZuV/7dZXyZ9c6LcBrqwvT8eT719E9uxE5LiZftdl+z81Ugbg/VvXV4OJOeQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "no-case": "^2.2.0", + "upper-case": "^1.1.3" + } + }, + "node_modules/headers-polyfill": { + "version": "4.0.3", + "resolved": "http://localhost:4873/headers-polyfill/-/headers-polyfill-4.0.3.tgz", + "integrity": "sha512-IScLbePpkvO846sIwOtOTDjutRMWdXdJmXdMvk6gCBHxFO8d+QKOQedyZSxFTTFYRSmlgSTDtXqqq4pcenBXLQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/helmet": { + "version": "4.6.0", + "resolved": "http://localhost:4873/helmet/-/helmet-4.6.0.tgz", + "integrity": "sha512-HVqALKZlR95ROkrnesdhbbZJFi/rIVSoNq6f3jA/9u6MIbTsPh3xZwihjeI5+DO/2sOV6HMHooXcEOuwskHpTg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10.0.0" + } + }, + "node_modules/history": { + "version": "4.10.1", + "resolved": "http://localhost:4873/history/-/history-4.10.1.tgz", + "integrity": "sha512-36nwAD620w12kuzPAsyINPWJqlNbij+hpK1k9XRloDtym8mxzGYl2c17LnV6IAGB2Dmg4tEa7G7DlawS0+qjew==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.1.2", + "loose-envify": "^1.2.0", + "resolve-pathname": "^3.0.0", + "tiny-invariant": "^1.0.2", + "tiny-warning": "^1.0.0", + "value-equal": "^1.0.1" + } + }, + "node_modules/hoist-non-react-statics": { + "version": "3.3.2", + "resolved": "http://localhost:4873/hoist-non-react-statics/-/hoist-non-react-statics-3.3.2.tgz", + "integrity": "sha512-/gGivxi8JPKWNm/W0jSmzcMPpfpPLc3dY/6GxhX2hQ9iGj3aDfklV4ET7NjKpSinLpJ5vafa9iiGIEZg10SfBw==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "react-is": "^16.7.0" + } + }, + "node_modules/homedir-polyfill": { + "version": "1.0.3", + "resolved": "http://localhost:4873/homedir-polyfill/-/homedir-polyfill-1.0.3.tgz", + "integrity": "sha512-eSmmWE5bZTK2Nou4g0AI3zZ9rswp7GRKoKXS1BLUkvPviOqs4YTN1djQIqrXy9k5gEtdLPy86JjRwsNM9tnDcA==", + "dev": true, + "license": "MIT", + "dependencies": { + "parse-passwd": "^1.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/hosted-git-info": { + "version": "2.8.9", + "resolved": "http://localhost:4873/hosted-git-info/-/hosted-git-info-2.8.9.tgz", + "integrity": "sha512-mxIDAb9Lsm6DoOJ7xH+5+X4y1LU/4Hi50L9C5sIswK3JzULS4bwk1FvjdBgvYR4bzT4tuUQiC15FE2f5HbLvYw==", + "dev": true, + "license": "ISC" + }, + "node_modules/html-encoding-sniffer": { + "version": "2.0.1", + "resolved": "http://localhost:4873/html-encoding-sniffer/-/html-encoding-sniffer-2.0.1.tgz", + "integrity": "sha512-D5JbOMBIR/TVZkubHT+OyT2705QvogUW4IBn6nHd756OwieSF9aDYFj4dv6HHEVGYbHaLETa3WggZYWWMyy3ZQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "whatwg-encoding": "^1.0.5" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/html-entities": { + "version": "2.6.0", + "resolved": "http://localhost:4873/html-entities/-/html-entities-2.6.0.tgz", + "integrity": "sha512-kig+rMn/QOVRvr7c86gQ8lWXq+Hkv6CbAH1hLu+RG338StTpE8Z0b44SDVaqVu7HGKf27frdmUYEs9hTUX/cLQ==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/mdevils" + }, + { + "type": "patreon", + "url": "https://patreon.com/mdevils" + } + ], + "license": "MIT" + }, + "node_modules/html-escaper": { + "version": "2.0.2", + "resolved": "http://localhost:4873/html-escaper/-/html-escaper-2.0.2.tgz", + "integrity": "sha512-H2iMtd0I4Mt5eYiapRdIDjp+XzelXQ0tFE4JS7YFwFevXXMmOp9myNrUvCg0D6ws8iqkRPBfKHgbwig1SmlLfg==", + "dev": true, + "license": "MIT" + }, + "node_modules/htmlparser2": { + "version": "3.10.1", + "resolved": "http://localhost:4873/htmlparser2/-/htmlparser2-3.10.1.tgz", + "integrity": "sha512-IgieNijUMbkDovyoKObU1DUhm1iwNYE/fuifEoEHfd1oZKZDaONBSkal7Y01shxsM49R4XaMdGez3WnF9UfiCQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "domelementtype": "^1.3.1", + "domhandler": "^2.3.0", + "domutils": "^1.5.1", + "entities": "^1.1.1", + "inherits": "^2.0.1", + "readable-stream": "^3.1.1" + } + }, + "node_modules/htmlparser2/node_modules/readable-stream": { + "version": "3.6.2", + "resolved": "http://localhost:4873/readable-stream/-/readable-stream-3.6.2.tgz", + "integrity": "sha512-9u/sniCrY3D5WdsERHzHE4G2YCXqoG5FTHUiCC4SIbr6XcLZBY05ya9EKjYek9O5xOAwjGq+1JdGBAS7Q9ScoA==", + "dev": true, + "license": "MIT", + "dependencies": { + "inherits": "^2.0.3", + "string_decoder": "^1.1.1", + "util-deprecate": "^1.0.1" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/http-errors": { + "version": "2.0.0", + "resolved": "http://localhost:4873/http-errors/-/http-errors-2.0.0.tgz", + "integrity": "sha512-FtwrG/euBzaEjYeRqOgly7G0qviiXoJWnvEH2Z1plBdXgbyjv34pHTSb9zoeHMyDy33+DWy5Wt9Wo+TURtOYSQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "depd": "2.0.0", + "inherits": "2.0.4", + "setprototypeof": "1.2.0", + "statuses": "2.0.1", + "toidentifier": "1.0.1" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/http-link-header": { + "version": "0.8.0", + "resolved": "http://localhost:4873/http-link-header/-/http-link-header-0.8.0.tgz", + "integrity": "sha512-qsh/wKe1Mk1vtYEFr+LpQBFWTO1gxZQBdii2D0Umj+IUQ23r5sT088Rhpq4XzpSyIpaX7vwjB8Rrtx8u9JTg+Q==", + "dev": true, + "license": "MIT" + }, + "node_modules/http-proxy": { + "version": "1.18.1", + "resolved": "http://localhost:4873/http-proxy/-/http-proxy-1.18.1.tgz", + "integrity": "sha512-7mz/721AbnJwIVbnaSv1Cz3Am0ZLT/UBwkC92VlxhXv/k/BBQfM2fXElQNC27BVGr0uwUpplYPQM9LnaBMR5NQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "eventemitter3": "^4.0.0", + "follow-redirects": "^1.0.0", + "requires-port": "^1.0.0" + }, + "engines": { + "node": ">=8.0.0" + } + }, + "node_modules/http-proxy-agent": { + "version": "4.0.1", + "resolved": "http://localhost:4873/http-proxy-agent/-/http-proxy-agent-4.0.1.tgz", + "integrity": "sha512-k0zdNgqWTGA6aeIRVpvfVob4fL52dTfaehylg0Y4UvSySvOq/Y+BOyPrgpUrA7HylqvU8vIZGsRuXmspskV0Tg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@tootallnate/once": "1", + "agent-base": "6", + "debug": "4" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/http-proxy-middleware": { + "version": "2.0.9", + "resolved": "http://localhost:4873/http-proxy-middleware/-/http-proxy-middleware-2.0.9.tgz", + "integrity": "sha512-c1IyJYLYppU574+YI7R4QyX2ystMtVXZwIdzazUIPIJsHuWNd+mho2j+bKoHftndicGj9yh+xjd+l0yj7VeT1Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/http-proxy": "^1.17.8", + "http-proxy": "^1.18.1", + "is-glob": "^4.0.1", + "is-plain-obj": "^3.0.0", + "micromatch": "^4.0.2" + }, + "engines": { + "node": ">=12.0.0" + }, + "peerDependencies": { + "@types/express": "^4.17.13" + }, + "peerDependenciesMeta": { + "@types/express": { + "optional": true + } + } + }, + "node_modules/https-proxy-agent": { + "version": "5.0.1", + "resolved": "http://localhost:4873/https-proxy-agent/-/https-proxy-agent-5.0.1.tgz", + "integrity": "sha512-dFcAjpTQFgoLMzC2VwU+C/CbS7uRL0lWmxDITmqm7C+7F0Odmj6s9l6alZc6AELXhrnggM2CeWSXHGOdX2YtwA==", + "dev": true, + "license": "MIT", + "dependencies": { + "agent-base": "6", + "debug": "4" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/human-signals": { + "version": "1.1.1", + "resolved": "http://localhost:4873/human-signals/-/human-signals-1.1.1.tgz", + "integrity": "sha512-SEQu7vl8KjNL2eoGBLF3+wAjpsNfA9XMlXAYj/3EdaNfAlxKthD1xjEQfGOUhllCGGJVNY34bRr6lPINhNjyZw==", + "dev": true, + "license": "Apache-2.0", + "engines": { + "node": ">=8.12.0" + } + }, + "node_modules/iconv-lite": { + "version": "0.4.24", + "resolved": "http://localhost:4873/iconv-lite/-/iconv-lite-0.4.24.tgz", + "integrity": "sha512-v3MXnZAcvnywkTUEZomIActle7RXXeedOR31wwl7VlyoXO4Qi9arvSenNQWne1TcRwhCL1HwLI21bEqdpj8/rA==", + "dev": true, + "license": "MIT", + "dependencies": { + "safer-buffer": ">= 2.1.2 < 3" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/ieee754": { + "version": "1.1.13", + "resolved": "http://localhost:4873/ieee754/-/ieee754-1.1.13.tgz", + "integrity": "sha512-4vf7I2LYV/HaWerSo3XmlMkp5eZ83i+/CDluXi/IGTs/O1sejBNhTtnxzmRZfvOUqj7lZjqHkeTvpgSFDlWZTg==", + "dev": true, + "license": "BSD-3-Clause" + }, + "node_modules/ignore": { + "version": "5.3.2", + "resolved": "http://localhost:4873/ignore/-/ignore-5.3.2.tgz", + "integrity": "sha512-hsBTNUqQTDwkWtcdYI2i06Y/nUBEsNEDJKjWdigLvegy8kDuJAS8uRlpkkcQpyEXL0Z/pjDy5HBmMjRCJ2gq+g==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 4" + } + }, + "node_modules/ignore-loader": { + "version": "0.1.2", + "resolved": "http://localhost:4873/ignore-loader/-/ignore-loader-0.1.2.tgz", + "integrity": "sha512-yOJQEKrNwoYqrWLS4DcnzM7SEQhRKis5mB+LdKKh4cPmGYlLPR0ozRzHV5jmEk2IxptqJNQA5Cc0gw8Fj12bXA==", + "dev": true + }, + "node_modules/image-size": { + "version": "0.5.5", + "resolved": "http://localhost:4873/image-size/-/image-size-0.5.5.tgz", + "integrity": "sha512-6TDAlDPZxUFCv+fuOkIoXT/V/f3Qbq8e37p+YOiYrUv3v9cc3/6x78VdfPgFVaB9dZYeLUfKgHRebpkm/oP2VQ==", + "dev": true, + "license": "MIT", + "bin": { + "image-size": "bin/image-size.js" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/image-ssim": { + "version": "0.2.0", + "resolved": "http://localhost:4873/image-ssim/-/image-ssim-0.2.0.tgz", + "integrity": "sha512-W7+sO6/yhxy83L0G7xR8YAc5Z5QFtYEXXRV6EaE8tuYBZJnA3gVgp3q7X7muhLZVodeb9UfvjSbwt9VJwjIYAg==", + "dev": true, + "license": "MIT" + }, + "node_modules/import-fresh": { + "version": "3.3.1", + "resolved": "http://localhost:4873/import-fresh/-/import-fresh-3.3.1.tgz", + "integrity": "sha512-TR3KfrTZTYLPB6jUjfx6MF9WcWrHL9su5TObK4ZkYgBdWKPOFoSoQIdEuTuR82pmtxH2spWG9h6etwfr1pLBqQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "parent-module": "^1.0.0", + "resolve-from": "^4.0.0" + }, + "engines": { + "node": ">=6" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/import-fresh/node_modules/resolve-from": { + "version": "4.0.0", + "resolved": "http://localhost:4873/resolve-from/-/resolve-from-4.0.0.tgz", + "integrity": "sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4" + } + }, + "node_modules/import-local": { + "version": "3.2.0", + "resolved": "http://localhost:4873/import-local/-/import-local-3.2.0.tgz", + "integrity": "sha512-2SPlun1JUPWoM6t3F0dw0FkCF/jWY8kttcY4f599GLTSjh2OCuuhdTkJQsEcZzBqbXZGKMK2OqW1oZsjtf/gQA==", + "dev": true, + "license": "MIT", + "dependencies": { + "pkg-dir": "^4.2.0", + "resolve-cwd": "^3.0.0" + }, + "bin": { + "import-local-fixture": "fixtures/cli.js" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/import-local/node_modules/pkg-dir": { + "version": "4.2.0", + "resolved": "http://localhost:4873/pkg-dir/-/pkg-dir-4.2.0.tgz", + "integrity": "sha512-HRDzbaKjC+AOWVXxAU/x54COGeIv9eb+6CkDSQoNTt4XyWoIJvuPsXizxu/Fr23EiekbtZwmh1IcIG/l/a10GQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "find-up": "^4.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/imurmurhash": { + "version": "0.1.4", + "resolved": "http://localhost:4873/imurmurhash/-/imurmurhash-0.1.4.tgz", + "integrity": "sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.8.19" + } + }, + "node_modules/indent-string": { + "version": "4.0.0", + "resolved": "http://localhost:4873/indent-string/-/indent-string-4.0.0.tgz", + "integrity": "sha512-EdDDZu4A2OyIK7Lr/2zG+w5jmbuk1DVBnEwREQvBzspBJkCEbRa8GxU1lghYcaGJCnRWibjDXlq779X1/y5xwg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/inflight": { + "version": "1.0.6", + "resolved": "http://localhost:4873/inflight/-/inflight-1.0.6.tgz", + "integrity": "sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==", + "deprecated": "This module is not supported, and leaks memory. Do not use it. Check out lru-cache if you want a good and tested way to coalesce async requests by a key value, which is much more comprehensive and powerful.", + "dev": true, + "license": "ISC", + "dependencies": { + "once": "^1.3.0", + "wrappy": "1" + } + }, + "node_modules/inherits": { + "version": "2.0.4", + "resolved": "http://localhost:4873/inherits/-/inherits-2.0.4.tgz", + "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==", + "dev": true, + "license": "ISC" + }, + "node_modules/inquirer": { + "version": "6.5.2", + "resolved": "http://localhost:4873/inquirer/-/inquirer-6.5.2.tgz", + "integrity": "sha512-cntlB5ghuB0iuO65Ovoi8ogLHiWGs/5yNrtUcKjFhSSiVeAIVpD7koaSU9RM8mpXw5YDi9RdYXGQMaOURB7ycQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-escapes": "^3.2.0", + "chalk": "^2.4.2", + "cli-cursor": "^2.1.0", + "cli-width": "^2.0.0", + "external-editor": "^3.0.3", + "figures": "^2.0.0", + "lodash": "^4.17.12", + "mute-stream": "0.0.7", + "run-async": "^2.2.0", + "rxjs": "^6.4.0", + "string-width": "^2.1.0", + "strip-ansi": "^5.1.0", + "through": "^2.3.6" + }, + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/inquirer/node_modules/ansi-regex": { + "version": "4.1.1", + "resolved": "http://localhost:4873/ansi-regex/-/ansi-regex-4.1.1.tgz", + "integrity": "sha512-ILlv4k/3f6vfQ4OoP2AGvirOktlQ98ZEL1k9FaQjxa3L1abBgbuTDAdPOpvbGncC0BTVQrl+OM8xZGK6tWXt7g==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/inquirer/node_modules/ansi-styles": { + "version": "3.2.1", + "resolved": "http://localhost:4873/ansi-styles/-/ansi-styles-3.2.1.tgz", + "integrity": "sha512-VT0ZI6kZRdTh8YyJw3SMbYm/u+NqfsAxEpWO0Pf9sq8/e94WxxOpPKx9FR1FlyCtOVDNOQ+8ntlqFxiRc+r5qA==", + "dev": true, + "license": "MIT", + "dependencies": { + "color-convert": "^1.9.0" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/inquirer/node_modules/chalk": { + "version": "2.4.2", + "resolved": "http://localhost:4873/chalk/-/chalk-2.4.2.tgz", + "integrity": "sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-styles": "^3.2.1", + "escape-string-regexp": "^1.0.5", + "supports-color": "^5.3.0" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/inquirer/node_modules/color-convert": { + "version": "1.9.3", + "resolved": "http://localhost:4873/color-convert/-/color-convert-1.9.3.tgz", + "integrity": "sha512-QfAUtd+vFdAtFQcC8CCyYt1fYWxSqAiK2cSD6zDB8N3cpsEBAvRxp9zOGg6G/SHHJYAT88/az/IuDGALsNVbGg==", + "dev": true, + "license": "MIT", + "dependencies": { + "color-name": "1.1.3" + } + }, + "node_modules/inquirer/node_modules/color-name": { + "version": "1.1.3", + "resolved": "http://localhost:4873/color-name/-/color-name-1.1.3.tgz", + "integrity": "sha512-72fSenhMw2HZMTVHeCA9KCmpEIbzWiQsjN+BHcBbS9vr1mtt+vJjPdksIBNUmKAW8TFUDPJK5SUU3QhE9NEXDw==", + "dev": true, + "license": "MIT" + }, + "node_modules/inquirer/node_modules/escape-string-regexp": { + "version": "1.0.5", + "resolved": "http://localhost:4873/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz", + "integrity": "sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.8.0" + } + }, + "node_modules/inquirer/node_modules/figures": { + "version": "2.0.0", + "resolved": "http://localhost:4873/figures/-/figures-2.0.0.tgz", + "integrity": "sha512-Oa2M9atig69ZkfwiApY8F2Yy+tzMbazyvqv21R0NsSC8floSOC09BbT1ITWAdoMGQvJ/aZnR1KMwdx9tvHnTNA==", + "dev": true, + "license": "MIT", + "dependencies": { + "escape-string-regexp": "^1.0.5" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/inquirer/node_modules/has-flag": { + "version": "3.0.0", + "resolved": "http://localhost:4873/has-flag/-/has-flag-3.0.0.tgz", + "integrity": "sha512-sKJf1+ceQBr4SMkvQnBDNDtf4TXpVhVGateu0t918bl30FnbE2m4vNLX+VWe/dpjlb+HugGYzW7uQXH98HPEYw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4" + } + }, + "node_modules/inquirer/node_modules/strip-ansi": { + "version": "5.2.0", + "resolved": "http://localhost:4873/strip-ansi/-/strip-ansi-5.2.0.tgz", + "integrity": "sha512-DuRs1gKbBqsMKIZlrffwlug8MHkcnpjs5VPmL1PAh+mA30U0DTotfDZ0d2UUsXpPmPmMMJ6W773MaA3J+lbiWA==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-regex": "^4.1.0" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/inquirer/node_modules/supports-color": { + "version": "5.5.0", + "resolved": "http://localhost:4873/supports-color/-/supports-color-5.5.0.tgz", + "integrity": "sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==", + "dev": true, + "license": "MIT", + "dependencies": { + "has-flag": "^3.0.0" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/internal-slot": { + "version": "1.1.0", + "resolved": "http://localhost:4873/internal-slot/-/internal-slot-1.1.0.tgz", + "integrity": "sha512-4gd7VpWNQNB4UKKCFFVcp1AVv+FMOgs9NKzjHKusc8jTMhd5eL1NqQqOpE0KzMds804/yHlglp3uxgluOqAPLw==", + "dev": true, + "license": "MIT", + "dependencies": { + "es-errors": "^1.3.0", + "hasown": "^2.0.2", + "side-channel": "^1.1.0" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/interpret": { + "version": "1.4.0", + "resolved": "http://localhost:4873/interpret/-/interpret-1.4.0.tgz", + "integrity": "sha512-agE4QfB2Lkp9uICn7BAqoscw4SZP9kTE2hxiFI3jBPmXJfdqiahTbUuKGsMoN2GtqL9AxhYioAcVvgsb1HvRbA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.10" + } + }, + "node_modules/intl-messageformat": { + "version": "4.4.0", + "resolved": "http://localhost:4873/intl-messageformat/-/intl-messageformat-4.4.0.tgz", + "integrity": "sha512-z+Bj2rS3LZSYU4+sNitdHrwnBhr0wO80ZJSW8EzKDBowwUe3Q/UsvgCGjrwa+HPzoGCLEb9HAjfJgo4j2Sac8w==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "intl-messageformat-parser": "^1.8.1" + } + }, + "node_modules/intl-messageformat-parser": { + "version": "1.8.1", + "resolved": "http://localhost:4873/intl-messageformat-parser/-/intl-messageformat-parser-1.8.1.tgz", + "integrity": "sha512-IMSCKVf0USrM/959vj3xac7s8f87sc+80Y/ipBzdKy4ifBv5Gsj2tZ41EAaURVg01QU71fYr77uA8Meh6kELbg==", + "deprecated": "We've written a new parser that's 6x faster and is backwards compatible. Please use @formatjs/icu-messageformat-parser", + "dev": true, + "license": "BSD-3-Clause" + }, + "node_modules/ipaddr.js": { + "version": "1.9.1", + "resolved": "http://localhost:4873/ipaddr.js/-/ipaddr.js-1.9.1.tgz", + "integrity": "sha512-0KI/607xoxSToH7GjN1FfSbLoU0+btTicjsQSWQlh/hZykN8KpmMf7uYwPW3R+akZ6R/w18ZlXSHBYXiYUPO3g==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.10" + } + }, + "node_modules/irregular-plurals": { + "version": "3.5.0", + "resolved": "http://localhost:4873/irregular-plurals/-/irregular-plurals-3.5.0.tgz", + "integrity": "sha512-1ANGLZ+Nkv1ptFb2pa8oG8Lem4krflKuX/gINiHJHjJUKaJHk/SXk5x6K3J+39/p0h1RQ2saROclJJ+QLvETCQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/is-accessor-descriptor": { + "version": "1.0.1", + "resolved": "http://localhost:4873/is-accessor-descriptor/-/is-accessor-descriptor-1.0.1.tgz", + "integrity": "sha512-YBUanLI8Yoihw923YeFUS5fs0fF2f5TSFTNiYAAzhhDscDa3lEqYuz1pDOEP5KvX94I9ey3vsqjJcLVFVU+3QA==", + "dev": true, + "license": "MIT", + "dependencies": { + "hasown": "^2.0.0" + }, + "engines": { + "node": ">= 0.10" + } + }, + "node_modules/is-arguments": { + "version": "1.2.0", + "resolved": "http://localhost:4873/is-arguments/-/is-arguments-1.2.0.tgz", + "integrity": "sha512-7bVbi0huj/wrIAOzb8U1aszg9kdi3KN/CyU19CTI7tAoZYEZoL9yCDXpbXN+uPsuWnP02cyug1gleqq+TU+YCA==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.2", + "has-tostringtag": "^1.0.2" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-array-buffer": { + "version": "3.0.5", + "resolved": "http://localhost:4873/is-array-buffer/-/is-array-buffer-3.0.5.tgz", + "integrity": "sha512-DDfANUiiG2wC1qawP66qlTugJeL5HyzMpfr8lLK+jMQirGzNod0B12cFB/9q838Ru27sBwfw78/rdoU7RERz6A==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind": "^1.0.8", + "call-bound": "^1.0.3", + "get-intrinsic": "^1.2.6" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-arrayish": { + "version": "0.2.1", + "resolved": "http://localhost:4873/is-arrayish/-/is-arrayish-0.2.1.tgz", + "integrity": "sha512-zz06S8t0ozoDXMG+ube26zeCTNXcKIPJZJi8hBrF4idCLms4CG9QtK7qBl1boi5ODzFpjswb5JPmHCbMpjaYzg==", + "dev": true, + "license": "MIT" + }, + "node_modules/is-async-function": { + "version": "2.1.1", + "resolved": "http://localhost:4873/is-async-function/-/is-async-function-2.1.1.tgz", + "integrity": "sha512-9dgM/cZBnNvjzaMYHVoxxfPj2QXt22Ev7SuuPrs+xav0ukGB0S6d4ydZdEiM48kLx5kDV+QBPrpVnFyefL8kkQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "async-function": "^1.0.0", + "call-bound": "^1.0.3", + "get-proto": "^1.0.1", + "has-tostringtag": "^1.0.2", + "safe-regex-test": "^1.1.0" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-bigint": { + "version": "1.1.0", + "resolved": "http://localhost:4873/is-bigint/-/is-bigint-1.1.0.tgz", + "integrity": "sha512-n4ZT37wG78iz03xPRKJrHTdZbe3IicyucEtdRsV5yglwc3GyUfbAfpSeD0FJ41NbUNSt5wbhqfp1fS+BgnvDFQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "has-bigints": "^1.0.2" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-binary-path": { + "version": "2.1.0", + "resolved": "http://localhost:4873/is-binary-path/-/is-binary-path-2.1.0.tgz", + "integrity": "sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==", + "dev": true, + "license": "MIT", + "dependencies": { + "binary-extensions": "^2.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/is-boolean-object": { + "version": "1.2.2", + "resolved": "http://localhost:4873/is-boolean-object/-/is-boolean-object-1.2.2.tgz", + "integrity": "sha512-wa56o2/ElJMYqjCjGkXri7it5FbebW5usLw/nPmCMs5DeZ7eziSYZhSmPRn0txqeW4LnAmQQU7FgqLpsEFKM4A==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.3", + "has-tostringtag": "^1.0.2" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-buffer": { + "version": "1.1.6", + "resolved": "http://localhost:4873/is-buffer/-/is-buffer-1.1.6.tgz", + "integrity": "sha512-NcdALwpXkTm5Zvvbk7owOUSvVvBKDgKP5/ewfXEznmQFfs4ZRmanOeKBTjRVjka3QFoN6XJ+9F3USqfHqTaU5w==", + "dev": true, + "license": "MIT" + }, + "node_modules/is-callable": { + "version": "1.2.7", + "resolved": "http://localhost:4873/is-callable/-/is-callable-1.2.7.tgz", + "integrity": "sha512-1BC0BVFhS/p0qtw6enp8e+8OD0UrK0oFLztSjNzhcKA3WDuJxxAPXzPuPtKkjEY9UUoEWlX/8fgKeu2S8i9JTA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-ci": { + "version": "2.0.0", + "resolved": "http://localhost:4873/is-ci/-/is-ci-2.0.0.tgz", + "integrity": "sha512-YfJT7rkpQB0updsdHLGWrvhBJfcfzNNawYDNIyQXJz0IViGf75O8EBPKSdvw2rF+LGCsX4FZ8tcr3b19LcZq4w==", + "dev": true, + "license": "MIT", + "dependencies": { + "ci-info": "^2.0.0" + }, + "bin": { + "is-ci": "bin.js" + } + }, + "node_modules/is-core-module": { + "version": "2.16.1", + "resolved": "http://localhost:4873/is-core-module/-/is-core-module-2.16.1.tgz", + "integrity": "sha512-UfoeMA6fIJ8wTYFEUjelnaGI67v6+N7qXJEvQuIGa99l4xsCruSYOVSQ0uPANn4dAzm8lkYPaKLrrijLq7x23w==", + "dev": true, + "license": "MIT", + "dependencies": { + "hasown": "^2.0.2" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-data-descriptor": { + "version": "1.0.1", + "resolved": "http://localhost:4873/is-data-descriptor/-/is-data-descriptor-1.0.1.tgz", + "integrity": "sha512-bc4NlCDiCr28U4aEsQ3Qs2491gVq4V8G7MQyws968ImqjKuYtTJXrl7Vq7jsN7Ly/C3xj5KWFrY7sHNeDkAzXw==", + "dev": true, + "license": "MIT", + "dependencies": { + "hasown": "^2.0.0" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/is-data-view": { + "version": "1.0.2", + "resolved": "http://localhost:4873/is-data-view/-/is-data-view-1.0.2.tgz", + "integrity": "sha512-RKtWF8pGmS87i2D6gqQu/l7EYRlVdfzemCJN/P3UOs//x1QE7mfhvzHIApBTRf7axvT6DMGwSwBXYCT0nfB9xw==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.2", + "get-intrinsic": "^1.2.6", + "is-typed-array": "^1.1.13" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-date-object": { + "version": "1.1.0", + "resolved": "http://localhost:4873/is-date-object/-/is-date-object-1.1.0.tgz", + "integrity": "sha512-PwwhEakHVKTdRNVOw+/Gyh0+MzlCl4R6qKvkhuvLtPMggI1WAHt9sOwZxQLSGpUaDnrdyDsomoRgNnCfKNSXXg==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.2", + "has-tostringtag": "^1.0.2" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-descriptor": { + "version": "1.0.3", + "resolved": "http://localhost:4873/is-descriptor/-/is-descriptor-1.0.3.tgz", + "integrity": "sha512-JCNNGbwWZEVaSPtS45mdtrneRWJFp07LLmykxeFV5F6oBvNF8vHSfJuJgoT472pSfk+Mf8VnlrspaFBHWM8JAw==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-accessor-descriptor": "^1.0.1", + "is-data-descriptor": "^1.0.1" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/is-directory": { + "version": "0.3.1", + "resolved": "http://localhost:4873/is-directory/-/is-directory-0.3.1.tgz", + "integrity": "sha512-yVChGzahRFvbkscn2MlwGismPO12i9+znNruC5gVEntG3qu0xQMzsGg/JFbrsqDOHtHFPci+V5aP5T9I+yeKqw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/is-docker": { + "version": "2.2.1", + "resolved": "http://localhost:4873/is-docker/-/is-docker-2.2.1.tgz", + "integrity": "sha512-F+i2BKsFrH66iaUFc0woD8sLy8getkwTwtOBjvs56Cx4CgJDeKQeqfz8wAYiSb8JOprWhHH5p77PbmYCvvUuXQ==", + "dev": true, + "license": "MIT", + "bin": { + "is-docker": "cli.js" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/is-extendable": { + "version": "1.0.1", + "resolved": "http://localhost:4873/is-extendable/-/is-extendable-1.0.1.tgz", + "integrity": "sha512-arnXMxT1hhoKo9k1LZdmlNyJdDDfy2v0fXjFlmok4+i8ul/6WlbVge9bhM74OpNPQPMGUToDtz+KXa1PneJxOA==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-plain-object": "^2.0.4" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/is-extglob": { + "version": "2.1.1", + "resolved": "http://localhost:4873/is-extglob/-/is-extglob-2.1.1.tgz", + "integrity": "sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/is-finalizationregistry": { + "version": "1.1.1", + "resolved": "http://localhost:4873/is-finalizationregistry/-/is-finalizationregistry-1.1.1.tgz", + "integrity": "sha512-1pC6N8qWJbWoPtEjgcL2xyhQOP491EQjeUo3qTKcmV8YSDDJrOepfG8pcC7h/QgnQHYSv0mJ3Z/ZWxmatVrysg==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.3" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-fullwidth-code-point": { + "version": "2.0.0", + "resolved": "http://localhost:4873/is-fullwidth-code-point/-/is-fullwidth-code-point-2.0.0.tgz", + "integrity": "sha512-VHskAKYM8RfSFXwee5t5cbN5PZeq1Wrh6qd5bkyiXIf6UQcN6w/A0eXM9r6t8d+GYOh+o6ZhiEnb88LN/Y8m2w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4" + } + }, + "node_modules/is-generator-fn": { + "version": "2.1.0", + "resolved": "http://localhost:4873/is-generator-fn/-/is-generator-fn-2.1.0.tgz", + "integrity": "sha512-cTIB4yPYL/Grw0EaSzASzg6bBy9gqCofvWN8okThAYIxKJZC+udlRAmGbM0XLeniEJSs8uEgHPGuHSe1XsOLSQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/is-generator-function": { + "version": "1.1.0", + "resolved": "http://localhost:4873/is-generator-function/-/is-generator-function-1.1.0.tgz", + "integrity": "sha512-nPUB5km40q9e8UfN/Zc24eLlzdSf9OfKByBw9CIdw4H1giPMeA0OIJvbchsCu4npfI2QcMVBsGEBHKZ7wLTWmQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.3", + "get-proto": "^1.0.0", + "has-tostringtag": "^1.0.2", + "safe-regex-test": "^1.1.0" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-glob": { + "version": "4.0.3", + "resolved": "http://localhost:4873/is-glob/-/is-glob-4.0.3.tgz", + "integrity": "sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-extglob": "^2.1.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/is-interactive": { + "version": "1.0.0", + "resolved": "http://localhost:4873/is-interactive/-/is-interactive-1.0.0.tgz", + "integrity": "sha512-2HvIEKRoqS62guEC+qBjpvRubdX910WCMuJTZ+I9yvqKU2/12eSL549HMwtabb4oupdj2sMP50k+XJfB/8JE6w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/is-map": { + "version": "2.0.3", + "resolved": "http://localhost:4873/is-map/-/is-map-2.0.3.tgz", + "integrity": "sha512-1Qed0/Hr2m+YqxnM09CjA2d/i6YZNfF6R2oRAOj36eUdS6qIV/huPJNSEpKbupewFs+ZsJlxsjjPbc0/afW6Lw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-node-process": { + "version": "1.2.0", + "resolved": "http://localhost:4873/is-node-process/-/is-node-process-1.2.0.tgz", + "integrity": "sha512-Vg4o6/fqPxIjtxgUH5QLJhwZ7gW5diGCVlXpuUfELC62CuxM1iHcRe51f2W1FDy04Ai4KJkagKjx3XaqyfRKXw==", + "dev": true, + "license": "MIT" + }, + "node_modules/is-number": { + "version": "7.0.0", + "resolved": "http://localhost:4873/is-number/-/is-number-7.0.0.tgz", + "integrity": "sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.12.0" + } + }, + "node_modules/is-number-object": { + "version": "1.1.1", + "resolved": "http://localhost:4873/is-number-object/-/is-number-object-1.1.1.tgz", + "integrity": "sha512-lZhclumE1G6VYD8VHe35wFaIif+CTy5SJIi5+3y4psDgWu4wPDoBhF8NxUOinEc7pHgiTsT6MaBb92rKhhD+Xw==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.3", + "has-tostringtag": "^1.0.2" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-obj": { + "version": "2.0.0", + "resolved": "http://localhost:4873/is-obj/-/is-obj-2.0.0.tgz", + "integrity": "sha512-drqDG3cbczxxEJRoOXcOjtdp1J/lyp1mNn0xaznRs8+muBhgQcrnbspox5X5fOw0HnMnbfDzvnEMEtqDEJEo8w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/is-path-inside": { + "version": "3.0.3", + "resolved": "http://localhost:4873/is-path-inside/-/is-path-inside-3.0.3.tgz", + "integrity": "sha512-Fd4gABb+ycGAmKou8eMftCupSir5lRxqf4aD/vd0cD2qc4HL07OjCeuHMr8Ro4CoMaeCKDB0/ECBOVWjTwUvPQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/is-plain-obj": { + "version": "3.0.0", + "resolved": "http://localhost:4873/is-plain-obj/-/is-plain-obj-3.0.0.tgz", + "integrity": "sha512-gwsOE28k+23GP1B6vFl1oVh/WOzmawBrKwo5Ev6wMKzPkaXaCDIQKzLnvsA42DRlbVTWorkgTKIviAKCWkfUwA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/is-plain-object": { + "version": "2.0.4", + "resolved": "http://localhost:4873/is-plain-object/-/is-plain-object-2.0.4.tgz", + "integrity": "sha512-h5PpgXkWitc38BBMYawTYMWJHFZJVnBquFE57xFpjB8pJFiF6gZ+bU+WyI/yqXiFR5mdLsgYNaPe8uao6Uv9Og==", + "dev": true, + "license": "MIT", + "dependencies": { + "isobject": "^3.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/is-potential-custom-element-name": { + "version": "1.0.1", + "resolved": "http://localhost:4873/is-potential-custom-element-name/-/is-potential-custom-element-name-1.0.1.tgz", + "integrity": "sha512-bCYeRA2rVibKZd+s2625gGnGF/t7DSqDs4dP7CrLA1m7jKWz6pps0LpYLJN8Q64HtmPKJ1hrN3nzPNKFEKOUiQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/is-regex": { + "version": "1.2.1", + "resolved": "http://localhost:4873/is-regex/-/is-regex-1.2.1.tgz", + "integrity": "sha512-MjYsKHO5O7mCsmRGxWcLWheFqN9DJ/2TmngvjKXihe6efViPqc274+Fx/4fYj/r03+ESvBdTXK0V6tA3rgez1g==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.2", + "gopd": "^1.2.0", + "has-tostringtag": "^1.0.2", + "hasown": "^2.0.2" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-set": { + "version": "2.0.3", + "resolved": "http://localhost:4873/is-set/-/is-set-2.0.3.tgz", + "integrity": "sha512-iPAjerrse27/ygGLxw+EBR9agv9Y6uLeYVJMu+QNCoouJ1/1ri0mGrcWpfCqFZuzzx3WjtwxG098X+n4OuRkPg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-shared-array-buffer": { + "version": "1.0.4", + "resolved": "http://localhost:4873/is-shared-array-buffer/-/is-shared-array-buffer-1.0.4.tgz", + "integrity": "sha512-ISWac8drv4ZGfwKl5slpHG9OwPNty4jOWPRIhBpxOoD+hqITiwuipOQ2bNthAzwA3B4fIjO4Nln74N0S9byq8A==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.3" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-stream": { + "version": "2.0.1", + "resolved": "http://localhost:4873/is-stream/-/is-stream-2.0.1.tgz", + "integrity": "sha512-hFoiJiTl63nn+kstHGBtewWSKnQLpyb155KHheA1l39uvtO9nWIop1p3udqPcUd/xbF1VLMO4n7OI6p7RbngDg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/is-string": { + "version": "1.1.1", + "resolved": "http://localhost:4873/is-string/-/is-string-1.1.1.tgz", + "integrity": "sha512-BtEeSsoaQjlSPBemMQIrY1MY0uM6vnS1g5fmufYOtnxLGUZM2178PKbhsk7Ffv58IX+ZtcvoGwccYsh0PglkAA==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.3", + "has-tostringtag": "^1.0.2" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-symbol": { + "version": "1.1.1", + "resolved": "http://localhost:4873/is-symbol/-/is-symbol-1.1.1.tgz", + "integrity": "sha512-9gGx6GTtCQM73BgmHQXfDmLtfjjTUDSyoxTCbp5WtoixAhfgsDirWIcVQ/IHpvI5Vgd5i/J5F7B9cN/WlVbC/w==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.2", + "has-symbols": "^1.1.0", + "safe-regex-test": "^1.1.0" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-typed-array": { + "version": "1.1.15", + "resolved": "http://localhost:4873/is-typed-array/-/is-typed-array-1.1.15.tgz", + "integrity": "sha512-p3EcsicXjit7SaskXHs1hA91QxgTw46Fv6EFKKGS5DRFLD8yKnohjF3hxoju94b/OcMZoQukzpPpBE9uLVKzgQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "which-typed-array": "^1.1.16" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-typedarray": { + "version": "1.0.0", + "resolved": "http://localhost:4873/is-typedarray/-/is-typedarray-1.0.0.tgz", + "integrity": "sha512-cyA56iCMHAh5CdzjJIa4aohJyeO1YbwLi3Jc35MmRU6poroFjIGZzUzupGiRPOjgHg9TLu43xbpwXk523fMxKA==", + "dev": true, + "license": "MIT" + }, + "node_modules/is-unicode-supported": { + "version": "0.1.0", + "resolved": "http://localhost:4873/is-unicode-supported/-/is-unicode-supported-0.1.0.tgz", + "integrity": "sha512-knxG2q4UC3u8stRGyAVJCOdxFmv5DZiRcdlIaAQXAbSfJya+OhopNotLQrstBhququ4ZpuKbDc/8S6mgXgPFPw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/is-weakmap": { + "version": "2.0.2", + "resolved": "http://localhost:4873/is-weakmap/-/is-weakmap-2.0.2.tgz", + "integrity": "sha512-K5pXYOm9wqY1RgjpL3YTkF39tni1XajUIkawTLUo9EZEVUFga5gSQJF8nNS7ZwJQ02y+1YCNYcMh+HIf1ZqE+w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-weakref": { + "version": "1.1.1", + "resolved": "http://localhost:4873/is-weakref/-/is-weakref-1.1.1.tgz", + "integrity": "sha512-6i9mGWSlqzNMEqpCp93KwRS1uUOodk2OJ6b+sq7ZPDSy2WuI5NFIxp/254TytR8ftefexkWn5xNiHUNpPOfSew==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.3" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-weakset": { + "version": "2.0.4", + "resolved": "http://localhost:4873/is-weakset/-/is-weakset-2.0.4.tgz", + "integrity": "sha512-mfcwb6IzQyOKTs84CQMrOwW4gQcaTOAWJ0zzJCl2WSPDrWk/OzDaImWFH3djXhb24g4eudZfLRozAvPGw4d9hQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.3", + "get-intrinsic": "^1.2.6" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-what": { + "version": "4.1.16", + "resolved": "http://localhost:4873/is-what/-/is-what-4.1.16.tgz", + "integrity": "sha512-ZhMwEosbFJkA0YhFnNDgTM4ZxDRsS6HqTo7qsZM08fehyRYIYa0yHu5R6mgo1n/8MgaPBXiPimPD77baVFYg+A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=12.13" + }, + "funding": { + "url": "https://github.com/sponsors/mesqueeb" + } + }, + "node_modules/is-windows": { + "version": "1.0.2", + "resolved": "http://localhost:4873/is-windows/-/is-windows-1.0.2.tgz", + "integrity": "sha512-eXK1UInq2bPmjyX6e3VHIzMLobc4J94i4AWn+Hpq3OU5KkrRC96OAcR3PRJ/pGu6m8TRnBHP9dkXQVsT/COVIA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/is-wsl": { + "version": "2.2.0", + "resolved": "http://localhost:4873/is-wsl/-/is-wsl-2.2.0.tgz", + "integrity": "sha512-fKzAra0rGJUUBwGBgNkHZuToZcn+TtXHpeCgmkMJMMYx1sQDYaCSyjJBSCa2nH1DGm7s3n1oBnohoVTBaN7Lww==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-docker": "^2.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/isarray": { + "version": "1.0.0", + "resolved": "http://localhost:4873/isarray/-/isarray-1.0.0.tgz", + "integrity": "sha512-VLghIWNM6ELQzo7zwmcg0NmTVyWKYjvIeM83yjp0wRDTmUnrM678fQbcKBo6n2CJEF0szoG//ytg+TKla89ALQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/isexe": { + "version": "2.0.0", + "resolved": "http://localhost:4873/isexe/-/isexe-2.0.0.tgz", + "integrity": "sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==", + "dev": true, + "license": "ISC" + }, + "node_modules/isobject": { + "version": "3.0.1", + "resolved": "http://localhost:4873/isobject/-/isobject-3.0.1.tgz", + "integrity": "sha512-WhB9zCku7EGTj/HQQRz5aUQEUeoQZH2bWcltRErOpymJ4boYE6wL9Tbr23krRPSZ+C5zqNSrSw+Cc7sZZ4b7vg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/isomorphic-fetch": { + "version": "3.0.0", + "resolved": "http://localhost:4873/isomorphic-fetch/-/isomorphic-fetch-3.0.0.tgz", + "integrity": "sha512-qvUtwJ3j6qwsF3jLxkZ72qCgjMysPzDfeV240JHiGZsANBYd+EEuu35v7dfrJ9Up0Ak07D7GGSkGhCHTqg/5wA==", + "dev": true, + "license": "MIT", + "dependencies": { + "node-fetch": "^2.6.1", + "whatwg-fetch": "^3.4.1" + } + }, + "node_modules/istanbul-lib-coverage": { + "version": "3.2.2", + "resolved": "http://localhost:4873/istanbul-lib-coverage/-/istanbul-lib-coverage-3.2.2.tgz", + "integrity": "sha512-O8dpsF+r0WV/8MNRKfnmrtCWhuKjxrq2w+jpzBL5UZKTi2LeVWnWOmWRxFlesJONmc+wLAGvKQZEOanko0LFTg==", + "dev": true, + "license": "BSD-3-Clause", + "engines": { + "node": ">=8" + } + }, + "node_modules/istanbul-lib-instrument": { + "version": "5.2.1", + "resolved": "http://localhost:4873/istanbul-lib-instrument/-/istanbul-lib-instrument-5.2.1.tgz", + "integrity": "sha512-pzqtp31nLv/XFOzXGuvhCb8qhjmTVo5vjVk19XE4CRlSWz0KoeJ3bw9XsA7nOp9YBf4qHjwBxkDzKcME/J29Yg==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "@babel/core": "^7.12.3", + "@babel/parser": "^7.14.7", + "@istanbuljs/schema": "^0.1.2", + "istanbul-lib-coverage": "^3.2.0", + "semver": "^6.3.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/istanbul-lib-instrument/node_modules/semver": { + "version": "6.3.1", + "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", + "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver.js" + } + }, + "node_modules/istanbul-lib-report": { + "version": "3.0.1", + "resolved": "http://localhost:4873/istanbul-lib-report/-/istanbul-lib-report-3.0.1.tgz", + "integrity": "sha512-GCfE1mtsHGOELCU8e/Z7YWzpmybrx/+dSTfLrvY8qRmaY6zXTKWn6WQIjaAFw069icm6GVMNkgu0NzI4iPZUNw==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "istanbul-lib-coverage": "^3.0.0", + "make-dir": "^4.0.0", + "supports-color": "^7.1.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/istanbul-lib-report/node_modules/make-dir": { + "version": "4.0.0", + "resolved": "http://localhost:4873/make-dir/-/make-dir-4.0.0.tgz", + "integrity": "sha512-hXdUTZYIVOt1Ex//jAQi+wTZZpUpwBj/0QsOzqegb3rGMMeJiSEu5xLHnYfBrRV4RH2+OCSOO95Is/7x1WJ4bw==", + "dev": true, + "license": "MIT", + "dependencies": { + "semver": "^7.5.3" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/istanbul-lib-source-maps": { + "version": "4.0.1", + "resolved": "http://localhost:4873/istanbul-lib-source-maps/-/istanbul-lib-source-maps-4.0.1.tgz", + "integrity": "sha512-n3s8EwkdFIJCG3BPKBYvskgXGoy88ARzvegkitk60NxRdwltLOTaH7CUiMRXvwYorl0Q712iEjcWB+fK/MrWVw==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "debug": "^4.1.1", + "istanbul-lib-coverage": "^3.0.0", + "source-map": "^0.6.1" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/istanbul-lib-source-maps/node_modules/source-map": { + "version": "0.6.1", + "resolved": "http://localhost:4873/source-map/-/source-map-0.6.1.tgz", + "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==", + "dev": true, + "license": "BSD-3-Clause", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/istanbul-reports": { + "version": "3.1.7", + "resolved": "http://localhost:4873/istanbul-reports/-/istanbul-reports-3.1.7.tgz", + "integrity": "sha512-BewmUXImeuRk2YY0PVbxgKAysvhRPUQE0h5QRM++nVWyubKGV0l8qQ5op8+B2DOmwSe63Jivj0BjkPQVf8fP5g==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "html-escaper": "^2.0.0", + "istanbul-lib-report": "^3.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/iterator.prototype": { + "version": "1.1.5", + "resolved": "http://localhost:4873/iterator.prototype/-/iterator.prototype-1.1.5.tgz", + "integrity": "sha512-H0dkQoCa3b2VEeKQBOxFph+JAbcrQdE7KC0UkqwpLmv2EC4P41QXP+rqo9wYodACiG5/WM5s9oDApTU8utwj9g==", + "dev": true, + "license": "MIT", + "dependencies": { + "define-data-property": "^1.1.4", + "es-object-atoms": "^1.0.0", + "get-intrinsic": "^1.2.6", + "get-proto": "^1.0.0", + "has-symbols": "^1.1.0", + "set-function-name": "^2.0.2" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/jest": { + "version": "26.6.3", + "resolved": "http://localhost:4873/jest/-/jest-26.6.3.tgz", + "integrity": "sha512-lGS5PXGAzR4RF7V5+XObhqz2KZIDUA1yD0DG6pBVmy10eh0ZIXQImRuzocsI/N2XZ1GrLFwTS27In2i2jlpq1Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/core": "^26.6.3", + "import-local": "^3.0.2", + "jest-cli": "^26.6.3" + }, + "bin": { + "jest": "bin/jest.js" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-changed-files": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-changed-files/-/jest-changed-files-26.6.2.tgz", + "integrity": "sha512-fDS7szLcY9sCtIip8Fjry9oGf3I2ht/QT21bAHm5Dmf0mD4X3ReNUf17y+bO6fR8WgbIZTlbyG1ak/53cbRzKQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^26.6.2", + "execa": "^4.0.0", + "throat": "^5.0.0" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-cli": { + "version": "26.6.3", + "resolved": "http://localhost:4873/jest-cli/-/jest-cli-26.6.3.tgz", + "integrity": "sha512-GF9noBSa9t08pSyl3CY4frMrqp+aQXFGFkf5hEPbh/pIUFYWMK6ZLTfbmadxJVcJrdRoChlWQsA2VkJcDFK8hg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/core": "^26.6.3", + "@jest/test-result": "^26.6.2", + "@jest/types": "^26.6.2", + "chalk": "^4.0.0", + "exit": "^0.1.2", + "graceful-fs": "^4.2.4", + "import-local": "^3.0.2", + "is-ci": "^2.0.0", + "jest-config": "^26.6.3", + "jest-util": "^26.6.2", + "jest-validate": "^26.6.2", + "prompts": "^2.0.1", + "yargs": "^15.4.1" + }, + "bin": { + "jest": "bin/jest.js" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-config": { + "version": "26.6.3", + "resolved": "http://localhost:4873/jest-config/-/jest-config-26.6.3.tgz", + "integrity": "sha512-t5qdIj/bCj2j7NFVHb2nFB4aUdfucDn3JRKgrZnplb8nieAirAzRSHP8uDEd+qV6ygzg9Pz4YG7UTJf94LPSyg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/core": "^7.1.0", + "@jest/test-sequencer": "^26.6.3", + "@jest/types": "^26.6.2", + "babel-jest": "^26.6.3", + "chalk": "^4.0.0", + "deepmerge": "^4.2.2", + "glob": "^7.1.1", + "graceful-fs": "^4.2.4", + "jest-environment-jsdom": "^26.6.2", + "jest-environment-node": "^26.6.2", + "jest-get-type": "^26.3.0", + "jest-jasmine2": "^26.6.3", + "jest-regex-util": "^26.0.0", + "jest-resolve": "^26.6.2", + "jest-util": "^26.6.2", + "jest-validate": "^26.6.2", + "micromatch": "^4.0.2", + "pretty-format": "^26.6.2" + }, + "engines": { + "node": ">= 10.14.2" + }, + "peerDependencies": { + "ts-node": ">=9.0.0" + }, + "peerDependenciesMeta": { + "ts-node": { + "optional": true + } + } + }, + "node_modules/jest-config/node_modules/jest-get-type": { + "version": "26.3.0", + "resolved": "http://localhost:4873/jest-get-type/-/jest-get-type-26.3.0.tgz", + "integrity": "sha512-TpfaviN1R2pQWkIihlfEanwOXK0zcxrKEE4MlU6Tn7keoXdN6/3gK/xl0yEh8DOunn5pOVGKf8hB4R9gVh04ig==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-config/node_modules/pretty-format": { + "version": "26.6.2", + "resolved": "http://localhost:4873/pretty-format/-/pretty-format-26.6.2.tgz", + "integrity": "sha512-7AeGuCYNGmycyQbCqd/3PWH4eOoX/OiCa0uphp57NVTeAGdJGaAliecxwBDHYQCIvrW7aDBZCYeNTP/WX69mkg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^26.6.2", + "ansi-regex": "^5.0.0", + "ansi-styles": "^4.0.0", + "react-is": "^17.0.1" + }, + "engines": { + "node": ">= 10" + } + }, + "node_modules/jest-config/node_modules/react-is": { + "version": "17.0.2", + "resolved": "http://localhost:4873/react-is/-/react-is-17.0.2.tgz", + "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==", + "dev": true, + "license": "MIT" + }, + "node_modules/jest-diff": { + "version": "29.7.0", + "resolved": "http://localhost:4873/jest-diff/-/jest-diff-29.7.0.tgz", + "integrity": "sha512-LMIgiIrhigmPrs03JHpxUh2yISK3vLFPkAodPeo0+BuF7wA2FoQbkEg1u8gBYBThncu7e1oEDUfIXVuTqLRUjw==", + "dev": true, + "license": "MIT", + "dependencies": { + "chalk": "^4.0.0", + "diff-sequences": "^29.6.3", + "jest-get-type": "^29.6.3", + "pretty-format": "^29.7.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-diff/node_modules/ansi-styles": { + "version": "5.2.0", + "resolved": "http://localhost:4873/ansi-styles/-/ansi-styles-5.2.0.tgz", + "integrity": "sha512-Cxwpt2SfTzTtXcfOlzGEee8O+c+MmUgGrNiBcXnuWxuFJHe6a5Hz7qwhwe5OgaSYI0IJvkLqWX1ASG+cJOkEiA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/ansi-styles?sponsor=1" + } + }, + "node_modules/jest-diff/node_modules/pretty-format": { + "version": "29.7.0", + "resolved": "http://localhost:4873/pretty-format/-/pretty-format-29.7.0.tgz", + "integrity": "sha512-Pdlw/oPxN+aXdmM9R00JVC9WVFoCLTKJvDVLgmJ+qAffBMxsV85l/Lu7sNx4zSzPyoL2euImuEwHhOXdEgNFZQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/schemas": "^29.6.3", + "ansi-styles": "^5.0.0", + "react-is": "^18.0.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-diff/node_modules/react-is": { + "version": "18.3.1", + "resolved": "http://localhost:4873/react-is/-/react-is-18.3.1.tgz", + "integrity": "sha512-/LLMVyas0ljjAtoYiPqYiL8VWXzUUdThrmU5+n20DZv+a+ClRoevUzw5JxU+Ieh5/c87ytoTBV9G1FiKfNJdmg==", + "dev": true, + "license": "MIT" + }, + "node_modules/jest-docblock": { + "version": "26.0.0", + "resolved": "http://localhost:4873/jest-docblock/-/jest-docblock-26.0.0.tgz", + "integrity": "sha512-RDZ4Iz3QbtRWycd8bUEPxQsTlYazfYn/h5R65Fc6gOfwozFhoImx+affzky/FFBuqISPTqjXomoIGJVKBWoo0w==", + "dev": true, + "license": "MIT", + "dependencies": { + "detect-newline": "^3.0.0" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-each": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-each/-/jest-each-26.6.2.tgz", + "integrity": "sha512-Mer/f0KaATbjl8MCJ+0GEpNdqmnVmDYqCTJYTvoo7rqmRiDllmp2AYN+06F93nXcY3ur9ShIjS+CO/uD+BbH4A==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^26.6.2", + "chalk": "^4.0.0", + "jest-get-type": "^26.3.0", + "jest-util": "^26.6.2", + "pretty-format": "^26.6.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-each/node_modules/jest-get-type": { + "version": "26.3.0", + "resolved": "http://localhost:4873/jest-get-type/-/jest-get-type-26.3.0.tgz", + "integrity": "sha512-TpfaviN1R2pQWkIihlfEanwOXK0zcxrKEE4MlU6Tn7keoXdN6/3gK/xl0yEh8DOunn5pOVGKf8hB4R9gVh04ig==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-each/node_modules/pretty-format": { + "version": "26.6.2", + "resolved": "http://localhost:4873/pretty-format/-/pretty-format-26.6.2.tgz", + "integrity": "sha512-7AeGuCYNGmycyQbCqd/3PWH4eOoX/OiCa0uphp57NVTeAGdJGaAliecxwBDHYQCIvrW7aDBZCYeNTP/WX69mkg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^26.6.2", + "ansi-regex": "^5.0.0", + "ansi-styles": "^4.0.0", + "react-is": "^17.0.1" + }, + "engines": { + "node": ">= 10" + } + }, + "node_modules/jest-each/node_modules/react-is": { + "version": "17.0.2", + "resolved": "http://localhost:4873/react-is/-/react-is-17.0.2.tgz", + "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==", + "dev": true, + "license": "MIT" + }, + "node_modules/jest-environment-jsdom": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-environment-jsdom/-/jest-environment-jsdom-26.6.2.tgz", + "integrity": "sha512-jgPqCruTlt3Kwqg5/WVFyHIOJHsiAvhcp2qiR2QQstuG9yWox5+iHpU3ZrcBxW14T4fe5Z68jAfLRh7joCSP2Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/environment": "^26.6.2", + "@jest/fake-timers": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/node": "*", + "jest-mock": "^26.6.2", + "jest-util": "^26.6.2", + "jsdom": "^16.4.0" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-environment-jsdom-global": { + "version": "2.0.4", + "resolved": "http://localhost:4873/jest-environment-jsdom-global/-/jest-environment-jsdom-global-2.0.4.tgz", + "integrity": "sha512-1vB8q+PrszXW4Pf7Zgp3eQ4oNVbA7GY6+jmrg1qi6RtYRWDJ60/xdkhjqAbQpX8BRyvqQJYQi66LXER5YNeHXg==", + "dev": true, + "license": "MIT", + "peerDependencies": { + "jest-environment-jsdom": "22.x || 23.x || 24.x || 25.x || 26.x" + } + }, + "node_modules/jest-environment-node": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-environment-node/-/jest-environment-node-26.6.2.tgz", + "integrity": "sha512-zhtMio3Exty18dy8ee8eJ9kjnRyZC1N4C1Nt/VShN1apyXc8rWGtJ9lI7vqiWcyyXS4BVSEn9lxAM2D+07/Tag==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/environment": "^26.6.2", + "@jest/fake-timers": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/node": "*", + "jest-mock": "^26.6.2", + "jest-util": "^26.6.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-expect-message": { + "version": "1.1.3", + "resolved": "http://localhost:4873/jest-expect-message/-/jest-expect-message-1.1.3.tgz", + "integrity": "sha512-bTK77T4P+zto+XepAX3low8XVQxDgaEqh3jSTQOG8qvPpD69LsIdyJTa+RmnJh3HNSzJng62/44RPPc7OIlFxg==", + "dev": true, + "license": "MIT" + }, + "node_modules/jest-fetch-mock": { + "version": "2.1.2", + "resolved": "http://localhost:4873/jest-fetch-mock/-/jest-fetch-mock-2.1.2.tgz", + "integrity": "sha512-tcSR4Lh2bWLe1+0w/IwvNxeDocMI/6yIA2bijZ0fyWxC4kQ18lckQ1n7Yd40NKuisGmcGBRFPandRXrW/ti/Bw==", + "dev": true, + "license": "MIT", + "dependencies": { + "cross-fetch": "^2.2.2", + "promise-polyfill": "^7.1.1" + } + }, + "node_modules/jest-fetch-mock/node_modules/cross-fetch": { + "version": "2.2.6", + "resolved": "http://localhost:4873/cross-fetch/-/cross-fetch-2.2.6.tgz", + "integrity": "sha512-9JZz+vXCmfKUZ68zAptS7k4Nu8e2qcibe7WVZYps7sAgk5R8GYTc+T1WR0v1rlP9HxgARmOX1UTIJZFytajpNA==", + "dev": true, + "license": "MIT", + "dependencies": { + "node-fetch": "^2.6.7", + "whatwg-fetch": "^2.0.4" + } + }, + "node_modules/jest-fetch-mock/node_modules/whatwg-fetch": { + "version": "2.0.4", + "resolved": "http://localhost:4873/whatwg-fetch/-/whatwg-fetch-2.0.4.tgz", + "integrity": "sha512-dcQ1GWpOD/eEQ97k66aiEVpNnapVj90/+R+SXTPYGHpYBBypfKJEQjLrvMZ7YXbKm21gXd4NcuxUTjiv1YtLng==", + "dev": true, + "license": "MIT" + }, + "node_modules/jest-get-type": { + "version": "29.6.3", + "resolved": "http://localhost:4873/jest-get-type/-/jest-get-type-29.6.3.tgz", + "integrity": "sha512-zrteXnqYxfQh7l5FHyL38jL39di8H8rHoecLH3JNxH3BwOrBsNeabdap5e0I23lD4HHI8W5VFBZqG4Eaq5LNcw==", + "dev": true, + "license": "MIT", + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-haste-map": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-haste-map/-/jest-haste-map-26.6.2.tgz", + "integrity": "sha512-easWIJXIw71B2RdR8kgqpjQrbMRWQBgiBwXYEhtGUTaX+doCjBheluShdDMeR8IMfJiTqH4+zfhtg29apJf/8w==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^26.6.2", + "@types/graceful-fs": "^4.1.2", + "@types/node": "*", + "anymatch": "^3.0.3", + "fb-watchman": "^2.0.0", + "graceful-fs": "^4.2.4", + "jest-regex-util": "^26.0.0", + "jest-serializer": "^26.6.2", + "jest-util": "^26.6.2", + "jest-worker": "^26.6.2", + "micromatch": "^4.0.2", + "sane": "^4.0.3", + "walker": "^1.0.7" + }, + "engines": { + "node": ">= 10.14.2" + }, + "optionalDependencies": { + "fsevents": "^2.1.2" + } + }, + "node_modules/jest-jasmine2": { + "version": "26.6.3", + "resolved": "http://localhost:4873/jest-jasmine2/-/jest-jasmine2-26.6.3.tgz", + "integrity": "sha512-kPKUrQtc8aYwBV7CqBg5pu+tmYXlvFlSFYn18ev4gPFtrRzB15N2gW/Roew3187q2w2eHuu0MU9TJz6w0/nPEg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/traverse": "^7.1.0", + "@jest/environment": "^26.6.2", + "@jest/source-map": "^26.6.2", + "@jest/test-result": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/node": "*", + "chalk": "^4.0.0", + "co": "^4.6.0", + "expect": "^26.6.2", + "is-generator-fn": "^2.0.0", + "jest-each": "^26.6.2", + "jest-matcher-utils": "^26.6.2", + "jest-message-util": "^26.6.2", + "jest-runtime": "^26.6.3", + "jest-snapshot": "^26.6.2", + "jest-util": "^26.6.2", + "pretty-format": "^26.6.2", + "throat": "^5.0.0" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-jasmine2/node_modules/diff-sequences": { + "version": "26.6.2", + "resolved": "http://localhost:4873/diff-sequences/-/diff-sequences-26.6.2.tgz", + "integrity": "sha512-Mv/TDa3nZ9sbc5soK+OoA74BsS3mL37yixCvUAQkiuA4Wz6YtwP/K47n2rv2ovzHZvoiQeA5FTQOschKkEwB0Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-jasmine2/node_modules/expect": { + "version": "26.6.2", + "resolved": "http://localhost:4873/expect/-/expect-26.6.2.tgz", + "integrity": "sha512-9/hlOBkQl2l/PLHJx6JjoDF6xPKcJEsUlWKb23rKE7KzeDqUZKXKNMW27KIue5JMdBV9HgmoJPcc8HtO85t9IA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^26.6.2", + "ansi-styles": "^4.0.0", + "jest-get-type": "^26.3.0", + "jest-matcher-utils": "^26.6.2", + "jest-message-util": "^26.6.2", + "jest-regex-util": "^26.0.0" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-jasmine2/node_modules/jest-diff": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-diff/-/jest-diff-26.6.2.tgz", + "integrity": "sha512-6m+9Z3Gv9wN0WFVasqjCL/06+EFCMTqDEUl/b87HYK2rAPTyfz4ZIuSlPhY51PIQRWx5TaxeF1qmXKe9gfN3sA==", + "dev": true, + "license": "MIT", + "dependencies": { + "chalk": "^4.0.0", + "diff-sequences": "^26.6.2", + "jest-get-type": "^26.3.0", + "pretty-format": "^26.6.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-jasmine2/node_modules/jest-get-type": { + "version": "26.3.0", + "resolved": "http://localhost:4873/jest-get-type/-/jest-get-type-26.3.0.tgz", + "integrity": "sha512-TpfaviN1R2pQWkIihlfEanwOXK0zcxrKEE4MlU6Tn7keoXdN6/3gK/xl0yEh8DOunn5pOVGKf8hB4R9gVh04ig==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-jasmine2/node_modules/jest-matcher-utils": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-matcher-utils/-/jest-matcher-utils-26.6.2.tgz", + "integrity": "sha512-llnc8vQgYcNqDrqRDXWwMr9i7rS5XFiCwvh6DTP7Jqa2mqpcCBBlpCbn+trkG0KNhPu/h8rzyBkriOtBstvWhw==", + "dev": true, + "license": "MIT", + "dependencies": { + "chalk": "^4.0.0", + "jest-diff": "^26.6.2", + "jest-get-type": "^26.3.0", + "pretty-format": "^26.6.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-jasmine2/node_modules/jest-message-util": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-message-util/-/jest-message-util-26.6.2.tgz", + "integrity": "sha512-rGiLePzQ3AzwUshu2+Rn+UMFk0pHN58sOG+IaJbk5Jxuqo3NYO1U2/MIR4S1sKgsoYSXSzdtSa0TgrmtUwEbmA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/code-frame": "^7.0.0", + "@jest/types": "^26.6.2", + "@types/stack-utils": "^2.0.0", + "chalk": "^4.0.0", + "graceful-fs": "^4.2.4", + "micromatch": "^4.0.2", + "pretty-format": "^26.6.2", + "slash": "^3.0.0", + "stack-utils": "^2.0.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-jasmine2/node_modules/pretty-format": { + "version": "26.6.2", + "resolved": "http://localhost:4873/pretty-format/-/pretty-format-26.6.2.tgz", + "integrity": "sha512-7AeGuCYNGmycyQbCqd/3PWH4eOoX/OiCa0uphp57NVTeAGdJGaAliecxwBDHYQCIvrW7aDBZCYeNTP/WX69mkg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^26.6.2", + "ansi-regex": "^5.0.0", + "ansi-styles": "^4.0.0", + "react-is": "^17.0.1" + }, + "engines": { + "node": ">= 10" + } + }, + "node_modules/jest-jasmine2/node_modules/react-is": { + "version": "17.0.2", + "resolved": "http://localhost:4873/react-is/-/react-is-17.0.2.tgz", + "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==", + "dev": true, + "license": "MIT" + }, + "node_modules/jest-jasmine2/node_modules/slash": { + "version": "3.0.0", + "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", + "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/jest-leak-detector": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-leak-detector/-/jest-leak-detector-26.6.2.tgz", + "integrity": "sha512-i4xlXpsVSMeKvg2cEKdfhh0H39qlJlP5Ex1yQxwF9ubahboQYMgTtz5oML35AVA3B4Eu+YsmwaiKVev9KCvLxg==", + "dev": true, + "license": "MIT", + "dependencies": { + "jest-get-type": "^26.3.0", + "pretty-format": "^26.6.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-leak-detector/node_modules/jest-get-type": { + "version": "26.3.0", + "resolved": "http://localhost:4873/jest-get-type/-/jest-get-type-26.3.0.tgz", + "integrity": "sha512-TpfaviN1R2pQWkIihlfEanwOXK0zcxrKEE4MlU6Tn7keoXdN6/3gK/xl0yEh8DOunn5pOVGKf8hB4R9gVh04ig==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-leak-detector/node_modules/pretty-format": { + "version": "26.6.2", + "resolved": "http://localhost:4873/pretty-format/-/pretty-format-26.6.2.tgz", + "integrity": "sha512-7AeGuCYNGmycyQbCqd/3PWH4eOoX/OiCa0uphp57NVTeAGdJGaAliecxwBDHYQCIvrW7aDBZCYeNTP/WX69mkg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^26.6.2", + "ansi-regex": "^5.0.0", + "ansi-styles": "^4.0.0", + "react-is": "^17.0.1" + }, + "engines": { + "node": ">= 10" + } + }, + "node_modules/jest-leak-detector/node_modules/react-is": { + "version": "17.0.2", + "resolved": "http://localhost:4873/react-is/-/react-is-17.0.2.tgz", + "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==", + "dev": true, + "license": "MIT" + }, + "node_modules/jest-matcher-utils": { + "version": "29.7.0", + "resolved": "http://localhost:4873/jest-matcher-utils/-/jest-matcher-utils-29.7.0.tgz", + "integrity": "sha512-sBkD+Xi9DtcChsI3L3u0+N0opgPYnCRPtGcQYrgXmR+hmt/fYfWAL0xRXYU8eWOdfuLgBe0YCW3AFtnRLagq/g==", + "dev": true, + "license": "MIT", + "dependencies": { + "chalk": "^4.0.0", + "jest-diff": "^29.7.0", + "jest-get-type": "^29.6.3", + "pretty-format": "^29.7.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-matcher-utils/node_modules/ansi-styles": { + "version": "5.2.0", + "resolved": "http://localhost:4873/ansi-styles/-/ansi-styles-5.2.0.tgz", + "integrity": "sha512-Cxwpt2SfTzTtXcfOlzGEee8O+c+MmUgGrNiBcXnuWxuFJHe6a5Hz7qwhwe5OgaSYI0IJvkLqWX1ASG+cJOkEiA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/ansi-styles?sponsor=1" + } + }, + "node_modules/jest-matcher-utils/node_modules/pretty-format": { + "version": "29.7.0", + "resolved": "http://localhost:4873/pretty-format/-/pretty-format-29.7.0.tgz", + "integrity": "sha512-Pdlw/oPxN+aXdmM9R00JVC9WVFoCLTKJvDVLgmJ+qAffBMxsV85l/Lu7sNx4zSzPyoL2euImuEwHhOXdEgNFZQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/schemas": "^29.6.3", + "ansi-styles": "^5.0.0", + "react-is": "^18.0.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-matcher-utils/node_modules/react-is": { + "version": "18.3.1", + "resolved": "http://localhost:4873/react-is/-/react-is-18.3.1.tgz", + "integrity": "sha512-/LLMVyas0ljjAtoYiPqYiL8VWXzUUdThrmU5+n20DZv+a+ClRoevUzw5JxU+Ieh5/c87ytoTBV9G1FiKfNJdmg==", + "dev": true, + "license": "MIT" + }, + "node_modules/jest-message-util": { + "version": "29.7.0", + "resolved": "http://localhost:4873/jest-message-util/-/jest-message-util-29.7.0.tgz", + "integrity": "sha512-GBEV4GRADeP+qtB2+6u61stea8mGcOT4mCtrYISZwfu9/ISHFJ/5zOMXYbpBE9RsS5+Gb63DW4FgmnKJ79Kf6w==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/code-frame": "^7.12.13", + "@jest/types": "^29.6.3", + "@types/stack-utils": "^2.0.0", + "chalk": "^4.0.0", + "graceful-fs": "^4.2.9", + "micromatch": "^4.0.4", + "pretty-format": "^29.7.0", + "slash": "^3.0.0", + "stack-utils": "^2.0.3" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-message-util/node_modules/@jest/types": { + "version": "29.6.3", + "resolved": "http://localhost:4873/@jest/types/-/types-29.6.3.tgz", + "integrity": "sha512-u3UPsIilWKOM3F9CXtrG8LEJmNxwoCQC/XVj4IKYXvvpx7QIi/Kg1LI5uDmDpKlac62NUtX7eLjRh+jVZcLOzw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/schemas": "^29.6.3", + "@types/istanbul-lib-coverage": "^2.0.0", + "@types/istanbul-reports": "^3.0.0", + "@types/node": "*", + "@types/yargs": "^17.0.8", + "chalk": "^4.0.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-message-util/node_modules/@types/yargs": { + "version": "17.0.33", + "resolved": "http://localhost:4873/@types/yargs/-/yargs-17.0.33.tgz", + "integrity": "sha512-WpxBCKWPLr4xSsHgz511rFJAM+wS28w2zEO1QDNY5zM/S8ok70NNfztH0xwhqKyaK0OHCbN98LDAZuy1ctxDkA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/yargs-parser": "*" + } + }, + "node_modules/jest-message-util/node_modules/ansi-styles": { + "version": "5.2.0", + "resolved": "http://localhost:4873/ansi-styles/-/ansi-styles-5.2.0.tgz", + "integrity": "sha512-Cxwpt2SfTzTtXcfOlzGEee8O+c+MmUgGrNiBcXnuWxuFJHe6a5Hz7qwhwe5OgaSYI0IJvkLqWX1ASG+cJOkEiA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/ansi-styles?sponsor=1" + } + }, + "node_modules/jest-message-util/node_modules/pretty-format": { + "version": "29.7.0", + "resolved": "http://localhost:4873/pretty-format/-/pretty-format-29.7.0.tgz", + "integrity": "sha512-Pdlw/oPxN+aXdmM9R00JVC9WVFoCLTKJvDVLgmJ+qAffBMxsV85l/Lu7sNx4zSzPyoL2euImuEwHhOXdEgNFZQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/schemas": "^29.6.3", + "ansi-styles": "^5.0.0", + "react-is": "^18.0.0" + }, + "engines": { + "node": "^14.15.0 || ^16.10.0 || >=18.0.0" + } + }, + "node_modules/jest-message-util/node_modules/react-is": { + "version": "18.3.1", + "resolved": "http://localhost:4873/react-is/-/react-is-18.3.1.tgz", + "integrity": "sha512-/LLMVyas0ljjAtoYiPqYiL8VWXzUUdThrmU5+n20DZv+a+ClRoevUzw5JxU+Ieh5/c87ytoTBV9G1FiKfNJdmg==", + "dev": true, + "license": "MIT" + }, + "node_modules/jest-message-util/node_modules/slash": { + "version": "3.0.0", + "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", + "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/jest-mock": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-mock/-/jest-mock-26.6.2.tgz", + "integrity": "sha512-YyFjePHHp1LzpzYcmgqkJ0nm0gg/lJx2aZFzFy1S6eUqNjXsOqTK10zNRff2dNfssgokjkG65OlWNcIlgd3zew==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^26.6.2", + "@types/node": "*" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-pnp-resolver": { + "version": "1.2.3", + "resolved": "http://localhost:4873/jest-pnp-resolver/-/jest-pnp-resolver-1.2.3.tgz", + "integrity": "sha512-+3NpwQEnRoIBtx4fyhblQDPgJI0H1IEIkX7ShLUjPGA7TtUTvI1oiKi3SR4oBR0hQhQR80l4WAe5RrXBwWMA8w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + }, + "peerDependencies": { + "jest-resolve": "*" + }, + "peerDependenciesMeta": { + "jest-resolve": { + "optional": true + } + } + }, + "node_modules/jest-regex-util": { + "version": "26.0.0", + "resolved": "http://localhost:4873/jest-regex-util/-/jest-regex-util-26.0.0.tgz", + "integrity": "sha512-Gv3ZIs/nA48/Zvjrl34bf+oD76JHiGDUxNOVgUjh3j890sblXryjY4rss71fPtD/njchl6PSE2hIhvyWa1eT0A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-resolve": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-resolve/-/jest-resolve-26.6.2.tgz", + "integrity": "sha512-sOxsZOq25mT1wRsfHcbtkInS+Ek7Q8jCHUB0ZUTP0tc/c41QHriU/NunqMfCUWsL4H3MHpvQD4QR9kSYhS7UvQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^26.6.2", + "chalk": "^4.0.0", + "graceful-fs": "^4.2.4", + "jest-pnp-resolver": "^1.2.2", + "jest-util": "^26.6.2", + "read-pkg-up": "^7.0.1", + "resolve": "^1.18.1", + "slash": "^3.0.0" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-resolve-dependencies": { + "version": "26.6.3", + "resolved": "http://localhost:4873/jest-resolve-dependencies/-/jest-resolve-dependencies-26.6.3.tgz", + "integrity": "sha512-pVwUjJkxbhe4RY8QEWzN3vns2kqyuldKpxlxJlzEYfKSvY6/bMvxoFrYYzUO1Gx28yKWN37qyV7rIoIp2h8fTg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^26.6.2", + "jest-regex-util": "^26.0.0", + "jest-snapshot": "^26.6.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-resolve/node_modules/slash": { + "version": "3.0.0", + "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", + "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/jest-runner": { + "version": "26.6.3", + "resolved": "http://localhost:4873/jest-runner/-/jest-runner-26.6.3.tgz", + "integrity": "sha512-atgKpRHnaA2OvByG/HpGA4g6CSPS/1LK0jK3gATJAoptC1ojltpmVlYC3TYgdmGp+GLuhzpH30Gvs36szSL2JQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/console": "^26.6.2", + "@jest/environment": "^26.6.2", + "@jest/test-result": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/node": "*", + "chalk": "^4.0.0", + "emittery": "^0.7.1", + "exit": "^0.1.2", + "graceful-fs": "^4.2.4", + "jest-config": "^26.6.3", + "jest-docblock": "^26.0.0", + "jest-haste-map": "^26.6.2", + "jest-leak-detector": "^26.6.2", + "jest-message-util": "^26.6.2", + "jest-resolve": "^26.6.2", + "jest-runtime": "^26.6.3", + "jest-util": "^26.6.2", + "jest-worker": "^26.6.2", + "source-map-support": "^0.5.6", + "throat": "^5.0.0" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-runner/node_modules/jest-message-util": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-message-util/-/jest-message-util-26.6.2.tgz", + "integrity": "sha512-rGiLePzQ3AzwUshu2+Rn+UMFk0pHN58sOG+IaJbk5Jxuqo3NYO1U2/MIR4S1sKgsoYSXSzdtSa0TgrmtUwEbmA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/code-frame": "^7.0.0", + "@jest/types": "^26.6.2", + "@types/stack-utils": "^2.0.0", + "chalk": "^4.0.0", + "graceful-fs": "^4.2.4", + "micromatch": "^4.0.2", + "pretty-format": "^26.6.2", + "slash": "^3.0.0", + "stack-utils": "^2.0.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-runner/node_modules/pretty-format": { + "version": "26.6.2", + "resolved": "http://localhost:4873/pretty-format/-/pretty-format-26.6.2.tgz", + "integrity": "sha512-7AeGuCYNGmycyQbCqd/3PWH4eOoX/OiCa0uphp57NVTeAGdJGaAliecxwBDHYQCIvrW7aDBZCYeNTP/WX69mkg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^26.6.2", + "ansi-regex": "^5.0.0", + "ansi-styles": "^4.0.0", + "react-is": "^17.0.1" + }, + "engines": { + "node": ">= 10" + } + }, + "node_modules/jest-runner/node_modules/react-is": { + "version": "17.0.2", + "resolved": "http://localhost:4873/react-is/-/react-is-17.0.2.tgz", + "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==", + "dev": true, + "license": "MIT" + }, + "node_modules/jest-runner/node_modules/slash": { + "version": "3.0.0", + "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", + "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/jest-runtime": { + "version": "26.6.3", + "resolved": "http://localhost:4873/jest-runtime/-/jest-runtime-26.6.3.tgz", + "integrity": "sha512-lrzyR3N8sacTAMeonbqpnSka1dHNux2uk0qqDXVkMv2c/A3wYnvQ4EXuI013Y6+gSKSCxdaczvf4HF0mVXHRdw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/console": "^26.6.2", + "@jest/environment": "^26.6.2", + "@jest/fake-timers": "^26.6.2", + "@jest/globals": "^26.6.2", + "@jest/source-map": "^26.6.2", + "@jest/test-result": "^26.6.2", + "@jest/transform": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/yargs": "^15.0.0", + "chalk": "^4.0.0", + "cjs-module-lexer": "^0.6.0", + "collect-v8-coverage": "^1.0.0", + "exit": "^0.1.2", + "glob": "^7.1.3", + "graceful-fs": "^4.2.4", + "jest-config": "^26.6.3", + "jest-haste-map": "^26.6.2", + "jest-message-util": "^26.6.2", + "jest-mock": "^26.6.2", + "jest-regex-util": "^26.0.0", + "jest-resolve": "^26.6.2", + "jest-snapshot": "^26.6.2", + "jest-util": "^26.6.2", + "jest-validate": "^26.6.2", + "slash": "^3.0.0", + "strip-bom": "^4.0.0", + "yargs": "^15.4.1" + }, + "bin": { + "jest-runtime": "bin/jest-runtime.js" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-runtime/node_modules/jest-message-util": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-message-util/-/jest-message-util-26.6.2.tgz", + "integrity": "sha512-rGiLePzQ3AzwUshu2+Rn+UMFk0pHN58sOG+IaJbk5Jxuqo3NYO1U2/MIR4S1sKgsoYSXSzdtSa0TgrmtUwEbmA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/code-frame": "^7.0.0", + "@jest/types": "^26.6.2", + "@types/stack-utils": "^2.0.0", + "chalk": "^4.0.0", + "graceful-fs": "^4.2.4", + "micromatch": "^4.0.2", + "pretty-format": "^26.6.2", + "slash": "^3.0.0", + "stack-utils": "^2.0.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-runtime/node_modules/pretty-format": { + "version": "26.6.2", + "resolved": "http://localhost:4873/pretty-format/-/pretty-format-26.6.2.tgz", + "integrity": "sha512-7AeGuCYNGmycyQbCqd/3PWH4eOoX/OiCa0uphp57NVTeAGdJGaAliecxwBDHYQCIvrW7aDBZCYeNTP/WX69mkg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^26.6.2", + "ansi-regex": "^5.0.0", + "ansi-styles": "^4.0.0", + "react-is": "^17.0.1" + }, + "engines": { + "node": ">= 10" + } + }, + "node_modules/jest-runtime/node_modules/react-is": { + "version": "17.0.2", + "resolved": "http://localhost:4873/react-is/-/react-is-17.0.2.tgz", + "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==", + "dev": true, + "license": "MIT" + }, + "node_modules/jest-runtime/node_modules/slash": { + "version": "3.0.0", + "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", + "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/jest-serializer": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-serializer/-/jest-serializer-26.6.2.tgz", + "integrity": "sha512-S5wqyz0DXnNJPd/xfIzZ5Xnp1HrJWBczg8mMfMpN78OJ5eDxXyf+Ygld9wX1DnUWbIbhM1YDY95NjR4CBXkb2g==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/node": "*", + "graceful-fs": "^4.2.4" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-snapshot": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-snapshot/-/jest-snapshot-26.6.2.tgz", + "integrity": "sha512-OLhxz05EzUtsAmOMzuupt1lHYXCNib0ECyuZ/PZOx9TrZcC8vL0x+DUG3TL+GLX3yHG45e6YGjIm0XwDc3q3og==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/types": "^7.0.0", + "@jest/types": "^26.6.2", + "@types/babel__traverse": "^7.0.4", + "@types/prettier": "^2.0.0", + "chalk": "^4.0.0", + "expect": "^26.6.2", + "graceful-fs": "^4.2.4", + "jest-diff": "^26.6.2", + "jest-get-type": "^26.3.0", + "jest-haste-map": "^26.6.2", + "jest-matcher-utils": "^26.6.2", + "jest-message-util": "^26.6.2", + "jest-resolve": "^26.6.2", + "natural-compare": "^1.4.0", + "pretty-format": "^26.6.2", + "semver": "^7.3.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-snapshot/node_modules/diff-sequences": { + "version": "26.6.2", + "resolved": "http://localhost:4873/diff-sequences/-/diff-sequences-26.6.2.tgz", + "integrity": "sha512-Mv/TDa3nZ9sbc5soK+OoA74BsS3mL37yixCvUAQkiuA4Wz6YtwP/K47n2rv2ovzHZvoiQeA5FTQOschKkEwB0Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-snapshot/node_modules/expect": { + "version": "26.6.2", + "resolved": "http://localhost:4873/expect/-/expect-26.6.2.tgz", + "integrity": "sha512-9/hlOBkQl2l/PLHJx6JjoDF6xPKcJEsUlWKb23rKE7KzeDqUZKXKNMW27KIue5JMdBV9HgmoJPcc8HtO85t9IA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^26.6.2", + "ansi-styles": "^4.0.0", + "jest-get-type": "^26.3.0", + "jest-matcher-utils": "^26.6.2", + "jest-message-util": "^26.6.2", + "jest-regex-util": "^26.0.0" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-snapshot/node_modules/jest-diff": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-diff/-/jest-diff-26.6.2.tgz", + "integrity": "sha512-6m+9Z3Gv9wN0WFVasqjCL/06+EFCMTqDEUl/b87HYK2rAPTyfz4ZIuSlPhY51PIQRWx5TaxeF1qmXKe9gfN3sA==", + "dev": true, + "license": "MIT", + "dependencies": { + "chalk": "^4.0.0", + "diff-sequences": "^26.6.2", + "jest-get-type": "^26.3.0", + "pretty-format": "^26.6.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-snapshot/node_modules/jest-get-type": { + "version": "26.3.0", + "resolved": "http://localhost:4873/jest-get-type/-/jest-get-type-26.3.0.tgz", + "integrity": "sha512-TpfaviN1R2pQWkIihlfEanwOXK0zcxrKEE4MlU6Tn7keoXdN6/3gK/xl0yEh8DOunn5pOVGKf8hB4R9gVh04ig==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-snapshot/node_modules/jest-matcher-utils": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-matcher-utils/-/jest-matcher-utils-26.6.2.tgz", + "integrity": "sha512-llnc8vQgYcNqDrqRDXWwMr9i7rS5XFiCwvh6DTP7Jqa2mqpcCBBlpCbn+trkG0KNhPu/h8rzyBkriOtBstvWhw==", + "dev": true, + "license": "MIT", + "dependencies": { + "chalk": "^4.0.0", + "jest-diff": "^26.6.2", + "jest-get-type": "^26.3.0", + "pretty-format": "^26.6.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-snapshot/node_modules/jest-message-util": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-message-util/-/jest-message-util-26.6.2.tgz", + "integrity": "sha512-rGiLePzQ3AzwUshu2+Rn+UMFk0pHN58sOG+IaJbk5Jxuqo3NYO1U2/MIR4S1sKgsoYSXSzdtSa0TgrmtUwEbmA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/code-frame": "^7.0.0", + "@jest/types": "^26.6.2", + "@types/stack-utils": "^2.0.0", + "chalk": "^4.0.0", + "graceful-fs": "^4.2.4", + "micromatch": "^4.0.2", + "pretty-format": "^26.6.2", + "slash": "^3.0.0", + "stack-utils": "^2.0.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-snapshot/node_modules/pretty-format": { + "version": "26.6.2", + "resolved": "http://localhost:4873/pretty-format/-/pretty-format-26.6.2.tgz", + "integrity": "sha512-7AeGuCYNGmycyQbCqd/3PWH4eOoX/OiCa0uphp57NVTeAGdJGaAliecxwBDHYQCIvrW7aDBZCYeNTP/WX69mkg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^26.6.2", + "ansi-regex": "^5.0.0", + "ansi-styles": "^4.0.0", + "react-is": "^17.0.1" + }, + "engines": { + "node": ">= 10" + } + }, + "node_modules/jest-snapshot/node_modules/react-is": { + "version": "17.0.2", + "resolved": "http://localhost:4873/react-is/-/react-is-17.0.2.tgz", + "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==", + "dev": true, + "license": "MIT" + }, + "node_modules/jest-snapshot/node_modules/slash": { + "version": "3.0.0", + "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", + "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/jest-util": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-util/-/jest-util-26.6.2.tgz", + "integrity": "sha512-MDW0fKfsn0OI7MS7Euz6h8HNDXVQ0gaM9uW6RjfDmd1DAFcaxX9OqIakHIqhbnmF08Cf2DLDG+ulq8YQQ0Lp0Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^26.6.2", + "@types/node": "*", + "chalk": "^4.0.0", + "graceful-fs": "^4.2.4", + "is-ci": "^2.0.0", + "micromatch": "^4.0.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-validate": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-validate/-/jest-validate-26.6.2.tgz", + "integrity": "sha512-NEYZ9Aeyj0i5rQqbq+tpIOom0YS1u2MVu6+euBsvpgIme+FOfRmoC4R5p0JiAUpaFvFy24xgrpMknarR/93XjQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^26.6.2", + "camelcase": "^6.0.0", + "chalk": "^4.0.0", + "jest-get-type": "^26.3.0", + "leven": "^3.1.0", + "pretty-format": "^26.6.2" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-validate/node_modules/camelcase": { + "version": "6.3.0", + "resolved": "http://localhost:4873/camelcase/-/camelcase-6.3.0.tgz", + "integrity": "sha512-Gmy6FhYlCY7uOElZUSbxo2UCDH8owEk996gkbrpsgGtrJLM3J7jGxl9Ic7Qwwj4ivOE5AWZWRMecDdF7hqGjFA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/jest-validate/node_modules/jest-get-type": { + "version": "26.3.0", + "resolved": "http://localhost:4873/jest-get-type/-/jest-get-type-26.3.0.tgz", + "integrity": "sha512-TpfaviN1R2pQWkIihlfEanwOXK0zcxrKEE4MlU6Tn7keoXdN6/3gK/xl0yEh8DOunn5pOVGKf8hB4R9gVh04ig==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-validate/node_modules/pretty-format": { + "version": "26.6.2", + "resolved": "http://localhost:4873/pretty-format/-/pretty-format-26.6.2.tgz", + "integrity": "sha512-7AeGuCYNGmycyQbCqd/3PWH4eOoX/OiCa0uphp57NVTeAGdJGaAliecxwBDHYQCIvrW7aDBZCYeNTP/WX69mkg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/types": "^26.6.2", + "ansi-regex": "^5.0.0", + "ansi-styles": "^4.0.0", + "react-is": "^17.0.1" + }, + "engines": { + "node": ">= 10" + } + }, + "node_modules/jest-validate/node_modules/react-is": { + "version": "17.0.2", + "resolved": "http://localhost:4873/react-is/-/react-is-17.0.2.tgz", + "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==", + "dev": true, + "license": "MIT" + }, + "node_modules/jest-watcher": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-watcher/-/jest-watcher-26.6.2.tgz", + "integrity": "sha512-WKJob0P/Em2csiVthsI68p6aGKTIcsfjH9Gsx1f0A3Italz43e3ho0geSAVsmj09RWOELP1AZ/DXyJgOgDKxXQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jest/test-result": "^26.6.2", + "@jest/types": "^26.6.2", + "@types/node": "*", + "ansi-escapes": "^4.2.1", + "chalk": "^4.0.0", + "jest-util": "^26.6.2", + "string-length": "^4.0.1" + }, + "engines": { + "node": ">= 10.14.2" + } + }, + "node_modules/jest-watcher/node_modules/ansi-escapes": { + "version": "4.3.2", + "resolved": "http://localhost:4873/ansi-escapes/-/ansi-escapes-4.3.2.tgz", + "integrity": "sha512-gKXj5ALrKWQLsYG9jlTRmR/xKluxHV+Z9QEwNIgCfM1/uwPMCuzVVnh5mwTd+OuBZcwSIMbqssNWRm1lE51QaQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "type-fest": "^0.21.3" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/jest-watcher/node_modules/type-fest": { + "version": "0.21.3", + "resolved": "http://localhost:4873/type-fest/-/type-fest-0.21.3.tgz", + "integrity": "sha512-t0rzBq87m3fVcduHDUFhKmyyX+9eo6WQjZvf51Ea/M0Q7+T374Jp1aUiyUl0GKxp8M/OETVHSDvmkyPgvX+X2w==", + "dev": true, + "license": "(MIT OR CC0-1.0)", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/jest-worker": { + "version": "26.6.2", + "resolved": "http://localhost:4873/jest-worker/-/jest-worker-26.6.2.tgz", + "integrity": "sha512-KWYVV1c4i+jbMpaBC+U++4Va0cp8OisU185o73T1vo99hqi7w8tSJfUXYswwqqrjzwxa6KpRK54WhPvwf5w6PQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/node": "*", + "merge-stream": "^2.0.0", + "supports-color": "^7.0.0" + }, + "engines": { + "node": ">= 10.13.0" + } + }, + "node_modules/jmespath": { + "version": "0.16.0", + "resolved": "http://localhost:4873/jmespath/-/jmespath-0.16.0.tgz", + "integrity": "sha512-9FzQjJ7MATs1tSpnco1K6ayiYE3figslrXA72G2HQ/n76RzvYlofyi5QM+iX4YRs/pu3yzxlVQSST23+dMDknw==", + "dev": true, + "license": "Apache-2.0", + "engines": { + "node": ">= 0.6.0" + } + }, + "node_modules/jose": { + "version": "4.15.9", + "resolved": "http://localhost:4873/jose/-/jose-4.15.9.tgz", + "integrity": "sha512-1vUQX+IdDMVPj4k8kOxgUqlcK518yluMuGZwqlr44FS1ppZB/5GWh4rZG89erpOBOJjU/OBsnCVFfapsRz6nEA==", + "dev": true, + "license": "MIT", + "funding": { + "url": "https://github.com/sponsors/panva" + } + }, + "node_modules/jpeg-js": { + "version": "0.4.4", + "resolved": "http://localhost:4873/jpeg-js/-/jpeg-js-0.4.4.tgz", + "integrity": "sha512-WZzeDOEtTOBK4Mdsar0IqEU5sMr3vSV2RqkAIzUEV2BHnUfKGyswWFPFwK5EeDo93K3FohSHbLAjj0s1Wzd+dg==", + "dev": true, + "license": "BSD-3-Clause" + }, + "node_modules/js-base64": { + "version": "2.6.4", + "resolved": "http://localhost:4873/js-base64/-/js-base64-2.6.4.tgz", + "integrity": "sha512-pZe//GGmwJndub7ZghVHz7vjb2LgC1m8B07Au3eYqeqv9emhESByMXxaEgkUkEqJe87oBbSniGYoQNIBklc7IQ==", + "dev": true, + "license": "BSD-3-Clause" + }, + "node_modules/js-cookie": { + "version": "3.0.5", + "resolved": "http://localhost:4873/js-cookie/-/js-cookie-3.0.5.tgz", + "integrity": "sha512-cEiJEAEoIbWfCZYKWhVwFuvPX1gETRYPw6LlaTKoxD3s2AkXzkCjnp6h0V77ozyqj0jakteJ4YqDJT830+lVGw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=14" + } + }, + "node_modules/js-levenshtein": { + "version": "1.1.6", + "resolved": "http://localhost:4873/js-levenshtein/-/js-levenshtein-1.1.6.tgz", + "integrity": "sha512-X2BB11YZtrRqY4EnQcLX5Rh373zbK4alC1FW7D7MBhL2gtcC17cTnr6DmfHZeS0s2rTHjUTMMHfG7gO8SSdw+g==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/js-library-detector": { + "version": "6.7.0", + "resolved": "http://localhost:4873/js-library-detector/-/js-library-detector-6.7.0.tgz", + "integrity": "sha512-c80Qupofp43y4cJ7+8TTDN/AsDwLi5oOm/plBrWI+iQt485vKXCco+yVmOwEgdo9VOdsYTuV0UlTeetVPTriXA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=12" + } + }, + "node_modules/js-tokens": { + "version": "4.0.0", + "resolved": "http://localhost:4873/js-tokens/-/js-tokens-4.0.0.tgz", + "integrity": "sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/js-yaml": { + "version": "3.14.1", + "resolved": "http://localhost:4873/js-yaml/-/js-yaml-3.14.1.tgz", + "integrity": "sha512-okMH7OXXJ7YrN9Ok3/SXrnu4iX9yOk+25nqX4imS2npuvTYDmo/QEZoqwZkYaIDk3jVvBOTOIEgEhaLOynBS9g==", + "dev": true, + "license": "MIT", + "dependencies": { + "argparse": "^1.0.7", + "esprima": "^4.0.0" + }, + "bin": { + "js-yaml": "bin/js-yaml.js" + } + }, + "node_modules/jsdom": { + "version": "16.7.0", + "resolved": "http://localhost:4873/jsdom/-/jsdom-16.7.0.tgz", + "integrity": "sha512-u9Smc2G1USStM+s/x1ru5Sxrl6mPYCbByG1U/hUmqaVsm4tbNyS7CicOSRyuGQYZhTu0h84qkZZQ/I+dzizSVw==", + "dev": true, + "license": "MIT", + "dependencies": { + "abab": "^2.0.5", + "acorn": "^8.2.4", + "acorn-globals": "^6.0.0", + "cssom": "^0.4.4", + "cssstyle": "^2.3.0", + "data-urls": "^2.0.0", + "decimal.js": "^10.2.1", + "domexception": "^2.0.1", + "escodegen": "^2.0.0", + "form-data": "^3.0.0", + "html-encoding-sniffer": "^2.0.1", + "http-proxy-agent": "^4.0.1", + "https-proxy-agent": "^5.0.0", + "is-potential-custom-element-name": "^1.0.1", + "nwsapi": "^2.2.0", + "parse5": "6.0.1", + "saxes": "^5.0.1", + "symbol-tree": "^3.2.4", + "tough-cookie": "^4.0.0", + "w3c-hr-time": "^1.0.2", + "w3c-xmlserializer": "^2.0.0", + "webidl-conversions": "^6.1.0", + "whatwg-encoding": "^1.0.5", + "whatwg-mimetype": "^2.3.0", + "whatwg-url": "^8.5.0", + "ws": "^7.4.6", + "xml-name-validator": "^3.0.0" + }, + "engines": { + "node": ">=10" + }, + "peerDependencies": { + "canvas": "^2.5.0" + }, + "peerDependenciesMeta": { + "canvas": { + "optional": true + } + } + }, + "node_modules/jsdom/node_modules/ws": { + "version": "7.5.10", + "resolved": "http://localhost:4873/ws/-/ws-7.5.10.tgz", + "integrity": "sha512-+dbF1tHwZpXcbOJdVOkzLDxZP1ailvSxM6ZweXTegylPny803bFhA+vqBYw4s31NSAk4S2Qz+AKXK9a4wkdjcQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8.3.0" + }, + "peerDependencies": { + "bufferutil": "^4.0.1", + "utf-8-validate": "^5.0.2" + }, + "peerDependenciesMeta": { + "bufferutil": { + "optional": true + }, + "utf-8-validate": { + "optional": true + } + } + }, + "node_modules/jsesc": { + "version": "3.1.0", + "resolved": "http://localhost:4873/jsesc/-/jsesc-3.1.0.tgz", + "integrity": "sha512-/sM3dO2FOzXjKQhJuo0Q173wf2KOo8t4I8vHy6lF9poUp7bKT0/NHE8fPX23PwfhnykfqnC2xRxOnVw5XuGIaA==", + "dev": true, + "license": "MIT", + "bin": { + "jsesc": "bin/jsesc" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/json-buffer": { + "version": "3.0.1", + "resolved": "http://localhost:4873/json-buffer/-/json-buffer-3.0.1.tgz", + "integrity": "sha512-4bV5BfR2mqfQTJm+V5tPPdf+ZpuhiIvTuAB5g8kcrXOZpTT/QwwVRWBywX1ozr6lEuPdbHxwaJlm9G6mI2sfSQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/json-parse-better-errors": { + "version": "1.0.2", + "resolved": "http://localhost:4873/json-parse-better-errors/-/json-parse-better-errors-1.0.2.tgz", + "integrity": "sha512-mrqyZKfX5EhL7hvqcV6WG1yYjnjeuYDzDhhcAAUrq8Po85NBQBJP+ZDUT75qZQ98IkUoBqdkExkukOU7Ts2wrw==", + "dev": true, + "license": "MIT" + }, + "node_modules/json-parse-even-better-errors": { + "version": "2.3.1", + "resolved": "http://localhost:4873/json-parse-even-better-errors/-/json-parse-even-better-errors-2.3.1.tgz", + "integrity": "sha512-xyFwyhro/JEof6Ghe2iz2NcXoj2sloNsWr/XsERDK/oiPCfaNhl5ONfp+jQdAZRQQ0IJWNzH9zIZF7li91kh2w==", + "dev": true, + "license": "MIT" + }, + "node_modules/json-schema-traverse": { + "version": "0.4.1", + "resolved": "http://localhost:4873/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz", + "integrity": "sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==", + "dev": true, + "license": "MIT" + }, + "node_modules/json-stable-stringify": { + "version": "1.3.0", + "resolved": "http://localhost:4873/json-stable-stringify/-/json-stable-stringify-1.3.0.tgz", + "integrity": "sha512-qtYiSSFlwot9XHtF9bD9c7rwKjr+RecWT//ZnPvSmEjpV5mmPOCN4j8UjY5hbjNkOwZ/jQv3J6R1/pL7RwgMsg==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind": "^1.0.8", + "call-bound": "^1.0.4", + "isarray": "^2.0.5", + "jsonify": "^0.0.1", + "object-keys": "^1.1.1" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/json-stable-stringify-without-jsonify": { + "version": "1.0.1", + "resolved": "http://localhost:4873/json-stable-stringify-without-jsonify/-/json-stable-stringify-without-jsonify-1.0.1.tgz", + "integrity": "sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==", + "dev": true, + "license": "MIT" + }, + "node_modules/json-stable-stringify/node_modules/isarray": { + "version": "2.0.5", + "resolved": "http://localhost:4873/isarray/-/isarray-2.0.5.tgz", + "integrity": "sha512-xHjhDr3cNBK0BzdUJSPXZntQUx/mwMS5Rw4A7lPJ90XGAO6ISP/ePDNuo0vhqOZU+UD5JoodwCAAoZQd3FeAKw==", + "dev": true, + "license": "MIT" + }, + "node_modules/json5": { + "version": "2.2.3", + "resolved": "http://localhost:4873/json5/-/json5-2.2.3.tgz", + "integrity": "sha512-XmOWe7eyHYH14cLdVPoyg+GOH3rYX++KpzrylJwSW98t3Nk+U8XOl8FWKOgwtzdb8lXGf6zYwDUzeHMWfxasyg==", + "dev": true, + "license": "MIT", + "bin": { + "json5": "lib/cli.js" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/jsonfile": { + "version": "6.1.0", + "resolved": "http://localhost:4873/jsonfile/-/jsonfile-6.1.0.tgz", + "integrity": "sha512-5dgndWOriYSm5cnYaJNhalLNDKOqFwyDB/rr1E9ZsGciGvKPs8R2xYGCacuf3z6K1YKDz182fd+fY3cn3pMqXQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "universalify": "^2.0.0" + }, + "optionalDependencies": { + "graceful-fs": "^4.1.6" + } + }, + "node_modules/jsonify": { + "version": "0.0.1", + "resolved": "http://localhost:4873/jsonify/-/jsonify-0.0.1.tgz", + "integrity": "sha512-2/Ki0GcmuqSrgFyelQq9M05y7PS0mEwuIzrf3f1fPqkVDVRvZrPZtVSMHxdgo8Aq0sxAOb/cr2aqqA3LeWHVPg==", + "dev": true, + "license": "Public Domain", + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/jsonwebtoken": { + "version": "9.0.2", + "resolved": "http://localhost:4873/jsonwebtoken/-/jsonwebtoken-9.0.2.tgz", + "integrity": "sha512-PRp66vJ865SSqOlgqS8hujT5U4AOgMfhrwYIuIhfKaoSCZcirrmASQr8CX7cUg+RMih+hgznrjp99o+W4pJLHQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "jws": "^3.2.2", + "lodash.includes": "^4.3.0", + "lodash.isboolean": "^3.0.3", + "lodash.isinteger": "^4.0.4", + "lodash.isnumber": "^3.0.3", + "lodash.isplainobject": "^4.0.6", + "lodash.isstring": "^4.0.1", + "lodash.once": "^4.0.0", + "ms": "^2.1.1", + "semver": "^7.5.4" + }, + "engines": { + "node": ">=12", + "npm": ">=6" + } + }, + "node_modules/jsx-ast-utils": { + "version": "3.3.5", + "resolved": "http://localhost:4873/jsx-ast-utils/-/jsx-ast-utils-3.3.5.tgz", + "integrity": "sha512-ZZow9HBI5O6EPgSJLUb8n2NKgmVWTwCvHGwFuJlMjvLFqlGG6pjirPhtdsseaLZjSibD8eegzmYpUZwoIlj2cQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "array-includes": "^3.1.6", + "array.prototype.flat": "^1.3.1", + "object.assign": "^4.1.4", + "object.values": "^1.1.6" + }, + "engines": { + "node": ">=4.0" + } + }, + "node_modules/jwa": { + "version": "1.4.2", + "resolved": "http://localhost:4873/jwa/-/jwa-1.4.2.tgz", + "integrity": "sha512-eeH5JO+21J78qMvTIDdBXidBd6nG2kZjg5Ohz/1fpa28Z4CcsWUzJ1ZZyFq/3z3N17aZy+ZuBoHljASbL1WfOw==", + "dev": true, + "license": "MIT", + "dependencies": { + "buffer-equal-constant-time": "^1.0.1", + "ecdsa-sig-formatter": "1.0.11", + "safe-buffer": "^5.0.1" + } + }, + "node_modules/jws": { + "version": "3.2.2", + "resolved": "http://localhost:4873/jws/-/jws-3.2.2.tgz", + "integrity": "sha512-YHlZCB6lMTllWDtSPHz/ZXTsi8S00usEV6v1tjq8tOUZzw7DpSDWVXjXDre6ed1w/pd495ODpHZYSdkRTsa0HA==", + "dev": true, + "license": "MIT", + "dependencies": { + "jwa": "^1.4.1", + "safe-buffer": "^5.0.1" + } + }, + "node_modules/jwt-decode": { + "version": "4.0.0", + "resolved": "http://localhost:4873/jwt-decode/-/jwt-decode-4.0.0.tgz", + "integrity": "sha512-+KJGIyHgkGuIq3IEBNftfhW/LfWhXUIY6OmyVWjliu5KH1y0fw7VQ8YndE2O4qZdMSd9SqbnC8GOcZEy0Om7sA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=18" + } + }, + "node_modules/keyv": { + "version": "4.5.4", + "resolved": "http://localhost:4873/keyv/-/keyv-4.5.4.tgz", + "integrity": "sha512-oxVHkHR/EJf2CNXnWxRLW6mg7JyCCUcG0DtEGmL2ctUo1PNTin1PUil+r/+4r5MpVgC/fn1kjsx7mjSujKqIpw==", + "dev": true, + "license": "MIT", + "dependencies": { + "json-buffer": "3.0.1" + } + }, + "node_modules/kind-of": { + "version": "6.0.3", + "resolved": "http://localhost:4873/kind-of/-/kind-of-6.0.3.tgz", + "integrity": "sha512-dcS1ul+9tmeD95T+x28/ehLgd9mENa3LsvDTtzm3vyBEO7RPptvAD+t44WVXaUjTBRcrpFeFlC8WCruUR456hw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/kleur": { + "version": "3.0.3", + "resolved": "http://localhost:4873/kleur/-/kleur-3.0.3.tgz", + "integrity": "sha512-eTIzlVOSUR+JxdDFepEYcBMtZ9Qqdef+rnzWdRZuMbOywu5tO2w2N7rqjoANZ5k9vywhL6Br1VRjUIgTQx4E8w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/language-subtag-registry": { + "version": "0.3.23", + "resolved": "http://localhost:4873/language-subtag-registry/-/language-subtag-registry-0.3.23.tgz", + "integrity": "sha512-0K65Lea881pHotoGEa5gDlMxt3pctLi2RplBb7Ezh4rRdLEOtgi7n4EwK9lamnUCkKBqaeKRVebTq6BAxSkpXQ==", + "dev": true, + "license": "CC0-1.0" + }, + "node_modules/language-tags": { + "version": "1.0.5", + "resolved": "http://localhost:4873/language-tags/-/language-tags-1.0.5.tgz", + "integrity": "sha512-qJhlO9cGXi6hBGKoxEG/sKZDAHD5Hnu9Hs4WbOY3pCWXDhw0N8x1NenNzm2EnNLkLkk7J2SdxAkDSbb6ftT+UQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "language-subtag-registry": "~0.3.2" + } + }, + "node_modules/lazystream": { + "version": "1.0.1", + "resolved": "http://localhost:4873/lazystream/-/lazystream-1.0.1.tgz", + "integrity": "sha512-b94GiNHQNy6JNTrt5w6zNyffMrNkXZb3KTkCZJb2V1xaEGCk093vkZ2jk3tpaeP33/OiXC+WvK9AxUebnf5nbw==", + "dev": true, + "license": "MIT", + "dependencies": { + "readable-stream": "^2.0.5" + }, + "engines": { + "node": ">= 0.6.3" + } + }, + "node_modules/leven": { + "version": "3.1.0", + "resolved": "http://localhost:4873/leven/-/leven-3.1.0.tgz", + "integrity": "sha512-qsda+H8jTaUaN/x5vzW2rzc+8Rw4TAQ/4KjB46IwK5VH+IlVeeeje/EoZRpiXvIqjFgK84QffqPztGI3VBLG1A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/levn": { + "version": "0.4.1", + "resolved": "http://localhost:4873/levn/-/levn-0.4.1.tgz", + "integrity": "sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "prelude-ls": "^1.2.1", + "type-check": "~0.4.0" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/lighthouse": { + "version": "9.6.8", + "resolved": "http://localhost:4873/lighthouse/-/lighthouse-9.6.8.tgz", + "integrity": "sha512-5aRSvnqazci8D2oE7GJM6C7IStvUuMVV+74cGyBuS4n4NCixsDd6+uJdX834XiInSfo+OuVbAJCX4Xu6d2+N9Q==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "@sentry/node": "^6.17.4", + "axe-core": "4.4.1", + "chrome-launcher": "^0.15.0", + "configstore": "^5.0.1", + "csp_evaluator": "1.1.1", + "cssstyle": "1.2.1", + "enquirer": "^2.3.6", + "http-link-header": "^0.8.0", + "intl-messageformat": "^4.4.0", + "jpeg-js": "^0.4.3", + "js-library-detector": "^6.5.0", + "lighthouse-logger": "^1.3.0", + "lighthouse-stack-packs": "1.8.2", + "lodash": "^4.17.21", + "lookup-closest-locale": "6.2.0", + "metaviewport-parser": "0.2.0", + "open": "^8.4.0", + "parse-cache-control": "1.0.1", + "ps-list": "^8.0.0", + "puppeteer-core": "^13.7.0", + "robots-parser": "^3.0.0", + "semver": "^5.3.0", + "speedline-core": "^1.4.3", + "third-party-web": "^0.17.1", + "ws": "^7.0.0", + "yargs": "^17.3.1", + "yargs-parser": "^21.0.0" + }, + "bin": { + "chrome-debug": "lighthouse-core/scripts/manual-chrome-launcher.js", + "lighthouse": "lighthouse-cli/index.js", + "smokehouse": "lighthouse-cli/test/smokehouse/frontends/smokehouse-bin.js" + }, + "engines": { + "node": ">=14.15" + } + }, + "node_modules/lighthouse-logger": { + "version": "1.2.0", + "resolved": "http://localhost:4873/lighthouse-logger/-/lighthouse-logger-1.2.0.tgz", + "integrity": "sha512-wzUvdIeJZhRsG6gpZfmSCfysaxNEr43i+QT+Hie94wvHDKFLi4n7C2GqZ4sTC+PH5b5iktmXJvU87rWvhP3lHw==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "debug": "^2.6.8", + "marky": "^1.2.0" + } + }, + "node_modules/lighthouse-logger/node_modules/debug": { + "version": "2.6.9", + "resolved": "http://localhost:4873/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "dev": true, + "license": "MIT", + "dependencies": { + "ms": "2.0.0" + } + }, + "node_modules/lighthouse-logger/node_modules/ms": { + "version": "2.0.0", + "resolved": "http://localhost:4873/ms/-/ms-2.0.0.tgz", + "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", + "dev": true, + "license": "MIT" + }, + "node_modules/lighthouse-stack-packs": { + "version": "1.8.2", + "resolved": "http://localhost:4873/lighthouse-stack-packs/-/lighthouse-stack-packs-1.8.2.tgz", + "integrity": "sha512-vlCUxxQAB8Nu6LQHqPpDRiMi06Du593/my/6JbMttQeEfJ7pf4OS8obSTh5xSOS80U/O7fq59Q8rQGAUxQatUQ==", + "dev": true, + "license": "Apache-2.0" + }, + "node_modules/lighthouse/node_modules/axe-core": { + "version": "4.4.1", + "resolved": "http://localhost:4873/axe-core/-/axe-core-4.4.1.tgz", + "integrity": "sha512-gd1kmb21kwNuWr6BQz8fv6GNECPBnUasepcoLbekws23NVBLODdsClRZ+bQ8+9Uomf3Sm3+Vwn0oYG9NvwnJCw==", + "dev": true, + "license": "MPL-2.0", + "engines": { + "node": ">=4" + } + }, + "node_modules/lighthouse/node_modules/chrome-launcher": { + "version": "0.15.2", + "resolved": "http://localhost:4873/chrome-launcher/-/chrome-launcher-0.15.2.tgz", + "integrity": "sha512-zdLEwNo3aUVzIhKhTtXfxhdvZhUghrnmkvcAq2NoDd+LeOHKf03H5jwZ8T/STsAlzyALkBVK552iaG1fGf1xVQ==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "@types/node": "*", + "escape-string-regexp": "^4.0.0", + "is-wsl": "^2.2.0", + "lighthouse-logger": "^1.0.0" + }, + "bin": { + "print-chrome-path": "bin/print-chrome-path.js" + }, + "engines": { + "node": ">=12.13.0" + } + }, + "node_modules/lighthouse/node_modules/cliui": { + "version": "8.0.1", + "resolved": "http://localhost:4873/cliui/-/cliui-8.0.1.tgz", + "integrity": "sha512-BSeNnyus75C4//NQ9gQt1/csTXyo/8Sb+afLAkzAptFuMsod9HFokGNudZpi/oQV73hnVK+sR+5PVRMd+Dr7YQ==", + "dev": true, + "license": "ISC", + "dependencies": { + "string-width": "^4.2.0", + "strip-ansi": "^6.0.1", + "wrap-ansi": "^7.0.0" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/lighthouse/node_modules/cssom": { + "version": "0.3.8", + "resolved": "http://localhost:4873/cssom/-/cssom-0.3.8.tgz", + "integrity": "sha512-b0tGHbfegbhPJpxpiBPU2sCkigAqtM9O121le6bbOlgyV+NyGyCmVfJ6QW9eRjz8CpNfWEOYBIMIGRYkLwsIYg==", + "dev": true, + "license": "MIT" + }, + "node_modules/lighthouse/node_modules/cssstyle": { + "version": "1.2.1", + "resolved": "http://localhost:4873/cssstyle/-/cssstyle-1.2.1.tgz", + "integrity": "sha512-7DYm8qe+gPx/h77QlCyFmX80+fGaE/6A/Ekl0zaszYOubvySO2saYFdQ78P29D0UsULxFKCetDGNaNRUdSF+2A==", + "dev": true, + "license": "MIT", + "dependencies": { + "cssom": "0.3.x" + } + }, + "node_modules/lighthouse/node_modules/debug": { + "version": "2.6.9", + "resolved": "http://localhost:4873/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "dev": true, + "license": "MIT", + "dependencies": { + "ms": "2.0.0" + } + }, + "node_modules/lighthouse/node_modules/emoji-regex": { + "version": "8.0.0", + "resolved": "http://localhost:4873/emoji-regex/-/emoji-regex-8.0.0.tgz", + "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", + "dev": true, + "license": "MIT" + }, + "node_modules/lighthouse/node_modules/is-fullwidth-code-point": { + "version": "3.0.0", + "resolved": "http://localhost:4873/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", + "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/lighthouse/node_modules/lighthouse-logger": { + "version": "1.4.2", + "resolved": "http://localhost:4873/lighthouse-logger/-/lighthouse-logger-1.4.2.tgz", + "integrity": "sha512-gPWxznF6TKmUHrOQjlVo2UbaL2EJ71mb2CCeRs/2qBpi4L/g4LUVc9+3lKQ6DTUZwJswfM7ainGrLO1+fOqa2g==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "debug": "^2.6.9", + "marky": "^1.2.2" + } + }, + "node_modules/lighthouse/node_modules/ms": { + "version": "2.0.0", + "resolved": "http://localhost:4873/ms/-/ms-2.0.0.tgz", + "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", + "dev": true, + "license": "MIT" + }, + "node_modules/lighthouse/node_modules/open": { + "version": "8.4.2", + "resolved": "http://localhost:4873/open/-/open-8.4.2.tgz", + "integrity": "sha512-7x81NCL719oNbsq/3mh+hVrAWmFuEYUqrq/Iw3kUzH8ReypT9QQ0BLoJS7/G9k6N81XjW4qHWtjWwe/9eLy1EQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "define-lazy-prop": "^2.0.0", + "is-docker": "^2.1.1", + "is-wsl": "^2.2.0" + }, + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/lighthouse/node_modules/semver": { + "version": "5.7.2", + "resolved": "http://localhost:4873/semver/-/semver-5.7.2.tgz", + "integrity": "sha512-cBznnQ9KjJqU67B52RMC65CMarK2600WFnbkcaiwWq3xy/5haFJlshgnpjovMVJ+Hff49d8GEn0b87C5pDQ10g==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver" + } + }, + "node_modules/lighthouse/node_modules/string-width": { + "version": "4.2.3", + "resolved": "http://localhost:4873/string-width/-/string-width-4.2.3.tgz", + "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", + "dev": true, + "license": "MIT", + "dependencies": { + "emoji-regex": "^8.0.0", + "is-fullwidth-code-point": "^3.0.0", + "strip-ansi": "^6.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/lighthouse/node_modules/wrap-ansi": { + "version": "7.0.0", + "resolved": "http://localhost:4873/wrap-ansi/-/wrap-ansi-7.0.0.tgz", + "integrity": "sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-styles": "^4.0.0", + "string-width": "^4.1.0", + "strip-ansi": "^6.0.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/wrap-ansi?sponsor=1" + } + }, + "node_modules/lighthouse/node_modules/ws": { + "version": "7.5.10", + "resolved": "http://localhost:4873/ws/-/ws-7.5.10.tgz", + "integrity": "sha512-+dbF1tHwZpXcbOJdVOkzLDxZP1ailvSxM6ZweXTegylPny803bFhA+vqBYw4s31NSAk4S2Qz+AKXK9a4wkdjcQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8.3.0" + }, + "peerDependencies": { + "bufferutil": "^4.0.1", + "utf-8-validate": "^5.0.2" + }, + "peerDependenciesMeta": { + "bufferutil": { + "optional": true + }, + "utf-8-validate": { + "optional": true + } + } + }, + "node_modules/lighthouse/node_modules/y18n": { + "version": "5.0.8", + "resolved": "http://localhost:4873/y18n/-/y18n-5.0.8.tgz", + "integrity": "sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA==", + "dev": true, + "license": "ISC", + "engines": { + "node": ">=10" + } + }, + "node_modules/lighthouse/node_modules/yargs": { + "version": "17.7.2", + "resolved": "http://localhost:4873/yargs/-/yargs-17.7.2.tgz", + "integrity": "sha512-7dSzzRQ++CKnNI/krKnYRV7JKKPUXMEh61soaHKg9mrWEhzFWhFnxPxGl+69cD1Ou63C13NUPCnmIcrvqCuM6w==", + "dev": true, + "license": "MIT", + "dependencies": { + "cliui": "^8.0.1", + "escalade": "^3.1.1", + "get-caller-file": "^2.0.5", + "require-directory": "^2.1.1", + "string-width": "^4.2.3", + "y18n": "^5.0.5", + "yargs-parser": "^21.1.1" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/lighthouse/node_modules/yargs-parser": { + "version": "21.1.1", + "resolved": "http://localhost:4873/yargs-parser/-/yargs-parser-21.1.1.tgz", + "integrity": "sha512-tVpsJW7DdjecAiFpbIB1e3qxIQsE6NoPc5/eTdrbbIC4h0LVsWhnoa3g+m2HclBIujHzsxZ4VJVA+GUuc2/LBw==", + "dev": true, + "license": "ISC", + "engines": { + "node": ">=12" + } + }, + "node_modules/lines-and-columns": { + "version": "1.2.4", + "resolved": "http://localhost:4873/lines-and-columns/-/lines-and-columns-1.2.4.tgz", + "integrity": "sha512-7ylylesZQ/PV29jhEDl3Ufjo6ZX7gCqJr5F7PKrqc93v7fzSymt1BpwEU8nAUXs8qzzvqhbjhK5QZg6Mt/HkBg==", + "dev": true, + "license": "MIT" + }, + "node_modules/loader-runner": { + "version": "4.3.0", + "resolved": "http://localhost:4873/loader-runner/-/loader-runner-4.3.0.tgz", + "integrity": "sha512-3R/1M+yS3j5ou80Me59j7F9IMs4PXs3VqRrm0TU3AbKPxlmpoY1TNscJV/oGJXo8qCatFGTfDbY6W6ipGOYXfg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.11.5" + } + }, + "node_modules/loader-utils": { + "version": "2.0.4", + "resolved": "http://localhost:4873/loader-utils/-/loader-utils-2.0.4.tgz", + "integrity": "sha512-xXqpXoINfFhgua9xiqD8fPFHgkoq1mmmpE92WlDbm9rNRd/EbRb+Gqf908T2DMfuHjjJlksiK2RbHVOdD/MqSw==", + "dev": true, + "license": "MIT", + "dependencies": { + "big.js": "^5.2.2", + "emojis-list": "^3.0.0", + "json5": "^2.1.2" + }, + "engines": { + "node": ">=8.9.0" + } + }, + "node_modules/locate-path": { + "version": "5.0.0", + "resolved": "http://localhost:4873/locate-path/-/locate-path-5.0.0.tgz", + "integrity": "sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==", + "dev": true, + "license": "MIT", + "dependencies": { + "p-locate": "^4.1.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/lodash": { + "version": "4.17.21", + "resolved": "http://localhost:4873/lodash/-/lodash-4.17.21.tgz", + "integrity": "sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg==", + "dev": true, + "license": "MIT" + }, + "node_modules/lodash.debounce": { + "version": "4.0.8", + "resolved": "http://localhost:4873/lodash.debounce/-/lodash.debounce-4.0.8.tgz", + "integrity": "sha512-FT1yDzDYEoYWhnSGnpE/4Kj1fLZkDFyqRb7fNt6FdYOSxlUWAtp42Eh6Wb0rGIv/m9Bgo7x4GhQbm5Ys4SG5ow==", + "dev": true, + "license": "MIT" + }, + "node_modules/lodash.includes": { + "version": "4.3.0", + "resolved": "http://localhost:4873/lodash.includes/-/lodash.includes-4.3.0.tgz", + "integrity": "sha512-W3Bx6mdkRTGtlJISOvVD/lbqjTlPPUDTMnlXZFnVwi9NKJ6tiAk6LVdlhZMm17VZisqhKcgzpO5Wz91PCt5b0w==", + "dev": true, + "license": "MIT" + }, + "node_modules/lodash.isboolean": { + "version": "3.0.3", + "resolved": "http://localhost:4873/lodash.isboolean/-/lodash.isboolean-3.0.3.tgz", + "integrity": "sha512-Bz5mupy2SVbPHURB98VAcw+aHh4vRV5IPNhILUCsOzRmsTmSQ17jIuqopAentWoehktxGd9e/hbIXq980/1QJg==", + "dev": true, + "license": "MIT" + }, + "node_modules/lodash.isinteger": { + "version": "4.0.4", + "resolved": "http://localhost:4873/lodash.isinteger/-/lodash.isinteger-4.0.4.tgz", + "integrity": "sha512-DBwtEWN2caHQ9/imiNeEA5ys1JoRtRfY3d7V9wkqtbycnAmTvRRmbHKDV4a0EYc678/dia0jrte4tjYwVBaZUA==", + "dev": true, + "license": "MIT" + }, + "node_modules/lodash.isnumber": { + "version": "3.0.3", + "resolved": "http://localhost:4873/lodash.isnumber/-/lodash.isnumber-3.0.3.tgz", + "integrity": "sha512-QYqzpfwO3/CWf3XP+Z+tkQsfaLL/EnUlXWVkIk5FUPc4sBdTehEqZONuyRt2P67PXAk+NXmTBcc97zw9t1FQrw==", + "dev": true, + "license": "MIT" + }, + "node_modules/lodash.isplainobject": { + "version": "4.0.6", + "resolved": "http://localhost:4873/lodash.isplainobject/-/lodash.isplainobject-4.0.6.tgz", + "integrity": "sha512-oSXzaWypCMHkPC3NvBEaPHf0KsA5mvPrOPgQWDsbg8n7orZ290M0BmC/jgRZ4vcJ6DTAhjrsSYgdsW/F+MFOBA==", + "dev": true, + "license": "MIT" + }, + "node_modules/lodash.isstring": { + "version": "4.0.1", + "resolved": "http://localhost:4873/lodash.isstring/-/lodash.isstring-4.0.1.tgz", + "integrity": "sha512-0wJxfxH1wgO3GrbuP+dTTk7op+6L41QCXbGINEmD+ny/G/eCqGzxyCsh7159S+mgDDcoarnBw6PC1PS5+wUGgw==", + "dev": true, + "license": "MIT" + }, + "node_modules/lodash.merge": { + "version": "4.6.2", + "resolved": "http://localhost:4873/lodash.merge/-/lodash.merge-4.6.2.tgz", + "integrity": "sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/lodash.mergewith": { + "version": "4.6.2", + "resolved": "http://localhost:4873/lodash.mergewith/-/lodash.mergewith-4.6.2.tgz", + "integrity": "sha512-GK3g5RPZWTRSeLSpgP8Xhra+pnjBC56q9FZYe1d5RN3TJ35dbkGy3YqBSMbyCrlbi+CM9Z3Jk5yTL7RCsqboyQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/lodash.once": { + "version": "4.1.1", + "resolved": "http://localhost:4873/lodash.once/-/lodash.once-4.1.1.tgz", + "integrity": "sha512-Sb487aTOCr9drQVL8pIxOzVhafOjZN9UU54hiN8PU3uAiSV7lx1yYNpbNmex2PK6dSJoNTSJUUswT651yww3Mg==", + "dev": true, + "license": "MIT" + }, + "node_modules/log-symbols": { + "version": "4.1.0", + "resolved": "http://localhost:4873/log-symbols/-/log-symbols-4.1.0.tgz", + "integrity": "sha512-8XPvpAA8uyhfteu8pIvQxpJZ7SYYdpUivZpGy6sFsBuKRY/7rQGavedeB8aK+Zkyq6upMFVL/9AW6vOYzfRyLg==", + "dev": true, + "license": "MIT", + "dependencies": { + "chalk": "^4.1.0", + "is-unicode-supported": "^0.1.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/lookup-closest-locale": { + "version": "6.2.0", + "resolved": "http://localhost:4873/lookup-closest-locale/-/lookup-closest-locale-6.2.0.tgz", + "integrity": "sha512-/c2kL+Vnp1jnV6K6RpDTHK3dgg0Tu2VVp+elEiJpjfS1UyY7AjOYHohRug6wT0OpoX2qFgNORndE9RqesfVxWQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/loose-envify": { + "version": "1.4.0", + "resolved": "http://localhost:4873/loose-envify/-/loose-envify-1.4.0.tgz", + "integrity": "sha512-lyuxPGr/Wfhrlem2CL/UcnUc1zcqKAImBDzukY7Y5F/yQiNdko6+fRLevlw1HgMySw7f611UIY408EtxRSoK3Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "js-tokens": "^3.0.0 || ^4.0.0" + }, + "bin": { + "loose-envify": "cli.js" + } + }, + "node_modules/lower-case": { + "version": "1.1.4", + "resolved": "http://localhost:4873/lower-case/-/lower-case-1.1.4.tgz", + "integrity": "sha512-2Fgx1Ycm599x+WGpIYwJOvsjmXFzTSc34IwDWALRA/8AopUKAVPwfJ+h5+f85BCp0PWmmJcWzEpxOpoXycMpdA==", + "dev": true, + "license": "MIT" + }, + "node_modules/lru_map": { + "version": "0.3.3", + "resolved": "http://localhost:4873/lru_map/-/lru_map-0.3.3.tgz", + "integrity": "sha512-Pn9cox5CsMYngeDbmChANltQl+5pi6XmTrraMSzhPmMBbmgcxmqWry0U3PGapCU1yB4/LqCcom7qhHZiF/jGfQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/lru-cache": { + "version": "5.1.1", + "resolved": "http://localhost:4873/lru-cache/-/lru-cache-5.1.1.tgz", + "integrity": "sha512-KpNARQA3Iwv+jTA0utUVVbrh+Jlrr1Fv0e56GGzAFOXN7dk/FviaDW8LHmK52DlcH4WP2n6gI8vN1aesBFgo9w==", + "dev": true, + "license": "ISC", + "dependencies": { + "yallist": "^3.0.2" + } + }, + "node_modules/lz-string": { + "version": "1.5.0", + "resolved": "http://localhost:4873/lz-string/-/lz-string-1.5.0.tgz", + "integrity": "sha512-h5bgJWpxJNswbU7qCrV0tIKQCaS3blPDrqKWx+QxzuzL1zGUzij9XCWLrSLsJPu5t+eWA/ycetzYAO5IOMcWAQ==", + "dev": true, + "license": "MIT", + "bin": { + "lz-string": "bin/bin.js" + } + }, + "node_modules/make-dir": { + "version": "2.1.0", + "resolved": "http://localhost:4873/make-dir/-/make-dir-2.1.0.tgz", + "integrity": "sha512-LS9X+dc8KLxXCb8dni79fLIIUA5VyZoyjSMCwTluaXA0o27cCK0bhXkpgw+sTXVpPy/lSO57ilRixqk0vDmtRA==", + "dev": true, + "license": "MIT", + "dependencies": { + "pify": "^4.0.1", + "semver": "^5.6.0" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/make-dir/node_modules/semver": { + "version": "5.7.2", + "resolved": "http://localhost:4873/semver/-/semver-5.7.2.tgz", + "integrity": "sha512-cBznnQ9KjJqU67B52RMC65CMarK2600WFnbkcaiwWq3xy/5haFJlshgnpjovMVJ+Hff49d8GEn0b87C5pDQ10g==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver" + } + }, + "node_modules/makeerror": { + "version": "1.0.12", + "resolved": "http://localhost:4873/makeerror/-/makeerror-1.0.12.tgz", + "integrity": "sha512-JmqCvUhmt43madlpFzG4BQzG2Z3m6tvQDNKdClZnO3VbIudJYmxsT0FNJMeiB2+JTSlTQTSbU8QdesVmwJcmLg==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "tmpl": "1.0.5" + } + }, + "node_modules/map-cache": { + "version": "0.2.2", + "resolved": "http://localhost:4873/map-cache/-/map-cache-0.2.2.tgz", + "integrity": "sha512-8y/eV9QQZCiyn1SprXSrCmqJN0yNRATe+PO8ztwqrvrbdRLA3eYJF0yaR0YayLWkMbsQSKWS9N2gPcGEc4UsZg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/map-visit": { + "version": "1.0.0", + "resolved": "http://localhost:4873/map-visit/-/map-visit-1.0.0.tgz", + "integrity": "sha512-4y7uGv8bd2WdM9vpQsiQNo41Ln1NvhvDRuVt0k2JZQ+ezN2uaQes7lZeZ+QQUHOLQAtDaBJ+7wCbi+ab/KFs+w==", + "dev": true, + "license": "MIT", + "dependencies": { + "object-visit": "^1.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/marky": { + "version": "1.3.0", + "resolved": "http://localhost:4873/marky/-/marky-1.3.0.tgz", + "integrity": "sha512-ocnPZQLNpvbedwTy9kNrQEsknEfgvcLMvOtz3sFeWApDq1MXH1TqkCIx58xlpESsfwQOnuBO9beyQuNGzVvuhQ==", + "dev": true, + "license": "Apache-2.0" + }, + "node_modules/math-intrinsics": { + "version": "1.1.0", + "resolved": "http://localhost:4873/math-intrinsics/-/math-intrinsics-1.1.0.tgz", + "integrity": "sha512-/IXtbwEk5HTPyEwyKX6hGkYXxM9nbj64B+ilVJnC/R6B0pH5G4V3b0pVbL7DBj4tkhBAppbQUlf6F6Xl9LHu1g==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/media-typer": { + "version": "0.3.0", + "resolved": "http://localhost:4873/media-typer/-/media-typer-0.3.0.tgz", + "integrity": "sha512-dq+qelQ9akHpcOl/gUVRTxVIOkAJ1wR3QAvb4RsVjS8oVoFjDGTc679wJYmUmknUF5HwMLOgb5O+a3KxfWapPQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/memfs": { + "version": "3.5.3", + "resolved": "http://localhost:4873/memfs/-/memfs-3.5.3.tgz", + "integrity": "sha512-UERzLsxzllchadvbPs5aolHh65ISpKpM+ccLbOJ8/vvpBKmAWf+la7dXFy7Mr0ySHbdHrFv5kGFCUHHe6GFEmw==", + "dev": true, + "license": "Unlicense", + "dependencies": { + "fs-monkey": "^1.0.4" + }, + "engines": { + "node": ">= 4.0.0" + } + }, + "node_modules/merge-descriptors": { + "version": "1.0.3", + "resolved": "http://localhost:4873/merge-descriptors/-/merge-descriptors-1.0.3.tgz", + "integrity": "sha512-gaNvAS7TZ897/rVaZ0nMtAyxNyi/pdbjbAwUpFQpN70GqnVfOiXpeUUMKRBmzXaSQ8DdTX4/0ms62r2K+hE6mQ==", + "dev": true, + "license": "MIT", + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/merge-options": { + "version": "1.0.1", + "resolved": "http://localhost:4873/merge-options/-/merge-options-1.0.1.tgz", + "integrity": "sha512-iuPV41VWKWBIOpBsjoxjDZw8/GbSfZ2mk7N1453bwMrfzdrIk7EzBd+8UVR6rkw67th7xnk9Dytl3J+lHPdxvg==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-plain-obj": "^1.1" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/merge-options/node_modules/is-plain-obj": { + "version": "1.1.0", + "resolved": "http://localhost:4873/is-plain-obj/-/is-plain-obj-1.1.0.tgz", + "integrity": "sha512-yvkRyxmFKEOQ4pNXCmJG5AEQNlXJS5LaONXo5/cLdTZdWvsZ1ioJEonLGAosKlMWE8lwUy/bJzMjcw8az73+Fg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/merge-stream": { + "version": "2.0.0", + "resolved": "http://localhost:4873/merge-stream/-/merge-stream-2.0.0.tgz", + "integrity": "sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w==", + "dev": true, + "license": "MIT" + }, + "node_modules/merge2": { + "version": "1.4.1", + "resolved": "http://localhost:4873/merge2/-/merge2-1.4.1.tgz", + "integrity": "sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 8" + } + }, + "node_modules/metaviewport-parser": { + "version": "0.2.0", + "resolved": "http://localhost:4873/metaviewport-parser/-/metaviewport-parser-0.2.0.tgz", + "integrity": "sha512-qL5NtY18LGs7lvZCkj3ep2H4Pes9rIiSLZRUyfDdvVw7pWFA0eLwmqaIxApD74RGvUrNEtk9e5Wt1rT+VlCvGw==", + "dev": true, + "license": "MIT" + }, + "node_modules/methods": { + "version": "1.1.2", + "resolved": "http://localhost:4873/methods/-/methods-1.1.2.tgz", + "integrity": "sha512-iclAHeNqNm68zFtnZ0e+1L2yUIdvzNoauKU4WBA3VvH/vPFieF7qfRlwUZU+DA9P9bPXIS90ulxoUoCH23sV2w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/micromatch": { + "version": "4.0.8", + "resolved": "http://localhost:4873/micromatch/-/micromatch-4.0.8.tgz", + "integrity": "sha512-PXwfBhYu0hBCPw8Dn0E+WDYb7af3dSLVWKi3HGv84IdF4TyFoC0ysxFd0Goxw7nSv4T/PzEJQxsYsEiFCKo2BA==", + "dev": true, + "license": "MIT", + "dependencies": { + "braces": "^3.0.3", + "picomatch": "^2.3.1" + }, + "engines": { + "node": ">=8.6" + } + }, + "node_modules/mime": { + "version": "1.6.0", + "resolved": "http://localhost:4873/mime/-/mime-1.6.0.tgz", + "integrity": "sha512-x0Vn8spI+wuJ1O6S7gnbaQg8Pxh4NNHb7KSINmEWKiPE4RKOplvijn+NkmYmmRgP68mc70j2EbeTFRsrswaQeg==", + "dev": true, + "license": "MIT", + "bin": { + "mime": "cli.js" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/mime-db": { + "version": "1.54.0", + "resolved": "http://localhost:4873/mime-db/-/mime-db-1.54.0.tgz", + "integrity": "sha512-aU5EJuIN2WDemCcAp2vFBfp/m4EAhWJnUNSSw0ixs7/kXbd6Pg64EmwJkNdFhB8aWt1sH2CTXrLxo/iAGV3oPQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/mime-types": { + "version": "2.1.35", + "resolved": "http://localhost:4873/mime-types/-/mime-types-2.1.35.tgz", + "integrity": "sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw==", + "dev": true, + "license": "MIT", + "dependencies": { + "mime-db": "1.52.0" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/mime-types/node_modules/mime-db": { + "version": "1.52.0", + "resolved": "http://localhost:4873/mime-db/-/mime-db-1.52.0.tgz", + "integrity": "sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/mimic-fn": { + "version": "2.1.0", + "resolved": "http://localhost:4873/mimic-fn/-/mimic-fn-2.1.0.tgz", + "integrity": "sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/min-indent": { + "version": "1.0.1", + "resolved": "http://localhost:4873/min-indent/-/min-indent-1.0.1.tgz", + "integrity": "sha512-I9jwMn07Sy/IwOj3zVkVik2JTvgpaykDZEigL6Rx6N9LbMywwUSMtxET+7lVoDLLd3O3IXwJwvuuns8UB/HeAg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4" + } + }, + "node_modules/minimatch": { + "version": "3.1.2", + "resolved": "http://localhost:4873/minimatch/-/minimatch-3.1.2.tgz", + "integrity": "sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==", + "dev": true, + "license": "ISC", + "dependencies": { + "brace-expansion": "^1.1.7" + }, + "engines": { + "node": "*" + } + }, + "node_modules/minimist": { + "version": "1.2.8", + "resolved": "http://localhost:4873/minimist/-/minimist-1.2.8.tgz", + "integrity": "sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA==", + "dev": true, + "license": "MIT", + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/minipass": { + "version": "4.2.8", + "resolved": "http://localhost:4873/minipass/-/minipass-4.2.8.tgz", + "integrity": "sha512-fNzuVyifolSLFL4NzpF+wEF4qrgqaaKX0haXPQEdQ7NKAN+WecoKMHV09YcuL/DHxrUsYQOK3MiuDf7Ip2OXfQ==", + "dev": true, + "license": "ISC", + "engines": { + "node": ">=8" + } + }, + "node_modules/mitt": { + "version": "1.1.2", + "resolved": "http://localhost:4873/mitt/-/mitt-1.1.2.tgz", + "integrity": "sha512-3btxP0O9iGADGWAkteQ8mzDtEspZqu4I32y4GZYCV5BrwtzdcRpF4dQgNdJadCrbBx7Lu6Sq9AVrerMHR0Hkmw==", + "dev": true, + "license": "MIT" + }, + "node_modules/mixin-deep": { + "version": "1.3.2", + "resolved": "http://localhost:4873/mixin-deep/-/mixin-deep-1.3.2.tgz", + "integrity": "sha512-WRoDn//mXBiJ1H40rqa3vH0toePwSsGb45iInWlTySa+Uu4k3tYUSxa2v1KqAiLtvlrSzaExqS1gtk96A9zvEA==", + "dev": true, + "license": "MIT", + "dependencies": { + "for-in": "^1.0.2", + "is-extendable": "^1.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/mkdirp": { + "version": "0.5.6", + "resolved": "http://localhost:4873/mkdirp/-/mkdirp-0.5.6.tgz", + "integrity": "sha512-FP+p8RB8OWpF3YZBCrP5gtADmtXApB5AMLn+vdyA+PyxCjrCs00mjyUozssO33cwDeT3wNGdLxJ5M//YqtHAJw==", + "dev": true, + "license": "MIT", + "dependencies": { + "minimist": "^1.2.6" + }, + "bin": { + "mkdirp": "bin/cmd.js" + } + }, + "node_modules/mkdirp-classic": { + "version": "0.5.3", + "resolved": "http://localhost:4873/mkdirp-classic/-/mkdirp-classic-0.5.3.tgz", + "integrity": "sha512-gKLcREMhtuZRwRAfqP3RFW+TK4JqApVBtOIftVgjuABpAtpxhPGaDcfvbhNvD0B8iD1oUr/txX35NjcaY6Ns/A==", + "dev": true, + "license": "MIT" + }, + "node_modules/morgan": { + "version": "1.10.0", + "resolved": "http://localhost:4873/morgan/-/morgan-1.10.0.tgz", + "integrity": "sha512-AbegBVI4sh6El+1gNwvD5YIck7nSA36weD7xvIxG4in80j/UoK8AEGaWnnz8v1GxonMCltmlNs5ZKbGvl9b1XQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "basic-auth": "~2.0.1", + "debug": "2.6.9", + "depd": "~2.0.0", + "on-finished": "~2.3.0", + "on-headers": "~1.0.2" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/morgan/node_modules/debug": { + "version": "2.6.9", + "resolved": "http://localhost:4873/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "dev": true, + "license": "MIT", + "dependencies": { + "ms": "2.0.0" + } + }, + "node_modules/morgan/node_modules/ms": { + "version": "2.0.0", + "resolved": "http://localhost:4873/ms/-/ms-2.0.0.tgz", + "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", + "dev": true, + "license": "MIT" + }, + "node_modules/morgan/node_modules/on-finished": { + "version": "2.3.0", + "resolved": "http://localhost:4873/on-finished/-/on-finished-2.3.0.tgz", + "integrity": "sha512-ikqdkGAAyf/X/gPhXGvfgAytDZtDbr+bkNUJ0N9h5MI/dmdgCs3l6hoHrcUv41sRKew3jIwrp4qQDXiK99Utww==", + "dev": true, + "license": "MIT", + "dependencies": { + "ee-first": "1.1.1" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/mrmime": { + "version": "2.0.1", + "resolved": "http://localhost:4873/mrmime/-/mrmime-2.0.1.tgz", + "integrity": "sha512-Y3wQdFg2Va6etvQ5I82yUhGdsKrcYox6p7FfL1LbK2J4V01F9TGlepTIhnK24t7koZibmg82KGglhA1XK5IsLQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + } + }, + "node_modules/ms": { + "version": "2.1.3", + "resolved": "http://localhost:4873/ms/-/ms-2.1.3.tgz", + "integrity": "sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==", + "dev": true, + "license": "MIT" + }, + "node_modules/msw": { + "version": "1.3.5", + "resolved": "http://localhost:4873/msw/-/msw-1.3.5.tgz", + "integrity": "sha512-nG3fpmBXxFbKSIdk6miPuL3KjU6WMxgoW4tG1YgnP1M+TRG3Qn7b7R0euKAHq4vpwARHb18ZyfZljSxsTnMX2w==", + "dev": true, + "hasInstallScript": true, + "license": "MIT", + "dependencies": { + "@mswjs/cookies": "^0.2.2", + "@mswjs/interceptors": "^0.17.10", + "@open-draft/until": "^1.0.3", + "@types/cookie": "^0.4.1", + "@types/js-levenshtein": "^1.1.1", + "chalk": "^4.1.1", + "chokidar": "^3.4.2", + "cookie": "^0.4.2", + "graphql": "^16.8.1", + "headers-polyfill": "3.2.5", + "inquirer": "^8.2.0", + "is-node-process": "^1.2.0", + "js-levenshtein": "^1.1.6", + "node-fetch": "^2.6.7", + "outvariant": "^1.4.0", + "path-to-regexp": "^6.3.0", + "strict-event-emitter": "^0.4.3", + "type-fest": "^2.19.0", + "yargs": "^17.3.1" + }, + "bin": { + "msw": "cli/index.js" + }, + "engines": { + "node": ">=14" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/mswjs" + }, + "peerDependencies": { + "typescript": ">= 4.4.x" + }, + "peerDependenciesMeta": { + "typescript": { + "optional": true + } + } + }, + "node_modules/msw/node_modules/ansi-escapes": { + "version": "4.3.2", + "resolved": "http://localhost:4873/ansi-escapes/-/ansi-escapes-4.3.2.tgz", + "integrity": "sha512-gKXj5ALrKWQLsYG9jlTRmR/xKluxHV+Z9QEwNIgCfM1/uwPMCuzVVnh5mwTd+OuBZcwSIMbqssNWRm1lE51QaQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "type-fest": "^0.21.3" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/msw/node_modules/ansi-escapes/node_modules/type-fest": { + "version": "0.21.3", + "resolved": "http://localhost:4873/type-fest/-/type-fest-0.21.3.tgz", + "integrity": "sha512-t0rzBq87m3fVcduHDUFhKmyyX+9eo6WQjZvf51Ea/M0Q7+T374Jp1aUiyUl0GKxp8M/OETVHSDvmkyPgvX+X2w==", + "dev": true, + "license": "(MIT OR CC0-1.0)", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/msw/node_modules/cli-cursor": { + "version": "3.1.0", + "resolved": "http://localhost:4873/cli-cursor/-/cli-cursor-3.1.0.tgz", + "integrity": "sha512-I/zHAwsKf9FqGoXM4WWRACob9+SNukZTd94DWF57E4toouRulbCxcUh6RKUEOQlYTHJnzkPMySvPNaaSLNfLZw==", + "dev": true, + "license": "MIT", + "dependencies": { + "restore-cursor": "^3.1.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/msw/node_modules/cli-width": { + "version": "3.0.0", + "resolved": "http://localhost:4873/cli-width/-/cli-width-3.0.0.tgz", + "integrity": "sha512-FxqpkPPwu1HjuN93Omfm4h8uIanXofW0RxVEW3k5RKx+mJJYSthzNhp32Kzxxy3YAEZ/Dc/EWN1vZRY0+kOhbw==", + "dev": true, + "license": "ISC", + "engines": { + "node": ">= 10" + } + }, + "node_modules/msw/node_modules/cliui": { + "version": "8.0.1", + "resolved": "http://localhost:4873/cliui/-/cliui-8.0.1.tgz", + "integrity": "sha512-BSeNnyus75C4//NQ9gQt1/csTXyo/8Sb+afLAkzAptFuMsod9HFokGNudZpi/oQV73hnVK+sR+5PVRMd+Dr7YQ==", + "dev": true, + "license": "ISC", + "dependencies": { + "string-width": "^4.2.0", + "strip-ansi": "^6.0.1", + "wrap-ansi": "^7.0.0" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/msw/node_modules/cliui/node_modules/wrap-ansi": { + "version": "7.0.0", + "resolved": "http://localhost:4873/wrap-ansi/-/wrap-ansi-7.0.0.tgz", + "integrity": "sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-styles": "^4.0.0", + "string-width": "^4.1.0", + "strip-ansi": "^6.0.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/wrap-ansi?sponsor=1" + } + }, + "node_modules/msw/node_modules/cookie": { + "version": "0.4.2", + "resolved": "http://localhost:4873/cookie/-/cookie-0.4.2.tgz", + "integrity": "sha512-aSWTXFzaKWkvHO1Ny/s+ePFpvKsPnjc551iI41v3ny/ow6tBG5Vd+FuqGNhh1LxOmVzOlGUriIlOaokOvhaStA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/msw/node_modules/emoji-regex": { + "version": "8.0.0", + "resolved": "http://localhost:4873/emoji-regex/-/emoji-regex-8.0.0.tgz", + "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", + "dev": true, + "license": "MIT" + }, + "node_modules/msw/node_modules/headers-polyfill": { + "version": "3.2.5", + "resolved": "http://localhost:4873/headers-polyfill/-/headers-polyfill-3.2.5.tgz", + "integrity": "sha512-tUCGvt191vNSQgttSyJoibR+VO+I6+iCHIUdhzEMJKE+EAL8BwCN7fUOZlY4ofOelNHsK+gEjxB/B+9N3EWtdA==", + "dev": true, + "license": "MIT" + }, + "node_modules/msw/node_modules/inquirer": { + "version": "8.2.6", + "resolved": "http://localhost:4873/inquirer/-/inquirer-8.2.6.tgz", + "integrity": "sha512-M1WuAmb7pn9zdFRtQYk26ZBoY043Sse0wVDdk4Bppr+JOXyQYybdtvK+l9wUibhtjdjvtoiNy8tk+EgsYIUqKg==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-escapes": "^4.2.1", + "chalk": "^4.1.1", + "cli-cursor": "^3.1.0", + "cli-width": "^3.0.0", + "external-editor": "^3.0.3", + "figures": "^3.0.0", + "lodash": "^4.17.21", + "mute-stream": "0.0.8", + "ora": "^5.4.1", + "run-async": "^2.4.0", + "rxjs": "^7.5.5", + "string-width": "^4.1.0", + "strip-ansi": "^6.0.0", + "through": "^2.3.6", + "wrap-ansi": "^6.0.1" + }, + "engines": { + "node": ">=12.0.0" + } + }, + "node_modules/msw/node_modules/is-fullwidth-code-point": { + "version": "3.0.0", + "resolved": "http://localhost:4873/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", + "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/msw/node_modules/mute-stream": { + "version": "0.0.8", + "resolved": "http://localhost:4873/mute-stream/-/mute-stream-0.0.8.tgz", + "integrity": "sha512-nnbWWOkoWyUsTjKrhgD0dcz22mdkSnpYqbEjIm2nhwhuxlSkpywJmBo8h0ZqJdkp73mb90SssHkN4rsRaBAfAA==", + "dev": true, + "license": "ISC" + }, + "node_modules/msw/node_modules/path-to-regexp": { + "version": "6.3.0", + "resolved": "http://localhost:4873/path-to-regexp/-/path-to-regexp-6.3.0.tgz", + "integrity": "sha512-Yhpw4T9C6hPpgPeA28us07OJeqZ5EzQTkbfwuhsUg0c237RomFoETJgmp2sa3F/41gfLE6G5cqcYwznmeEeOlQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/msw/node_modules/restore-cursor": { + "version": "3.1.0", + "resolved": "http://localhost:4873/restore-cursor/-/restore-cursor-3.1.0.tgz", + "integrity": "sha512-l+sSefzHpj5qimhFSE5a8nufZYAM3sBSVMAPtYkmC+4EH2anSGaEMXSD0izRQbu9nfyQ9y5JrVmp7E8oZrUjvA==", + "dev": true, + "license": "MIT", + "dependencies": { + "onetime": "^5.1.0", + "signal-exit": "^3.0.2" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/msw/node_modules/rxjs": { + "version": "7.8.2", + "resolved": "http://localhost:4873/rxjs/-/rxjs-7.8.2.tgz", + "integrity": "sha512-dhKf903U/PQZY6boNNtAGdWbG85WAbjT/1xYoZIC7FAY0yWapOBQVsVrDl58W86//e1VpMNBtRV4MaXfdMySFA==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "tslib": "^2.1.0" + } + }, + "node_modules/msw/node_modules/string-width": { + "version": "4.2.3", + "resolved": "http://localhost:4873/string-width/-/string-width-4.2.3.tgz", + "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", + "dev": true, + "license": "MIT", + "dependencies": { + "emoji-regex": "^8.0.0", + "is-fullwidth-code-point": "^3.0.0", + "strip-ansi": "^6.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/msw/node_modules/y18n": { + "version": "5.0.8", + "resolved": "http://localhost:4873/y18n/-/y18n-5.0.8.tgz", + "integrity": "sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA==", + "dev": true, + "license": "ISC", + "engines": { + "node": ">=10" + } + }, + "node_modules/msw/node_modules/yargs": { + "version": "17.7.2", + "resolved": "http://localhost:4873/yargs/-/yargs-17.7.2.tgz", + "integrity": "sha512-7dSzzRQ++CKnNI/krKnYRV7JKKPUXMEh61soaHKg9mrWEhzFWhFnxPxGl+69cD1Ou63C13NUPCnmIcrvqCuM6w==", + "dev": true, + "license": "MIT", + "dependencies": { + "cliui": "^8.0.1", + "escalade": "^3.1.1", + "get-caller-file": "^2.0.5", + "require-directory": "^2.1.1", + "string-width": "^4.2.3", + "y18n": "^5.0.5", + "yargs-parser": "^21.1.1" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/msw/node_modules/yargs-parser": { + "version": "21.1.1", + "resolved": "http://localhost:4873/yargs-parser/-/yargs-parser-21.1.1.tgz", + "integrity": "sha512-tVpsJW7DdjecAiFpbIB1e3qxIQsE6NoPc5/eTdrbbIC4h0LVsWhnoa3g+m2HclBIujHzsxZ4VJVA+GUuc2/LBw==", + "dev": true, + "license": "ISC", + "engines": { + "node": ">=12" + } + }, + "node_modules/mute-stream": { + "version": "0.0.7", + "resolved": "http://localhost:4873/mute-stream/-/mute-stream-0.0.7.tgz", + "integrity": "sha512-r65nCZhrbXXb6dXOACihYApHw2Q6pV0M3V0PSxd74N0+D8nzAdEAITq2oAjA1jVnKI+tGvEBUpqiMh0+rW6zDQ==", + "dev": true, + "license": "ISC" + }, + "node_modules/nanoid": { + "version": "3.3.11", + "resolved": "http://localhost:4873/nanoid/-/nanoid-3.3.11.tgz", + "integrity": "sha512-N8SpfPUnUp1bK+PMYW8qSWdl9U+wwNWI4QKxOYDy9JAro3WMX7p2OeVRF9v+347pnakNevPmiHhNmZ2HbFA76w==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "MIT", + "bin": { + "nanoid": "bin/nanoid.cjs" + }, + "engines": { + "node": "^10 || ^12 || ^13.7 || ^14 || >=15.0.1" + } + }, + "node_modules/nanomatch": { + "version": "1.2.13", + "resolved": "http://localhost:4873/nanomatch/-/nanomatch-1.2.13.tgz", + "integrity": "sha512-fpoe2T0RbHwBTBUOftAfBPaDEi06ufaUai0mE6Yn1kacc3SnTErfb/h+X94VXzI64rKFHYImXSvdwGGCmwOqCA==", + "dev": true, + "license": "MIT", + "dependencies": { + "arr-diff": "^4.0.0", + "array-unique": "^0.3.2", + "define-property": "^2.0.2", + "extend-shallow": "^3.0.2", + "fragment-cache": "^0.2.1", + "is-windows": "^1.0.2", + "kind-of": "^6.0.2", + "object.pick": "^1.3.0", + "regex-not": "^1.0.0", + "snapdragon": "^0.8.1", + "to-regex": "^3.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/natural-compare": { + "version": "1.4.0", + "resolved": "http://localhost:4873/natural-compare/-/natural-compare-1.4.0.tgz", + "integrity": "sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==", + "dev": true, + "license": "MIT" + }, + "node_modules/natural-compare-lite": { + "version": "1.4.0", + "resolved": "http://localhost:4873/natural-compare-lite/-/natural-compare-lite-1.4.0.tgz", + "integrity": "sha512-Tj+HTDSJJKaZnfiuw+iaF9skdPpTo2GtEly5JHnWV/hfv2Qj/9RKsGISQtLh2ox3l5EAGw487hnBee0sIJ6v2g==", + "dev": true, + "license": "MIT" + }, + "node_modules/negotiator": { + "version": "0.6.4", + "resolved": "http://localhost:4873/negotiator/-/negotiator-0.6.4.tgz", + "integrity": "sha512-myRT3DiWPHqho5PrJaIRyaMv2kgYf0mUVgBNOYMuCH5Ki1yEiQaf/ZJuQ62nvpc44wL5WDbTX7yGJi1Neevw8w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/neo-async": { + "version": "2.6.2", + "resolved": "http://localhost:4873/neo-async/-/neo-async-2.6.2.tgz", + "integrity": "sha512-Yd3UES5mWCSqR+qNT93S3UoYUkqAZ9lLg8a7g9rimsWmYGK8cVToA4/sF3RrshdyV3sAGMXVUmpMYOw+dLpOuw==", + "dev": true, + "license": "MIT" + }, + "node_modules/next-tick": { + "version": "1.1.0", + "resolved": "http://localhost:4873/next-tick/-/next-tick-1.1.0.tgz", + "integrity": "sha512-CXdUiJembsNjuToQvxayPZF9Vqht7hewsvy2sOWafLvi2awflj9mOC6bHIg50orX8IJvWKY9wYQ/zB2kogPslQ==", + "dev": true, + "license": "ISC" + }, + "node_modules/nice-try": { + "version": "1.0.5", + "resolved": "http://localhost:4873/nice-try/-/nice-try-1.0.5.tgz", + "integrity": "sha512-1nh45deeb5olNY7eX82BkPO7SSxR5SSYJiPTrTdFUVYwAl8CKMA5N9PjTYkHiRjisVcxcQ1HXdLhx2qxxJzLNQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/no-case": { + "version": "2.3.2", + "resolved": "http://localhost:4873/no-case/-/no-case-2.3.2.tgz", + "integrity": "sha512-rmTZ9kz+f3rCvK2TD1Ue/oZlns7OGoIWP4fc3llxxRXlOkHKoWPPWJOfFYpITabSow43QJbRIoHQXtt10VldyQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "lower-case": "^1.1.1" + } + }, + "node_modules/node-environment-flags": { + "version": "1.0.6", + "resolved": "http://localhost:4873/node-environment-flags/-/node-environment-flags-1.0.6.tgz", + "integrity": "sha512-5Evy2epuL+6TM0lCQGpFIj6KwiEsGh1SrHUhTbNX+sLbBtjidPZFAnVK9y5yU1+h//RitLbRHTIMyxQPtxMdHw==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "object.getownpropertydescriptors": "^2.0.3", + "semver": "^5.7.0" + } + }, + "node_modules/node-environment-flags/node_modules/semver": { + "version": "5.7.2", + "resolved": "http://localhost:4873/semver/-/semver-5.7.2.tgz", + "integrity": "sha512-cBznnQ9KjJqU67B52RMC65CMarK2600WFnbkcaiwWq3xy/5haFJlshgnpjovMVJ+Hff49d8GEn0b87C5pDQ10g==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver" + } + }, + "node_modules/node-fetch": { + "version": "2.7.0", + "resolved": "http://localhost:4873/node-fetch/-/node-fetch-2.7.0.tgz", + "integrity": "sha512-c4FRfUm/dbcWZ7U+1Wq0AwCyFL+3nt2bEw05wfxSz+DWpWsitgmSgYmy2dQdWyKC1694ELPqMs/YzUSNozLt8A==", + "dev": true, + "license": "MIT", + "dependencies": { + "whatwg-url": "^5.0.0" + }, + "engines": { + "node": "4.x || >=6.0.0" + }, + "peerDependencies": { + "encoding": "^0.1.0" + }, + "peerDependenciesMeta": { + "encoding": { + "optional": true + } + } + }, + "node_modules/node-fetch/node_modules/tr46": { + "version": "0.0.3", + "resolved": "http://localhost:4873/tr46/-/tr46-0.0.3.tgz", + "integrity": "sha512-N3WMsuqV66lT30CrXNbEjx4GEwlow3v6rr4mCcv6prnfwhS01rkgyFdjPNBYd9br7LpXV1+Emh01fHnq2Gdgrw==", + "dev": true, + "license": "MIT" + }, + "node_modules/node-fetch/node_modules/webidl-conversions": { + "version": "3.0.1", + "resolved": "http://localhost:4873/webidl-conversions/-/webidl-conversions-3.0.1.tgz", + "integrity": "sha512-2JAn3z8AR6rjK8Sm8orRC0h/bcl/DqL7tRPdGZ4I1CjdF+EaMLmYxBHyXuKL849eucPFhvBoxMsflfOb8kxaeQ==", + "dev": true, + "license": "BSD-2-Clause" + }, + "node_modules/node-fetch/node_modules/whatwg-url": { + "version": "5.0.0", + "resolved": "http://localhost:4873/whatwg-url/-/whatwg-url-5.0.0.tgz", + "integrity": "sha512-saE57nupxk6v3HY35+jzBwYa0rKSy0XR8JSxZPwgLr7ys0IBzhGviA1/TUGJLmSVqs8pb9AnvICXEuOHLprYTw==", + "dev": true, + "license": "MIT", + "dependencies": { + "tr46": "~0.0.3", + "webidl-conversions": "^3.0.0" + } + }, + "node_modules/node-int64": { + "version": "0.4.0", + "resolved": "http://localhost:4873/node-int64/-/node-int64-0.4.0.tgz", + "integrity": "sha512-O5lz91xSOeoXP6DulyHfllpq+Eg00MWitZIbtPfoSEvqIHdl5gfcY6hYzDWnj0qD5tz52PI08u9qUvSVeUBeHw==", + "dev": true, + "license": "MIT" + }, + "node_modules/node-notifier": { + "version": "8.0.2", + "resolved": "http://localhost:4873/node-notifier/-/node-notifier-8.0.2.tgz", + "integrity": "sha512-oJP/9NAdd9+x2Q+rfphB2RJCHjod70RcRLjosiPMMu5gjIfwVnOUGq2nbTjTUbmy0DJ/tFIVT30+Qe3nzl4TJg==", + "dev": true, + "license": "MIT", + "optional": true, + "dependencies": { + "growly": "^1.3.0", + "is-wsl": "^2.2.0", + "semver": "^7.3.2", + "shellwords": "^0.1.1", + "uuid": "^8.3.0", + "which": "^2.0.2" + } + }, + "node_modules/node-notifier/node_modules/which": { + "version": "2.0.2", + "resolved": "http://localhost:4873/which/-/which-2.0.2.tgz", + "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", + "dev": true, + "license": "ISC", + "optional": true, + "dependencies": { + "isexe": "^2.0.0" + }, + "bin": { + "node-which": "bin/node-which" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/node-releases": { + "version": "2.0.19", + "resolved": "http://localhost:4873/node-releases/-/node-releases-2.0.19.tgz", + "integrity": "sha512-xxOWJsBKtzAq7DY0J+DTzuz58K8e7sJbdgwkbMWQe8UYB6ekmsQ45q0M/tJDsGaZmbC+l7n57UV8Hl5tHxO9uw==", + "dev": true, + "license": "MIT" + }, + "node_modules/normalize-package-data": { + "version": "2.5.0", + "resolved": "http://localhost:4873/normalize-package-data/-/normalize-package-data-2.5.0.tgz", + "integrity": "sha512-/5CMN3T0R4XTj4DcGaexo+roZSdSFW/0AOOTROrjxzCG1wrWXEsGbRKevjlIL+ZDE4sZlJr5ED4YW0yqmkK+eA==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "hosted-git-info": "^2.1.4", + "resolve": "^1.10.0", + "semver": "2 || 3 || 4 || 5", + "validate-npm-package-license": "^3.0.1" + } + }, + "node_modules/normalize-package-data/node_modules/semver": { + "version": "5.7.2", + "resolved": "http://localhost:4873/semver/-/semver-5.7.2.tgz", + "integrity": "sha512-cBznnQ9KjJqU67B52RMC65CMarK2600WFnbkcaiwWq3xy/5haFJlshgnpjovMVJ+Hff49d8GEn0b87C5pDQ10g==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver" + } + }, + "node_modules/normalize-path": { + "version": "2.1.1", + "resolved": "http://localhost:4873/normalize-path/-/normalize-path-2.1.1.tgz", + "integrity": "sha512-3pKJwH184Xo/lnH6oyP1q2pMd7HcypqqmRs91/6/i2CGtWwIKGCkOOMTm/zXbgTEWHw1uNpNi/igc3ePOYHb6w==", + "dev": true, + "license": "MIT", + "dependencies": { + "remove-trailing-separator": "^1.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/npm-run-path": { + "version": "4.0.1", + "resolved": "http://localhost:4873/npm-run-path/-/npm-run-path-4.0.1.tgz", + "integrity": "sha512-S48WzZW777zhNIrn7gxOlISNAqi9ZC/uQFnRdbeIHhZhCA6UqpkOT8T1G7BvfdgP4Er8gF4sUbaS0i7QvIfCWw==", + "dev": true, + "license": "MIT", + "dependencies": { + "path-key": "^3.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/npm-run-path/node_modules/path-key": { + "version": "3.1.1", + "resolved": "http://localhost:4873/path-key/-/path-key-3.1.1.tgz", + "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/nwsapi": { + "version": "2.2.20", + "resolved": "http://localhost:4873/nwsapi/-/nwsapi-2.2.20.tgz", + "integrity": "sha512-/ieB+mDe4MrrKMT8z+mQL8klXydZWGR5Dowt4RAGKbJ3kIGEx3X4ljUo+6V73IXtUPWgfOlU5B9MlGxFO5T+cA==", + "dev": true, + "license": "MIT" + }, + "node_modules/object-assign": { + "version": "4.1.1", + "resolved": "http://localhost:4873/object-assign/-/object-assign-4.1.1.tgz", + "integrity": "sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/object-copy": { + "version": "0.1.0", + "resolved": "http://localhost:4873/object-copy/-/object-copy-0.1.0.tgz", + "integrity": "sha512-79LYn6VAb63zgtmAteVOWo9Vdj71ZVBy3Pbse+VqxDpEP83XuujMrGqHIwAXJ5I/aM0zU7dIyIAhifVTPrNItQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "copy-descriptor": "^0.1.0", + "define-property": "^0.2.5", + "kind-of": "^3.0.3" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/object-copy/node_modules/define-property": { + "version": "0.2.5", + "resolved": "http://localhost:4873/define-property/-/define-property-0.2.5.tgz", + "integrity": "sha512-Rr7ADjQZenceVOAKop6ALkkRAmH1A4Gx9hV/7ZujPUN2rkATqFO0JZLZInbAjpZYoJ1gUx8MRMQVkYemcbMSTA==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-descriptor": "^0.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/object-copy/node_modules/is-descriptor": { + "version": "0.1.7", + "resolved": "http://localhost:4873/is-descriptor/-/is-descriptor-0.1.7.tgz", + "integrity": "sha512-C3grZTvObeN1xud4cRWl366OMXZTj0+HGyk4hvfpx4ZHt1Pb60ANSXqCK7pdOTeUQpRzECBSTphqvD7U+l22Eg==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-accessor-descriptor": "^1.0.1", + "is-data-descriptor": "^1.0.1" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/object-copy/node_modules/kind-of": { + "version": "3.2.2", + "resolved": "http://localhost:4873/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha512-NOW9QQXMoZGg/oqnVNoNTTIFEIid1627WCffUBJEdMxYApq7mNE7CpzucIPc+ZQg25Phej7IJSmX3hO+oblOtQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-buffer": "^1.1.5" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/object-inspect": { + "version": "1.13.4", + "resolved": "http://localhost:4873/object-inspect/-/object-inspect-1.13.4.tgz", + "integrity": "sha512-W67iLl4J2EXEGTbfeHCffrjDfitvLANg0UlX3wFUUSTx92KXRFegMHUVgSqE+wvhAbi4WqjGg9czysTV2Epbew==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/object-is": { + "version": "1.1.6", + "resolved": "http://localhost:4873/object-is/-/object-is-1.1.6.tgz", + "integrity": "sha512-F8cZ+KfGlSGi09lJT7/Nd6KJZ9ygtvYC0/UYYLI9nmQKLMnydpB9yvbv9K1uSkEu7FU9vYPmVwLg328tX+ot3Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind": "^1.0.7", + "define-properties": "^1.2.1" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/object-keys": { + "version": "1.1.1", + "resolved": "http://localhost:4873/object-keys/-/object-keys-1.1.1.tgz", + "integrity": "sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/object-visit": { + "version": "1.0.1", + "resolved": "http://localhost:4873/object-visit/-/object-visit-1.0.1.tgz", + "integrity": "sha512-GBaMwwAVK9qbQN3Scdo0OyvgPW7l3lnaVMj84uTOZlswkX0KpF6fyDBJhtTthf7pymztoN36/KEr1DyhF96zEA==", + "dev": true, + "license": "MIT", + "dependencies": { + "isobject": "^3.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/object.assign": { + "version": "4.1.7", + "resolved": "http://localhost:4873/object.assign/-/object.assign-4.1.7.tgz", + "integrity": "sha512-nK28WOo+QIjBkDduTINE4JkF/UJJKyf2EJxvJKfblDpyg0Q+pkOHNTL0Qwy6NP6FhE/EnzV73BxxqcJaXY9anw==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind": "^1.0.8", + "call-bound": "^1.0.3", + "define-properties": "^1.2.1", + "es-object-atoms": "^1.0.0", + "has-symbols": "^1.1.0", + "object-keys": "^1.1.1" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/object.entries": { + "version": "1.1.9", + "resolved": "http://localhost:4873/object.entries/-/object.entries-1.1.9.tgz", + "integrity": "sha512-8u/hfXFRBD1O0hPUjioLhoWFHRmt6tKA4/vZPyckBr18l1KE9uHrFaFaUi8MDRTpi4uak2goyPTSNJLXX2k2Hw==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind": "^1.0.8", + "call-bound": "^1.0.4", + "define-properties": "^1.2.1", + "es-object-atoms": "^1.1.1" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/object.fromentries": { + "version": "2.0.8", + "resolved": "http://localhost:4873/object.fromentries/-/object.fromentries-2.0.8.tgz", + "integrity": "sha512-k6E21FzySsSK5a21KRADBd/NGneRegFO5pLHfdQLpRDETUNJueLXs3WCzyQ3tFRDYgbq3KHGXfTbi2bs8WQ6rQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind": "^1.0.7", + "define-properties": "^1.2.1", + "es-abstract": "^1.23.2", + "es-object-atoms": "^1.0.0" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/object.getownpropertydescriptors": { + "version": "2.1.8", + "resolved": "http://localhost:4873/object.getownpropertydescriptors/-/object.getownpropertydescriptors-2.1.8.tgz", + "integrity": "sha512-qkHIGe4q0lSYMv0XI4SsBTJz3WaURhLvd0lKSgtVuOsJ2krg4SgMw3PIRQFMp07yi++UR3se2mkcLqsBNpBb/A==", + "dev": true, + "license": "MIT", + "dependencies": { + "array.prototype.reduce": "^1.0.6", + "call-bind": "^1.0.7", + "define-properties": "^1.2.1", + "es-abstract": "^1.23.2", + "es-object-atoms": "^1.0.0", + "gopd": "^1.0.1", + "safe-array-concat": "^1.1.2" + }, + "engines": { + "node": ">= 0.8" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/object.pick": { + "version": "1.3.0", + "resolved": "http://localhost:4873/object.pick/-/object.pick-1.3.0.tgz", + "integrity": "sha512-tqa/UMy/CCoYmj+H5qc07qvSL9dqcs/WZENZ1JbtWBlATP+iVOe778gE6MSijnyCnORzDuX6hU+LA4SZ09YjFQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "isobject": "^3.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/object.values": { + "version": "1.2.1", + "resolved": "http://localhost:4873/object.values/-/object.values-1.2.1.tgz", + "integrity": "sha512-gXah6aZrcUxjWg2zR2MwouP2eHlCBzdV4pygudehaKXSGW4v2AsRQUK+lwwXhii6KFZcunEnmSUoYp5CXibxtA==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind": "^1.0.8", + "call-bound": "^1.0.3", + "define-properties": "^1.2.1", + "es-object-atoms": "^1.0.0" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/on-finished": { + "version": "2.4.1", + "resolved": "http://localhost:4873/on-finished/-/on-finished-2.4.1.tgz", + "integrity": "sha512-oVlzkg3ENAhCk2zdv7IJwd/QUD4z2RxRwpkcGY8psCVcCYZNq4wYnVWALHM+brtuJjePWiYF/ClmuDr8Ch5+kg==", + "dev": true, + "license": "MIT", + "dependencies": { + "ee-first": "1.1.1" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/on-headers": { + "version": "1.0.2", + "resolved": "http://localhost:4873/on-headers/-/on-headers-1.0.2.tgz", + "integrity": "sha512-pZAE+FJLoyITytdqK0U5s+FIpjN0JP3OzFi/u8Rx+EV5/W+JTWGXG8xFzevE7AjBfDqHv/8vL8qQsIhHnqRkrA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/once": { + "version": "1.4.0", + "resolved": "http://localhost:4873/once/-/once-1.4.0.tgz", + "integrity": "sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==", + "dev": true, + "license": "ISC", + "dependencies": { + "wrappy": "1" + } + }, + "node_modules/onetime": { + "version": "5.1.2", + "resolved": "http://localhost:4873/onetime/-/onetime-5.1.2.tgz", + "integrity": "sha512-kbpaSSGJTWdAY5KPVeMOKXSrPtr8C8C7wodJbcsd51jRnmD+GZu8Y0VoU6Dm5Z4vWr0Ig/1NKuWRKf7j5aaYSg==", + "dev": true, + "license": "MIT", + "dependencies": { + "mimic-fn": "^2.1.0" + }, + "engines": { + "node": ">=6" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/open": { + "version": "7.4.2", + "resolved": "http://localhost:4873/open/-/open-7.4.2.tgz", + "integrity": "sha512-MVHddDVweXZF3awtlAS+6pgKLlm/JgxZ90+/NBurBoQctVOOB/zDdVjcyPzQ+0laDGbsWgrRkflI65sQeOgT9Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-docker": "^2.0.0", + "is-wsl": "^2.1.1" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/openapi-fetch": { + "version": "0.8.2", + "resolved": "http://localhost:4873/openapi-fetch/-/openapi-fetch-0.8.2.tgz", + "integrity": "sha512-4g+NLK8FmQ51RW6zLcCBOVy/lwYmFJiiT+ckYZxJWxUxH4XFhsNcX2eeqVMfVOi+mDNFja6qDXIZAz2c5J/RVw==", + "dev": true, + "license": "MIT", + "dependencies": { + "openapi-typescript-helpers": "^0.0.5" + } + }, + "node_modules/openapi-typescript-helpers": { + "version": "0.0.5", + "resolved": "http://localhost:4873/openapi-typescript-helpers/-/openapi-typescript-helpers-0.0.5.tgz", + "integrity": "sha512-MRffg93t0hgGZbYTxg60hkRIK2sRuEOHEtCUgMuLgbCC33TMQ68AmxskzUlauzZYD47+ENeGV/ElI7qnWqrAxA==", + "dev": true, + "license": "MIT" + }, + "node_modules/opener": { + "version": "1.5.2", + "resolved": "http://localhost:4873/opener/-/opener-1.5.2.tgz", + "integrity": "sha512-ur5UIdyw5Y7yEj9wLzhqXiy6GZ3Mwx0yGI+5sMn2r0N0v3cKJvUmFH5yPP+WXh9e0xfyzyJX95D8l088DNFj7A==", + "dev": true, + "license": "(WTFPL OR MIT)", + "bin": { + "opener": "bin/opener-bin.js" + } + }, + "node_modules/optionator": { + "version": "0.9.4", + "resolved": "http://localhost:4873/optionator/-/optionator-0.9.4.tgz", + "integrity": "sha512-6IpQ7mKUxRcZNLIObR0hz7lxsapSSIYNZJwXPGeF0mTVqGKFIXj1DQcMoT22S3ROcLyY/rz0PWaWZ9ayWmad9g==", + "dev": true, + "license": "MIT", + "dependencies": { + "deep-is": "^0.1.3", + "fast-levenshtein": "^2.0.6", + "levn": "^0.4.1", + "prelude-ls": "^1.2.1", + "type-check": "^0.4.0", + "word-wrap": "^1.2.5" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/ora": { + "version": "5.4.1", + "resolved": "http://localhost:4873/ora/-/ora-5.4.1.tgz", + "integrity": "sha512-5b6Y85tPxZZ7QytO+BQzysW31HJku27cRIlkbAXaNx+BdcVi+LlRFmVXzeF6a7JCwJpyw5c4b+YSVImQIrBpuQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "bl": "^4.1.0", + "chalk": "^4.1.0", + "cli-cursor": "^3.1.0", + "cli-spinners": "^2.5.0", + "is-interactive": "^1.0.0", + "is-unicode-supported": "^0.1.0", + "log-symbols": "^4.1.0", + "strip-ansi": "^6.0.0", + "wcwidth": "^1.0.1" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/ora/node_modules/bl": { + "version": "4.1.0", + "resolved": "http://localhost:4873/bl/-/bl-4.1.0.tgz", + "integrity": "sha512-1W07cM9gS6DcLperZfFSj+bWLtaPGSOHWhPiGzXmvVJbRLdG82sH/Kn8EtW1VqWVA54AKf2h5k5BbnIbwF3h6w==", + "dev": true, + "license": "MIT", + "dependencies": { + "buffer": "^5.5.0", + "inherits": "^2.0.4", + "readable-stream": "^3.4.0" + } + }, + "node_modules/ora/node_modules/buffer": { + "version": "5.7.1", + "resolved": "http://localhost:4873/buffer/-/buffer-5.7.1.tgz", + "integrity": "sha512-EHcyIPBQ4BSGlvjB16k5KgAJ27CIsHY/2JBmCRReo48y9rQ3MaUzWX3KVlBa4U7MyX02HdVj0K7C3WaB3ju7FQ==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/feross" + }, + { + "type": "patreon", + "url": "https://www.patreon.com/feross" + }, + { + "type": "consulting", + "url": "https://feross.org/support" + } + ], + "license": "MIT", + "dependencies": { + "base64-js": "^1.3.1", + "ieee754": "^1.1.13" + } + }, + "node_modules/ora/node_modules/cli-cursor": { + "version": "3.1.0", + "resolved": "http://localhost:4873/cli-cursor/-/cli-cursor-3.1.0.tgz", + "integrity": "sha512-I/zHAwsKf9FqGoXM4WWRACob9+SNukZTd94DWF57E4toouRulbCxcUh6RKUEOQlYTHJnzkPMySvPNaaSLNfLZw==", + "dev": true, + "license": "MIT", + "dependencies": { + "restore-cursor": "^3.1.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/ora/node_modules/readable-stream": { + "version": "3.6.2", + "resolved": "http://localhost:4873/readable-stream/-/readable-stream-3.6.2.tgz", + "integrity": "sha512-9u/sniCrY3D5WdsERHzHE4G2YCXqoG5FTHUiCC4SIbr6XcLZBY05ya9EKjYek9O5xOAwjGq+1JdGBAS7Q9ScoA==", + "dev": true, + "license": "MIT", + "dependencies": { + "inherits": "^2.0.3", + "string_decoder": "^1.1.1", + "util-deprecate": "^1.0.1" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/ora/node_modules/restore-cursor": { + "version": "3.1.0", + "resolved": "http://localhost:4873/restore-cursor/-/restore-cursor-3.1.0.tgz", + "integrity": "sha512-l+sSefzHpj5qimhFSE5a8nufZYAM3sBSVMAPtYkmC+4EH2anSGaEMXSD0izRQbu9nfyQ9y5JrVmp7E8oZrUjvA==", + "dev": true, + "license": "MIT", + "dependencies": { + "onetime": "^5.1.0", + "signal-exit": "^3.0.2" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/os-tmpdir": { + "version": "1.0.2", + "resolved": "http://localhost:4873/os-tmpdir/-/os-tmpdir-1.0.2.tgz", + "integrity": "sha512-D2FR03Vir7FIu45XBY20mTb+/ZSWB00sjU9jdQXt83gDrI4Ztz5Fs7/yy74g2N5SVQY4xY1qDr4rNddwYRVX0g==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/outvariant": { + "version": "1.4.3", + "resolved": "http://localhost:4873/outvariant/-/outvariant-1.4.3.tgz", + "integrity": "sha512-+Sl2UErvtsoajRDKCE5/dBz4DIvHXQQnAxtQTF04OJxY0+DyZXSo5P5Bb7XYWOh81syohlYL24hbDwxedPUJCA==", + "dev": true, + "license": "MIT" + }, + "node_modules/own-keys": { + "version": "1.0.1", + "resolved": "http://localhost:4873/own-keys/-/own-keys-1.0.1.tgz", + "integrity": "sha512-qFOyK5PjiWZd+QQIh+1jhdb9LpxTF0qs7Pm8o5QHYZ0M3vKqSqzsZaEB6oWlxZ+q2sJBMI/Ktgd2N5ZwQoRHfg==", + "dev": true, + "license": "MIT", + "dependencies": { + "get-intrinsic": "^1.2.6", + "object-keys": "^1.1.1", + "safe-push-apply": "^1.0.0" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/p-each-series": { + "version": "2.2.0", + "resolved": "http://localhost:4873/p-each-series/-/p-each-series-2.2.0.tgz", + "integrity": "sha512-ycIL2+1V32th+8scbpTvyHNaHe02z0sjgh91XXjAk+ZeXoPN4Z46DVUnzdso0aX4KckKw0FNNFHdjZ2UsZvxiA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/p-finally": { + "version": "1.0.0", + "resolved": "http://localhost:4873/p-finally/-/p-finally-1.0.0.tgz", + "integrity": "sha512-LICb2p9CB7FS+0eR1oqWnHhp0FljGLZCWBE9aix0Uye9W8LTQPwMTYVGWQWIw9RdQiDg4+epXQODwIYJtSJaow==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4" + } + }, + "node_modules/p-limit": { + "version": "2.3.0", + "resolved": "http://localhost:4873/p-limit/-/p-limit-2.3.0.tgz", + "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==", + "dev": true, + "license": "MIT", + "dependencies": { + "p-try": "^2.0.0" + }, + "engines": { + "node": ">=6" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/p-locate": { + "version": "4.1.0", + "resolved": "http://localhost:4873/p-locate/-/p-locate-4.1.0.tgz", + "integrity": "sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==", + "dev": true, + "license": "MIT", + "dependencies": { + "p-limit": "^2.2.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/p-try": { + "version": "2.2.0", + "resolved": "http://localhost:4873/p-try/-/p-try-2.2.0.tgz", + "integrity": "sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/parent-module": { + "version": "1.0.1", + "resolved": "http://localhost:4873/parent-module/-/parent-module-1.0.1.tgz", + "integrity": "sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==", + "dev": true, + "license": "MIT", + "dependencies": { + "callsites": "^3.0.0" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/parse-cache-control": { + "version": "1.0.1", + "resolved": "http://localhost:4873/parse-cache-control/-/parse-cache-control-1.0.1.tgz", + "integrity": "sha512-60zvsJReQPX5/QP0Kzfd/VrpjScIQ7SHBW6bFCYfEP+fp0Eppr1SHhIO5nd1PjZtvclzSzES9D/p5nFJurwfWg==", + "dev": true + }, + "node_modules/parse-json": { + "version": "5.2.0", + "resolved": "http://localhost:4873/parse-json/-/parse-json-5.2.0.tgz", + "integrity": "sha512-ayCKvm/phCGxOkYRSCM82iDwct8/EonSEgCSxWxD7ve6jHggsFl4fZVQBPRNgQoKiuV/odhFrGzQXZwbifC8Rg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/code-frame": "^7.0.0", + "error-ex": "^1.3.1", + "json-parse-even-better-errors": "^2.3.0", + "lines-and-columns": "^1.1.6" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/parse-passwd": { + "version": "1.0.0", + "resolved": "http://localhost:4873/parse-passwd/-/parse-passwd-1.0.0.tgz", + "integrity": "sha512-1Y1A//QUXEZK7YKz+rD9WydcE1+EuPr6ZBgKecAB8tmoW6UFv0NREVJe1p+jRxtThkcbbKkfwIbWJe/IeE6m2Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/parse5": { + "version": "6.0.1", + "resolved": "http://localhost:4873/parse5/-/parse5-6.0.1.tgz", + "integrity": "sha512-Ofn/CTFzRGTTxwpNEs9PP93gXShHcTq255nzRYSKe8AkVpZY7e1fpmTfOyoIvjP5HG7Z2ZM7VS9PPhQGW2pOpw==", + "dev": true, + "license": "MIT" + }, + "node_modules/parseurl": { + "version": "1.3.3", + "resolved": "http://localhost:4873/parseurl/-/parseurl-1.3.3.tgz", + "integrity": "sha512-CiyeOxFT/JZyN5m0z9PfXw4SCBJ6Sygz1Dpl0wqjlhDEGGBP1GnsUVEL0p63hoG1fcj3fHynXi9NYO4nWOL+qQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/pascalcase": { + "version": "0.1.1", + "resolved": "http://localhost:4873/pascalcase/-/pascalcase-0.1.1.tgz", + "integrity": "sha512-XHXfu/yOQRy9vYOtUDVMN60OEJjW013GoObG1o+xwQTpB9eYJX/BjXMsdW13ZDPruFhYYn0AG22w0xgQMwl3Nw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/path-exists": { + "version": "4.0.0", + "resolved": "http://localhost:4873/path-exists/-/path-exists-4.0.0.tgz", + "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/path-is-absolute": { + "version": "1.0.1", + "resolved": "http://localhost:4873/path-is-absolute/-/path-is-absolute-1.0.1.tgz", + "integrity": "sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/path-key": { + "version": "2.0.1", + "resolved": "http://localhost:4873/path-key/-/path-key-2.0.1.tgz", + "integrity": "sha512-fEHGKCSmUSDPv4uoj8AlD+joPlq3peND+HRYyxFz4KPw4z926S/b8rIuFs2FYJg3BwsxJf6A9/3eIdLaYC+9Dw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4" + } + }, + "node_modules/path-parse": { + "version": "1.0.7", + "resolved": "http://localhost:4873/path-parse/-/path-parse-1.0.7.tgz", + "integrity": "sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==", + "dev": true, + "license": "MIT" + }, + "node_modules/path-scurry": { + "version": "1.11.1", + "resolved": "http://localhost:4873/path-scurry/-/path-scurry-1.11.1.tgz", + "integrity": "sha512-Xa4Nw17FS9ApQFJ9umLiJS4orGjm7ZzwUrwamcGQuHSzDyth9boKDaycYdDcZDuqYATXw4HFXgaqWTctW/v1HA==", + "dev": true, + "license": "BlueOak-1.0.0", + "dependencies": { + "lru-cache": "^10.2.0", + "minipass": "^5.0.0 || ^6.0.2 || ^7.0.0" + }, + "engines": { + "node": ">=16 || 14 >=14.18" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/path-scurry/node_modules/lru-cache": { + "version": "10.4.3", + "resolved": "http://localhost:4873/lru-cache/-/lru-cache-10.4.3.tgz", + "integrity": "sha512-JNAzZcXrCt42VGLuYz0zfAzDfAvJWW6AfYlDBQyDV5DClI2m5sAmK+OIO7s59XfsRsWHp02jAJrRadPRGTt6SQ==", + "dev": true, + "license": "ISC" + }, + "node_modules/path-scurry/node_modules/minipass": { + "version": "7.1.2", + "resolved": "http://localhost:4873/minipass/-/minipass-7.1.2.tgz", + "integrity": "sha512-qOOzS1cBTWYF4BH8fVePDBOO9iptMnGUEZwNc/cMWnTV2nVLZ7VoNWEPHkYczZA0pdoA7dl6e7FL659nX9S2aw==", + "dev": true, + "license": "ISC", + "engines": { + "node": ">=16 || 14 >=14.17" + } + }, + "node_modules/path-to-regexp": { + "version": "0.1.12", + "resolved": "http://localhost:4873/path-to-regexp/-/path-to-regexp-0.1.12.tgz", + "integrity": "sha512-RA1GjUVMnvYFxuqovrEqZoxxW5NUZqbwKtYz/Tt7nXerk0LbLblQmrsgdeOxV5SFHf0UDggjS/bSeOZwt1pmEQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/path-type": { + "version": "4.0.0", + "resolved": "http://localhost:4873/path-type/-/path-type-4.0.0.tgz", + "integrity": "sha512-gDKb8aZMDeD/tZWs9P6+q0J9Mwkdl6xMV8TjnGP3qJVJ06bdMgkbBlLU8IdfOsIsFz2BW1rNVT3XuNEl8zPAvw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/pend": { + "version": "1.2.0", + "resolved": "http://localhost:4873/pend/-/pend-1.2.0.tgz", + "integrity": "sha512-F3asv42UuXchdzt+xXqfW1OGlVBe+mxa2mqI0pg5yAHZPvFmY3Y6drSf/GQ1A86WgWEN9Kzh/WrgKa6iGcHXLg==", + "dev": true, + "license": "MIT" + }, + "node_modules/performance-now": { + "version": "2.1.0", + "resolved": "http://localhost:4873/performance-now/-/performance-now-2.1.0.tgz", + "integrity": "sha512-7EAHlyLHI56VEIdK57uwHdHKIaAGbnXPiw0yWbarQZOKaKpvUIgW0jWRVLiatnM+XXlSwsanIBH/hzGMJulMow==", + "dev": true, + "license": "MIT" + }, + "node_modules/picocolors": { + "version": "1.1.1", + "resolved": "http://localhost:4873/picocolors/-/picocolors-1.1.1.tgz", + "integrity": "sha512-xceH2snhtb5M9liqDsmEw56le376mTZkEX/jEb/RxNFyegNul7eNslCXP9FDj/Lcu0X8KEyMceP2ntpaHrDEVA==", + "dev": true, + "license": "ISC" + }, + "node_modules/picomatch": { + "version": "2.3.1", + "resolved": "http://localhost:4873/picomatch/-/picomatch-2.3.1.tgz", + "integrity": "sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8.6" + }, + "funding": { + "url": "https://github.com/sponsors/jonschlinkert" + } + }, + "node_modules/pify": { + "version": "4.0.1", + "resolved": "http://localhost:4873/pify/-/pify-4.0.1.tgz", + "integrity": "sha512-uB80kBFb/tfd68bVleG9T5GGsGPjJrLAUpR5PZIrhBnIaRTQRjqdJSsIKkOP6OAIFbj7GOrcudc5pNjZ+geV2g==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/pirates": { + "version": "4.0.7", + "resolved": "http://localhost:4873/pirates/-/pirates-4.0.7.tgz", + "integrity": "sha512-TfySrs/5nm8fQJDcBDuUng3VOUKsd7S+zqvbOTiGXHfxX4wK31ard+hoNuvkicM/2YFzlpDgABOevKSsB4G/FA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 6" + } + }, + "node_modules/pkg-dir": { + "version": "3.0.0", + "resolved": "http://localhost:4873/pkg-dir/-/pkg-dir-3.0.0.tgz", + "integrity": "sha512-/E57AYkoeQ25qkxMj5PBOVgF8Kiu/h7cYS30Z5+R7WaiCCBfLq58ZI/dSeaEKb9WVJV5n/03QwrN3IeWIFllvw==", + "dev": true, + "license": "MIT", + "dependencies": { + "find-up": "^3.0.0" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/pkg-dir/node_modules/find-up": { + "version": "3.0.0", + "resolved": "http://localhost:4873/find-up/-/find-up-3.0.0.tgz", + "integrity": "sha512-1yD6RmLI1XBfxugvORwlck6f75tYL+iR0jqwsOrOxMZyGYqUuDhJ0l4AXdO1iX/FTs9cBAMEk1gWSEx1kSbylg==", + "dev": true, + "license": "MIT", + "dependencies": { + "locate-path": "^3.0.0" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/pkg-dir/node_modules/locate-path": { + "version": "3.0.0", + "resolved": "http://localhost:4873/locate-path/-/locate-path-3.0.0.tgz", + "integrity": "sha512-7AO748wWnIhNqAuaty2ZWHkQHRSNfPVIsPIfwEOWO22AmaoVrWavlOcMR5nzTLNYvp36X220/maaRsrec1G65A==", + "dev": true, + "license": "MIT", + "dependencies": { + "p-locate": "^3.0.0", + "path-exists": "^3.0.0" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/pkg-dir/node_modules/p-locate": { + "version": "3.0.0", + "resolved": "http://localhost:4873/p-locate/-/p-locate-3.0.0.tgz", + "integrity": "sha512-x+12w/To+4GFfgJhBEpiDcLozRJGegY+Ei7/z0tSLkMmxGZNybVMSfWj9aJn8Z5Fc7dBUNJOOVgPv2H7IwulSQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "p-limit": "^2.0.0" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/pkg-dir/node_modules/path-exists": { + "version": "3.0.0", + "resolved": "http://localhost:4873/path-exists/-/path-exists-3.0.0.tgz", + "integrity": "sha512-bpC7GYwiDYQ4wYLe+FA8lhRjhQCMcQGuSgGGqDkg/QerRWw9CmGRT0iSOVRSZJ29NMLZgIzqaljJ63oaL4NIJQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4" + } + }, + "node_modules/pkg-up": { + "version": "3.1.0", + "resolved": "http://localhost:4873/pkg-up/-/pkg-up-3.1.0.tgz", + "integrity": "sha512-nDywThFk1i4BQK4twPQ6TA4RT8bDY96yeuCVBWL3ePARCiEKDRSrNGbFIgUJpLp+XeIR65v8ra7WuJOFUBtkMA==", + "dev": true, + "license": "MIT", + "dependencies": { + "find-up": "^3.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/pkg-up/node_modules/find-up": { + "version": "3.0.0", + "resolved": "http://localhost:4873/find-up/-/find-up-3.0.0.tgz", + "integrity": "sha512-1yD6RmLI1XBfxugvORwlck6f75tYL+iR0jqwsOrOxMZyGYqUuDhJ0l4AXdO1iX/FTs9cBAMEk1gWSEx1kSbylg==", + "dev": true, + "license": "MIT", + "dependencies": { + "locate-path": "^3.0.0" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/pkg-up/node_modules/locate-path": { + "version": "3.0.0", + "resolved": "http://localhost:4873/locate-path/-/locate-path-3.0.0.tgz", + "integrity": "sha512-7AO748wWnIhNqAuaty2ZWHkQHRSNfPVIsPIfwEOWO22AmaoVrWavlOcMR5nzTLNYvp36X220/maaRsrec1G65A==", + "dev": true, + "license": "MIT", + "dependencies": { + "p-locate": "^3.0.0", + "path-exists": "^3.0.0" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/pkg-up/node_modules/p-locate": { + "version": "3.0.0", + "resolved": "http://localhost:4873/p-locate/-/p-locate-3.0.0.tgz", + "integrity": "sha512-x+12w/To+4GFfgJhBEpiDcLozRJGegY+Ei7/z0tSLkMmxGZNybVMSfWj9aJn8Z5Fc7dBUNJOOVgPv2H7IwulSQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "p-limit": "^2.0.0" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/pkg-up/node_modules/path-exists": { + "version": "3.0.0", + "resolved": "http://localhost:4873/path-exists/-/path-exists-3.0.0.tgz", + "integrity": "sha512-bpC7GYwiDYQ4wYLe+FA8lhRjhQCMcQGuSgGGqDkg/QerRWw9CmGRT0iSOVRSZJ29NMLZgIzqaljJ63oaL4NIJQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4" + } + }, + "node_modules/plur": { + "version": "4.0.0", + "resolved": "http://localhost:4873/plur/-/plur-4.0.0.tgz", + "integrity": "sha512-4UGewrYgqDFw9vV6zNV+ADmPAUAfJPKtGvb/VdpQAx25X5f3xXdGdyOEVFwkl8Hl/tl7+xbeHqSEM+D5/TirUg==", + "dev": true, + "license": "MIT", + "dependencies": { + "irregular-plurals": "^3.2.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/posix-character-classes": { + "version": "0.1.1", + "resolved": "http://localhost:4873/posix-character-classes/-/posix-character-classes-0.1.1.tgz", + "integrity": "sha512-xTgYBc3fuo7Yt7JbiuFxSYGToMoz8fLoE6TC9Wx1P/u+LfeThMOAqmuyECnlBaaJb+u1m9hHiXUEtwW4OzfUJg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/possible-typed-array-names": { + "version": "1.1.0", + "resolved": "http://localhost:4873/possible-typed-array-names/-/possible-typed-array-names-1.1.0.tgz", + "integrity": "sha512-/+5VFTchJDoVj3bhoqi6UeymcD00DAwb1nJwamzPvHEszJ4FpF6SNNbUbOS8yI56qHzdV8eK0qEfOSiodkTdxg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/postcss": { + "version": "5.2.18", + "resolved": "http://localhost:4873/postcss/-/postcss-5.2.18.tgz", + "integrity": "sha512-zrUjRRe1bpXKsX1qAJNJjqZViErVuyEkMTRrwu4ud4sbTtIBRmtaYDrHmcGgmrbsW3MHfmtIf+vJumgQn+PrXg==", + "dev": true, + "license": "MIT", + "dependencies": { + "chalk": "^1.1.3", + "js-base64": "^2.1.9", + "source-map": "^0.5.6", + "supports-color": "^3.2.3" + }, + "engines": { + "node": ">=0.12" + } + }, + "node_modules/postcss-prefix-selector": { + "version": "1.16.1", + "resolved": "http://localhost:4873/postcss-prefix-selector/-/postcss-prefix-selector-1.16.1.tgz", + "integrity": "sha512-Umxu+FvKMwlY6TyDzGFoSUnzW+NOfMBLyC1tAkIjgX+Z/qGspJeRjVC903D7mx7TuBpJlwti2ibXtWuA7fKMeQ==", + "dev": true, + "license": "MIT", + "peerDependencies": { + "postcss": ">4 <9" + } + }, + "node_modules/postcss/node_modules/ansi-regex": { + "version": "2.1.1", + "resolved": "http://localhost:4873/ansi-regex/-/ansi-regex-2.1.1.tgz", + "integrity": "sha512-TIGnTpdo+E3+pCyAluZvtED5p5wCqLdezCyhPZzKPcxvFplEt4i+W7OONCKgeZFT3+y5NZZfOOS/Bdcanm1MYA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/postcss/node_modules/ansi-styles": { + "version": "2.2.1", + "resolved": "http://localhost:4873/ansi-styles/-/ansi-styles-2.2.1.tgz", + "integrity": "sha512-kmCevFghRiWM7HB5zTPULl4r9bVFSWjz62MhqizDGUrq2NWuNMQyuv4tHHoKJHs69M/MF64lEcHdYIocrdWQYA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/postcss/node_modules/chalk": { + "version": "1.1.3", + "resolved": "http://localhost:4873/chalk/-/chalk-1.1.3.tgz", + "integrity": "sha512-U3lRVLMSlsCfjqYPbLyVv11M9CPW4I728d6TCKMAOJueEeB9/8o+eSsMnxPJD+Q+K909sdESg7C+tIkoH6on1A==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-styles": "^2.2.1", + "escape-string-regexp": "^1.0.2", + "has-ansi": "^2.0.0", + "strip-ansi": "^3.0.0", + "supports-color": "^2.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/postcss/node_modules/chalk/node_modules/supports-color": { + "version": "2.0.0", + "resolved": "http://localhost:4873/supports-color/-/supports-color-2.0.0.tgz", + "integrity": "sha512-KKNVtd6pCYgPIKU4cp2733HWYCpplQhddZLBUryaAHou723x+FRzQ5Df824Fj+IyyuiQTRoub4SnIFfIcrp70g==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.8.0" + } + }, + "node_modules/postcss/node_modules/escape-string-regexp": { + "version": "1.0.5", + "resolved": "http://localhost:4873/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz", + "integrity": "sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.8.0" + } + }, + "node_modules/postcss/node_modules/has-flag": { + "version": "1.0.0", + "resolved": "http://localhost:4873/has-flag/-/has-flag-1.0.0.tgz", + "integrity": "sha512-DyYHfIYwAJmjAjSSPKANxI8bFY9YtFrgkAfinBojQ8YJTOuOuav64tMUJv584SES4xl74PmuaevIyaLESHdTAA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/postcss/node_modules/strip-ansi": { + "version": "3.0.1", + "resolved": "http://localhost:4873/strip-ansi/-/strip-ansi-3.0.1.tgz", + "integrity": "sha512-VhumSSbBqDTP8p2ZLKj40UjBCV4+v8bUSEpUb4KjRgWk9pbqGF4REFj6KEagidb2f/M6AzC0EmFyDNGaw9OCzg==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-regex": "^2.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/postcss/node_modules/supports-color": { + "version": "3.2.3", + "resolved": "http://localhost:4873/supports-color/-/supports-color-3.2.3.tgz", + "integrity": "sha512-Jds2VIYDrlp5ui7t8abHN2bjAu4LV/q4N2KivFPpGH0lrka0BMq/33AmECUXlKPcHigkNaqfXRENFju+rlcy+A==", + "dev": true, + "license": "MIT", + "dependencies": { + "has-flag": "^1.0.0" + }, + "engines": { + "node": ">=0.8.0" + } + }, + "node_modules/posthtml": { + "version": "0.9.2", + "resolved": "http://localhost:4873/posthtml/-/posthtml-0.9.2.tgz", + "integrity": "sha512-spBB5sgC4cv2YcW03f/IAUN1pgDJWNWD8FzkyY4mArLUMJW+KlQhlmUdKAHQuPfb00Jl5xIfImeOsf6YL8QK7Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "posthtml-parser": "^0.2.0", + "posthtml-render": "^1.0.5" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/posthtml-parser": { + "version": "0.2.1", + "resolved": "http://localhost:4873/posthtml-parser/-/posthtml-parser-0.2.1.tgz", + "integrity": "sha512-nPC53YMqJnc/+1x4fRYFfm81KV2V+G9NZY+hTohpYg64Ay7NemWWcV4UWuy/SgMupqQ3kJ88M/iRfZmSnxT+pw==", + "dev": true, + "license": "MIT", + "dependencies": { + "htmlparser2": "^3.8.3", + "isobject": "^2.1.0" + } + }, + "node_modules/posthtml-parser/node_modules/isobject": { + "version": "2.1.0", + "resolved": "http://localhost:4873/isobject/-/isobject-2.1.0.tgz", + "integrity": "sha512-+OUdGJlgjOBZDfxnDjYYG6zp487z0JGNQq3cYQYg5f5hKR+syHMsaztzGeml/4kGG55CSpKSpWTY+jYGgsHLgA==", + "dev": true, + "license": "MIT", + "dependencies": { + "isarray": "1.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/posthtml-rename-id": { + "version": "1.0.12", + "resolved": "http://localhost:4873/posthtml-rename-id/-/posthtml-rename-id-1.0.12.tgz", + "integrity": "sha512-UKXf9OF/no8WZo9edRzvuMenb6AD5hDLzIepJW+a4oJT+T/Lx7vfMYWT4aWlGNQh0WMhnUx1ipN9OkZ9q+ddEw==", + "dev": true, + "license": "MIT", + "dependencies": { + "escape-string-regexp": "1.0.5" + } + }, + "node_modules/posthtml-rename-id/node_modules/escape-string-regexp": { + "version": "1.0.5", + "resolved": "http://localhost:4873/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz", + "integrity": "sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.8.0" + } + }, + "node_modules/posthtml-render": { + "version": "1.4.0", + "resolved": "http://localhost:4873/posthtml-render/-/posthtml-render-1.4.0.tgz", + "integrity": "sha512-W1779iVHGfq0Fvh2PROhCe2QhB8mEErgqzo1wpIt36tCgChafP+hbXIhLDOM8ePJrZcFs0vkNEtdibEWVqChqw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + } + }, + "node_modules/posthtml-svg-mode": { + "version": "1.0.3", + "resolved": "http://localhost:4873/posthtml-svg-mode/-/posthtml-svg-mode-1.0.3.tgz", + "integrity": "sha512-hEqw9NHZ9YgJ2/0G7CECOeuLQKZi8HjWLkBaSVtOWjygQ9ZD8P7tqeowYs7WrFdKsWEKG7o+IlsPY8jrr0CJpQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "merge-options": "1.0.1", + "posthtml": "^0.9.2", + "posthtml-parser": "^0.2.1", + "posthtml-render": "^1.0.6" + } + }, + "node_modules/prelude-ls": { + "version": "1.2.1", + "resolved": "http://localhost:4873/prelude-ls/-/prelude-ls-1.2.1.tgz", + "integrity": "sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/prettier": { + "version": "2.8.8", + "resolved": "http://localhost:4873/prettier/-/prettier-2.8.8.tgz", + "integrity": "sha512-tdN8qQGvNjw4CHbY+XXk0JgCXn9QiF21a55rBe5LJAU+kDyC4WQn4+awm2Xfk2lQMk5fKup9XgzTZtGkjBdP9Q==", + "dev": true, + "license": "MIT", + "bin": { + "prettier": "bin-prettier.js" + }, + "engines": { + "node": ">=10.13.0" + }, + "funding": { + "url": "https://github.com/prettier/prettier?sponsor=1" + } + }, + "node_modules/prettier-linter-helpers": { + "version": "1.0.0", + "resolved": "http://localhost:4873/prettier-linter-helpers/-/prettier-linter-helpers-1.0.0.tgz", + "integrity": "sha512-GbK2cP9nraSSUF9N2XwUwqfzlAFlMNYYl+ShE/V+H8a9uNl/oUqB1w2EL54Jh0OlyRSd8RfWYJ3coVS4TROP2w==", + "dev": true, + "license": "MIT", + "dependencies": { + "fast-diff": "^1.1.2" + }, + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/pretty-format": { + "version": "27.5.1", + "resolved": "http://localhost:4873/pretty-format/-/pretty-format-27.5.1.tgz", + "integrity": "sha512-Qb1gy5OrP5+zDf2Bvnzdl3jsTf1qXVMazbvCoKhtKqVs4/YK4ozX4gKQJJVyNe+cajNPn0KoC0MC3FUmaHWEmQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-regex": "^5.0.1", + "ansi-styles": "^5.0.0", + "react-is": "^17.0.1" + }, + "engines": { + "node": "^10.13.0 || ^12.13.0 || ^14.15.0 || >=15.0.0" + } + }, + "node_modules/pretty-format/node_modules/ansi-styles": { + "version": "5.2.0", + "resolved": "http://localhost:4873/ansi-styles/-/ansi-styles-5.2.0.tgz", + "integrity": "sha512-Cxwpt2SfTzTtXcfOlzGEee8O+c+MmUgGrNiBcXnuWxuFJHe6a5Hz7qwhwe5OgaSYI0IJvkLqWX1ASG+cJOkEiA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/ansi-styles?sponsor=1" + } + }, + "node_modules/pretty-format/node_modules/react-is": { + "version": "17.0.2", + "resolved": "http://localhost:4873/react-is/-/react-is-17.0.2.tgz", + "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==", + "dev": true, + "license": "MIT" + }, + "node_modules/process-nextick-args": { + "version": "2.0.1", + "resolved": "http://localhost:4873/process-nextick-args/-/process-nextick-args-2.0.1.tgz", + "integrity": "sha512-3ouUOpQhtgrbOa17J7+uxOTpITYWaGP7/AhoR3+A+/1e9skrzelGi/dXzEYyvbxubEF6Wn2ypscTKiKJFFn1ag==", + "dev": true, + "license": "MIT" + }, + "node_modules/progress": { + "version": "2.0.3", + "resolved": "http://localhost:4873/progress/-/progress-2.0.3.tgz", + "integrity": "sha512-7PiHtLll5LdnKIMw100I+8xJXR5gW2QwWYkT6iJva0bXitZKa/XMrSbdmg3r2Xnaidz9Qumd0VPaMrZlF9V9sA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.4.0" + } + }, + "node_modules/promise-polyfill": { + "version": "7.1.2", + "resolved": "http://localhost:4873/promise-polyfill/-/promise-polyfill-7.1.2.tgz", + "integrity": "sha512-FuEc12/eKqqoRYIGBrUptCBRhobL19PS2U31vMNTfyck1FxPyMfgsXyW4Mav85y/ZN1hop3hOwRlUDok23oYfQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/prompts": { + "version": "2.4.2", + "resolved": "http://localhost:4873/prompts/-/prompts-2.4.2.tgz", + "integrity": "sha512-NxNv/kLguCA7p3jE8oL2aEBsrJWgAakBpgmgK6lpPWV+WuOmY6r2/zbAVnP+T8bQlA0nzHXSJSJW0Hq7ylaD2Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "kleur": "^3.0.3", + "sisteransi": "^1.0.5" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/prop-types": { + "version": "15.8.1", + "resolved": "http://localhost:4873/prop-types/-/prop-types-15.8.1.tgz", + "integrity": "sha512-oj87CgZICdulUohogVAR7AjlC0327U4el4L6eAvOqCeudMDVU0NThNaV+b9Df4dXgSP1gXMTnPdhfe/2qDH5cg==", + "dev": true, + "license": "MIT", + "dependencies": { + "loose-envify": "^1.4.0", + "object-assign": "^4.1.1", + "react-is": "^16.13.1" + } + }, + "node_modules/proxy-addr": { + "version": "2.0.7", + "resolved": "http://localhost:4873/proxy-addr/-/proxy-addr-2.0.7.tgz", + "integrity": "sha512-llQsMLSUDUPT44jdrU/O37qlnifitDP+ZwrmmZcoSKyLKvtZxpyV0n2/bD/N4tBAAZ/gJEdZU7KMraoK1+XYAg==", + "dev": true, + "license": "MIT", + "dependencies": { + "forwarded": "0.2.0", + "ipaddr.js": "1.9.1" + }, + "engines": { + "node": ">= 0.10" + } + }, + "node_modules/proxy-from-env": { + "version": "1.1.0", + "resolved": "http://localhost:4873/proxy-from-env/-/proxy-from-env-1.1.0.tgz", + "integrity": "sha512-D+zkORCbA9f1tdWRK0RaCR3GPv50cMxcrz4X8k5LTSUD1Dkw47mKJEZQNunItRTkWwgtaUSo1RVFRIG9ZXiFYg==", + "dev": true, + "license": "MIT" + }, + "node_modules/ps-list": { + "version": "8.1.1", + "resolved": "http://localhost:4873/ps-list/-/ps-list-8.1.1.tgz", + "integrity": "sha512-OPS9kEJYVmiO48u/B9qneqhkMvgCxT+Tm28VCEJpheTpl8cJ0ffZRRNgS5mrQRTrX5yRTpaJ+hRDeefXYmmorQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": "^12.20.0 || ^14.13.1 || >=16.0.0" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/psl": { + "version": "1.15.0", + "resolved": "http://localhost:4873/psl/-/psl-1.15.0.tgz", + "integrity": "sha512-JZd3gMVBAVQkSs6HdNZo9Sdo0LNcQeMNP3CozBJb3JYC/QUYZTnKxP+f8oWRX4rHP5EurWxqAHTSwUCjlNKa1w==", + "dev": true, + "license": "MIT", + "dependencies": { + "punycode": "^2.3.1" + }, + "funding": { + "url": "https://github.com/sponsors/lupomontero" + } + }, + "node_modules/pump": { + "version": "3.0.2", + "resolved": "http://localhost:4873/pump/-/pump-3.0.2.tgz", + "integrity": "sha512-tUPXtzlGM8FE3P0ZL6DVs/3P58k9nk8/jZeQCurTJylQA8qFYzHFfhBJkuqyE0FifOsQ0uKWekiZ5g8wtr28cw==", + "dev": true, + "license": "MIT", + "dependencies": { + "end-of-stream": "^1.1.0", + "once": "^1.3.1" + } + }, + "node_modules/punycode": { + "version": "2.3.1", + "resolved": "http://localhost:4873/punycode/-/punycode-2.3.1.tgz", + "integrity": "sha512-vYt7UD1U9Wg6138shLtLOvdAu+8DsC/ilFtEVHcH+wydcSpNE20AfSOduf6MkRFahL5FY7X1oU7nKVZFtfq8Fg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/puppeteer-core": { + "version": "13.7.0", + "resolved": "http://localhost:4873/puppeteer-core/-/puppeteer-core-13.7.0.tgz", + "integrity": "sha512-rXja4vcnAzFAP1OVLq/5dWNfwBGuzcOARJ6qGV7oAZhnLmVRU8G5MsdeQEAOy332ZhkIOnn9jp15R89LKHyp2Q==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "cross-fetch": "3.1.5", + "debug": "4.3.4", + "devtools-protocol": "0.0.981744", + "extract-zip": "2.0.1", + "https-proxy-agent": "5.0.1", + "pkg-dir": "4.2.0", + "progress": "2.0.3", + "proxy-from-env": "1.1.0", + "rimraf": "3.0.2", + "tar-fs": "2.1.1", + "unbzip2-stream": "1.4.3", + "ws": "8.5.0" + }, + "engines": { + "node": ">=10.18.1" + } + }, + "node_modules/puppeteer-core/node_modules/cross-fetch": { + "version": "3.1.5", + "resolved": "http://localhost:4873/cross-fetch/-/cross-fetch-3.1.5.tgz", + "integrity": "sha512-lvb1SBsI0Z7GDwmuid+mU3kWVBwTVUbe7S0H52yaaAdQOXq2YktTCZdlAcNKFzE6QtRz0snpw9bNiPeOIkkQvw==", + "dev": true, + "license": "MIT", + "dependencies": { + "node-fetch": "2.6.7" + } + }, + "node_modules/puppeteer-core/node_modules/debug": { + "version": "4.3.4", + "resolved": "http://localhost:4873/debug/-/debug-4.3.4.tgz", + "integrity": "sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "ms": "2.1.2" + }, + "engines": { + "node": ">=6.0" + }, + "peerDependenciesMeta": { + "supports-color": { + "optional": true + } + } + }, + "node_modules/puppeteer-core/node_modules/ms": { + "version": "2.1.2", + "resolved": "http://localhost:4873/ms/-/ms-2.1.2.tgz", + "integrity": "sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==", + "dev": true, + "license": "MIT" + }, + "node_modules/puppeteer-core/node_modules/node-fetch": { + "version": "2.6.7", + "resolved": "http://localhost:4873/node-fetch/-/node-fetch-2.6.7.tgz", + "integrity": "sha512-ZjMPFEfVx5j+y2yF35Kzx5sF7kDzxuDj6ziH4FFbOp87zKDZNx8yExJIb05OGF4Nlt9IHFIMBkRl41VdvcNdbQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "whatwg-url": "^5.0.0" + }, + "engines": { + "node": "4.x || >=6.0.0" + }, + "peerDependencies": { + "encoding": "^0.1.0" + }, + "peerDependenciesMeta": { + "encoding": { + "optional": true + } + } + }, + "node_modules/puppeteer-core/node_modules/pkg-dir": { + "version": "4.2.0", + "resolved": "http://localhost:4873/pkg-dir/-/pkg-dir-4.2.0.tgz", + "integrity": "sha512-HRDzbaKjC+AOWVXxAU/x54COGeIv9eb+6CkDSQoNTt4XyWoIJvuPsXizxu/Fr23EiekbtZwmh1IcIG/l/a10GQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "find-up": "^4.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/puppeteer-core/node_modules/rimraf": { + "version": "3.0.2", + "resolved": "http://localhost:4873/rimraf/-/rimraf-3.0.2.tgz", + "integrity": "sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==", + "deprecated": "Rimraf versions prior to v4 are no longer supported", + "dev": true, + "license": "ISC", + "dependencies": { + "glob": "^7.1.3" + }, + "bin": { + "rimraf": "bin.js" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/puppeteer-core/node_modules/tr46": { + "version": "0.0.3", + "resolved": "http://localhost:4873/tr46/-/tr46-0.0.3.tgz", + "integrity": "sha512-N3WMsuqV66lT30CrXNbEjx4GEwlow3v6rr4mCcv6prnfwhS01rkgyFdjPNBYd9br7LpXV1+Emh01fHnq2Gdgrw==", + "dev": true, + "license": "MIT" + }, + "node_modules/puppeteer-core/node_modules/webidl-conversions": { + "version": "3.0.1", + "resolved": "http://localhost:4873/webidl-conversions/-/webidl-conversions-3.0.1.tgz", + "integrity": "sha512-2JAn3z8AR6rjK8Sm8orRC0h/bcl/DqL7tRPdGZ4I1CjdF+EaMLmYxBHyXuKL849eucPFhvBoxMsflfOb8kxaeQ==", + "dev": true, + "license": "BSD-2-Clause" + }, + "node_modules/puppeteer-core/node_modules/whatwg-url": { + "version": "5.0.0", + "resolved": "http://localhost:4873/whatwg-url/-/whatwg-url-5.0.0.tgz", + "integrity": "sha512-saE57nupxk6v3HY35+jzBwYa0rKSy0XR8JSxZPwgLr7ys0IBzhGviA1/TUGJLmSVqs8pb9AnvICXEuOHLprYTw==", + "dev": true, + "license": "MIT", + "dependencies": { + "tr46": "~0.0.3", + "webidl-conversions": "^3.0.0" + } + }, + "node_modules/puppeteer-core/node_modules/ws": { + "version": "8.5.0", + "resolved": "http://localhost:4873/ws/-/ws-8.5.0.tgz", + "integrity": "sha512-BWX0SWVgLPzYwF8lTzEy1egjhS4S4OEAHfsO8o65WOVsrnSRGaSiUaa9e0ggGlkMTtBlmOpEXiie9RUcBO86qg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10.0.0" + }, + "peerDependencies": { + "bufferutil": "^4.0.1", + "utf-8-validate": "^5.0.2" + }, + "peerDependenciesMeta": { + "bufferutil": { + "optional": true + }, + "utf-8-validate": { + "optional": true + } + } + }, + "node_modules/pvtsutils": { + "version": "1.3.6", + "resolved": "http://localhost:4873/pvtsutils/-/pvtsutils-1.3.6.tgz", + "integrity": "sha512-PLgQXQ6H2FWCaeRak8vvk1GW462lMxB5s3Jm673N82zI4vqtVUPuZdffdZbPDFRoU8kAhItWFtPCWiPpp4/EDg==", + "dev": true, + "license": "MIT", + "dependencies": { + "tslib": "^2.8.1" + } + }, + "node_modules/pvutils": { + "version": "1.1.3", + "resolved": "http://localhost:4873/pvutils/-/pvutils-1.1.3.tgz", + "integrity": "sha512-pMpnA0qRdFp32b1sJl1wOJNxZLQ2cbQx+k6tjNtZ8CpvVhNqEPRgivZ2WOUev2YMajecdH7ctUPDvEe87nariQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/qs": { + "version": "6.13.0", + "resolved": "http://localhost:4873/qs/-/qs-6.13.0.tgz", + "integrity": "sha512-+38qI9SOr8tfZ4QmJNplMUxqjbe7LKvvZgWdExBOmd+egZTtjLB67Gu0HRX3u/XOq7UU2Nx6nsjvS16Z9uwfpg==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "side-channel": "^1.0.6" + }, + "engines": { + "node": ">=0.6" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/query-string": { + "version": "7.1.3", + "resolved": "http://localhost:4873/query-string/-/query-string-7.1.3.tgz", + "integrity": "sha512-hh2WYhq4fi8+b+/2Kg9CEge4fDPvHS534aOOvOZeQ3+Vf2mCFsaFBYj0i+iXcAq6I9Vzp5fjMFBlONvayDC1qg==", + "dev": true, + "license": "MIT", + "dependencies": { + "decode-uri-component": "^0.2.2", + "filter-obj": "^1.1.0", + "split-on-first": "^1.0.0", + "strict-uri-encode": "^2.0.0" + }, + "engines": { + "node": ">=6" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/querystring": { + "version": "0.2.0", + "resolved": "http://localhost:4873/querystring/-/querystring-0.2.0.tgz", + "integrity": "sha512-X/xY82scca2tau62i9mDyU9K+I+djTMUsvwf7xnUX5GLvVzgJybOJf4Y6o9Zx3oJK/LSXg5tTZBjwzqVPaPO2g==", + "deprecated": "The querystring API is considered Legacy. new code should use the URLSearchParams API instead.", + "dev": true, + "engines": { + "node": ">=0.4.x" + } + }, + "node_modules/querystringify": { + "version": "2.2.0", + "resolved": "http://localhost:4873/querystringify/-/querystringify-2.2.0.tgz", + "integrity": "sha512-FIqgj2EUvTa7R50u0rGsyTftzjYmv/a3hO345bZNrqabNqjtgiDMgmo4mkUjd+nzU5oF3dClKqFIPUKybUyqoQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/queue-microtask": { + "version": "1.2.3", + "resolved": "http://localhost:4873/queue-microtask/-/queue-microtask-1.2.3.tgz", + "integrity": "sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/feross" + }, + { + "type": "patreon", + "url": "https://www.patreon.com/feross" + }, + { + "type": "consulting", + "url": "https://feross.org/support" + } + ], + "license": "MIT" + }, + "node_modules/raf": { + "version": "3.4.1", + "resolved": "http://localhost:4873/raf/-/raf-3.4.1.tgz", + "integrity": "sha512-Sq4CW4QhwOHE8ucn6J34MqtZCeWFP2aQSmrlroYgqAV1PjStIhJXxYuTgUIfkEk7zTLjmIjLmU5q+fbD1NnOJA==", + "dev": true, + "license": "MIT", + "dependencies": { + "performance-now": "^2.1.0" + } + }, + "node_modules/randombytes": { + "version": "2.1.0", + "resolved": "http://localhost:4873/randombytes/-/randombytes-2.1.0.tgz", + "integrity": "sha512-vYl3iOX+4CKUWuxGi9Ukhie6fsqXqS9FE2Zaic4tNFD2N2QQaXOMFbuKK4QmDHC0JO6B1Zp41J0LpT0oR68amQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "safe-buffer": "^5.1.0" + } + }, + "node_modules/randomstring": { + "version": "1.3.1", + "resolved": "http://localhost:4873/randomstring/-/randomstring-1.3.1.tgz", + "integrity": "sha512-lgXZa80MUkjWdE7g2+PZ1xDLzc7/RokXVEQOv5NN2UOTChW1I8A9gha5a9xYBOqgaSoI6uJikDmCU8PyRdArRQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "randombytes": "2.1.0" + }, + "bin": { + "randomstring": "bin/randomstring" + }, + "engines": { + "node": "*" + } + }, + "node_modules/range-parser": { + "version": "1.2.1", + "resolved": "http://localhost:4873/range-parser/-/range-parser-1.2.1.tgz", + "integrity": "sha512-Hrgsx+orqoygnmhFbKaHE6c296J+HTAQXoxEF6gNupROmmGJRoyzfG3ccAveqCBrwr/2yxQ5BVd/GTl5agOwSg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/raw-body": { + "version": "2.5.2", + "resolved": "http://localhost:4873/raw-body/-/raw-body-2.5.2.tgz", + "integrity": "sha512-8zGqypfENjCIqGhgXToC8aB2r7YrBX+AQAfIPs/Mlk+BtPTztOvTS01NRW/3Eh60J+a48lt8qsCzirQ6loCVfA==", + "dev": true, + "license": "MIT", + "dependencies": { + "bytes": "3.1.2", + "http-errors": "2.0.0", + "iconv-lite": "0.4.24", + "unpipe": "1.0.0" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/react": { + "version": "18.3.1", + "resolved": "http://localhost:4873/react/-/react-18.3.1.tgz", + "integrity": "sha512-wS+hAgJShR0KhEvPJArfuPVN1+Hz1t0Y6n5jLrGQbkb4urgPE/0Rve+1kMB1v/oWgHgm4WIcV+i7F2pTVj+2iQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "loose-envify": "^1.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/react-clientside-effect": { + "version": "1.2.8", + "resolved": "http://localhost:4873/react-clientside-effect/-/react-clientside-effect-1.2.8.tgz", + "integrity": "sha512-ma2FePH0z3px2+WOu6h+YycZcEvFmmxIlAb62cF52bG86eMySciO/EQZeQMXd07kPCYB0a1dWDT5J+KE9mCDUw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.12.13" + }, + "peerDependencies": { + "react": "^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0 || ^19.0.0-rc" + } + }, + "node_modules/react-dom": { + "version": "18.3.1", + "resolved": "http://localhost:4873/react-dom/-/react-dom-18.3.1.tgz", + "integrity": "sha512-5m4nQKp+rZRb09LNH59GM4BxTh9251/ylbKIbpe7TpGxfJ+9kv6BLkLBXIjjspbgbnIBNqlI23tRnTWT0snUIw==", + "dev": true, + "license": "MIT", + "dependencies": { + "loose-envify": "^1.1.0", + "scheduler": "^0.23.2" + }, + "peerDependencies": { + "react": "^18.3.1" + } + }, + "node_modules/react-fast-compare": { + "version": "3.2.2", + "resolved": "http://localhost:4873/react-fast-compare/-/react-fast-compare-3.2.2.tgz", + "integrity": "sha512-nsO+KSNgo1SbJqJEYRE9ERzo7YtYbou/OqjSQKxV7jcKox7+usiUVZOAC+XnDOABXggQTno0Y1CpVnuWEc1boQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/react-focus-lock": { + "version": "2.13.6", + "resolved": "http://localhost:4873/react-focus-lock/-/react-focus-lock-2.13.6.tgz", + "integrity": "sha512-ehylFFWyYtBKXjAO9+3v8d0i+cnc1trGS0vlTGhzFW1vbFXVUTmR8s2tt/ZQG8x5hElg6rhENlLG1H3EZK0Llg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.0.0", + "focus-lock": "^1.3.6", + "prop-types": "^15.6.2", + "react-clientside-effect": "^1.2.7", + "use-callback-ref": "^1.3.3", + "use-sidecar": "^1.1.3" + }, + "peerDependencies": { + "@types/react": "*", + "react": "^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/react-helmet": { + "version": "6.1.0", + "resolved": "http://localhost:4873/react-helmet/-/react-helmet-6.1.0.tgz", + "integrity": "sha512-4uMzEY9nlDlgxr61NL3XbKRy1hEkXmKNXhjbAIOVw5vcFrsdYbH2FEwcNyWvWinl103nXgzYNlns9ca+8kFiWw==", + "dev": true, + "license": "MIT", + "dependencies": { + "object-assign": "^4.1.1", + "prop-types": "^15.7.2", + "react-fast-compare": "^3.1.1", + "react-side-effect": "^2.1.0" + }, + "peerDependencies": { + "react": ">=16.3.0" + } + }, + "node_modules/react-hook-form": { + "version": "7.56.4", + "resolved": "http://localhost:4873/react-hook-form/-/react-hook-form-7.56.4.tgz", + "integrity": "sha512-Rob7Ftz2vyZ/ZGsQZPaRdIefkgOSrQSPXfqBdvOPwJfoGnjwRJUs7EM7Kc1mcoDv3NOtqBzPGbcMB8CGn9CKgw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=18.0.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/react-hook-form" + }, + "peerDependencies": { + "react": "^16.8.0 || ^17 || ^18 || ^19" + } + }, + "node_modules/react-intl": { + "version": "5.25.1", + "resolved": "http://localhost:4873/react-intl/-/react-intl-5.25.1.tgz", + "integrity": "sha512-pkjdQDvpJROoXLMltkP/5mZb0/XqrqLoPGKUCfbdkP8m6U9xbK40K51Wu+a4aQqTEvEK5lHBk0fWzUV72SJ3Hg==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "@formatjs/ecma402-abstract": "1.11.4", + "@formatjs/icu-messageformat-parser": "2.1.0", + "@formatjs/intl": "2.2.1", + "@formatjs/intl-displaynames": "5.4.3", + "@formatjs/intl-listformat": "6.5.3", + "@types/hoist-non-react-statics": "^3.3.1", + "@types/react": "16 || 17 || 18", + "hoist-non-react-statics": "^3.3.2", + "intl-messageformat": "9.13.0", + "tslib": "^2.1.0" + }, + "peerDependencies": { + "react": "^16.3.0 || 17 || 18", + "typescript": "^4.5" + }, + "peerDependenciesMeta": { + "typescript": { + "optional": true + } + } + }, + "node_modules/react-intl/node_modules/@formatjs/ecma402-abstract": { + "version": "1.11.4", + "resolved": "http://localhost:4873/@formatjs/ecma402-abstract/-/ecma402-abstract-1.11.4.tgz", + "integrity": "sha512-EBikYFp2JCdIfGEb5G9dyCkTGDmC57KSHhRQOC3aYxoPWVZvfWCDjZwkGYHN7Lis/fmuWl906bnNTJifDQ3sXw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@formatjs/intl-localematcher": "0.2.25", + "tslib": "^2.1.0" + } + }, + "node_modules/react-intl/node_modules/@formatjs/fast-memoize": { + "version": "1.2.1", + "resolved": "http://localhost:4873/@formatjs/fast-memoize/-/fast-memoize-1.2.1.tgz", + "integrity": "sha512-Rg0e76nomkz3vF9IPlKeV+Qynok0r7YZjL6syLz4/urSg0IbjPZCB/iYUMNsYA643gh4mgrX3T7KEIFIxJBQeg==", + "dev": true, + "license": "MIT", + "dependencies": { + "tslib": "^2.1.0" + } + }, + "node_modules/react-intl/node_modules/@formatjs/icu-messageformat-parser": { + "version": "2.1.0", + "resolved": "http://localhost:4873/@formatjs/icu-messageformat-parser/-/icu-messageformat-parser-2.1.0.tgz", + "integrity": "sha512-Qxv/lmCN6hKpBSss2uQ8IROVnta2r9jd3ymUEIjm2UyIkUCHVcbUVRGL/KS/wv7876edvsPe+hjHVJ4z8YuVaw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@formatjs/ecma402-abstract": "1.11.4", + "@formatjs/icu-skeleton-parser": "1.3.6", + "tslib": "^2.1.0" + } + }, + "node_modules/react-intl/node_modules/@formatjs/icu-skeleton-parser": { + "version": "1.3.6", + "resolved": "http://localhost:4873/@formatjs/icu-skeleton-parser/-/icu-skeleton-parser-1.3.6.tgz", + "integrity": "sha512-I96mOxvml/YLrwU2Txnd4klA7V8fRhb6JG/4hm3VMNmeJo1F03IpV2L3wWt7EweqNLES59SZ4d6hVOPCSf80Bg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@formatjs/ecma402-abstract": "1.11.4", + "tslib": "^2.1.0" + } + }, + "node_modules/react-intl/node_modules/@formatjs/intl-localematcher": { + "version": "0.2.25", + "resolved": "http://localhost:4873/@formatjs/intl-localematcher/-/intl-localematcher-0.2.25.tgz", + "integrity": "sha512-YmLcX70BxoSopLFdLr1Ds99NdlTI2oWoLbaUW2M406lxOIPzE1KQhRz2fPUkq34xVZQaihCoU29h0KK7An3bhA==", + "dev": true, + "license": "MIT", + "dependencies": { + "tslib": "^2.1.0" + } + }, + "node_modules/react-intl/node_modules/intl-messageformat": { + "version": "9.13.0", + "resolved": "http://localhost:4873/intl-messageformat/-/intl-messageformat-9.13.0.tgz", + "integrity": "sha512-7sGC7QnSQGa5LZP7bXLDhVDtQOeKGeBFGHF2Y8LVBwYZoQZCgWeKoPGTa5GMG8g/TzDgeXuYJQis7Ggiw2xTOw==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "@formatjs/ecma402-abstract": "1.11.4", + "@formatjs/fast-memoize": "1.2.1", + "@formatjs/icu-messageformat-parser": "2.1.0", + "tslib": "^2.1.0" + } + }, + "node_modules/react-is": { + "version": "16.13.1", + "resolved": "http://localhost:4873/react-is/-/react-is-16.13.1.tgz", + "integrity": "sha512-24e6ynE2H+OKt4kqsOvNd8kBpV65zoxbA4BVsEOB3ARVWQki/DHzaUoC5KuON/BiccDaCCTZBuOcfZs70kR8bQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/react-refresh": { + "version": "0.14.2", + "resolved": "http://localhost:4873/react-refresh/-/react-refresh-0.14.2.tgz", + "integrity": "sha512-jCvmsr+1IUSMUyzOkRcvnVbX3ZYC6g9TDrDbFuFmRDq7PD4yaGbLKNQL6k2jnArV8hjYxh7hVhAZB6s9HDGpZA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/react-remove-scroll": { + "version": "2.7.0", + "resolved": "http://localhost:4873/react-remove-scroll/-/react-remove-scroll-2.7.0.tgz", + "integrity": "sha512-sGsQtcjMqdQyijAHytfGEELB8FufGbfXIsvUTe+NLx1GDRJCXtCFLBLUI1eyZCKXXvbEU2C6gai0PZKoIE9Vbg==", + "dev": true, + "license": "MIT", + "dependencies": { + "react-remove-scroll-bar": "^2.3.7", + "react-style-singleton": "^2.2.3", + "tslib": "^2.1.0", + "use-callback-ref": "^1.3.3", + "use-sidecar": "^1.1.3" + }, + "engines": { + "node": ">=10" + }, + "peerDependencies": { + "@types/react": "*", + "react": "^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/react-remove-scroll-bar": { + "version": "2.3.8", + "resolved": "http://localhost:4873/react-remove-scroll-bar/-/react-remove-scroll-bar-2.3.8.tgz", + "integrity": "sha512-9r+yi9+mgU33AKcj6IbT9oRCO78WriSj6t/cF8DWBZJ9aOGPOTEDvdUDz1FwKim7QXWwmHqtdHnRJfhAxEG46Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "react-style-singleton": "^2.2.2", + "tslib": "^2.0.0" + }, + "engines": { + "node": ">=10" + }, + "peerDependencies": { + "@types/react": "*", + "react": "^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/react-router": { + "version": "5.3.4", + "resolved": "http://localhost:4873/react-router/-/react-router-5.3.4.tgz", + "integrity": "sha512-Ys9K+ppnJah3QuaRiLxk+jDWOR1MekYQrlytiXxC1RyfbdsZkS5pvKAzCCr031xHixZwpnsYNT5xysdFHQaYsA==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.12.13", + "history": "^4.9.0", + "hoist-non-react-statics": "^3.1.0", + "loose-envify": "^1.3.1", + "path-to-regexp": "^1.7.0", + "prop-types": "^15.6.2", + "react-is": "^16.6.0", + "tiny-invariant": "^1.0.2", + "tiny-warning": "^1.0.0" + }, + "peerDependencies": { + "react": ">=15" + } + }, + "node_modules/react-router-dom": { + "version": "5.3.4", + "resolved": "http://localhost:4873/react-router-dom/-/react-router-dom-5.3.4.tgz", + "integrity": "sha512-m4EqFMHv/Ih4kpcBCONHbkT68KoAeHN4p3lAGoNryfHi0dMy0kCzEZakiKRsvg5wHZ/JLrLW8o8KomWiz/qbYQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@babel/runtime": "^7.12.13", + "history": "^4.9.0", + "loose-envify": "^1.3.1", + "prop-types": "^15.6.2", + "react-router": "5.3.4", + "tiny-invariant": "^1.0.2", + "tiny-warning": "^1.0.0" + }, + "peerDependencies": { + "react": ">=15" + } + }, + "node_modules/react-router/node_modules/isarray": { + "version": "0.0.1", + "resolved": "http://localhost:4873/isarray/-/isarray-0.0.1.tgz", + "integrity": "sha512-D2S+3GLxWH+uhrNEcoh/fnmYeP8E8/zHl644d/jdA0g2uyXvy3sb0qxotE+ne0LtccHknQzWwZEzhak7oJ0COQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/react-router/node_modules/path-to-regexp": { + "version": "1.9.0", + "resolved": "http://localhost:4873/path-to-regexp/-/path-to-regexp-1.9.0.tgz", + "integrity": "sha512-xIp7/apCFJuUHdDLWe8O1HIkb0kQrOMb/0u6FXQjemHn/ii5LrIzU6bdECnsiTF/GjZkMEKg1xdiZwNqDYlZ6g==", + "dev": true, + "license": "MIT", + "dependencies": { + "isarray": "0.0.1" + } + }, + "node_modules/react-side-effect": { + "version": "2.1.2", + "resolved": "http://localhost:4873/react-side-effect/-/react-side-effect-2.1.2.tgz", + "integrity": "sha512-PVjOcvVOyIILrYoyGEpDN3vmYNLdy1CajSFNt4TDsVQC5KpTijDvWVoR+/7Rz2xT978D8/ZtFceXxzsPwZEDvw==", + "dev": true, + "license": "MIT", + "peerDependencies": { + "react": "^16.3.0 || ^17.0.0 || ^18.0.0" + } + }, + "node_modules/react-ssr-prepass": { + "version": "1.6.0", + "resolved": "http://localhost:4873/react-ssr-prepass/-/react-ssr-prepass-1.6.0.tgz", + "integrity": "sha512-M10nxc95Sfm00fXm+tLkC1MWG5NLWEBgWoGrPSnAqEFM4BUaoy97JvVw+m3iL74ZHzj86M33rPiFi738hEFLWg==", + "dev": true, + "license": "MIT", + "peerDependencies": { + "react": "^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0 || ^19.0.0-rc" + } + }, + "node_modules/react-style-singleton": { + "version": "2.2.3", + "resolved": "http://localhost:4873/react-style-singleton/-/react-style-singleton-2.2.3.tgz", + "integrity": "sha512-b6jSvxvVnyptAiLjbkWLE/lOnR4lfTtDAl+eUC7RZy+QQWc6wRzIV2CE6xBuMmDxc2qIihtDCZD5NPOFl7fRBQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "get-nonce": "^1.0.0", + "tslib": "^2.0.0" + }, + "engines": { + "node": ">=10" + }, + "peerDependencies": { + "@types/react": "*", + "react": "^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/react-uid": { + "version": "2.4.0", + "resolved": "http://localhost:4873/react-uid/-/react-uid-2.4.0.tgz", + "integrity": "sha512-+MVs/25NrcZuGrmlVRWPOSsbS8y72GJOBsR7d68j3/wqOrRBF52U29XAw4+XSelw0Vm6s5VmGH5mCbTCPGVCVg==", + "dev": true, + "license": "MIT", + "dependencies": { + "tslib": "^2.0.0" + }, + "engines": { + "node": ">=10" + }, + "peerDependencies": { + "@types/react": "^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0", + "react": "^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/read-pkg": { + "version": "5.2.0", + "resolved": "http://localhost:4873/read-pkg/-/read-pkg-5.2.0.tgz", + "integrity": "sha512-Ug69mNOpfvKDAc2Q8DRpMjjzdtrnv9HcSMX+4VsZxD1aZ6ZzrIE7rlzXBtWTyhULSMKg076AW6WR5iZpD0JiOg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/normalize-package-data": "^2.4.0", + "normalize-package-data": "^2.5.0", + "parse-json": "^5.0.0", + "type-fest": "^0.6.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/read-pkg-up": { + "version": "7.0.1", + "resolved": "http://localhost:4873/read-pkg-up/-/read-pkg-up-7.0.1.tgz", + "integrity": "sha512-zK0TB7Xd6JpCLmlLmufqykGE+/TlOePD6qKClNW7hHDKFh/J7/7gCWGR7joEQEW1bKq3a3yUZSObOoWLFQ4ohg==", + "dev": true, + "license": "MIT", + "dependencies": { + "find-up": "^4.1.0", + "read-pkg": "^5.2.0", + "type-fest": "^0.8.1" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/read-pkg-up/node_modules/type-fest": { + "version": "0.8.1", + "resolved": "http://localhost:4873/type-fest/-/type-fest-0.8.1.tgz", + "integrity": "sha512-4dbzIzqvjtgiM5rw1k5rEHtBANKmdudhGyBEajN01fEyhaAIhsoKNy6y7+IN93IfpFtwY9iqi7kD+xwKhQsNJA==", + "dev": true, + "license": "(MIT OR CC0-1.0)", + "engines": { + "node": ">=8" + } + }, + "node_modules/read-pkg/node_modules/type-fest": { + "version": "0.6.0", + "resolved": "http://localhost:4873/type-fest/-/type-fest-0.6.0.tgz", + "integrity": "sha512-q+MB8nYR1KDLrgr4G5yemftpMC7/QLqVndBmEEdqzmNj5dcFOO4Oo8qlwZE3ULT3+Zim1F8Kq4cBnikNhlCMlg==", + "dev": true, + "license": "(MIT OR CC0-1.0)", + "engines": { + "node": ">=8" + } + }, + "node_modules/readable-stream": { + "version": "2.3.8", + "resolved": "http://localhost:4873/readable-stream/-/readable-stream-2.3.8.tgz", + "integrity": "sha512-8p0AUk4XODgIewSi0l8Epjs+EVnWiK7NoDIEGU0HhE7+ZyY8D1IMY7odu5lRrFXGg71L15KG8QrPmum45RTtdA==", + "dev": true, + "license": "MIT", + "dependencies": { + "core-util-is": "~1.0.0", + "inherits": "~2.0.3", + "isarray": "~1.0.0", + "process-nextick-args": "~2.0.0", + "safe-buffer": "~5.1.1", + "string_decoder": "~1.1.1", + "util-deprecate": "~1.0.1" + } + }, + "node_modules/readable-stream/node_modules/safe-buffer": { + "version": "5.1.2", + "resolved": "http://localhost:4873/safe-buffer/-/safe-buffer-5.1.2.tgz", + "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==", + "dev": true, + "license": "MIT" + }, + "node_modules/readdirp": { + "version": "3.6.0", + "resolved": "http://localhost:4873/readdirp/-/readdirp-3.6.0.tgz", + "integrity": "sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==", + "dev": true, + "license": "MIT", + "dependencies": { + "picomatch": "^2.2.1" + }, + "engines": { + "node": ">=8.10.0" + } + }, + "node_modules/rechoir": { + "version": "0.6.2", + "resolved": "http://localhost:4873/rechoir/-/rechoir-0.6.2.tgz", + "integrity": "sha512-HFM8rkZ+i3zrV+4LQjwQ0W+ez98pApMGM3HUrN04j3CqzPOzl9nmP15Y8YXNm8QHGv/eacOVEjqhmWpkRV0NAw==", + "dev": true, + "dependencies": { + "resolve": "^1.1.6" + }, + "engines": { + "node": ">= 0.10" + } + }, + "node_modules/redent": { + "version": "3.0.0", + "resolved": "http://localhost:4873/redent/-/redent-3.0.0.tgz", + "integrity": "sha512-6tDA8g98We0zd0GvVeMT9arEOnTw9qM03L9cJXaCjrip1OO764RDBLBfrB4cwzNGDj5OA5ioymC9GkizgWJDUg==", + "dev": true, + "license": "MIT", + "dependencies": { + "indent-string": "^4.0.0", + "strip-indent": "^3.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/reflect.getprototypeof": { + "version": "1.0.10", + "resolved": "http://localhost:4873/reflect.getprototypeof/-/reflect.getprototypeof-1.0.10.tgz", + "integrity": "sha512-00o4I+DVrefhv+nX0ulyi3biSHCPDe+yLv5o/p6d/UVlirijB8E16FtfwSAi4g3tcqrQ4lRAqQSoFEZJehYEcw==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind": "^1.0.8", + "define-properties": "^1.2.1", + "es-abstract": "^1.23.9", + "es-errors": "^1.3.0", + "es-object-atoms": "^1.0.0", + "get-intrinsic": "^1.2.7", + "get-proto": "^1.0.1", + "which-builtin-type": "^1.2.1" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/regenerate": { + "version": "1.4.2", + "resolved": "http://localhost:4873/regenerate/-/regenerate-1.4.2.tgz", + "integrity": "sha512-zrceR/XhGYU/d/opr2EKO7aRHUeiBI8qjtfHqADTwZd6Szfy16la6kqD0MIUs5z5hx6AaKa+PixpPrR289+I0A==", + "dev": true, + "license": "MIT" + }, + "node_modules/regenerate-unicode-properties": { + "version": "10.2.0", + "resolved": "http://localhost:4873/regenerate-unicode-properties/-/regenerate-unicode-properties-10.2.0.tgz", + "integrity": "sha512-DqHn3DwbmmPVzeKj9woBadqmXxLvQoQIwu7nopMc72ztvxVmVk2SBhSnx67zuye5TP+lJsb/TBQsjLKhnDf3MA==", + "dev": true, + "license": "MIT", + "dependencies": { + "regenerate": "^1.4.2" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/regenerator-runtime": { + "version": "0.14.1", + "resolved": "http://localhost:4873/regenerator-runtime/-/regenerator-runtime-0.14.1.tgz", + "integrity": "sha512-dYnhHh0nJoMfnkZs6GmmhFknAGRrLznOu5nc9ML+EJxGvrx6H7teuevqVqCuPcPK//3eDrrjQhehXVx9cnkGdw==", + "dev": true, + "license": "MIT" + }, + "node_modules/regex-not": { + "version": "1.0.2", + "resolved": "http://localhost:4873/regex-not/-/regex-not-1.0.2.tgz", + "integrity": "sha512-J6SDjUgDxQj5NusnOtdFxDwN/+HWykR8GELwctJ7mdqhcyy1xEc4SRFHUXvxTp661YaVKAjfRLZ9cCqS6tn32A==", + "dev": true, + "license": "MIT", + "dependencies": { + "extend-shallow": "^3.0.2", + "safe-regex": "^1.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/regexp.prototype.flags": { + "version": "1.5.4", + "resolved": "http://localhost:4873/regexp.prototype.flags/-/regexp.prototype.flags-1.5.4.tgz", + "integrity": "sha512-dYqgNSZbDwkaJ2ceRd9ojCGjBq+mOm9LmtXnAnEGyHhN/5R7iDW2TRw3h+o/jCFxus3P2LfWIIiwowAjANm7IA==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind": "^1.0.8", + "define-properties": "^1.2.1", + "es-errors": "^1.3.0", + "get-proto": "^1.0.1", + "gopd": "^1.2.0", + "set-function-name": "^2.0.2" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/regexpu-core": { + "version": "6.2.0", + "resolved": "http://localhost:4873/regexpu-core/-/regexpu-core-6.2.0.tgz", + "integrity": "sha512-H66BPQMrv+V16t8xtmq+UC0CBpiTBA60V8ibS1QVReIp8T1z8hwFxqcGzm9K6lgsN7sB5edVH8a+ze6Fqm4weA==", + "dev": true, + "license": "MIT", + "dependencies": { + "regenerate": "^1.4.2", + "regenerate-unicode-properties": "^10.2.0", + "regjsgen": "^0.8.0", + "regjsparser": "^0.12.0", + "unicode-match-property-ecmascript": "^2.0.0", + "unicode-match-property-value-ecmascript": "^2.1.0" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/regjsgen": { + "version": "0.8.0", + "resolved": "http://localhost:4873/regjsgen/-/regjsgen-0.8.0.tgz", + "integrity": "sha512-RvwtGe3d7LvWiDQXeQw8p5asZUmfU1G/l6WbUXeHta7Y2PEIvBTwH6E2EfmYUK8pxcxEdEmaomqyp0vZZ7C+3Q==", + "dev": true, + "license": "MIT" + }, + "node_modules/regjsparser": { + "version": "0.12.0", + "resolved": "http://localhost:4873/regjsparser/-/regjsparser-0.12.0.tgz", + "integrity": "sha512-cnE+y8bz4NhMjISKbgeVJtqNbtf5QpjZP+Bslo+UqkIt9QPnX9q095eiRRASJG1/tz6dlNr6Z5NsBiWYokp6EQ==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "jsesc": "~3.0.2" + }, + "bin": { + "regjsparser": "bin/parser" + } + }, + "node_modules/regjsparser/node_modules/jsesc": { + "version": "3.0.2", + "resolved": "http://localhost:4873/jsesc/-/jsesc-3.0.2.tgz", + "integrity": "sha512-xKqzzWXDttJuOcawBt4KnKHHIf5oQ/Cxax+0PWFG+DFDgHNAdi+TXECADI+RYiFUMmx8792xsMbbgXj4CwnP4g==", + "dev": true, + "license": "MIT", + "bin": { + "jsesc": "bin/jsesc" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/remove-accents": { + "version": "0.5.0", + "resolved": "http://localhost:4873/remove-accents/-/remove-accents-0.5.0.tgz", + "integrity": "sha512-8g3/Otx1eJaVD12e31UbJj1YzdtVvzH85HV7t+9MJYk/u3XmkOUJ5Ys9wQrf9PCPK8+xn4ymzqYCiZl6QWKn+A==", + "dev": true, + "license": "MIT" + }, + "node_modules/remove-trailing-separator": { + "version": "1.1.0", + "resolved": "http://localhost:4873/remove-trailing-separator/-/remove-trailing-separator-1.1.0.tgz", + "integrity": "sha512-/hS+Y0u3aOfIETiaiirUFwDBDzmXPvO+jAfKTitUngIPzdKc6Z0LoFjM/CK5PL4C+eKwHohlHAb6H0VFfmmUsw==", + "dev": true, + "license": "ISC" + }, + "node_modules/repeat-element": { + "version": "1.1.4", + "resolved": "http://localhost:4873/repeat-element/-/repeat-element-1.1.4.tgz", + "integrity": "sha512-LFiNfRcSu7KK3evMyYOuCzv3L10TW7yC1G2/+StMjK8Y6Vqd2MG7r/Qjw4ghtuCOjFvlnms/iMmLqpvW/ES/WQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/repeat-string": { + "version": "1.6.1", + "resolved": "http://localhost:4873/repeat-string/-/repeat-string-1.6.1.tgz", + "integrity": "sha512-PV0dzCYDNfRi1jCDbJzpW7jNNDRuCOG/jI5ctQcGKt/clZD+YcPS3yIlWuTJMmESC8aevCFmWJy5wjAFgNqN6w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10" + } + }, + "node_modules/replace-in-file": { + "version": "6.3.5", + "resolved": "http://localhost:4873/replace-in-file/-/replace-in-file-6.3.5.tgz", + "integrity": "sha512-arB9d3ENdKva2fxRnSjwBEXfK1npgyci7ZZuwysgAp7ORjHSyxz6oqIjTEv8R0Ydl4Ll7uOAZXL4vbkhGIizCg==", + "dev": true, + "license": "MIT", + "dependencies": { + "chalk": "^4.1.2", + "glob": "^7.2.0", + "yargs": "^17.2.1" + }, + "bin": { + "replace-in-file": "bin/cli.js" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/replace-in-file/node_modules/cliui": { + "version": "8.0.1", + "resolved": "http://localhost:4873/cliui/-/cliui-8.0.1.tgz", + "integrity": "sha512-BSeNnyus75C4//NQ9gQt1/csTXyo/8Sb+afLAkzAptFuMsod9HFokGNudZpi/oQV73hnVK+sR+5PVRMd+Dr7YQ==", + "dev": true, + "license": "ISC", + "dependencies": { + "string-width": "^4.2.0", + "strip-ansi": "^6.0.1", + "wrap-ansi": "^7.0.0" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/replace-in-file/node_modules/emoji-regex": { + "version": "8.0.0", + "resolved": "http://localhost:4873/emoji-regex/-/emoji-regex-8.0.0.tgz", + "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", + "dev": true, + "license": "MIT" + }, + "node_modules/replace-in-file/node_modules/is-fullwidth-code-point": { + "version": "3.0.0", + "resolved": "http://localhost:4873/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", + "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/replace-in-file/node_modules/string-width": { + "version": "4.2.3", + "resolved": "http://localhost:4873/string-width/-/string-width-4.2.3.tgz", + "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", + "dev": true, + "license": "MIT", + "dependencies": { + "emoji-regex": "^8.0.0", + "is-fullwidth-code-point": "^3.0.0", + "strip-ansi": "^6.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/replace-in-file/node_modules/wrap-ansi": { + "version": "7.0.0", + "resolved": "http://localhost:4873/wrap-ansi/-/wrap-ansi-7.0.0.tgz", + "integrity": "sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-styles": "^4.0.0", + "string-width": "^4.1.0", + "strip-ansi": "^6.0.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/wrap-ansi?sponsor=1" + } + }, + "node_modules/replace-in-file/node_modules/y18n": { + "version": "5.0.8", + "resolved": "http://localhost:4873/y18n/-/y18n-5.0.8.tgz", + "integrity": "sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA==", + "dev": true, + "license": "ISC", + "engines": { + "node": ">=10" + } + }, + "node_modules/replace-in-file/node_modules/yargs": { + "version": "17.7.2", + "resolved": "http://localhost:4873/yargs/-/yargs-17.7.2.tgz", + "integrity": "sha512-7dSzzRQ++CKnNI/krKnYRV7JKKPUXMEh61soaHKg9mrWEhzFWhFnxPxGl+69cD1Ou63C13NUPCnmIcrvqCuM6w==", + "dev": true, + "license": "MIT", + "dependencies": { + "cliui": "^8.0.1", + "escalade": "^3.1.1", + "get-caller-file": "^2.0.5", + "require-directory": "^2.1.1", + "string-width": "^4.2.3", + "y18n": "^5.0.5", + "yargs-parser": "^21.1.1" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/replace-in-file/node_modules/yargs-parser": { + "version": "21.1.1", + "resolved": "http://localhost:4873/yargs-parser/-/yargs-parser-21.1.1.tgz", + "integrity": "sha512-tVpsJW7DdjecAiFpbIB1e3qxIQsE6NoPc5/eTdrbbIC4h0LVsWhnoa3g+m2HclBIujHzsxZ4VJVA+GUuc2/LBw==", + "dev": true, + "license": "ISC", + "engines": { + "node": ">=12" + } + }, + "node_modules/require-directory": { + "version": "2.1.1", + "resolved": "http://localhost:4873/require-directory/-/require-directory-2.1.1.tgz", + "integrity": "sha512-fGxEI7+wsG9xrvdjsrlmL22OMTTiHRwAMroiEeMgq8gzoLC/PQr7RsRDSTLUg/bZAZtF+TVIkHc6/4RIKrui+Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/require-from-string": { + "version": "2.0.2", + "resolved": "http://localhost:4873/require-from-string/-/require-from-string-2.0.2.tgz", + "integrity": "sha512-Xf0nWe6RseziFMu+Ap9biiUbmplq6S9/p+7w7YXP/JBHhrUDDUhwa+vANyubuqfZWTveU//DYVGsDG7RKL/vEw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/require-main-filename": { + "version": "2.0.0", + "resolved": "http://localhost:4873/require-main-filename/-/require-main-filename-2.0.0.tgz", + "integrity": "sha512-NKN5kMDylKuldxYLSUfrbo5Tuzh4hd+2E8NPPX02mZtn1VuREQToYe/ZdlJy+J3uCpfaiGF05e7B8W0iXbQHmg==", + "dev": true, + "license": "ISC" + }, + "node_modules/requireindex": { + "version": "1.2.0", + "resolved": "http://localhost:4873/requireindex/-/requireindex-1.2.0.tgz", + "integrity": "sha512-L9jEkOi3ASd9PYit2cwRfyppc9NoABujTP8/5gFcbERmo5jUoAKovIC3fsF17pkTnGsrByysqX+Kxd2OTNI1ww==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.5" + } + }, + "node_modules/requires-port": { + "version": "1.0.0", + "resolved": "http://localhost:4873/requires-port/-/requires-port-1.0.0.tgz", + "integrity": "sha512-KigOCHcocU3XODJxsu8i/j8T9tzT4adHiecwORRQ0ZZFcp7ahwXuRU1m+yuO90C5ZUyGeGfocHDI14M3L3yDAQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/reselect": { + "version": "4.1.8", + "resolved": "http://localhost:4873/reselect/-/reselect-4.1.8.tgz", + "integrity": "sha512-ab9EmR80F/zQTMNeneUr4cv+jSwPJgIlvEmVwLerwrWVbpLlBuls9XHzIeTFy4cegU2NHBp3va0LKOzU5qFEYQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/resolve": { + "version": "1.22.10", + "resolved": "http://localhost:4873/resolve/-/resolve-1.22.10.tgz", + "integrity": "sha512-NPRy+/ncIMeDlTAsuqwKIiferiawhefFJtkNSW0qZJEqMEb+qBt/77B/jGeeek+F0uOeN05CDa6HXbbIgtVX4w==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-core-module": "^2.16.0", + "path-parse": "^1.0.7", + "supports-preserve-symlinks-flag": "^1.0.0" + }, + "bin": { + "resolve": "bin/resolve" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/resolve-cwd": { + "version": "3.0.0", + "resolved": "http://localhost:4873/resolve-cwd/-/resolve-cwd-3.0.0.tgz", + "integrity": "sha512-OrZaX2Mb+rJCpH/6CpSqt9xFVpN++x01XnN2ie9g6P5/3xelLAkXWVADpdz1IHD/KFfEXyE6V0U01OQ3UO2rEg==", + "dev": true, + "license": "MIT", + "dependencies": { + "resolve-from": "^5.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/resolve-from": { + "version": "5.0.0", + "resolved": "http://localhost:4873/resolve-from/-/resolve-from-5.0.0.tgz", + "integrity": "sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/resolve-pathname": { + "version": "3.0.0", + "resolved": "http://localhost:4873/resolve-pathname/-/resolve-pathname-3.0.0.tgz", + "integrity": "sha512-C7rARubxI8bXFNB/hqcp/4iUeIXJhJZvFPFPiSPRnhU5UPxzMFIl+2E6yY6c4k9giDJAhtV+enfA+G89N6Csng==", + "dev": true, + "license": "MIT" + }, + "node_modules/resolve-url": { + "version": "0.2.1", + "resolved": "http://localhost:4873/resolve-url/-/resolve-url-0.2.1.tgz", + "integrity": "sha512-ZuF55hVUQaaczgOIwqWzkEcEidmlD/xl44x1UZnhOXcYuFN2S6+rcxpG+C1N3So0wvNI3DmJICUFfu2SxhBmvg==", + "deprecated": "https://github.com/lydell/resolve-url#deprecated", + "dev": true, + "license": "MIT" + }, + "node_modules/restore-cursor": { + "version": "2.0.0", + "resolved": "http://localhost:4873/restore-cursor/-/restore-cursor-2.0.0.tgz", + "integrity": "sha512-6IzJLuGi4+R14vwagDHX+JrXmPVtPpn4mffDJ1UdR7/Edm87fl6yi8mMBIVvFtJaNTUvjughmW4hwLhRG7gC1Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "onetime": "^2.0.0", + "signal-exit": "^3.0.2" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/restore-cursor/node_modules/mimic-fn": { + "version": "1.2.0", + "resolved": "http://localhost:4873/mimic-fn/-/mimic-fn-1.2.0.tgz", + "integrity": "sha512-jf84uxzwiuiIVKiOLpfYk7N46TSy8ubTonmneY9vrpHNAnp0QBt2BxWV9dO3/j+BoVAb+a5G6YDPW3M5HOdMWQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4" + } + }, + "node_modules/restore-cursor/node_modules/onetime": { + "version": "2.0.1", + "resolved": "http://localhost:4873/onetime/-/onetime-2.0.1.tgz", + "integrity": "sha512-oyyPpiMaKARvvcgip+JV+7zci5L8D1W9RZIz2l1o08AM3pfspitVWnPt3mzHcBPp12oYMTy0pqrFs/C+m3EwsQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "mimic-fn": "^1.0.0" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/ret": { + "version": "0.1.15", + "resolved": "http://localhost:4873/ret/-/ret-0.1.15.tgz", + "integrity": "sha512-TTlYpa+OL+vMMNG24xSlQGEJ3B/RzEfUlLct7b5G/ytav+wPrplCpVMFuwzXbkecJrb6IYo1iFb0S9v37754mg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.12" + } + }, + "node_modules/reusify": { + "version": "1.1.0", + "resolved": "http://localhost:4873/reusify/-/reusify-1.1.0.tgz", + "integrity": "sha512-g6QUff04oZpHs0eG5p83rFLhHeV00ug/Yf9nZM6fLeUrPguBTkTQOdpAWWspMh55TZfVQDPaN3NQJfbVRAxdIw==", + "dev": true, + "license": "MIT", + "engines": { + "iojs": ">=1.0.0", + "node": ">=0.10.0" + } + }, + "node_modules/rimraf": { + "version": "2.7.1", + "resolved": "http://localhost:4873/rimraf/-/rimraf-2.7.1.tgz", + "integrity": "sha512-uWjbaKIK3T1OSVptzX7Nl6PvQ3qAGtKEtVRjRuazjfL3Bx5eI409VZSqgND+4UNnmzLVdPj9FqFJNPqBZFve4w==", + "deprecated": "Rimraf versions prior to v4 are no longer supported", + "dev": true, + "license": "ISC", + "dependencies": { + "glob": "^7.1.3" + }, + "bin": { + "rimraf": "bin.js" + } + }, + "node_modules/robots-parser": { + "version": "3.0.1", + "resolved": "http://localhost:4873/robots-parser/-/robots-parser-3.0.1.tgz", + "integrity": "sha512-s+pyvQeIKIZ0dx5iJiQk1tPLJAWln39+MI5jtM8wnyws+G5azk+dMnMX0qfbqNetKKNgcWWOdi0sfm+FbQbgdQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10.0.0" + } + }, + "node_modules/rollup": { + "version": "2.79.2", + "resolved": "http://localhost:4873/rollup/-/rollup-2.79.2.tgz", + "integrity": "sha512-fS6iqSPZDs3dr/y7Od6y5nha8dW1YnbgtsyotCVvoFGKbERG++CVRFv1meyGDE1SNItQA8BrnCw7ScdAhRJ3XQ==", + "dev": true, + "license": "MIT", + "bin": { + "rollup": "dist/bin/rollup" + }, + "engines": { + "node": ">=10.0.0" + }, + "optionalDependencies": { + "fsevents": "~2.3.2" + } + }, + "node_modules/rsvp": { + "version": "4.8.5", + "resolved": "http://localhost:4873/rsvp/-/rsvp-4.8.5.tgz", + "integrity": "sha512-nfMOlASu9OnRJo1mbEk2cz0D56a1MBNrJ7orjRZQG10XDyuvwksKbuXNp6qa+kbn839HwjwhBzhFmdsaEAfauA==", + "dev": true, + "license": "MIT", + "engines": { + "node": "6.* || >= 7.*" + } + }, + "node_modules/run-async": { + "version": "2.4.1", + "resolved": "http://localhost:4873/run-async/-/run-async-2.4.1.tgz", + "integrity": "sha512-tvVnVv01b8c1RrA6Ep7JkStj85Guv/YrMcwqYQnwjsAS2cTmmPGBBjAjpCW7RrSodNSoE2/qg9O4bceNvUuDgQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.12.0" + } + }, + "node_modules/run-parallel": { + "version": "1.2.0", + "resolved": "http://localhost:4873/run-parallel/-/run-parallel-1.2.0.tgz", + "integrity": "sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/feross" + }, + { + "type": "patreon", + "url": "https://www.patreon.com/feross" + }, + { + "type": "consulting", + "url": "https://feross.org/support" + } + ], + "license": "MIT", + "dependencies": { + "queue-microtask": "^1.2.2" + } + }, + "node_modules/rxjs": { + "version": "6.6.7", + "resolved": "http://localhost:4873/rxjs/-/rxjs-6.6.7.tgz", + "integrity": "sha512-hTdwr+7yYNIT5n4AMYp85KA6yw2Va0FLa3Rguvbpa4W3I5xynaBZo41cM3XM+4Q6fRMj3sBYIR1VAmZMXYJvRQ==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "tslib": "^1.9.0" + }, + "engines": { + "npm": ">=2.0.0" + } + }, + "node_modules/rxjs/node_modules/tslib": { + "version": "1.14.1", + "resolved": "http://localhost:4873/tslib/-/tslib-1.14.1.tgz", + "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==", + "dev": true, + "license": "0BSD" + }, + "node_modules/safe-array-concat": { + "version": "1.1.3", + "resolved": "http://localhost:4873/safe-array-concat/-/safe-array-concat-1.1.3.tgz", + "integrity": "sha512-AURm5f0jYEOydBj7VQlVvDrjeFgthDdEF5H1dP+6mNpoXOMo1quQqJ4wvJDyRZ9+pO3kGWoOdmV08cSv2aJV6Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind": "^1.0.8", + "call-bound": "^1.0.2", + "get-intrinsic": "^1.2.6", + "has-symbols": "^1.1.0", + "isarray": "^2.0.5" + }, + "engines": { + "node": ">=0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/safe-array-concat/node_modules/isarray": { + "version": "2.0.5", + "resolved": "http://localhost:4873/isarray/-/isarray-2.0.5.tgz", + "integrity": "sha512-xHjhDr3cNBK0BzdUJSPXZntQUx/mwMS5Rw4A7lPJ90XGAO6ISP/ePDNuo0vhqOZU+UD5JoodwCAAoZQd3FeAKw==", + "dev": true, + "license": "MIT" + }, + "node_modules/safe-buffer": { + "version": "5.2.1", + "resolved": "http://localhost:4873/safe-buffer/-/safe-buffer-5.2.1.tgz", + "integrity": "sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/feross" + }, + { + "type": "patreon", + "url": "https://www.patreon.com/feross" + }, + { + "type": "consulting", + "url": "https://feross.org/support" + } + ], + "license": "MIT" + }, + "node_modules/safe-push-apply": { + "version": "1.0.0", + "resolved": "http://localhost:4873/safe-push-apply/-/safe-push-apply-1.0.0.tgz", + "integrity": "sha512-iKE9w/Z7xCzUMIZqdBsp6pEQvwuEebH4vdpjcDWnyzaI6yl6O9FHvVpmGelvEHNsoY6wGblkxR6Zty/h00WiSA==", + "dev": true, + "license": "MIT", + "dependencies": { + "es-errors": "^1.3.0", + "isarray": "^2.0.5" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/safe-push-apply/node_modules/isarray": { + "version": "2.0.5", + "resolved": "http://localhost:4873/isarray/-/isarray-2.0.5.tgz", + "integrity": "sha512-xHjhDr3cNBK0BzdUJSPXZntQUx/mwMS5Rw4A7lPJ90XGAO6ISP/ePDNuo0vhqOZU+UD5JoodwCAAoZQd3FeAKw==", + "dev": true, + "license": "MIT" + }, + "node_modules/safe-regex": { + "version": "1.1.0", + "resolved": "http://localhost:4873/safe-regex/-/safe-regex-1.1.0.tgz", + "integrity": "sha512-aJXcif4xnaNUzvUuC5gcb46oTS7zvg4jpMTnuqtrEPlR3vFr4pxtdTwaF1Qs3Enjn9HK+ZlwQui+a7z0SywIzg==", + "dev": true, + "license": "MIT", + "dependencies": { + "ret": "~0.1.10" + } + }, + "node_modules/safe-regex-test": { + "version": "1.1.0", + "resolved": "http://localhost:4873/safe-regex-test/-/safe-regex-test-1.1.0.tgz", + "integrity": "sha512-x/+Cz4YrimQxQccJf5mKEbIa1NzeCRNI5Ecl/ekmlYaampdNLPalVyIcCZNNH3MvmqBugV5TMYZXv0ljslUlaw==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.2", + "es-errors": "^1.3.0", + "is-regex": "^1.2.1" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/safer-buffer": { + "version": "2.1.2", + "resolved": "http://localhost:4873/safer-buffer/-/safer-buffer-2.1.2.tgz", + "integrity": "sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==", + "dev": true, + "license": "MIT" + }, + "node_modules/sane": { + "version": "4.1.0", + "resolved": "http://localhost:4873/sane/-/sane-4.1.0.tgz", + "integrity": "sha512-hhbzAgTIX8O7SHfp2c8/kREfEn4qO/9q8C9beyY6+tvZ87EpoZ3i1RIEvp27YBswnNbY9mWd6paKVmKbAgLfZA==", + "deprecated": "some dependency vulnerabilities fixed, support for node < 10 dropped, and newer ECMAScript syntax/features added", + "dev": true, + "license": "MIT", + "dependencies": { + "@cnakazawa/watch": "^1.0.3", + "anymatch": "^2.0.0", + "capture-exit": "^2.0.0", + "exec-sh": "^0.3.2", + "execa": "^1.0.0", + "fb-watchman": "^2.0.0", + "micromatch": "^3.1.4", + "minimist": "^1.1.1", + "walker": "~1.0.5" + }, + "bin": { + "sane": "src/cli.js" + }, + "engines": { + "node": "6.* || 8.* || >= 10.*" + } + }, + "node_modules/sane/node_modules/anymatch": { + "version": "2.0.0", + "resolved": "http://localhost:4873/anymatch/-/anymatch-2.0.0.tgz", + "integrity": "sha512-5teOsQWABXHHBFP9y3skS5P3d/WfWXpv3FUpy+LorMrNYaT9pI4oLMQX7jzQ2KklNpGpWHzdCXTDT2Y3XGlZBw==", + "dev": true, + "license": "ISC", + "dependencies": { + "micromatch": "^3.1.4", + "normalize-path": "^2.1.1" + } + }, + "node_modules/sane/node_modules/braces": { + "version": "2.3.2", + "resolved": "http://localhost:4873/braces/-/braces-2.3.2.tgz", + "integrity": "sha512-aNdbnj9P8PjdXU4ybaWLK2IF3jc/EoDYbC7AazW6to3TRsfXxscC9UXOB5iDiEQrkyIbWp2SLQda4+QAa7nc3w==", + "dev": true, + "license": "MIT", + "dependencies": { + "arr-flatten": "^1.1.0", + "array-unique": "^0.3.2", + "extend-shallow": "^2.0.1", + "fill-range": "^4.0.0", + "isobject": "^3.0.1", + "repeat-element": "^1.1.2", + "snapdragon": "^0.8.1", + "snapdragon-node": "^2.0.1", + "split-string": "^3.0.2", + "to-regex": "^3.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/sane/node_modules/braces/node_modules/extend-shallow": { + "version": "2.0.1", + "resolved": "http://localhost:4873/extend-shallow/-/extend-shallow-2.0.1.tgz", + "integrity": "sha512-zCnTtlxNoAiDc3gqY2aYAWFx7XWWiasuF2K8Me5WbN8otHKTUKBwjPtNpRs/rbUZm7KxWAaNj7P1a/p52GbVug==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-extendable": "^0.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/sane/node_modules/execa": { + "version": "1.0.0", + "resolved": "http://localhost:4873/execa/-/execa-1.0.0.tgz", + "integrity": "sha512-adbxcyWV46qiHyvSp50TKt05tB4tK3HcmF7/nxfAdhnox83seTDbwnaqKO4sXRy7roHAIFqJP/Rw/AuEbX61LA==", + "dev": true, + "license": "MIT", + "dependencies": { + "cross-spawn": "^6.0.0", + "get-stream": "^4.0.0", + "is-stream": "^1.1.0", + "npm-run-path": "^2.0.0", + "p-finally": "^1.0.0", + "signal-exit": "^3.0.0", + "strip-eof": "^1.0.0" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/sane/node_modules/fill-range": { + "version": "4.0.0", + "resolved": "http://localhost:4873/fill-range/-/fill-range-4.0.0.tgz", + "integrity": "sha512-VcpLTWqWDiTerugjj8e3+esbg+skS3M9e54UuR3iCeIDMXCLTsAH8hTSzDQU/X6/6t3eYkOKoZSef2PlU6U1XQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "extend-shallow": "^2.0.1", + "is-number": "^3.0.0", + "repeat-string": "^1.6.1", + "to-regex-range": "^2.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/sane/node_modules/fill-range/node_modules/extend-shallow": { + "version": "2.0.1", + "resolved": "http://localhost:4873/extend-shallow/-/extend-shallow-2.0.1.tgz", + "integrity": "sha512-zCnTtlxNoAiDc3gqY2aYAWFx7XWWiasuF2K8Me5WbN8otHKTUKBwjPtNpRs/rbUZm7KxWAaNj7P1a/p52GbVug==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-extendable": "^0.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/sane/node_modules/get-stream": { + "version": "4.1.0", + "resolved": "http://localhost:4873/get-stream/-/get-stream-4.1.0.tgz", + "integrity": "sha512-GMat4EJ5161kIy2HevLlr4luNjBgvmj413KaQA7jt4V8B4RDsfpHk7WQ9GVqfYyyx8OS/L66Kox+rJRNklLK7w==", + "dev": true, + "license": "MIT", + "dependencies": { + "pump": "^3.0.0" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/sane/node_modules/is-extendable": { + "version": "0.1.1", + "resolved": "http://localhost:4873/is-extendable/-/is-extendable-0.1.1.tgz", + "integrity": "sha512-5BMULNob1vgFX6EjQw5izWDxrecWK9AM72rugNr0TFldMOi0fj6Jk+zeKIt0xGj4cEfQIJth4w3OKWOJ4f+AFw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/sane/node_modules/is-number": { + "version": "3.0.0", + "resolved": "http://localhost:4873/is-number/-/is-number-3.0.0.tgz", + "integrity": "sha512-4cboCqIpliH+mAvFNegjZQ4kgKc3ZUhQVr3HvWbSh5q3WH2v82ct+T2Y1hdU5Gdtorx/cLifQjqCbL7bpznLTg==", + "dev": true, + "license": "MIT", + "dependencies": { + "kind-of": "^3.0.2" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/sane/node_modules/is-number/node_modules/kind-of": { + "version": "3.2.2", + "resolved": "http://localhost:4873/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha512-NOW9QQXMoZGg/oqnVNoNTTIFEIid1627WCffUBJEdMxYApq7mNE7CpzucIPc+ZQg25Phej7IJSmX3hO+oblOtQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-buffer": "^1.1.5" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/sane/node_modules/is-stream": { + "version": "1.1.0", + "resolved": "http://localhost:4873/is-stream/-/is-stream-1.1.0.tgz", + "integrity": "sha512-uQPm8kcs47jx38atAcWTVxyltQYoPT68y9aWYdV6yWXSyW8mzSat0TL6CiWdZeCdF3KrAvpVtnHbTv4RN+rqdQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/sane/node_modules/micromatch": { + "version": "3.1.10", + "resolved": "http://localhost:4873/micromatch/-/micromatch-3.1.10.tgz", + "integrity": "sha512-MWikgl9n9M3w+bpsY3He8L+w9eF9338xRl8IAO5viDizwSzziFEyUzo2xrrloB64ADbTf8uA8vRqqttDTOmccg==", + "dev": true, + "license": "MIT", + "dependencies": { + "arr-diff": "^4.0.0", + "array-unique": "^0.3.2", + "braces": "^2.3.1", + "define-property": "^2.0.2", + "extend-shallow": "^3.0.2", + "extglob": "^2.0.4", + "fragment-cache": "^0.2.1", + "kind-of": "^6.0.2", + "nanomatch": "^1.2.9", + "object.pick": "^1.3.0", + "regex-not": "^1.0.0", + "snapdragon": "^0.8.1", + "to-regex": "^3.0.2" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/sane/node_modules/npm-run-path": { + "version": "2.0.2", + "resolved": "http://localhost:4873/npm-run-path/-/npm-run-path-2.0.2.tgz", + "integrity": "sha512-lJxZYlT4DW/bRUtFh1MQIWqmLwQfAxnqWG4HhEdjMlkrJYnJn0Jrr2u3mgxqaWsdiBc76TYkTG/mhrnYTuzfHw==", + "dev": true, + "license": "MIT", + "dependencies": { + "path-key": "^2.0.0" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/sane/node_modules/to-regex-range": { + "version": "2.1.1", + "resolved": "http://localhost:4873/to-regex-range/-/to-regex-range-2.1.1.tgz", + "integrity": "sha512-ZZWNfCjUokXXDGXFpZehJIkZqq91BcULFq/Pi7M5i4JnxXdhMKAK682z8bCW3o8Hj1wuuzoKcW3DfVzaP6VuNg==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-number": "^3.0.0", + "repeat-string": "^1.6.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/sax": { + "version": "1.2.1", + "resolved": "http://localhost:4873/sax/-/sax-1.2.1.tgz", + "integrity": "sha512-8I2a3LovHTOpm7NV5yOyO8IHqgVsfK4+UuySrXU8YXkSRX7k6hCV9b3HrkKCr3nMpgj+0bmocaJJWpvp1oc7ZA==", + "dev": true, + "license": "ISC" + }, + "node_modules/saxes": { + "version": "5.0.1", + "resolved": "http://localhost:4873/saxes/-/saxes-5.0.1.tgz", + "integrity": "sha512-5LBh1Tls8c9xgGjw3QrMwETmTMVk0oFgvrFSvWx62llR2hcEInrKNZ2GZCCuuy2lvWrdl5jhbpeqc5hRYKFOcw==", + "dev": true, + "license": "ISC", + "dependencies": { + "xmlchars": "^2.2.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/scheduler": { + "version": "0.23.2", + "resolved": "http://localhost:4873/scheduler/-/scheduler-0.23.2.tgz", + "integrity": "sha512-UOShsPwz7NrMUqhR6t0hWjFduvOzbtv7toDH1/hIrfRNIDBnnBWd0CwJTGvTpngVlmwGCdP9/Zl/tVrDqcuYzQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "loose-envify": "^1.1.0" + } + }, + "node_modules/schema-utils": { + "version": "4.3.2", + "resolved": "http://localhost:4873/schema-utils/-/schema-utils-4.3.2.tgz", + "integrity": "sha512-Gn/JaSk/Mt9gYubxTtSn/QCV4em9mpAPiR1rqy/Ocu19u/G9J5WWdNoUT4SiV6mFC3y6cxyFcFwdzPM3FgxGAQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/json-schema": "^7.0.9", + "ajv": "^8.9.0", + "ajv-formats": "^2.1.1", + "ajv-keywords": "^5.1.0" + }, + "engines": { + "node": ">= 10.13.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/webpack" + } + }, + "node_modules/schema-utils/node_modules/ajv": { + "version": "8.17.1", + "resolved": "http://localhost:4873/ajv/-/ajv-8.17.1.tgz", + "integrity": "sha512-B/gBuNg5SiMTrPkC+A2+cW0RszwxYmn6VYxB/inlBStS5nx6xHIt/ehKRhIMhqusl7a8LjQoZnjCs5vhwxOQ1g==", + "dev": true, + "license": "MIT", + "dependencies": { + "fast-deep-equal": "^3.1.3", + "fast-uri": "^3.0.1", + "json-schema-traverse": "^1.0.0", + "require-from-string": "^2.0.2" + }, + "funding": { + "type": "github", + "url": "https://github.com/sponsors/epoberezkin" + } + }, + "node_modules/schema-utils/node_modules/ajv-keywords": { + "version": "5.1.0", + "resolved": "http://localhost:4873/ajv-keywords/-/ajv-keywords-5.1.0.tgz", + "integrity": "sha512-YCS/JNFAUyr5vAuhk1DWm1CBxRHW9LbJ2ozWeemrIqpbsqKjHVxYPyi5GC0rjZIT5JxJ3virVTS8wk4i/Z+krw==", + "dev": true, + "license": "MIT", + "dependencies": { + "fast-deep-equal": "^3.1.3" + }, + "peerDependencies": { + "ajv": "^8.8.2" + } + }, + "node_modules/schema-utils/node_modules/json-schema-traverse": { + "version": "1.0.0", + "resolved": "http://localhost:4873/json-schema-traverse/-/json-schema-traverse-1.0.0.tgz", + "integrity": "sha512-NM8/P9n3XjXhIZn1lLhkFaACTOURQXjWhV4BA/RnOv8xvgqtqpAX9IO4mRQxSx1Rlo4tqzeqb0sOlruaOy3dug==", + "dev": true, + "license": "MIT" + }, + "node_modules/seedrandom": { + "version": "3.0.5", + "resolved": "http://localhost:4873/seedrandom/-/seedrandom-3.0.5.tgz", + "integrity": "sha512-8OwmbklUNzwezjGInmZ+2clQmExQPvomqjL7LFqOYqtmuxRgQYqOD3mHaU+MvZn5FLUeVxVfQjwLZW/n/JFuqg==", + "dev": true, + "license": "MIT" + }, + "node_modules/semver": { + "version": "7.7.2", + "resolved": "http://localhost:4873/semver/-/semver-7.7.2.tgz", + "integrity": "sha512-RF0Fw+rO5AMf9MAyaRXI4AV0Ulj5lMHqVxxdSgiVbixSCXoEmmX/jk0CuJw4+3SqroYO9VoUh+HcuJivvtJemA==", + "dev": true, + "license": "ISC", + "bin": { + "semver": "bin/semver.js" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/send": { + "version": "0.19.0", + "resolved": "http://localhost:4873/send/-/send-0.19.0.tgz", + "integrity": "sha512-dW41u5VfLXu8SJh5bwRmyYUbAoSB3c9uQh6L8h/KtsFREPWpbX1lrljJo186Jc4nmci/sGUZ9a0a0J2zgfq2hw==", + "dev": true, + "license": "MIT", + "dependencies": { + "debug": "2.6.9", + "depd": "2.0.0", + "destroy": "1.2.0", + "encodeurl": "~1.0.2", + "escape-html": "~1.0.3", + "etag": "~1.8.1", + "fresh": "0.5.2", + "http-errors": "2.0.0", + "mime": "1.6.0", + "ms": "2.1.3", + "on-finished": "2.4.1", + "range-parser": "~1.2.1", + "statuses": "2.0.1" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/send/node_modules/debug": { + "version": "2.6.9", + "resolved": "http://localhost:4873/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "dev": true, + "license": "MIT", + "dependencies": { + "ms": "2.0.0" + } + }, + "node_modules/send/node_modules/debug/node_modules/ms": { + "version": "2.0.0", + "resolved": "http://localhost:4873/ms/-/ms-2.0.0.tgz", + "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", + "dev": true, + "license": "MIT" + }, + "node_modules/send/node_modules/encodeurl": { + "version": "1.0.2", + "resolved": "http://localhost:4873/encodeurl/-/encodeurl-1.0.2.tgz", + "integrity": "sha512-TPJXq8JqFaVYm2CWmPvnP2Iyo4ZSM7/QKcSmuMLDObfpH5fi7RUGmd/rTDf+rut/saiDiQEeVTNgAmJEdAOx0w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/serialize-javascript": { + "version": "6.0.2", + "resolved": "http://localhost:4873/serialize-javascript/-/serialize-javascript-6.0.2.tgz", + "integrity": "sha512-Saa1xPByTTq2gdeFZYLLo+RFE35NHZkAbqZeWNd3BpzppeVisAqpDjcp8dyf6uIvEqJRd46jemmyA4iFIeVk8g==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "randombytes": "^2.1.0" + } + }, + "node_modules/serve-static": { + "version": "1.16.2", + "resolved": "http://localhost:4873/serve-static/-/serve-static-1.16.2.tgz", + "integrity": "sha512-VqpjJZKadQB/PEbEwvFdO43Ax5dFBZ2UECszz8bQ7pi7wt//PWe1P6MN7eCnjsatYtBT6EuiClbjSWP2WrIoTw==", + "dev": true, + "license": "MIT", + "dependencies": { + "encodeurl": "~2.0.0", + "escape-html": "~1.0.3", + "parseurl": "~1.3.3", + "send": "0.19.0" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/set-blocking": { + "version": "2.0.0", + "resolved": "http://localhost:4873/set-blocking/-/set-blocking-2.0.0.tgz", + "integrity": "sha512-KiKBS8AnWGEyLzofFfmvKwpdPzqiy16LvQfK3yv/fVH7Bj13/wl3JSR1J+rfgRE9q7xUJK4qvgS8raSOeLUehw==", + "dev": true, + "license": "ISC" + }, + "node_modules/set-cookie-parser": { + "version": "2.7.1", + "resolved": "http://localhost:4873/set-cookie-parser/-/set-cookie-parser-2.7.1.tgz", + "integrity": "sha512-IOc8uWeOZgnb3ptbCURJWNjWUPcO3ZnTTdzsurqERrP6nPyv+paC55vJM0LpOlT2ne+Ix+9+CRG1MNLlyZ4GjQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/set-function-length": { + "version": "1.2.2", + "resolved": "http://localhost:4873/set-function-length/-/set-function-length-1.2.2.tgz", + "integrity": "sha512-pgRc4hJ4/sNjWCSS9AmnS40x3bNMDTknHgL5UaMBTMyJnU90EgWh1Rz+MC9eFu4BuN/UwZjKQuY/1v3rM7HMfg==", + "dev": true, + "license": "MIT", + "dependencies": { + "define-data-property": "^1.1.4", + "es-errors": "^1.3.0", + "function-bind": "^1.1.2", + "get-intrinsic": "^1.2.4", + "gopd": "^1.0.1", + "has-property-descriptors": "^1.0.2" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/set-function-name": { + "version": "2.0.2", + "resolved": "http://localhost:4873/set-function-name/-/set-function-name-2.0.2.tgz", + "integrity": "sha512-7PGFlmtwsEADb0WYyvCMa1t+yke6daIG4Wirafur5kcf+MhUnPms1UeR0CKQdTZD81yESwMHbtn+TR+dMviakQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "define-data-property": "^1.1.4", + "es-errors": "^1.3.0", + "functions-have-names": "^1.2.3", + "has-property-descriptors": "^1.0.2" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/set-proto": { + "version": "1.0.0", + "resolved": "http://localhost:4873/set-proto/-/set-proto-1.0.0.tgz", + "integrity": "sha512-RJRdvCo6IAnPdsvP/7m6bsQqNnn1FCBX5ZNtFL98MmFF/4xAIJTIg1YbHW5DC2W5SKZanrC6i4HsJqlajw/dZw==", + "dev": true, + "license": "MIT", + "dependencies": { + "dunder-proto": "^1.0.1", + "es-errors": "^1.3.0", + "es-object-atoms": "^1.0.0" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/set-value": { + "version": "2.0.1", + "resolved": "http://localhost:4873/set-value/-/set-value-2.0.1.tgz", + "integrity": "sha512-JxHc1weCN68wRY0fhCoXpyK55m/XPHafOmK4UWD7m2CI14GMcFypt4w/0+NV5f/ZMby2F6S2wwA7fgynh9gWSw==", + "dev": true, + "license": "MIT", + "dependencies": { + "extend-shallow": "^2.0.1", + "is-extendable": "^0.1.1", + "is-plain-object": "^2.0.3", + "split-string": "^3.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/set-value/node_modules/extend-shallow": { + "version": "2.0.1", + "resolved": "http://localhost:4873/extend-shallow/-/extend-shallow-2.0.1.tgz", + "integrity": "sha512-zCnTtlxNoAiDc3gqY2aYAWFx7XWWiasuF2K8Me5WbN8otHKTUKBwjPtNpRs/rbUZm7KxWAaNj7P1a/p52GbVug==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-extendable": "^0.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/set-value/node_modules/is-extendable": { + "version": "0.1.1", + "resolved": "http://localhost:4873/is-extendable/-/is-extendable-0.1.1.tgz", + "integrity": "sha512-5BMULNob1vgFX6EjQw5izWDxrecWK9AM72rugNr0TFldMOi0fj6Jk+zeKIt0xGj4cEfQIJth4w3OKWOJ4f+AFw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/setprototypeof": { + "version": "1.2.0", + "resolved": "http://localhost:4873/setprototypeof/-/setprototypeof-1.2.0.tgz", + "integrity": "sha512-E5LDX7Wrp85Kil5bhZv46j8jOeboKq5JMmYM3gVGdGH8xFpPWXUMsNrlODCrkoxMEeNi/XZIwuRvY4XNwYMJpw==", + "dev": true, + "license": "ISC" + }, + "node_modules/shallow-clone": { + "version": "3.0.1", + "resolved": "http://localhost:4873/shallow-clone/-/shallow-clone-3.0.1.tgz", + "integrity": "sha512-/6KqX+GVUdqPuPPd2LxDDxzX6CAbjJehAAOKlNpqqUpAqPM6HeL8f+o3a+JsyGjn2lv0WY8UsTgUJjU9Ok55NA==", + "dev": true, + "license": "MIT", + "dependencies": { + "kind-of": "^6.0.2" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/shebang-command": { + "version": "1.2.0", + "resolved": "http://localhost:4873/shebang-command/-/shebang-command-1.2.0.tgz", + "integrity": "sha512-EV3L1+UQWGor21OmnvojK36mhg+TyIKDh3iFBKBohr5xeXIhNBcx8oWdgkTEEQ+BEFFYdLRuqMfd5L84N1V5Vg==", + "dev": true, + "license": "MIT", + "dependencies": { + "shebang-regex": "^1.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/shebang-regex": { + "version": "1.0.0", + "resolved": "http://localhost:4873/shebang-regex/-/shebang-regex-1.0.0.tgz", + "integrity": "sha512-wpoSFAxys6b2a2wHZ1XpDSgD7N9iVjg29Ph9uV/uaP9Ex/KXlkTZTeddxDPSYQpgvzKLGJke2UU0AzoGCjNIvQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/shelljs": { + "version": "0.8.5", + "resolved": "http://localhost:4873/shelljs/-/shelljs-0.8.5.tgz", + "integrity": "sha512-TiwcRcrkhHvbrZbnRcFYMLl30Dfov3HKqzp5tO5b4pt6G/SezKcYhmDg15zXVBswHmctSAQKznqNW2LO5tTDow==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "glob": "^7.0.0", + "interpret": "^1.0.0", + "rechoir": "^0.6.2" + }, + "bin": { + "shjs": "bin/shjs" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/shellwords": { + "version": "0.1.1", + "resolved": "http://localhost:4873/shellwords/-/shellwords-0.1.1.tgz", + "integrity": "sha512-vFwSUfQvqybiICwZY5+DAWIPLKsWO31Q91JSKl3UYv+K5c2QRPzn0qzec6QPu1Qc9eHYItiP3NdJqNVqetYAww==", + "dev": true, + "license": "MIT" + }, + "node_modules/side-channel": { + "version": "1.1.0", + "resolved": "http://localhost:4873/side-channel/-/side-channel-1.1.0.tgz", + "integrity": "sha512-ZX99e6tRweoUXqR+VBrslhda51Nh5MTQwou5tnUDgbtyM0dBgmhEDtWGP/xbKn6hqfPRHujUNwz5fy/wbbhnpw==", + "dev": true, + "license": "MIT", + "dependencies": { + "es-errors": "^1.3.0", + "object-inspect": "^1.13.3", + "side-channel-list": "^1.0.0", + "side-channel-map": "^1.0.1", + "side-channel-weakmap": "^1.0.2" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/side-channel-list": { + "version": "1.0.0", + "resolved": "http://localhost:4873/side-channel-list/-/side-channel-list-1.0.0.tgz", + "integrity": "sha512-FCLHtRD/gnpCiCHEiJLOwdmFP+wzCmDEkc9y7NsYxeF4u7Btsn1ZuwgwJGxImImHicJArLP4R0yX4c2KCrMrTA==", + "dev": true, + "license": "MIT", + "dependencies": { + "es-errors": "^1.3.0", + "object-inspect": "^1.13.3" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/side-channel-map": { + "version": "1.0.1", + "resolved": "http://localhost:4873/side-channel-map/-/side-channel-map-1.0.1.tgz", + "integrity": "sha512-VCjCNfgMsby3tTdo02nbjtM/ewra6jPHmpThenkTYh8pG9ucZ/1P8So4u4FGBek/BjpOVsDCMoLA/iuBKIFXRA==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.2", + "es-errors": "^1.3.0", + "get-intrinsic": "^1.2.5", + "object-inspect": "^1.13.3" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/side-channel-weakmap": { + "version": "1.0.2", + "resolved": "http://localhost:4873/side-channel-weakmap/-/side-channel-weakmap-1.0.2.tgz", + "integrity": "sha512-WPS/HvHQTYnHisLo9McqBHOJk2FkHO/tlpvldyrnem4aeQp4hai3gythswg6p01oSoTl58rcpiFAjF2br2Ak2A==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.2", + "es-errors": "^1.3.0", + "get-intrinsic": "^1.2.5", + "object-inspect": "^1.13.3", + "side-channel-map": "^1.0.1" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/signal-exit": { + "version": "3.0.7", + "resolved": "http://localhost:4873/signal-exit/-/signal-exit-3.0.7.tgz", + "integrity": "sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ==", + "dev": true, + "license": "ISC" + }, + "node_modules/sirv": { + "version": "2.0.4", + "resolved": "http://localhost:4873/sirv/-/sirv-2.0.4.tgz", + "integrity": "sha512-94Bdh3cC2PKrbgSOUqTiGPWVZeSiXfKOVZNJniWoqrWrRkB1CJzBU3NEbiTsPcYy1lDsANA/THzS+9WBiy5nfQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "@polka/url": "^1.0.0-next.24", + "mrmime": "^2.0.0", + "totalist": "^3.0.0" + }, + "engines": { + "node": ">= 10" + } + }, + "node_modules/sisteransi": { + "version": "1.0.5", + "resolved": "http://localhost:4873/sisteransi/-/sisteransi-1.0.5.tgz", + "integrity": "sha512-bLGGlR1QxBcynn2d5YmDX4MGjlZvy2MRBDRNHLJ8VI6l6+9FUiyTFNJ0IveOSP0bcXgVDPRcfGqA0pjaqUpfVg==", + "dev": true, + "license": "MIT" + }, + "node_modules/slash": { + "version": "2.0.0", + "resolved": "http://localhost:4873/slash/-/slash-2.0.0.tgz", + "integrity": "sha512-ZYKh3Wh2z1PpEXWr0MpSBZ0V6mZHAQfYevttO11c51CaWjGTaadiKZ+wVt1PbMlDV5qhMFslpZCemhwOK7C89A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/snapdragon": { + "version": "0.8.2", + "resolved": "http://localhost:4873/snapdragon/-/snapdragon-0.8.2.tgz", + "integrity": "sha512-FtyOnWN/wCHTVXOMwvSv26d+ko5vWlIDD6zoUJ7LW8vh+ZBC8QdljveRP+crNrtBwioEUWy/4dMtbBjA4ioNlg==", + "dev": true, + "license": "MIT", + "dependencies": { + "base": "^0.11.1", + "debug": "^2.2.0", + "define-property": "^0.2.5", + "extend-shallow": "^2.0.1", + "map-cache": "^0.2.2", + "source-map": "^0.5.6", + "source-map-resolve": "^0.5.0", + "use": "^3.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/snapdragon-node": { + "version": "2.1.1", + "resolved": "http://localhost:4873/snapdragon-node/-/snapdragon-node-2.1.1.tgz", + "integrity": "sha512-O27l4xaMYt/RSQ5TR3vpWCAB5Kb/czIcqUFOM/C4fYcLnbZUc1PkjTAMjof2pBWaSTwOUd6qUHcFGVGj7aIwnw==", + "dev": true, + "license": "MIT", + "dependencies": { + "define-property": "^1.0.0", + "isobject": "^3.0.0", + "snapdragon-util": "^3.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/snapdragon-node/node_modules/define-property": { + "version": "1.0.0", + "resolved": "http://localhost:4873/define-property/-/define-property-1.0.0.tgz", + "integrity": "sha512-cZTYKFWspt9jZsMscWo8sc/5lbPC9Q0N5nBLgb+Yd915iL3udB1uFgS3B8YCx66UVHq018DAVFoee7x+gxggeA==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-descriptor": "^1.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/snapdragon-util": { + "version": "3.0.1", + "resolved": "http://localhost:4873/snapdragon-util/-/snapdragon-util-3.0.1.tgz", + "integrity": "sha512-mbKkMdQKsjX4BAL4bRYTj21edOf8cN7XHdYUJEe+Zn99hVEYcMvKPct1IqNe7+AZPirn8BCDOQBHQZknqmKlZQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "kind-of": "^3.2.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/snapdragon-util/node_modules/kind-of": { + "version": "3.2.2", + "resolved": "http://localhost:4873/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha512-NOW9QQXMoZGg/oqnVNoNTTIFEIid1627WCffUBJEdMxYApq7mNE7CpzucIPc+ZQg25Phej7IJSmX3hO+oblOtQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-buffer": "^1.1.5" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/snapdragon/node_modules/debug": { + "version": "2.6.9", + "resolved": "http://localhost:4873/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "dev": true, + "license": "MIT", + "dependencies": { + "ms": "2.0.0" + } + }, + "node_modules/snapdragon/node_modules/define-property": { + "version": "0.2.5", + "resolved": "http://localhost:4873/define-property/-/define-property-0.2.5.tgz", + "integrity": "sha512-Rr7ADjQZenceVOAKop6ALkkRAmH1A4Gx9hV/7ZujPUN2rkATqFO0JZLZInbAjpZYoJ1gUx8MRMQVkYemcbMSTA==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-descriptor": "^0.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/snapdragon/node_modules/extend-shallow": { + "version": "2.0.1", + "resolved": "http://localhost:4873/extend-shallow/-/extend-shallow-2.0.1.tgz", + "integrity": "sha512-zCnTtlxNoAiDc3gqY2aYAWFx7XWWiasuF2K8Me5WbN8otHKTUKBwjPtNpRs/rbUZm7KxWAaNj7P1a/p52GbVug==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-extendable": "^0.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/snapdragon/node_modules/is-descriptor": { + "version": "0.1.7", + "resolved": "http://localhost:4873/is-descriptor/-/is-descriptor-0.1.7.tgz", + "integrity": "sha512-C3grZTvObeN1xud4cRWl366OMXZTj0+HGyk4hvfpx4ZHt1Pb60ANSXqCK7pdOTeUQpRzECBSTphqvD7U+l22Eg==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-accessor-descriptor": "^1.0.1", + "is-data-descriptor": "^1.0.1" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/snapdragon/node_modules/is-extendable": { + "version": "0.1.1", + "resolved": "http://localhost:4873/is-extendable/-/is-extendable-0.1.1.tgz", + "integrity": "sha512-5BMULNob1vgFX6EjQw5izWDxrecWK9AM72rugNr0TFldMOi0fj6Jk+zeKIt0xGj4cEfQIJth4w3OKWOJ4f+AFw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/snapdragon/node_modules/ms": { + "version": "2.0.0", + "resolved": "http://localhost:4873/ms/-/ms-2.0.0.tgz", + "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", + "dev": true, + "license": "MIT" + }, + "node_modules/source-map": { + "version": "0.5.7", + "resolved": "http://localhost:4873/source-map/-/source-map-0.5.7.tgz", + "integrity": "sha512-LbrmJOMUSdEVxIKvdcJzQC+nQhe8FUZQTXQy6+I75skNgn3OoQ0DZA8YnFa7gp8tqtL3KPf1kmo0R5DoApeSGQ==", + "dev": true, + "license": "BSD-3-Clause", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/source-map-js": { + "version": "1.2.1", + "resolved": "http://localhost:4873/source-map-js/-/source-map-js-1.2.1.tgz", + "integrity": "sha512-UXWMKhLOwVKb728IUtQPXxfYU+usdybtUrK/8uGE8CQMvrhOpwvzDBwj0QhSL7MQc7vIsISBG8VQ8+IDQxpfQA==", + "dev": true, + "license": "BSD-3-Clause", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/source-map-loader": { + "version": "4.0.2", + "resolved": "http://localhost:4873/source-map-loader/-/source-map-loader-4.0.2.tgz", + "integrity": "sha512-oYwAqCuL0OZhBoSgmdrLa7mv9MjommVMiQIWgcztf+eS4+8BfcUee6nenFnDhKOhzAVnk5gpZdfnz1iiBv+5sg==", + "dev": true, + "license": "MIT", + "dependencies": { + "iconv-lite": "^0.6.3", + "source-map-js": "^1.0.2" + }, + "engines": { + "node": ">= 14.15.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/webpack" + }, + "peerDependencies": { + "webpack": "^5.72.1" + } + }, + "node_modules/source-map-loader/node_modules/iconv-lite": { + "version": "0.6.3", + "resolved": "http://localhost:4873/iconv-lite/-/iconv-lite-0.6.3.tgz", + "integrity": "sha512-4fCk79wshMdzMp2rH06qWrJE4iolqLhCUH+OiuIgU++RB0+94NlDL81atO7GX55uUKueo0txHNtvEyI6D7WdMw==", + "dev": true, + "license": "MIT", + "dependencies": { + "safer-buffer": ">= 2.1.2 < 3.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/source-map-resolve": { + "version": "0.5.3", + "resolved": "http://localhost:4873/source-map-resolve/-/source-map-resolve-0.5.3.tgz", + "integrity": "sha512-Htz+RnsXWk5+P2slx5Jh3Q66vhQj1Cllm0zvnaY98+NFx+Dv2CF/f5O/t8x+KaNdrdIAsruNzoh/KpialbqAnw==", + "deprecated": "See https://github.com/lydell/source-map-resolve#deprecated", + "dev": true, + "license": "MIT", + "dependencies": { + "atob": "^2.1.2", + "decode-uri-component": "^0.2.0", + "resolve-url": "^0.2.1", + "source-map-url": "^0.4.0", + "urix": "^0.1.0" + } + }, + "node_modules/source-map-support": { + "version": "0.5.21", + "resolved": "http://localhost:4873/source-map-support/-/source-map-support-0.5.21.tgz", + "integrity": "sha512-uBHU3L3czsIyYXKX88fdrGovxdSCoTGDRZ6SYXtSRxLZUzHg5P/66Ht6uoUlHu9EZod+inXhKo3qQgwXUT/y1w==", + "dev": true, + "license": "MIT", + "dependencies": { + "buffer-from": "^1.0.0", + "source-map": "^0.6.0" + } + }, + "node_modules/source-map-support/node_modules/source-map": { + "version": "0.6.1", + "resolved": "http://localhost:4873/source-map/-/source-map-0.6.1.tgz", + "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==", + "dev": true, + "license": "BSD-3-Clause", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/source-map-url": { + "version": "0.4.1", + "resolved": "http://localhost:4873/source-map-url/-/source-map-url-0.4.1.tgz", + "integrity": "sha512-cPiFOTLUKvJFIg4SKVScy4ilPPW6rFgMgfuZJPNoDuMs3nC1HbMUycBoJw77xFIp6z1UJQJOfx6C9GMH80DiTw==", + "deprecated": "See https://github.com/lydell/source-map-url#deprecated", + "dev": true, + "license": "MIT" + }, + "node_modules/spdx-correct": { + "version": "3.2.0", + "resolved": "http://localhost:4873/spdx-correct/-/spdx-correct-3.2.0.tgz", + "integrity": "sha512-kN9dJbvnySHULIluDHy32WHRUu3Og7B9sbY7tsFLctQkIqnMh3hErYgdMjTYuqmcXX+lK5T1lnUt3G7zNswmZA==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "spdx-expression-parse": "^3.0.0", + "spdx-license-ids": "^3.0.0" + } + }, + "node_modules/spdx-exceptions": { + "version": "2.5.0", + "resolved": "http://localhost:4873/spdx-exceptions/-/spdx-exceptions-2.5.0.tgz", + "integrity": "sha512-PiU42r+xO4UbUS1buo3LPJkjlO7430Xn5SVAhdpzzsPHsjbYVflnnFdATgabnLude+Cqu25p6N+g2lw/PFsa4w==", + "dev": true, + "license": "CC-BY-3.0" + }, + "node_modules/spdx-expression-parse": { + "version": "3.0.1", + "resolved": "http://localhost:4873/spdx-expression-parse/-/spdx-expression-parse-3.0.1.tgz", + "integrity": "sha512-cbqHunsQWnJNE6KhVSMsMeH5H/L9EpymbzqTQ3uLwNCLZ1Q481oWaofqH7nO6V07xlXwY6PhQdQ2IedWx/ZK4Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "spdx-exceptions": "^2.1.0", + "spdx-license-ids": "^3.0.0" + } + }, + "node_modules/spdx-license-ids": { + "version": "3.0.21", + "resolved": "http://localhost:4873/spdx-license-ids/-/spdx-license-ids-3.0.21.tgz", + "integrity": "sha512-Bvg/8F5XephndSK3JffaRqdT+gyhfqIPwDHpX80tJrF8QQRYMo8sNMeaZ2Dp5+jhwKnUmIOyFFQfHRkjJm5nXg==", + "dev": true, + "license": "CC0-1.0" + }, + "node_modules/speed-measure-webpack-plugin": { + "version": "1.5.0", + "resolved": "http://localhost:4873/speed-measure-webpack-plugin/-/speed-measure-webpack-plugin-1.5.0.tgz", + "integrity": "sha512-Re0wX5CtM6gW7bZA64ONOfEPEhwbiSF/vz6e2GvadjuaPrQcHTQdRGsD8+BE7iUOysXH8tIenkPCQBEcspXsNg==", + "dev": true, + "license": "MIT", + "dependencies": { + "chalk": "^4.1.0" + }, + "engines": { + "node": ">=6.0.0" + }, + "peerDependencies": { + "webpack": "^1 || ^2 || ^3 || ^4 || ^5" + } + }, + "node_modules/speedline-core": { + "version": "1.4.3", + "resolved": "http://localhost:4873/speedline-core/-/speedline-core-1.4.3.tgz", + "integrity": "sha512-DI7/OuAUD+GMpR6dmu8lliO2Wg5zfeh+/xsdyJZCzd8o5JgFUjCeLsBDuZjIQJdwXS3J0L/uZYrELKYqx+PXog==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/node": "*", + "image-ssim": "^0.2.0", + "jpeg-js": "^0.4.1" + }, + "engines": { + "node": ">=8.0" + } + }, + "node_modules/split-on-first": { + "version": "1.1.0", + "resolved": "http://localhost:4873/split-on-first/-/split-on-first-1.1.0.tgz", + "integrity": "sha512-43ZssAJaMusuKWL8sKUBQXHWOpq8d6CfN/u1p4gUzfJkM05C8rxTmYrkIPTXapZpORA6LkkzcUulJ8FqA7Uudw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/split-string": { + "version": "3.1.0", + "resolved": "http://localhost:4873/split-string/-/split-string-3.1.0.tgz", + "integrity": "sha512-NzNVhJDYpwceVVii8/Hu6DKfD2G+NrQHlS/V/qgv763EYudVwEcMQNxd2lh+0VrUByXN/oJkl5grOhYWvQUYiw==", + "dev": true, + "license": "MIT", + "dependencies": { + "extend-shallow": "^3.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/sprintf-js": { + "version": "1.0.3", + "resolved": "http://localhost:4873/sprintf-js/-/sprintf-js-1.0.3.tgz", + "integrity": "sha512-D9cPgkvLlV3t3IzL0D0YLvGA9Ahk4PcvVwUbN0dSGr1aP0Nrt4AEnTUbuGvquEC0mA64Gqt1fzirlRs5ibXx8g==", + "dev": true, + "license": "BSD-3-Clause" + }, + "node_modules/stack-utils": { + "version": "2.0.6", + "resolved": "http://localhost:4873/stack-utils/-/stack-utils-2.0.6.tgz", + "integrity": "sha512-XlkWvfIm6RmsWtNJx+uqtKLS8eqFbxUg0ZzLXqY0caEy9l7hruX8IpiDnjsLavoBgqCCR71TqWO8MaXYheJ3RQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "escape-string-regexp": "^2.0.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/stack-utils/node_modules/escape-string-regexp": { + "version": "2.0.0", + "resolved": "http://localhost:4873/escape-string-regexp/-/escape-string-regexp-2.0.0.tgz", + "integrity": "sha512-UpzcLCXolUWcNu5HtVMHYdXJjArjsF9C0aNnquZYY4uW/Vu0miy5YoWvbV345HauVvcAUnpRuhMMcqTcGOY2+w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/stackframe": { + "version": "1.3.4", + "resolved": "http://localhost:4873/stackframe/-/stackframe-1.3.4.tgz", + "integrity": "sha512-oeVtt7eWQS+Na6F//S4kJ2K2VbRlS9D43mAlMyVpVWovy9o+jfgH8O9agzANzaiLjclA0oYzUXEM4PurhSUChw==", + "dev": true, + "license": "MIT" + }, + "node_modules/static-extend": { + "version": "0.1.2", + "resolved": "http://localhost:4873/static-extend/-/static-extend-0.1.2.tgz", + "integrity": "sha512-72E9+uLc27Mt718pMHt9VMNiAL4LMsmDbBva8mxWUCkT07fSzEGMYUCk0XWY6lp0j6RBAG4cJ3mWuZv2OE3s0g==", + "dev": true, + "license": "MIT", + "dependencies": { + "define-property": "^0.2.5", + "object-copy": "^0.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/static-extend/node_modules/define-property": { + "version": "0.2.5", + "resolved": "http://localhost:4873/define-property/-/define-property-0.2.5.tgz", + "integrity": "sha512-Rr7ADjQZenceVOAKop6ALkkRAmH1A4Gx9hV/7ZujPUN2rkATqFO0JZLZInbAjpZYoJ1gUx8MRMQVkYemcbMSTA==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-descriptor": "^0.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/static-extend/node_modules/is-descriptor": { + "version": "0.1.7", + "resolved": "http://localhost:4873/is-descriptor/-/is-descriptor-0.1.7.tgz", + "integrity": "sha512-C3grZTvObeN1xud4cRWl366OMXZTj0+HGyk4hvfpx4ZHt1Pb60ANSXqCK7pdOTeUQpRzECBSTphqvD7U+l22Eg==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-accessor-descriptor": "^1.0.1", + "is-data-descriptor": "^1.0.1" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/statuses": { + "version": "2.0.1", + "resolved": "http://localhost:4873/statuses/-/statuses-2.0.1.tgz", + "integrity": "sha512-RwNA9Z/7PrK06rYLIzFMlaF+l73iwpzsqRIFgbMLbTcLD6cOao82TaWefPXQvB2fOC4AjuYSEndS7N/mTCbkdQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/stop-iteration-iterator": { + "version": "1.1.0", + "resolved": "http://localhost:4873/stop-iteration-iterator/-/stop-iteration-iterator-1.1.0.tgz", + "integrity": "sha512-eLoXW/DHyl62zxY4SCaIgnRhuMr6ri4juEYARS8E6sCEqzKpOiE521Ucofdx+KnDZl5xmvGYaaKCk5FEOxJCoQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "es-errors": "^1.3.0", + "internal-slot": "^1.1.0" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/strict-event-emitter": { + "version": "0.4.6", + "resolved": "http://localhost:4873/strict-event-emitter/-/strict-event-emitter-0.4.6.tgz", + "integrity": "sha512-12KWeb+wixJohmnwNFerbyiBrAlq5qJLwIt38etRtKtmmHyDSoGlIqFE9wx+4IwG0aDjI7GV8tc8ZccjWZZtTg==", + "dev": true, + "license": "MIT" + }, + "node_modules/strict-uri-encode": { + "version": "2.0.0", + "resolved": "http://localhost:4873/strict-uri-encode/-/strict-uri-encode-2.0.0.tgz", + "integrity": "sha512-QwiXZgpRcKkhTj2Scnn++4PKtWsH0kpzZ62L2R6c/LUVYv7hVnZqcg2+sMuT6R7Jusu1vviK/MFsu6kNJfWlEQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4" + } + }, + "node_modules/string_decoder": { + "version": "1.1.1", + "resolved": "http://localhost:4873/string_decoder/-/string_decoder-1.1.1.tgz", + "integrity": "sha512-n/ShnvDi6FHbbVfviro+WojiFzv+s8MPMHBczVePfUpDJLwoLT0ht1l4YwBCbi8pJAveEEdnkHyPyTP/mzRfwg==", + "dev": true, + "license": "MIT", + "dependencies": { + "safe-buffer": "~5.1.0" + } + }, + "node_modules/string_decoder/node_modules/safe-buffer": { + "version": "5.1.2", + "resolved": "http://localhost:4873/safe-buffer/-/safe-buffer-5.1.2.tgz", + "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==", + "dev": true, + "license": "MIT" + }, + "node_modules/string-length": { + "version": "4.0.2", + "resolved": "http://localhost:4873/string-length/-/string-length-4.0.2.tgz", + "integrity": "sha512-+l6rNN5fYHNhZZy41RXsYptCjA2Igmq4EG7kZAYFQI1E1VTXarr6ZPXBg6eq7Y6eK4FEhY6AJlyuFIb/v/S0VQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "char-regex": "^1.0.2", + "strip-ansi": "^6.0.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/string-width": { + "version": "2.1.1", + "resolved": "http://localhost:4873/string-width/-/string-width-2.1.1.tgz", + "integrity": "sha512-nOqH59deCq9SRHlxq1Aw85Jnt4w6KvLKqWVik6oA9ZklXLNIOlqg4F2yrT1MVaTjAqvVwdfeZ7w7aCvJD7ugkw==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-fullwidth-code-point": "^2.0.0", + "strip-ansi": "^4.0.0" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/string-width/node_modules/ansi-regex": { + "version": "3.0.1", + "resolved": "http://localhost:4873/ansi-regex/-/ansi-regex-3.0.1.tgz", + "integrity": "sha512-+O9Jct8wf++lXxxFc4hc8LsjaSq0HFzzL7cVsw8pRDIPdjKD2mT4ytDZlLuSBZ4cLKZFXIrMGO7DbQCtMJJMKw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4" + } + }, + "node_modules/string-width/node_modules/strip-ansi": { + "version": "4.0.0", + "resolved": "http://localhost:4873/strip-ansi/-/strip-ansi-4.0.0.tgz", + "integrity": "sha512-4XaJ2zQdCzROZDivEVIDPkcQn8LMFSa8kj8Gxb/Lnwzv9A8VctNZ+lfivC/sV3ivW8ElJTERXZoPBRrZKkNKow==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-regex": "^3.0.0" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/string.prototype.matchall": { + "version": "4.0.12", + "resolved": "http://localhost:4873/string.prototype.matchall/-/string.prototype.matchall-4.0.12.tgz", + "integrity": "sha512-6CC9uyBL+/48dYizRf7H7VAYCMCNTBeM78x/VTUe9bFEaxBepPJDa1Ow99LqI/1yF7kuy7Q3cQsYMrcjGUcskA==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind": "^1.0.8", + "call-bound": "^1.0.3", + "define-properties": "^1.2.1", + "es-abstract": "^1.23.6", + "es-errors": "^1.3.0", + "es-object-atoms": "^1.0.0", + "get-intrinsic": "^1.2.6", + "gopd": "^1.2.0", + "has-symbols": "^1.1.0", + "internal-slot": "^1.1.0", + "regexp.prototype.flags": "^1.5.3", + "set-function-name": "^2.0.2", + "side-channel": "^1.1.0" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/string.prototype.repeat": { + "version": "1.0.0", + "resolved": "http://localhost:4873/string.prototype.repeat/-/string.prototype.repeat-1.0.0.tgz", + "integrity": "sha512-0u/TldDbKD8bFCQ/4f5+mNRrXwZ8hg2w7ZR8wa16e8z9XpePWl3eGEcUD0OXpEH/VJH/2G3gjUtR3ZOiBe2S/w==", + "dev": true, + "license": "MIT", + "dependencies": { + "define-properties": "^1.1.3", + "es-abstract": "^1.17.5" + } + }, + "node_modules/string.prototype.trim": { + "version": "1.2.10", + "resolved": "http://localhost:4873/string.prototype.trim/-/string.prototype.trim-1.2.10.tgz", + "integrity": "sha512-Rs66F0P/1kedk5lyYyH9uBzuiI/kNRmwJAR9quK6VOtIpZ2G+hMZd+HQbbv25MgCA6gEffoMZYxlTod4WcdrKA==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind": "^1.0.8", + "call-bound": "^1.0.2", + "define-data-property": "^1.1.4", + "define-properties": "^1.2.1", + "es-abstract": "^1.23.5", + "es-object-atoms": "^1.0.0", + "has-property-descriptors": "^1.0.2" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/string.prototype.trimend": { + "version": "1.0.9", + "resolved": "http://localhost:4873/string.prototype.trimend/-/string.prototype.trimend-1.0.9.tgz", + "integrity": "sha512-G7Ok5C6E/j4SGfyLCloXTrngQIQU3PWtXGst3yM7Bea9FRURf1S42ZHlZZtsNque2FN2PoUhfZXYLNWwEr4dLQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind": "^1.0.8", + "call-bound": "^1.0.2", + "define-properties": "^1.2.1", + "es-object-atoms": "^1.0.0" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/string.prototype.trimstart": { + "version": "1.0.8", + "resolved": "http://localhost:4873/string.prototype.trimstart/-/string.prototype.trimstart-1.0.8.tgz", + "integrity": "sha512-UXSH262CSZY1tfu3G3Secr6uGLCFVPMhIqHjlgCUtCCcgihYc/xKs9djMTMUOb2j1mVSeU8EU6NWc/iQKU6Gfg==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind": "^1.0.7", + "define-properties": "^1.2.1", + "es-object-atoms": "^1.0.0" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/strip-ansi": { + "version": "6.0.1", + "resolved": "http://localhost:4873/strip-ansi/-/strip-ansi-6.0.1.tgz", + "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-regex": "^5.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/strip-bom": { + "version": "4.0.0", + "resolved": "http://localhost:4873/strip-bom/-/strip-bom-4.0.0.tgz", + "integrity": "sha512-3xurFv5tEgii33Zi8Jtp55wEIILR9eh34FAW00PZf+JnSsTmV/ioewSgQl97JHvgjoRGwPShsWm+IdrxB35d0w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/strip-eof": { + "version": "1.0.0", + "resolved": "http://localhost:4873/strip-eof/-/strip-eof-1.0.0.tgz", + "integrity": "sha512-7FCwGGmx8mD5xQd3RPUvnSpUXHM3BWuzjtpD4TXsfcZ9EL4azvVVUscFYwD9nx8Kh+uCBC00XBtAykoMHwTh8Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/strip-final-newline": { + "version": "2.0.0", + "resolved": "http://localhost:4873/strip-final-newline/-/strip-final-newline-2.0.0.tgz", + "integrity": "sha512-BrpvfNAE3dcvq7ll3xVumzjKjZQ5tI1sEUIKr3Uoks0XUl45St3FlatVqef9prk4jRDzhW6WZg+3bk93y6pLjA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/strip-indent": { + "version": "3.0.0", + "resolved": "http://localhost:4873/strip-indent/-/strip-indent-3.0.0.tgz", + "integrity": "sha512-laJTa3Jb+VQpaC6DseHhF7dXVqHTfJPCRDaEbid/drOhgitgYku/letMUqOXFoWV0zIIUbjpdH2t+tYj4bQMRQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "min-indent": "^1.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/strip-json-comments": { + "version": "3.1.1", + "resolved": "http://localhost:4873/strip-json-comments/-/strip-json-comments-3.1.1.tgz", + "integrity": "sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/stylis": { + "version": "4.2.0", + "resolved": "http://localhost:4873/stylis/-/stylis-4.2.0.tgz", + "integrity": "sha512-Orov6g6BB1sDfYgzWfTHDOxamtX1bE/zo104Dh9e6fqJ3PooipYyfJ0pUmrZO2wAvO8YbEyeFrkV91XTsGMSrw==", + "dev": true, + "license": "MIT" + }, + "node_modules/superjson": { + "version": "1.13.3", + "resolved": "http://localhost:4873/superjson/-/superjson-1.13.3.tgz", + "integrity": "sha512-mJiVjfd2vokfDxsQPOwJ/PtanO87LhpYY88ubI5dUB1Ab58Txbyje3+jpm+/83R/fevaq/107NNhtYBLuoTrFg==", + "dev": true, + "license": "MIT", + "dependencies": { + "copy-anything": "^3.0.2" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/supports-color": { + "version": "7.2.0", + "resolved": "http://localhost:4873/supports-color/-/supports-color-7.2.0.tgz", + "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==", + "dev": true, + "license": "MIT", + "dependencies": { + "has-flag": "^4.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/supports-hyperlinks": { + "version": "2.3.0", + "resolved": "http://localhost:4873/supports-hyperlinks/-/supports-hyperlinks-2.3.0.tgz", + "integrity": "sha512-RpsAZlpWcDwOPQA22aCH4J0t7L8JmAvsCxfOSEwm7cQs3LshN36QaTkwd70DnBOXDWGssw2eUoc8CaRWT0XunA==", + "dev": true, + "license": "MIT", + "dependencies": { + "has-flag": "^4.0.0", + "supports-color": "^7.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/supports-preserve-symlinks-flag": { + "version": "1.0.0", + "resolved": "http://localhost:4873/supports-preserve-symlinks-flag/-/supports-preserve-symlinks-flag-1.0.0.tgz", + "integrity": "sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/svg-baker": { + "version": "1.7.0", + "resolved": "http://localhost:4873/svg-baker/-/svg-baker-1.7.0.tgz", + "integrity": "sha512-nibslMbkXOIkqKVrfcncwha45f97fGuAOn1G99YwnwTj8kF9YiM6XexPcUso97NxOm6GsP0SIvYVIosBis1xLg==", + "dev": true, + "license": "MIT", + "dependencies": { + "bluebird": "^3.5.0", + "clone": "^2.1.1", + "he": "^1.1.1", + "image-size": "^0.5.1", + "loader-utils": "^1.1.0", + "merge-options": "1.0.1", + "micromatch": "3.1.0", + "postcss": "^5.2.17", + "postcss-prefix-selector": "^1.6.0", + "posthtml-rename-id": "^1.0", + "posthtml-svg-mode": "^1.0.3", + "query-string": "^4.3.2", + "traverse": "^0.6.6" + } + }, + "node_modules/svg-baker-runtime": { + "version": "1.4.7", + "resolved": "http://localhost:4873/svg-baker-runtime/-/svg-baker-runtime-1.4.7.tgz", + "integrity": "sha512-Zorfwwj5+lWjk/oxwSMsRdS2sPQQdTmmsvaSpzU+i9ZWi3zugHLt6VckWfnswphQP0LmOel3nggpF5nETbt6xw==", + "dev": true, + "license": "MIT", + "dependencies": { + "deepmerge": "1.3.2", + "mitt": "1.1.2", + "svg-baker": "^1.7.0" + } + }, + "node_modules/svg-baker-runtime/node_modules/deepmerge": { + "version": "1.3.2", + "resolved": "http://localhost:4873/deepmerge/-/deepmerge-1.3.2.tgz", + "integrity": "sha512-qjMjTrk+RKv/sp4RPDpV5CnKhxjFI9p+GkLBOls5A8EEElldYWCWA9zceAkmfd0xIo2aU1nxiaLFoiya2sb6Cg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/svg-baker/node_modules/braces": { + "version": "2.3.2", + "resolved": "http://localhost:4873/braces/-/braces-2.3.2.tgz", + "integrity": "sha512-aNdbnj9P8PjdXU4ybaWLK2IF3jc/EoDYbC7AazW6to3TRsfXxscC9UXOB5iDiEQrkyIbWp2SLQda4+QAa7nc3w==", + "dev": true, + "license": "MIT", + "dependencies": { + "arr-flatten": "^1.1.0", + "array-unique": "^0.3.2", + "extend-shallow": "^2.0.1", + "fill-range": "^4.0.0", + "isobject": "^3.0.1", + "repeat-element": "^1.1.2", + "snapdragon": "^0.8.1", + "snapdragon-node": "^2.0.1", + "split-string": "^3.0.2", + "to-regex": "^3.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/svg-baker/node_modules/define-property": { + "version": "1.0.0", + "resolved": "http://localhost:4873/define-property/-/define-property-1.0.0.tgz", + "integrity": "sha512-cZTYKFWspt9jZsMscWo8sc/5lbPC9Q0N5nBLgb+Yd915iL3udB1uFgS3B8YCx66UVHq018DAVFoee7x+gxggeA==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-descriptor": "^1.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/svg-baker/node_modules/extend-shallow": { + "version": "2.0.1", + "resolved": "http://localhost:4873/extend-shallow/-/extend-shallow-2.0.1.tgz", + "integrity": "sha512-zCnTtlxNoAiDc3gqY2aYAWFx7XWWiasuF2K8Me5WbN8otHKTUKBwjPtNpRs/rbUZm7KxWAaNj7P1a/p52GbVug==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-extendable": "^0.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/svg-baker/node_modules/fill-range": { + "version": "4.0.0", + "resolved": "http://localhost:4873/fill-range/-/fill-range-4.0.0.tgz", + "integrity": "sha512-VcpLTWqWDiTerugjj8e3+esbg+skS3M9e54UuR3iCeIDMXCLTsAH8hTSzDQU/X6/6t3eYkOKoZSef2PlU6U1XQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "extend-shallow": "^2.0.1", + "is-number": "^3.0.0", + "repeat-string": "^1.6.1", + "to-regex-range": "^2.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/svg-baker/node_modules/is-extendable": { + "version": "0.1.1", + "resolved": "http://localhost:4873/is-extendable/-/is-extendable-0.1.1.tgz", + "integrity": "sha512-5BMULNob1vgFX6EjQw5izWDxrecWK9AM72rugNr0TFldMOi0fj6Jk+zeKIt0xGj4cEfQIJth4w3OKWOJ4f+AFw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/svg-baker/node_modules/is-number": { + "version": "3.0.0", + "resolved": "http://localhost:4873/is-number/-/is-number-3.0.0.tgz", + "integrity": "sha512-4cboCqIpliH+mAvFNegjZQ4kgKc3ZUhQVr3HvWbSh5q3WH2v82ct+T2Y1hdU5Gdtorx/cLifQjqCbL7bpznLTg==", + "dev": true, + "license": "MIT", + "dependencies": { + "kind-of": "^3.0.2" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/svg-baker/node_modules/is-number/node_modules/kind-of": { + "version": "3.2.2", + "resolved": "http://localhost:4873/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha512-NOW9QQXMoZGg/oqnVNoNTTIFEIid1627WCffUBJEdMxYApq7mNE7CpzucIPc+ZQg25Phej7IJSmX3hO+oblOtQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-buffer": "^1.1.5" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/svg-baker/node_modules/json5": { + "version": "1.0.2", + "resolved": "http://localhost:4873/json5/-/json5-1.0.2.tgz", + "integrity": "sha512-g1MWMLBiz8FKi1e4w0UyVL3w+iJceWAFBAaBnnGKOpNa5f8TLktkbre1+s6oICydWAm+HRUGTmI+//xv2hvXYA==", + "dev": true, + "license": "MIT", + "dependencies": { + "minimist": "^1.2.0" + }, + "bin": { + "json5": "lib/cli.js" + } + }, + "node_modules/svg-baker/node_modules/kind-of": { + "version": "5.1.0", + "resolved": "http://localhost:4873/kind-of/-/kind-of-5.1.0.tgz", + "integrity": "sha512-NGEErnH6F2vUuXDh+OlbcKW7/wOcfdRHaZ7VWtqCztfHri/++YKmP51OdWeGPuqCOba6kk2OTe5d02VmTB80Pw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/svg-baker/node_modules/loader-utils": { + "version": "1.4.2", + "resolved": "http://localhost:4873/loader-utils/-/loader-utils-1.4.2.tgz", + "integrity": "sha512-I5d00Pd/jwMD2QCduo657+YM/6L3KZu++pmX9VFncxaxvHcru9jx1lBaFft+r4Mt2jK0Yhp41XlRAihzPxHNCg==", + "dev": true, + "license": "MIT", + "dependencies": { + "big.js": "^5.2.2", + "emojis-list": "^3.0.0", + "json5": "^1.0.1" + }, + "engines": { + "node": ">=4.0.0" + } + }, + "node_modules/svg-baker/node_modules/micromatch": { + "version": "3.1.0", + "resolved": "http://localhost:4873/micromatch/-/micromatch-3.1.0.tgz", + "integrity": "sha512-3StSelAE+hnRvMs8IdVW7Uhk8CVed5tp+kLLGlBP6WiRAXS21GPGu/Nat4WNPXj2Eoc24B02SaeoyozPMfj0/g==", + "dev": true, + "license": "MIT", + "dependencies": { + "arr-diff": "^4.0.0", + "array-unique": "^0.3.2", + "braces": "^2.2.2", + "define-property": "^1.0.0", + "extend-shallow": "^2.0.1", + "extglob": "^2.0.2", + "fragment-cache": "^0.2.1", + "kind-of": "^5.0.2", + "nanomatch": "^1.2.1", + "object.pick": "^1.3.0", + "regex-not": "^1.0.0", + "snapdragon": "^0.8.1", + "to-regex": "^3.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/svg-baker/node_modules/query-string": { + "version": "4.3.4", + "resolved": "http://localhost:4873/query-string/-/query-string-4.3.4.tgz", + "integrity": "sha512-O2XLNDBIg1DnTOa+2XrIwSiXEV8h2KImXUnjhhn2+UsvZ+Es2uyd5CCRTNQlDGbzUQOW3aYCBx9rVA6dzsiY7Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "object-assign": "^4.1.0", + "strict-uri-encode": "^1.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/svg-baker/node_modules/strict-uri-encode": { + "version": "1.1.0", + "resolved": "http://localhost:4873/strict-uri-encode/-/strict-uri-encode-1.1.0.tgz", + "integrity": "sha512-R3f198pcvnB+5IpnBlRkphuE9n46WyVl8I39W/ZUTZLz4nqSP/oLYUrcnJrw462Ds8he4YKMov2efsTIw1BDGQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/svg-baker/node_modules/to-regex-range": { + "version": "2.1.1", + "resolved": "http://localhost:4873/to-regex-range/-/to-regex-range-2.1.1.tgz", + "integrity": "sha512-ZZWNfCjUokXXDGXFpZehJIkZqq91BcULFq/Pi7M5i4JnxXdhMKAK682z8bCW3o8Hj1wuuzoKcW3DfVzaP6VuNg==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-number": "^3.0.0", + "repeat-string": "^1.6.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/svg-sprite-loader": { + "version": "6.0.11", + "resolved": "http://localhost:4873/svg-sprite-loader/-/svg-sprite-loader-6.0.11.tgz", + "integrity": "sha512-TedsTf8wsHH6HgdwKjUveDZRC6q5gPloYV8A8/zZaRWP929J7x6TzQ6MvZFl+YYDJuJ0Akyuu/vNVJ+fbPuYXg==", + "dev": true, + "license": "MIT", + "dependencies": { + "bluebird": "^3.5.0", + "deepmerge": "1.3.2", + "domready": "1.0.8", + "escape-string-regexp": "1.0.5", + "loader-utils": "^1.1.0", + "svg-baker": "^1.5.0", + "svg-baker-runtime": "^1.4.7", + "url-slug": "2.0.0" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/svg-sprite-loader/node_modules/deepmerge": { + "version": "1.3.2", + "resolved": "http://localhost:4873/deepmerge/-/deepmerge-1.3.2.tgz", + "integrity": "sha512-qjMjTrk+RKv/sp4RPDpV5CnKhxjFI9p+GkLBOls5A8EEElldYWCWA9zceAkmfd0xIo2aU1nxiaLFoiya2sb6Cg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/svg-sprite-loader/node_modules/escape-string-regexp": { + "version": "1.0.5", + "resolved": "http://localhost:4873/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz", + "integrity": "sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.8.0" + } + }, + "node_modules/svg-sprite-loader/node_modules/json5": { + "version": "1.0.2", + "resolved": "http://localhost:4873/json5/-/json5-1.0.2.tgz", + "integrity": "sha512-g1MWMLBiz8FKi1e4w0UyVL3w+iJceWAFBAaBnnGKOpNa5f8TLktkbre1+s6oICydWAm+HRUGTmI+//xv2hvXYA==", + "dev": true, + "license": "MIT", + "dependencies": { + "minimist": "^1.2.0" + }, + "bin": { + "json5": "lib/cli.js" + } + }, + "node_modules/svg-sprite-loader/node_modules/loader-utils": { + "version": "1.4.2", + "resolved": "http://localhost:4873/loader-utils/-/loader-utils-1.4.2.tgz", + "integrity": "sha512-I5d00Pd/jwMD2QCduo657+YM/6L3KZu++pmX9VFncxaxvHcru9jx1lBaFft+r4Mt2jK0Yhp41XlRAihzPxHNCg==", + "dev": true, + "license": "MIT", + "dependencies": { + "big.js": "^5.2.2", + "emojis-list": "^3.0.0", + "json5": "^1.0.1" + }, + "engines": { + "node": ">=4.0.0" + } + }, + "node_modules/symbol-tree": { + "version": "3.2.4", + "resolved": "http://localhost:4873/symbol-tree/-/symbol-tree-3.2.4.tgz", + "integrity": "sha512-9QNk5KwDF+Bvz+PyObkmSYjI5ksVUYtjW7AU22r2NKcfLJcXp96hkDWU3+XndOsUb+AQ9QhfzfCT2O+CNWT5Tw==", + "dev": true, + "license": "MIT" + }, + "node_modules/tapable": { + "version": "2.2.2", + "resolved": "http://localhost:4873/tapable/-/tapable-2.2.2.tgz", + "integrity": "sha512-Re10+NauLTMCudc7T5WLFLAwDhQ0JWdrMK+9B2M8zR5hRExKmsRDCBA7/aV/pNJFltmBFO5BAMlQFi/vq3nKOg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/tar-fs": { + "version": "2.1.1", + "resolved": "http://localhost:4873/tar-fs/-/tar-fs-2.1.1.tgz", + "integrity": "sha512-V0r2Y9scmbDRLCNex/+hYzvp/zyYjvFbHPNgVTKfQvVrb6guiE/fxP+XblDNR011utopbkex2nM4dHNV6GDsng==", + "dev": true, + "license": "MIT", + "dependencies": { + "chownr": "^1.1.1", + "mkdirp-classic": "^0.5.2", + "pump": "^3.0.0", + "tar-stream": "^2.1.4" + } + }, + "node_modules/tar-fs/node_modules/bl": { + "version": "4.1.0", + "resolved": "http://localhost:4873/bl/-/bl-4.1.0.tgz", + "integrity": "sha512-1W07cM9gS6DcLperZfFSj+bWLtaPGSOHWhPiGzXmvVJbRLdG82sH/Kn8EtW1VqWVA54AKf2h5k5BbnIbwF3h6w==", + "dev": true, + "license": "MIT", + "dependencies": { + "buffer": "^5.5.0", + "inherits": "^2.0.4", + "readable-stream": "^3.4.0" + } + }, + "node_modules/tar-fs/node_modules/buffer": { + "version": "5.7.1", + "resolved": "http://localhost:4873/buffer/-/buffer-5.7.1.tgz", + "integrity": "sha512-EHcyIPBQ4BSGlvjB16k5KgAJ27CIsHY/2JBmCRReo48y9rQ3MaUzWX3KVlBa4U7MyX02HdVj0K7C3WaB3ju7FQ==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/feross" + }, + { + "type": "patreon", + "url": "https://www.patreon.com/feross" + }, + { + "type": "consulting", + "url": "https://feross.org/support" + } + ], + "license": "MIT", + "dependencies": { + "base64-js": "^1.3.1", + "ieee754": "^1.1.13" + } + }, + "node_modules/tar-fs/node_modules/readable-stream": { + "version": "3.6.2", + "resolved": "http://localhost:4873/readable-stream/-/readable-stream-3.6.2.tgz", + "integrity": "sha512-9u/sniCrY3D5WdsERHzHE4G2YCXqoG5FTHUiCC4SIbr6XcLZBY05ya9EKjYek9O5xOAwjGq+1JdGBAS7Q9ScoA==", + "dev": true, + "license": "MIT", + "dependencies": { + "inherits": "^2.0.3", + "string_decoder": "^1.1.1", + "util-deprecate": "^1.0.1" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/tar-fs/node_modules/tar-stream": { + "version": "2.2.0", + "resolved": "http://localhost:4873/tar-stream/-/tar-stream-2.2.0.tgz", + "integrity": "sha512-ujeqbceABgwMZxEJnk2HDY2DlnUZ+9oEcb1KzTVfYHio0UE6dG71n60d8D2I4qNvleWrrXpmjpt7vZeF1LnMZQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "bl": "^4.0.3", + "end-of-stream": "^1.4.1", + "fs-constants": "^1.0.0", + "inherits": "^2.0.3", + "readable-stream": "^3.1.1" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/tar-stream": { + "version": "1.6.2", + "resolved": "http://localhost:4873/tar-stream/-/tar-stream-1.6.2.tgz", + "integrity": "sha512-rzS0heiNf8Xn7/mpdSVVSMAWAoy9bfb1WOTYC78Z0UQKeKa/CWS8FOq0lKGNa8DWKAn9gxjCvMLYc5PGXYlK2A==", + "dev": true, + "license": "MIT", + "dependencies": { + "bl": "^1.0.0", + "buffer-alloc": "^1.2.0", + "end-of-stream": "^1.0.0", + "fs-constants": "^1.0.0", + "readable-stream": "^2.3.0", + "to-buffer": "^1.1.1", + "xtend": "^4.0.0" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/terminal-link": { + "version": "2.1.1", + "resolved": "http://localhost:4873/terminal-link/-/terminal-link-2.1.1.tgz", + "integrity": "sha512-un0FmiRUQNr5PJqy9kP7c40F5BOfpGlYTrxonDChEZB7pzZxRNp/bt+ymiy9/npwXya9KH99nJ/GXFIiUkYGFQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-escapes": "^4.2.1", + "supports-hyperlinks": "^2.0.0" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/terminal-link/node_modules/ansi-escapes": { + "version": "4.3.2", + "resolved": "http://localhost:4873/ansi-escapes/-/ansi-escapes-4.3.2.tgz", + "integrity": "sha512-gKXj5ALrKWQLsYG9jlTRmR/xKluxHV+Z9QEwNIgCfM1/uwPMCuzVVnh5mwTd+OuBZcwSIMbqssNWRm1lE51QaQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "type-fest": "^0.21.3" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/terminal-link/node_modules/type-fest": { + "version": "0.21.3", + "resolved": "http://localhost:4873/type-fest/-/type-fest-0.21.3.tgz", + "integrity": "sha512-t0rzBq87m3fVcduHDUFhKmyyX+9eo6WQjZvf51Ea/M0Q7+T374Jp1aUiyUl0GKxp8M/OETVHSDvmkyPgvX+X2w==", + "dev": true, + "license": "(MIT OR CC0-1.0)", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/terser": { + "version": "5.39.2", + "resolved": "http://localhost:4873/terser/-/terser-5.39.2.tgz", + "integrity": "sha512-yEPUmWve+VA78bI71BW70Dh0TuV4HHd+I5SHOAfS1+QBOmvmCiiffgjR8ryyEd3KIfvPGFqoADt8LdQ6XpXIvg==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "@jridgewell/source-map": "^0.3.3", + "acorn": "^8.14.0", + "commander": "^2.20.0", + "source-map-support": "~0.5.20" + }, + "bin": { + "terser": "bin/terser" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/terser-webpack-plugin": { + "version": "5.3.14", + "resolved": "http://localhost:4873/terser-webpack-plugin/-/terser-webpack-plugin-5.3.14.tgz", + "integrity": "sha512-vkZjpUjb6OMS7dhV+tILUW6BhpDR7P2L/aQSAv+Uwk+m8KATX9EccViHTJR2qDtACKPIYndLGCyl3FMo+r2LMw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@jridgewell/trace-mapping": "^0.3.25", + "jest-worker": "^27.4.5", + "schema-utils": "^4.3.0", + "serialize-javascript": "^6.0.2", + "terser": "^5.31.1" + }, + "engines": { + "node": ">= 10.13.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/webpack" + }, + "peerDependencies": { + "webpack": "^5.1.0" + }, + "peerDependenciesMeta": { + "@swc/core": { + "optional": true + }, + "esbuild": { + "optional": true + }, + "uglify-js": { + "optional": true + } + } + }, + "node_modules/terser-webpack-plugin/node_modules/jest-worker": { + "version": "27.5.1", + "resolved": "http://localhost:4873/jest-worker/-/jest-worker-27.5.1.tgz", + "integrity": "sha512-7vuh85V5cdDofPyxn58nrPjBktZo0u9x1g8WtjQol+jZDaE+fhN+cIvTj11GndBnMnyfrUOG1sZQxCdjKh+DKg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/node": "*", + "merge-stream": "^2.0.0", + "supports-color": "^8.0.0" + }, + "engines": { + "node": ">= 10.13.0" + } + }, + "node_modules/terser-webpack-plugin/node_modules/supports-color": { + "version": "8.1.1", + "resolved": "http://localhost:4873/supports-color/-/supports-color-8.1.1.tgz", + "integrity": "sha512-MpUEN2OodtUzxvKQl72cUF7RQ5EiHsGvSsVG0ia9c5RbWGL2CI4C7EpPS8UTBIplnlzZiNuV56w+FuNxy3ty2Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "has-flag": "^4.0.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/supports-color?sponsor=1" + } + }, + "node_modules/terser/node_modules/commander": { + "version": "2.20.3", + "resolved": "http://localhost:4873/commander/-/commander-2.20.3.tgz", + "integrity": "sha512-GpVkmM8vF2vQUkj2LvZmD35JxeJOLCwJ9cUkugyk2nuhbv3+mJvpLYYt+0+USMxE+oj+ey/lJEnhZw75x/OMcQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/test-exclude": { + "version": "6.0.0", + "resolved": "http://localhost:4873/test-exclude/-/test-exclude-6.0.0.tgz", + "integrity": "sha512-cAGWPIyOHU6zlmg88jwm7VRyXnMN7iV68OGAbYDk/Mh/xC/pzVPlQtY6ngoIH/5/tciuhGfvESU8GrHrcxD56w==", + "dev": true, + "license": "ISC", + "dependencies": { + "@istanbuljs/schema": "^0.1.2", + "glob": "^7.1.4", + "minimatch": "^3.0.4" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/text-table": { + "version": "0.2.0", + "resolved": "http://localhost:4873/text-table/-/text-table-0.2.0.tgz", + "integrity": "sha512-N+8UisAXDGk8PFXP4HAzVR9nbfmVJ3zYLAWiTIoqC5v5isinhr+r5uaO8+7r3BMfuNIufIsA7RdpVgacC2cSpw==", + "dev": true, + "license": "MIT" + }, + "node_modules/third-party-web": { + "version": "0.17.1", + "resolved": "http://localhost:4873/third-party-web/-/third-party-web-0.17.1.tgz", + "integrity": "sha512-X9Mha8cVeBwakunlZXkXL6xRzw8VCcDGWqT59EzeTYAJIi8ien3CuufnEGEx4ZUFahumNQdoOwf4H2T9Ca6lBg==", + "dev": true, + "license": "MIT" + }, + "node_modules/throat": { + "version": "5.0.0", + "resolved": "http://localhost:4873/throat/-/throat-5.0.0.tgz", + "integrity": "sha512-fcwX4mndzpLQKBS1DVYhGAcYaYt7vsHNIvQV+WXMvnow5cgjPphq5CaayLaGsjRdSCKZFNGt7/GYAuXaNOiYCA==", + "dev": true, + "license": "MIT" + }, + "node_modules/through": { + "version": "2.3.8", + "resolved": "http://localhost:4873/through/-/through-2.3.8.tgz", + "integrity": "sha512-w89qg7PI8wAdvX60bMDP+bFoD5Dvhm9oLheFp5O4a2QF0cSBGsBX4qZmadPMvVqlLJBBci+WqGGOAPvcDeNSVg==", + "dev": true, + "license": "MIT" + }, + "node_modules/tiny-invariant": { + "version": "1.3.3", + "resolved": "http://localhost:4873/tiny-invariant/-/tiny-invariant-1.3.3.tgz", + "integrity": "sha512-+FbBPE1o9QAYvviau/qC5SE3caw21q3xkvWKBtja5vgqOWIHHJ3ioaq1VPfn/Szqctz2bU/oYeKd9/z5BL+PVg==", + "dev": true, + "license": "MIT" + }, + "node_modules/tiny-warning": { + "version": "1.0.3", + "resolved": "http://localhost:4873/tiny-warning/-/tiny-warning-1.0.3.tgz", + "integrity": "sha512-lBN9zLN/oAf68o3zNXYrdCt1kP8WsiGW8Oo2ka41b2IM5JL/S1CTyX1rW0mb/zSuJun0ZUrDxx4sqvYS2FWzPA==", + "dev": true, + "license": "MIT" + }, + "node_modules/tmp": { + "version": "0.1.0", + "resolved": "http://localhost:4873/tmp/-/tmp-0.1.0.tgz", + "integrity": "sha512-J7Z2K08jbGcdA1kkQpJSqLF6T0tdQqpR2pnSUXsIchbPdTI9v3e85cLW0d6WDhwuAleOV71j2xWs8qMPfK7nKw==", + "dev": true, + "license": "MIT", + "dependencies": { + "rimraf": "^2.6.3" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/tmpl": { + "version": "1.0.5", + "resolved": "http://localhost:4873/tmpl/-/tmpl-1.0.5.tgz", + "integrity": "sha512-3f0uOEAQwIqGuWW2MVzYg8fV/QNnc/IpuJNG837rLuczAaLVHslWHZQj4IGiEl5Hs3kkbhwL9Ab7Hrsmuj+Smw==", + "dev": true, + "license": "BSD-3-Clause" + }, + "node_modules/to-buffer": { + "version": "1.1.1", + "resolved": "http://localhost:4873/to-buffer/-/to-buffer-1.1.1.tgz", + "integrity": "sha512-lx9B5iv7msuFYE3dytT+KE5tap+rNYw+K4jVkb9R/asAb+pbBSM17jtunHplhBe6RRJdZx3Pn2Jph24O32mOVg==", + "dev": true, + "license": "MIT" + }, + "node_modules/to-object-path": { + "version": "0.3.0", + "resolved": "http://localhost:4873/to-object-path/-/to-object-path-0.3.0.tgz", + "integrity": "sha512-9mWHdnGRuh3onocaHzukyvCZhzvr6tiflAy/JRFXcJX0TjgfWA9pk9t8CMbzmBE4Jfw58pXbkngtBtqYxzNEyg==", + "dev": true, + "license": "MIT", + "dependencies": { + "kind-of": "^3.0.2" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/to-object-path/node_modules/kind-of": { + "version": "3.2.2", + "resolved": "http://localhost:4873/kind-of/-/kind-of-3.2.2.tgz", + "integrity": "sha512-NOW9QQXMoZGg/oqnVNoNTTIFEIid1627WCffUBJEdMxYApq7mNE7CpzucIPc+ZQg25Phej7IJSmX3hO+oblOtQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-buffer": "^1.1.5" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/to-regex": { + "version": "3.0.2", + "resolved": "http://localhost:4873/to-regex/-/to-regex-3.0.2.tgz", + "integrity": "sha512-FWtleNAtZ/Ki2qtqej2CXTOayOH9bHDQF+Q48VpWyDXjbYxA4Yz8iDB31zXOBUlOHHKidDbqGVrTUvQMPmBGBw==", + "dev": true, + "license": "MIT", + "dependencies": { + "define-property": "^2.0.2", + "extend-shallow": "^3.0.2", + "regex-not": "^1.0.2", + "safe-regex": "^1.1.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/to-regex-range": { + "version": "5.0.1", + "resolved": "http://localhost:4873/to-regex-range/-/to-regex-range-5.0.1.tgz", + "integrity": "sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-number": "^7.0.0" + }, + "engines": { + "node": ">=8.0" + } + }, + "node_modules/toggle-selection": { + "version": "1.0.6", + "resolved": "http://localhost:4873/toggle-selection/-/toggle-selection-1.0.6.tgz", + "integrity": "sha512-BiZS+C1OS8g/q2RRbJmy59xpyghNBqrr6k5L/uKBGRsTfxmu3ffiRnd8mlGPUVayg8pvfi5urfnu8TU7DVOkLQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/toidentifier": { + "version": "1.0.1", + "resolved": "http://localhost:4873/toidentifier/-/toidentifier-1.0.1.tgz", + "integrity": "sha512-o5sSPKEkg/DIQNmH43V0/uerLrpzVedkUh8tGNvaeXpfpuwjKenlSox/2O/BTlZUtEe+JG7s5YhEz608PlAHRA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.6" + } + }, + "node_modules/totalist": { + "version": "3.0.1", + "resolved": "http://localhost:4873/totalist/-/totalist-3.0.1.tgz", + "integrity": "sha512-sf4i37nQ2LBx4m3wB74y+ubopq6W/dIzXg0FDGjsYnZHVa1Da8FH853wlL2gtUhg+xJXjfk3kUZS3BRoQeoQBQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=6" + } + }, + "node_modules/tough-cookie": { + "version": "4.1.4", + "resolved": "http://localhost:4873/tough-cookie/-/tough-cookie-4.1.4.tgz", + "integrity": "sha512-Loo5UUvLD9ScZ6jh8beX1T6sO1w2/MpCRpEP7V280GKMVUQ0Jzar2U3UJPsrdbziLEMMhu3Ujnq//rhiFuIeag==", + "dev": true, + "license": "BSD-3-Clause", + "dependencies": { + "psl": "^1.1.33", + "punycode": "^2.1.1", + "universalify": "^0.2.0", + "url-parse": "^1.5.3" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/tough-cookie/node_modules/universalify": { + "version": "0.2.0", + "resolved": "http://localhost:4873/universalify/-/universalify-0.2.0.tgz", + "integrity": "sha512-CJ1QgKmNg3CwvAv/kOFmtnEN05f0D/cn9QntgNOQlQF9dgvVTHj3t+8JPdjqawCHk7V/KA+fbUqzZ9XWhcqPUg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 4.0.0" + } + }, + "node_modules/tr46": { + "version": "2.1.0", + "resolved": "http://localhost:4873/tr46/-/tr46-2.1.0.tgz", + "integrity": "sha512-15Ih7phfcdP5YxqiB+iDtLoaTz4Nd35+IiAv0kQ5FNKHzXgdWqPoTIqEDDJmXceQt4JZk6lVPT8lnDlPpGDppw==", + "dev": true, + "license": "MIT", + "dependencies": { + "punycode": "^2.1.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/traverse": { + "version": "0.6.11", + "resolved": "http://localhost:4873/traverse/-/traverse-0.6.11.tgz", + "integrity": "sha512-vxXDZg8/+p3gblxB6BhhG5yWVn1kGRlaL8O78UDXc3wRnPizB5g83dcvWV1jpDMIPnjZjOFuxlMmE82XJ4407w==", + "dev": true, + "license": "MIT", + "dependencies": { + "gopd": "^1.2.0", + "typedarray.prototype.slice": "^1.0.5", + "which-typed-array": "^1.1.18" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/tree-kill": { + "version": "1.2.2", + "resolved": "http://localhost:4873/tree-kill/-/tree-kill-1.2.2.tgz", + "integrity": "sha512-L0Orpi8qGpRG//Nd+H90vFB+3iHnue1zSSGmNOOCh1GLJ7rUKVwV2HvijphGQS2UmhUZewS9VgvxYIdgr+fG1A==", + "dev": true, + "license": "MIT", + "bin": { + "tree-kill": "cli.js" + } + }, + "node_modules/tslib": { + "version": "2.8.1", + "resolved": "http://localhost:4873/tslib/-/tslib-2.8.1.tgz", + "integrity": "sha512-oJFu94HQb+KVduSUQL7wnpmqnfmLsOA/nAh6b6EH0wCEoK0/mPeXU6c3wKDV83MkOuHPRHtSXKKU99IBazS/2w==", + "dev": true, + "license": "0BSD" + }, + "node_modules/tsutils": { + "version": "3.21.0", + "resolved": "http://localhost:4873/tsutils/-/tsutils-3.21.0.tgz", + "integrity": "sha512-mHKK3iUXL+3UF6xL5k0PEhKRUBKPBCv/+RkEOpjRWxxx27KKRBmmA60A9pgOUvMi8GKhRMPEmjBRPzs2W7O1OA==", + "dev": true, + "license": "MIT", + "dependencies": { + "tslib": "^1.8.1" + }, + "engines": { + "node": ">= 6" + }, + "peerDependencies": { + "typescript": ">=2.8.0 || >= 3.2.0-dev || >= 3.3.0-dev || >= 3.4.0-dev || >= 3.5.0-dev || >= 3.6.0-dev || >= 3.6.0-beta || >= 3.7.0-dev || >= 3.7.0-beta" + } + }, + "node_modules/tsutils/node_modules/tslib": { + "version": "1.14.1", + "resolved": "http://localhost:4873/tslib/-/tslib-1.14.1.tgz", + "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==", + "dev": true, + "license": "0BSD" + }, + "node_modules/type": { + "version": "2.7.3", + "resolved": "http://localhost:4873/type/-/type-2.7.3.tgz", + "integrity": "sha512-8j+1QmAbPvLZow5Qpi6NCaN8FB60p/6x8/vfNqOk/hC+HuvFZhL4+WfekuhQLiqFZXOgQdrs3B+XxEmCc6b3FQ==", + "dev": true, + "license": "ISC" + }, + "node_modules/type-check": { + "version": "0.4.0", + "resolved": "http://localhost:4873/type-check/-/type-check-0.4.0.tgz", + "integrity": "sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==", + "dev": true, + "license": "MIT", + "dependencies": { + "prelude-ls": "^1.2.1" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/type-detect": { + "version": "4.0.8", + "resolved": "http://localhost:4873/type-detect/-/type-detect-4.0.8.tgz", + "integrity": "sha512-0fr/mIH1dlO+x7TlcMy+bIDqKPsw/70tVyeHW787goQjhmqaZe10uwLujubK9q9Lg6Fiho1KUKDYz0Z7k7g5/g==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4" + } + }, + "node_modules/type-fest": { + "version": "2.19.0", + "resolved": "http://localhost:4873/type-fest/-/type-fest-2.19.0.tgz", + "integrity": "sha512-RAH822pAdBgcNMAfWnCBU3CFZcfZ/i1eZjwFU/dsLKumyuuP3niueg2UAukXYF0E2AAoc82ZSSf9J0WQBinzHA==", + "dev": true, + "license": "(MIT OR CC0-1.0)", + "engines": { + "node": ">=12.20" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/type-is": { + "version": "1.6.18", + "resolved": "http://localhost:4873/type-is/-/type-is-1.6.18.tgz", + "integrity": "sha512-TkRKr9sUTxEH8MdfuCSP7VizJyzRNMjj2J2do2Jr3Kym598JVdEksuzPQCnlFPW4ky9Q+iA+ma9BGm06XQBy8g==", + "dev": true, + "license": "MIT", + "dependencies": { + "media-typer": "0.3.0", + "mime-types": "~2.1.24" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/typed-array-buffer": { + "version": "1.0.3", + "resolved": "http://localhost:4873/typed-array-buffer/-/typed-array-buffer-1.0.3.tgz", + "integrity": "sha512-nAYYwfY3qnzX30IkA6AQZjVbtK6duGontcQm1WSG1MD94YLqK0515GNApXkoxKOWMusVssAHWLh9SeaoefYFGw==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.3", + "es-errors": "^1.3.0", + "is-typed-array": "^1.1.14" + }, + "engines": { + "node": ">= 0.4" + } + }, + "node_modules/typed-array-byte-length": { + "version": "1.0.3", + "resolved": "http://localhost:4873/typed-array-byte-length/-/typed-array-byte-length-1.0.3.tgz", + "integrity": "sha512-BaXgOuIxz8n8pIq3e7Atg/7s+DpiYrxn4vdot3w9KbnBhcRQq6o3xemQdIfynqSeXeDrF32x+WvfzmOjPiY9lg==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind": "^1.0.8", + "for-each": "^0.3.3", + "gopd": "^1.2.0", + "has-proto": "^1.2.0", + "is-typed-array": "^1.1.14" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/typed-array-byte-offset": { + "version": "1.0.4", + "resolved": "http://localhost:4873/typed-array-byte-offset/-/typed-array-byte-offset-1.0.4.tgz", + "integrity": "sha512-bTlAFB/FBYMcuX81gbL4OcpH5PmlFHqlCCpAl8AlEzMz5k53oNDvN8p1PNOWLEmI2x4orp3raOFB51tv9X+MFQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "available-typed-arrays": "^1.0.7", + "call-bind": "^1.0.8", + "for-each": "^0.3.3", + "gopd": "^1.2.0", + "has-proto": "^1.2.0", + "is-typed-array": "^1.1.15", + "reflect.getprototypeof": "^1.0.9" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/typed-array-length": { + "version": "1.0.7", + "resolved": "http://localhost:4873/typed-array-length/-/typed-array-length-1.0.7.tgz", + "integrity": "sha512-3KS2b+kL7fsuk/eJZ7EQdnEmQoaho/r6KUef7hxvltNA5DR8NAUM+8wJMbJyZ4G9/7i3v5zPBIMN5aybAh2/Jg==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind": "^1.0.7", + "for-each": "^0.3.3", + "gopd": "^1.0.1", + "is-typed-array": "^1.1.13", + "possible-typed-array-names": "^1.0.0", + "reflect.getprototypeof": "^1.0.6" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/typedarray-to-buffer": { + "version": "3.1.5", + "resolved": "http://localhost:4873/typedarray-to-buffer/-/typedarray-to-buffer-3.1.5.tgz", + "integrity": "sha512-zdu8XMNEDepKKR+XYOXAVPtWui0ly0NtohUscw+UmaHiAWT8hrV1rr//H6V+0DvJ3OQ19S979M0laLfX8rm82Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-typedarray": "^1.0.0" + } + }, + "node_modules/typedarray.prototype.slice": { + "version": "1.0.5", + "resolved": "http://localhost:4873/typedarray.prototype.slice/-/typedarray.prototype.slice-1.0.5.tgz", + "integrity": "sha512-q7QNVDGTdl702bVFiI5eY4l/HkgCM6at9KhcFbgUAzezHFbOVy4+0O/lCjsABEQwbZPravVfBIiBVGo89yzHFg==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bind": "^1.0.8", + "define-properties": "^1.2.1", + "es-abstract": "^1.23.9", + "es-errors": "^1.3.0", + "get-proto": "^1.0.1", + "math-intrinsics": "^1.1.0", + "typed-array-buffer": "^1.0.3", + "typed-array-byte-offset": "^1.0.4" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/typescript": { + "version": "4.9.5", + "resolved": "http://localhost:4873/typescript/-/typescript-4.9.5.tgz", + "integrity": "sha512-1FXk9E2Hm+QzZQ7z+McJiHL4NW1F2EzMu9Nq9i3zAaGqibafqYwCVU6WyWAuyQRRzOlxou8xZSyXLEN8oKj24g==", + "dev": true, + "license": "Apache-2.0", + "peer": true, + "bin": { + "tsc": "bin/tsc", + "tsserver": "bin/tsserver" + }, + "engines": { + "node": ">=4.2.0" + } + }, + "node_modules/unbox-primitive": { + "version": "1.1.0", + "resolved": "http://localhost:4873/unbox-primitive/-/unbox-primitive-1.1.0.tgz", + "integrity": "sha512-nWJ91DjeOkej/TA8pXQ3myruKpKEYgqvpw9lz4OPHj/NWFNluYrjbz9j01CJ8yKQd2g4jFoOkINCTW2I5LEEyw==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.3", + "has-bigints": "^1.0.2", + "has-symbols": "^1.1.0", + "which-boxed-primitive": "^1.1.1" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/unbzip2-stream": { + "version": "1.4.3", + "resolved": "http://localhost:4873/unbzip2-stream/-/unbzip2-stream-1.4.3.tgz", + "integrity": "sha512-mlExGW4w71ebDJviH16lQLtZS32VKqsSfk80GCfUlwT/4/hNRFsoscrF/c++9xinkMzECL1uL9DDwXqFWkruPg==", + "dev": true, + "license": "MIT", + "dependencies": { + "buffer": "^5.2.1", + "through": "^2.3.8" + } + }, + "node_modules/unbzip2-stream/node_modules/buffer": { + "version": "5.7.1", + "resolved": "http://localhost:4873/buffer/-/buffer-5.7.1.tgz", + "integrity": "sha512-EHcyIPBQ4BSGlvjB16k5KgAJ27CIsHY/2JBmCRReo48y9rQ3MaUzWX3KVlBa4U7MyX02HdVj0K7C3WaB3ju7FQ==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/feross" + }, + { + "type": "patreon", + "url": "https://www.patreon.com/feross" + }, + { + "type": "consulting", + "url": "https://feross.org/support" + } + ], + "license": "MIT", + "dependencies": { + "base64-js": "^1.3.1", + "ieee754": "^1.1.13" + } + }, + "node_modules/undici-types": { + "version": "6.21.0", + "resolved": "http://localhost:4873/undici-types/-/undici-types-6.21.0.tgz", + "integrity": "sha512-iwDZqg0QAGrg9Rav5H4n0M64c3mkR59cJ6wQp+7C4nI0gsmExaedaYLNO44eT4AtBBwjbTiGPMlt2Md0T9H9JQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/unicode-canonical-property-names-ecmascript": { + "version": "2.0.1", + "resolved": "http://localhost:4873/unicode-canonical-property-names-ecmascript/-/unicode-canonical-property-names-ecmascript-2.0.1.tgz", + "integrity": "sha512-dA8WbNeb2a6oQzAQ55YlT5vQAWGV9WXOsi3SskE3bcCdM0P4SDd+24zS/OCacdRq5BkdsRj9q3Pg6YyQoxIGqg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4" + } + }, + "node_modules/unicode-match-property-ecmascript": { + "version": "2.0.0", + "resolved": "http://localhost:4873/unicode-match-property-ecmascript/-/unicode-match-property-ecmascript-2.0.0.tgz", + "integrity": "sha512-5kaZCrbp5mmbz5ulBkDkbY0SsPOjKqVS35VpL9ulMPfSl0J0Xsm+9Evphv9CoIZFwre7aJoa94AY6seMKGVN5Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "unicode-canonical-property-names-ecmascript": "^2.0.0", + "unicode-property-aliases-ecmascript": "^2.0.0" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/unicode-match-property-value-ecmascript": { + "version": "2.2.0", + "resolved": "http://localhost:4873/unicode-match-property-value-ecmascript/-/unicode-match-property-value-ecmascript-2.2.0.tgz", + "integrity": "sha512-4IehN3V/+kkr5YeSSDDQG8QLqO26XpL2XP3GQtqwlT/QYSECAwFztxVHjlbh0+gjJ3XmNLS0zDsbgs9jWKExLg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4" + } + }, + "node_modules/unicode-property-aliases-ecmascript": { + "version": "2.1.0", + "resolved": "http://localhost:4873/unicode-property-aliases-ecmascript/-/unicode-property-aliases-ecmascript-2.1.0.tgz", + "integrity": "sha512-6t3foTQI9qne+OZoVQB/8x8rk2k1eVy1gRXhV3oFQ5T6R1dqQ1xtin3XqSlx3+ATBkliTaR/hHyJBm+LVPNM8w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4" + } + }, + "node_modules/unidecode": { + "version": "0.1.8", + "resolved": "http://localhost:4873/unidecode/-/unidecode-0.1.8.tgz", + "integrity": "sha512-SdoZNxCWpN2tXTCrGkPF/0rL2HEq+i2gwRG1ReBvx8/0yTzC3enHfugOf8A9JBShVwwrRIkLX0YcDUGbzjbVCA==", + "dev": true, + "engines": { + "node": ">= 0.4.12" + } + }, + "node_modules/union-value": { + "version": "1.0.1", + "resolved": "http://localhost:4873/union-value/-/union-value-1.0.1.tgz", + "integrity": "sha512-tJfXmxMeWYnczCVs7XAEvIV7ieppALdyepWMkHkwciRpZraG/xwT+s2JN8+pr1+8jCRf80FFzvr+MpQeeoF4Xg==", + "dev": true, + "license": "MIT", + "dependencies": { + "arr-union": "^3.1.0", + "get-value": "^2.0.6", + "is-extendable": "^0.1.1", + "set-value": "^2.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/union-value/node_modules/is-extendable": { + "version": "0.1.1", + "resolved": "http://localhost:4873/is-extendable/-/is-extendable-0.1.1.tgz", + "integrity": "sha512-5BMULNob1vgFX6EjQw5izWDxrecWK9AM72rugNr0TFldMOi0fj6Jk+zeKIt0xGj4cEfQIJth4w3OKWOJ4f+AFw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/unique-string": { + "version": "2.0.0", + "resolved": "http://localhost:4873/unique-string/-/unique-string-2.0.0.tgz", + "integrity": "sha512-uNaeirEPvpZWSgzwsPGtU2zVSTrn/8L5q/IexZmH0eH6SA73CmAA5U4GwORTxQAZs95TAXLNqeLoPPNO5gZfWg==", + "dev": true, + "license": "MIT", + "dependencies": { + "crypto-random-string": "^2.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/universalify": { + "version": "2.0.1", + "resolved": "http://localhost:4873/universalify/-/universalify-2.0.1.tgz", + "integrity": "sha512-gptHNQghINnc/vTGIk0SOFGFNXw7JVrlRUtConJRlvaw6DuX0wO5Jeko9sWrMBhh+PsYAZ7oXAiOnf/UKogyiw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 10.0.0" + } + }, + "node_modules/unpipe": { + "version": "1.0.0", + "resolved": "http://localhost:4873/unpipe/-/unpipe-1.0.0.tgz", + "integrity": "sha512-pjy2bYhSsufwWlKwPc+l3cN7+wuJlK6uz0YdJEOlQDbl6jo/YlPi4mb8agUkVC8BF7V8NuzeyPNqRksA3hztKQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/unset-value": { + "version": "1.0.0", + "resolved": "http://localhost:4873/unset-value/-/unset-value-1.0.0.tgz", + "integrity": "sha512-PcA2tsuGSF9cnySLHTLSh2qrQiJ70mn+r+Glzxv2TWZblxsxCC52BDlZoPCsz7STd9pN7EZetkWZBAvk4cgZdQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "has-value": "^0.3.1", + "isobject": "^3.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/unset-value/node_modules/has-value": { + "version": "0.3.1", + "resolved": "http://localhost:4873/has-value/-/has-value-0.3.1.tgz", + "integrity": "sha512-gpG936j8/MzaeID5Yif+577c17TxaDmhuyVgSwtnL/q8UUTySg8Mecb+8Cf1otgLoD7DDH75axp86ER7LFsf3Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "get-value": "^2.0.3", + "has-values": "^0.1.4", + "isobject": "^2.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/unset-value/node_modules/has-value/node_modules/isobject": { + "version": "2.1.0", + "resolved": "http://localhost:4873/isobject/-/isobject-2.1.0.tgz", + "integrity": "sha512-+OUdGJlgjOBZDfxnDjYYG6zp487z0JGNQq3cYQYg5f5hKR+syHMsaztzGeml/4kGG55CSpKSpWTY+jYGgsHLgA==", + "dev": true, + "license": "MIT", + "dependencies": { + "isarray": "1.0.0" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/unset-value/node_modules/has-values": { + "version": "0.1.4", + "resolved": "http://localhost:4873/has-values/-/has-values-0.1.4.tgz", + "integrity": "sha512-J8S0cEdWuQbqD9//tlZxiMuMNmxB8PlEwvYwuxsTmR1G5RXUePEX/SJn7aD0GMLieuZYSwNH0cQuJGwnYunXRQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/update-browserslist-db": { + "version": "1.1.3", + "resolved": "http://localhost:4873/update-browserslist-db/-/update-browserslist-db-1.1.3.tgz", + "integrity": "sha512-UxhIZQ+QInVdunkDAaiazvvT/+fXL5Osr0JZlJulepYu6Jd7qJtDZjlur0emRlT71EN3ScPoE7gvsuIKKNavKw==", + "dev": true, + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/browserslist" + }, + { + "type": "tidelift", + "url": "https://tidelift.com/funding/github/npm/browserslist" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "license": "MIT", + "dependencies": { + "escalade": "^3.2.0", + "picocolors": "^1.1.1" + }, + "bin": { + "update-browserslist-db": "cli.js" + }, + "peerDependencies": { + "browserslist": ">= 4.21.0" + } + }, + "node_modules/upper-case": { + "version": "1.1.3", + "resolved": "http://localhost:4873/upper-case/-/upper-case-1.1.3.tgz", + "integrity": "sha512-WRbjgmYzgXkCV7zNVpy5YgrHgbBv126rMALQQMrmzOVC4GM2waQ9x7xtm8VU+1yF2kWyPzI9zbZ48n4vSxwfSA==", + "dev": true, + "license": "MIT" + }, + "node_modules/uri-js": { + "version": "4.4.1", + "resolved": "http://localhost:4873/uri-js/-/uri-js-4.4.1.tgz", + "integrity": "sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==", + "dev": true, + "license": "BSD-2-Clause", + "dependencies": { + "punycode": "^2.1.0" + } + }, + "node_modules/urix": { + "version": "0.1.0", + "resolved": "http://localhost:4873/urix/-/urix-0.1.0.tgz", + "integrity": "sha512-Am1ousAhSLBeB9cG/7k7r2R0zj50uDRlZHPGbazid5s9rlF1F/QKYObEKSIunSjIOkJZqwRRLpvewjEkM7pSqg==", + "deprecated": "Please see https://github.com/lydell/urix#deprecated", + "dev": true, + "license": "MIT" + }, + "node_modules/url": { + "version": "0.10.3", + "resolved": "http://localhost:4873/url/-/url-0.10.3.tgz", + "integrity": "sha512-hzSUW2q06EqL1gKM/a+obYHLIO6ct2hwPuviqTTOcfFVc61UbfJ2Q32+uGL/HCPxKqrdGB5QUwIe7UqlDgwsOQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "punycode": "1.3.2", + "querystring": "0.2.0" + } + }, + "node_modules/url-parse": { + "version": "1.5.10", + "resolved": "http://localhost:4873/url-parse/-/url-parse-1.5.10.tgz", + "integrity": "sha512-WypcfiRhfeUP9vvF0j6rw0J3hrWrw6iZv3+22h6iRMJ/8z1Tj6XfLP4DsUix5MhMPnXpiHDoKyoZ/bdCkwBCiQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "querystringify": "^2.1.1", + "requires-port": "^1.0.0" + } + }, + "node_modules/url-slug": { + "version": "2.0.0", + "resolved": "http://localhost:4873/url-slug/-/url-slug-2.0.0.tgz", + "integrity": "sha512-aiNmSsVgrjCiJ2+KWPferjT46YFKoE8i0YX04BlMVDue022Xwhg/zYlnZ6V9/mP3p8Wj7LEp0myiTkC/p6sxew==", + "dev": true, + "license": "MIT", + "dependencies": { + "unidecode": "0.1.8" + } + }, + "node_modules/url/node_modules/punycode": { + "version": "1.3.2", + "resolved": "http://localhost:4873/punycode/-/punycode-1.3.2.tgz", + "integrity": "sha512-RofWgt/7fL5wP1Y7fxE7/EmTLzQVnB0ycyibJ0OOHIlJqTNzglYFxVwETOcIoJqJmpDXJ9xImDv+Fq34F/d4Dw==", + "dev": true, + "license": "MIT" + }, + "node_modules/use": { + "version": "3.1.1", + "resolved": "http://localhost:4873/use/-/use-3.1.1.tgz", + "integrity": "sha512-cwESVXlO3url9YWlFW/TA9cshCEhtu7IKJ/p5soJ/gGpj7vbvFrAY/eIioQ6Dw23KjZhYgiIo8HOs1nQ2vr/oQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/use-callback-ref": { + "version": "1.3.3", + "resolved": "http://localhost:4873/use-callback-ref/-/use-callback-ref-1.3.3.tgz", + "integrity": "sha512-jQL3lRnocaFtu3V00JToYz/4QkNWswxijDaCVNZRiRTO3HQDLsdu1ZtmIUvV4yPp+rvWm5j0y0TG/S61cuijTg==", + "dev": true, + "license": "MIT", + "dependencies": { + "tslib": "^2.0.0" + }, + "engines": { + "node": ">=10" + }, + "peerDependencies": { + "@types/react": "*", + "react": "^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/use-sidecar": { + "version": "1.1.3", + "resolved": "http://localhost:4873/use-sidecar/-/use-sidecar-1.1.3.tgz", + "integrity": "sha512-Fedw0aZvkhynoPYlA5WXrMCAMm+nSWdZt6lzJQ7Ok8S6Q+VsHmHpRWndVRJ8Be0ZbkfPc5LRYH+5XrzXcEeLRQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "detect-node-es": "^1.1.0", + "tslib": "^2.0.0" + }, + "engines": { + "node": ">=10" + }, + "peerDependencies": { + "@types/react": "*", + "react": "^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0 || ^19.0.0-rc" + }, + "peerDependenciesMeta": { + "@types/react": { + "optional": true + } + } + }, + "node_modules/use-sync-external-store": { + "version": "1.5.0", + "resolved": "http://localhost:4873/use-sync-external-store/-/use-sync-external-store-1.5.0.tgz", + "integrity": "sha512-Rb46I4cGGVBmjamjphe8L/UnvJD+uPPtTkNvX5mZgqdbavhI4EbgIWJiIHXJ8bc/i9EQGPRh4DwEURJ552Do0A==", + "dev": true, + "license": "MIT", + "peerDependencies": { + "react": "^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0" + } + }, + "node_modules/util": { + "version": "0.12.5", + "resolved": "http://localhost:4873/util/-/util-0.12.5.tgz", + "integrity": "sha512-kZf/K6hEIrWHI6XqOFUiiMa+79wE/D8Q+NCNAWclkyg3b4d2k7s0QGepNjiABc+aR3N1PAyHL7p6UcLY6LmrnA==", + "dev": true, + "license": "MIT", + "dependencies": { + "inherits": "^2.0.3", + "is-arguments": "^1.0.4", + "is-generator-function": "^1.0.7", + "is-typed-array": "^1.1.3", + "which-typed-array": "^1.1.2" + } + }, + "node_modules/util-deprecate": { + "version": "1.0.2", + "resolved": "http://localhost:4873/util-deprecate/-/util-deprecate-1.0.2.tgz", + "integrity": "sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw==", + "dev": true, + "license": "MIT" + }, + "node_modules/utils-merge": { + "version": "1.0.1", + "resolved": "http://localhost:4873/utils-merge/-/utils-merge-1.0.1.tgz", + "integrity": "sha512-pMZTvIkT1d+TFGvDOqodOclx0QWkkgi6Tdoa8gC8ffGAAqz9pzPTZWAybbsHHoED/ztMtkv/VoYTYyShUn81hA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.4.0" + } + }, + "node_modules/uuid": { + "version": "8.3.2", + "resolved": "http://localhost:4873/uuid/-/uuid-8.3.2.tgz", + "integrity": "sha512-+NYs2QeMWy+GWFOEm9xnn6HCDp0l7QBD7ml8zLUmJ+93Q5NF0NocErnwkTkXVFNiX3/fpC6afS8Dhb/gz7R7eg==", + "dev": true, + "license": "MIT", + "bin": { + "uuid": "dist/bin/uuid" + } + }, + "node_modules/v8-to-istanbul": { + "version": "7.1.2", + "resolved": "http://localhost:4873/v8-to-istanbul/-/v8-to-istanbul-7.1.2.tgz", + "integrity": "sha512-TxNb7YEUwkLXCQYeudi6lgQ/SZrzNO4kMdlqVxaZPUIUjCv6iSSypUQX70kNBSERpQ8fk48+d61FXk+tgqcWow==", + "dev": true, + "license": "ISC", + "dependencies": { + "@types/istanbul-lib-coverage": "^2.0.1", + "convert-source-map": "^1.6.0", + "source-map": "^0.7.3" + }, + "engines": { + "node": ">=10.10.0" + } + }, + "node_modules/v8-to-istanbul/node_modules/source-map": { + "version": "0.7.4", + "resolved": "http://localhost:4873/source-map/-/source-map-0.7.4.tgz", + "integrity": "sha512-l3BikUxvPOcn5E74dZiq5BGsTb5yEwhaTSzccU6t4sDOH8NWJCstKO5QT2CvtFoK6F0saL7p9xHAqHOlCPJygA==", + "dev": true, + "license": "BSD-3-Clause", + "engines": { + "node": ">= 8" + } + }, + "node_modules/v8flags": { + "version": "3.2.0", + "resolved": "http://localhost:4873/v8flags/-/v8flags-3.2.0.tgz", + "integrity": "sha512-mH8etigqMfiGWdeXpaaqGfs6BndypxusHHcv2qSHyZkGEznCd/qAXCWWRzeowtL54147cktFOC4P5y+kl8d8Jg==", + "dev": true, + "license": "MIT", + "dependencies": { + "homedir-polyfill": "^1.0.1" + }, + "engines": { + "node": ">= 0.10" + } + }, + "node_modules/validate-npm-package-license": { + "version": "3.0.4", + "resolved": "http://localhost:4873/validate-npm-package-license/-/validate-npm-package-license-3.0.4.tgz", + "integrity": "sha512-DpKm2Ui/xN7/HQKCtpZxoRWBhZ9Z0kqtygG8XCgNQ8ZlDnxuQmWhj566j8fN4Cu3/JmbhsDo7fcAJq4s9h27Ew==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "spdx-correct": "^3.0.0", + "spdx-expression-parse": "^3.0.0" + } + }, + "node_modules/validator": { + "version": "13.15.0", + "resolved": "http://localhost:4873/validator/-/validator-13.15.0.tgz", + "integrity": "sha512-36B2ryl4+oL5QxZ3AzD0t5SsMNGvTtQHpjgFO5tbNxfXbMFkY822ktCDe1MnlqV3301QQI9SLHDNJokDI+Z9pA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.10" + } + }, + "node_modules/value-equal": { + "version": "1.0.1", + "resolved": "http://localhost:4873/value-equal/-/value-equal-1.0.1.tgz", + "integrity": "sha512-NOJ6JZCAWr0zlxZt+xqCHNTEKOsrks2HQd4MqhP1qy4z1SkbEP467eNx6TgDKXMvUOb+OENfJCZwM+16n7fRfw==", + "dev": true, + "license": "MIT" + }, + "node_modules/vary": { + "version": "1.1.2", + "resolved": "http://localhost:4873/vary/-/vary-1.1.2.tgz", + "integrity": "sha512-BNGbWLfd0eUPabhkXUVm0j8uuvREyTh5ovRa/dyow/BqAbZJyC+5fU+IzQOzmAKzYqYRAISoRhdQr3eIZ/PXqg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/w3c-hr-time": { + "version": "1.0.2", + "resolved": "http://localhost:4873/w3c-hr-time/-/w3c-hr-time-1.0.2.tgz", + "integrity": "sha512-z8P5DvDNjKDoFIHK7q8r8lackT6l+jo/Ye3HOle7l9nICP9lf1Ci25fy9vHd0JOWewkIFzXIEig3TdKT7JQ5fQ==", + "deprecated": "Use your platform's native performance.now() and performance.timeOrigin.", + "dev": true, + "license": "MIT", + "dependencies": { + "browser-process-hrtime": "^1.0.0" + } + }, + "node_modules/w3c-xmlserializer": { + "version": "2.0.0", + "resolved": "http://localhost:4873/w3c-xmlserializer/-/w3c-xmlserializer-2.0.0.tgz", + "integrity": "sha512-4tzD0mF8iSiMiNs30BiLO3EpfGLZUT2MSX/G+o7ZywDzliWQ3OPtTZ0PTC3B3ca1UAf4cJMHB+2Bf56EriJuRA==", + "dev": true, + "license": "MIT", + "dependencies": { + "xml-name-validator": "^3.0.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/walkdir": { + "version": "0.0.11", + "resolved": "http://localhost:4873/walkdir/-/walkdir-0.0.11.tgz", + "integrity": "sha512-lMFYXGpf7eg+RInVL021ZbJJT4hqsvsBvq5sZBp874jfhs3IWlA7OPoG0ojQrYcXHuUSi+Nqp6qGN+pPGaMgPQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.6.0" + } + }, + "node_modules/walker": { + "version": "1.0.8", + "resolved": "http://localhost:4873/walker/-/walker-1.0.8.tgz", + "integrity": "sha512-ts/8E8l5b7kY0vlWLewOkDXMmPdLcVV4GmOQLyxuSswIJsweeFZtAsMF7k1Nszz+TYBQrlYRmzOnr398y1JemQ==", + "dev": true, + "license": "Apache-2.0", + "dependencies": { + "makeerror": "1.0.12" + } + }, + "node_modules/watchpack": { + "version": "2.4.4", + "resolved": "http://localhost:4873/watchpack/-/watchpack-2.4.4.tgz", + "integrity": "sha512-c5EGNOiyxxV5qmTtAB7rbiXxi1ooX1pQKMLX/MIabJjRA0SJBQOjKF+KSVfHkr9U1cADPon0mRiVe/riyaiDUA==", + "dev": true, + "license": "MIT", + "dependencies": { + "glob-to-regexp": "^0.4.1", + "graceful-fs": "^4.1.2" + }, + "engines": { + "node": ">=10.13.0" + } + }, + "node_modules/wcwidth": { + "version": "1.0.1", + "resolved": "http://localhost:4873/wcwidth/-/wcwidth-1.0.1.tgz", + "integrity": "sha512-XHPEwS0q6TaxcvG85+8EYkbiCux2XtWG2mkc47Ng2A77BQu9+DqIOJldST4HgPkuea7dvKSj5VgX3P1d4rW8Tg==", + "dev": true, + "license": "MIT", + "dependencies": { + "defaults": "^1.0.3" + } + }, + "node_modules/web-encoding": { + "version": "1.1.5", + "resolved": "http://localhost:4873/web-encoding/-/web-encoding-1.1.5.tgz", + "integrity": "sha512-HYLeVCdJ0+lBYV2FvNZmv3HJ2Nt0QYXqZojk3d9FJOLkwnuhzM9tmamh8d7HPM8QqjKH8DeHkFTx+CFlWpZZDA==", + "dev": true, + "license": "MIT", + "dependencies": { + "util": "^0.12.3" + }, + "optionalDependencies": { + "@zxing/text-encoding": "0.9.0" + } + }, + "node_modules/webcrypto-core": { + "version": "1.8.1", + "resolved": "http://localhost:4873/webcrypto-core/-/webcrypto-core-1.8.1.tgz", + "integrity": "sha512-P+x1MvlNCXlKbLSOY4cYrdreqPG5hbzkmawbcXLKN/mf6DZW0SdNNkZ+sjwsqVkI4A4Ko2sPZmkZtCKY58w83A==", + "dev": true, + "license": "MIT", + "dependencies": { + "@peculiar/asn1-schema": "^2.3.13", + "@peculiar/json-schema": "^1.1.12", + "asn1js": "^3.0.5", + "pvtsutils": "^1.3.5", + "tslib": "^2.7.0" + } + }, + "node_modules/webidl-conversions": { + "version": "6.1.0", + "resolved": "http://localhost:4873/webidl-conversions/-/webidl-conversions-6.1.0.tgz", + "integrity": "sha512-qBIvFLGiBpLjfwmYAaHPXsn+ho5xZnGvyGvsarywGNc8VyQJUMHJ8OBKGGrPER0okBeMDaan4mNBlgBROxuI8w==", + "dev": true, + "license": "BSD-2-Clause", + "engines": { + "node": ">=10.4" + } + }, + "node_modules/webpack": { + "version": "5.99.9", + "resolved": "http://localhost:4873/webpack/-/webpack-5.99.9.tgz", + "integrity": "sha512-brOPwM3JnmOa+7kd3NsmOUOwbDAj8FT9xDsG3IW0MgbN9yZV7Oi/s/+MNQ/EcSMqw7qfoRyXPoeEWT8zLVdVGg==", + "dev": true, + "license": "MIT", + "dependencies": { + "@types/eslint-scope": "^3.7.7", + "@types/estree": "^1.0.6", + "@types/json-schema": "^7.0.15", + "@webassemblyjs/ast": "^1.14.1", + "@webassemblyjs/wasm-edit": "^1.14.1", + "@webassemblyjs/wasm-parser": "^1.14.1", + "acorn": "^8.14.0", + "browserslist": "^4.24.0", + "chrome-trace-event": "^1.0.2", + "enhanced-resolve": "^5.17.1", + "es-module-lexer": "^1.2.1", + "eslint-scope": "5.1.1", + "events": "^3.2.0", + "glob-to-regexp": "^0.4.1", + "graceful-fs": "^4.2.11", + "json-parse-even-better-errors": "^2.3.1", + "loader-runner": "^4.2.0", + "mime-types": "^2.1.27", + "neo-async": "^2.6.2", + "schema-utils": "^4.3.2", + "tapable": "^2.1.1", + "terser-webpack-plugin": "^5.3.11", + "watchpack": "^2.4.1", + "webpack-sources": "^3.2.3" + }, + "bin": { + "webpack": "bin/webpack.js" + }, + "engines": { + "node": ">=10.13.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/webpack" + }, + "peerDependenciesMeta": { + "webpack-cli": { + "optional": true + } + } + }, + "node_modules/webpack-bundle-analyzer": { + "version": "4.10.2", + "resolved": "http://localhost:4873/webpack-bundle-analyzer/-/webpack-bundle-analyzer-4.10.2.tgz", + "integrity": "sha512-vJptkMm9pk5si4Bv922ZbKLV8UTT4zib4FPgXMhgzUny0bfDDkLXAVQs3ly3fS4/TN9ROFtb0NFrm04UXFE/Vw==", + "dev": true, + "license": "MIT", + "dependencies": { + "@discoveryjs/json-ext": "0.5.7", + "acorn": "^8.0.4", + "acorn-walk": "^8.0.0", + "commander": "^7.2.0", + "debounce": "^1.2.1", + "escape-string-regexp": "^4.0.0", + "gzip-size": "^6.0.0", + "html-escaper": "^2.0.2", + "opener": "^1.5.2", + "picocolors": "^1.0.0", + "sirv": "^2.0.3", + "ws": "^7.3.1" + }, + "bin": { + "webpack-bundle-analyzer": "lib/bin/analyzer.js" + }, + "engines": { + "node": ">= 10.13.0" + } + }, + "node_modules/webpack-bundle-analyzer/node_modules/acorn-walk": { + "version": "8.3.4", + "resolved": "http://localhost:4873/acorn-walk/-/acorn-walk-8.3.4.tgz", + "integrity": "sha512-ueEepnujpqee2o5aIYnvHU6C0A42MNdsIDeqy5BydrkuC5R1ZuUFnm27EeFJGoEHJQgn3uleRvmTXaJgfXbt4g==", + "dev": true, + "license": "MIT", + "dependencies": { + "acorn": "^8.11.0" + }, + "engines": { + "node": ">=0.4.0" + } + }, + "node_modules/webpack-bundle-analyzer/node_modules/commander": { + "version": "7.2.0", + "resolved": "http://localhost:4873/commander/-/commander-7.2.0.tgz", + "integrity": "sha512-QrWXB+ZQSVPmIWIhtEO9H+gwHaMGYiF5ChvoJ+K9ZGHG/sVsa6yiesAD1GC/x46sET00Xlwo1u49RVVVzvcSkw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 10" + } + }, + "node_modules/webpack-bundle-analyzer/node_modules/gzip-size": { + "version": "6.0.0", + "resolved": "http://localhost:4873/gzip-size/-/gzip-size-6.0.0.tgz", + "integrity": "sha512-ax7ZYomf6jqPTQ4+XCpUGyXKHk5WweS+e05MBO4/y3WJ5RkmPXNKvX+bx1behVILVwr6JSQvZAku021CHPXG3Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "duplexer": "^0.1.2" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/webpack-bundle-analyzer/node_modules/ws": { + "version": "7.5.10", + "resolved": "http://localhost:4873/ws/-/ws-7.5.10.tgz", + "integrity": "sha512-+dbF1tHwZpXcbOJdVOkzLDxZP1ailvSxM6ZweXTegylPny803bFhA+vqBYw4s31NSAk4S2Qz+AKXK9a4wkdjcQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8.3.0" + }, + "peerDependencies": { + "bufferutil": "^4.0.1", + "utf-8-validate": "^5.0.2" + }, + "peerDependenciesMeta": { + "bufferutil": { + "optional": true + }, + "utf-8-validate": { + "optional": true + } + } + }, + "node_modules/webpack-cli": { + "version": "4.10.0", + "resolved": "http://localhost:4873/webpack-cli/-/webpack-cli-4.10.0.tgz", + "integrity": "sha512-NLhDfH/h4O6UOy+0LSso42xvYypClINuMNBVVzX4vX98TmTaTUxwRbXdhucbFMd2qLaCTcLq/PdYrvi8onw90w==", + "dev": true, + "license": "MIT", + "dependencies": { + "@discoveryjs/json-ext": "^0.5.0", + "@webpack-cli/configtest": "^1.2.0", + "@webpack-cli/info": "^1.5.0", + "@webpack-cli/serve": "^1.7.0", + "colorette": "^2.0.14", + "commander": "^7.0.0", + "cross-spawn": "^7.0.3", + "fastest-levenshtein": "^1.0.12", + "import-local": "^3.0.2", + "interpret": "^2.2.0", + "rechoir": "^0.7.0", + "webpack-merge": "^5.7.3" + }, + "bin": { + "webpack-cli": "bin/cli.js" + }, + "engines": { + "node": ">=10.13.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/webpack" + }, + "peerDependencies": { + "webpack": "4.x.x || 5.x.x" + }, + "peerDependenciesMeta": { + "@webpack-cli/generators": { + "optional": true + }, + "@webpack-cli/migrate": { + "optional": true + }, + "webpack-bundle-analyzer": { + "optional": true + }, + "webpack-dev-server": { + "optional": true + } + } + }, + "node_modules/webpack-cli/node_modules/commander": { + "version": "7.2.0", + "resolved": "http://localhost:4873/commander/-/commander-7.2.0.tgz", + "integrity": "sha512-QrWXB+ZQSVPmIWIhtEO9H+gwHaMGYiF5ChvoJ+K9ZGHG/sVsa6yiesAD1GC/x46sET00Xlwo1u49RVVVzvcSkw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 10" + } + }, + "node_modules/webpack-cli/node_modules/cross-spawn": { + "version": "7.0.6", + "resolved": "http://localhost:4873/cross-spawn/-/cross-spawn-7.0.6.tgz", + "integrity": "sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA==", + "dev": true, + "license": "MIT", + "dependencies": { + "path-key": "^3.1.0", + "shebang-command": "^2.0.0", + "which": "^2.0.1" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/webpack-cli/node_modules/interpret": { + "version": "2.2.0", + "resolved": "http://localhost:4873/interpret/-/interpret-2.2.0.tgz", + "integrity": "sha512-Ju0Bz/cEia55xDwUWEa8+olFpCiQoypjnQySseKtmjNrnps3P+xfpUmGr90T7yjlVJmOtybRvPXhKMbHr+fWnw==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">= 0.10" + } + }, + "node_modules/webpack-cli/node_modules/path-key": { + "version": "3.1.1", + "resolved": "http://localhost:4873/path-key/-/path-key-3.1.1.tgz", + "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/webpack-cli/node_modules/rechoir": { + "version": "0.7.1", + "resolved": "http://localhost:4873/rechoir/-/rechoir-0.7.1.tgz", + "integrity": "sha512-/njmZ8s1wVeR6pjTZ+0nCnv8SpZNRMT2D1RLOJQESlYFDBvwpTA4KWJpZ+sBJ4+vhjILRcK7JIFdGCdxEAAitg==", + "dev": true, + "license": "MIT", + "dependencies": { + "resolve": "^1.9.0" + }, + "engines": { + "node": ">= 0.10" + } + }, + "node_modules/webpack-cli/node_modules/shebang-command": { + "version": "2.0.0", + "resolved": "http://localhost:4873/shebang-command/-/shebang-command-2.0.0.tgz", + "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==", + "dev": true, + "license": "MIT", + "dependencies": { + "shebang-regex": "^3.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/webpack-cli/node_modules/shebang-regex": { + "version": "3.0.0", + "resolved": "http://localhost:4873/shebang-regex/-/shebang-regex-3.0.0.tgz", + "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/webpack-cli/node_modules/which": { + "version": "2.0.2", + "resolved": "http://localhost:4873/which/-/which-2.0.2.tgz", + "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", + "dev": true, + "license": "ISC", + "dependencies": { + "isexe": "^2.0.0" + }, + "bin": { + "node-which": "bin/node-which" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/webpack-dev-middleware": { + "version": "5.3.4", + "resolved": "http://localhost:4873/webpack-dev-middleware/-/webpack-dev-middleware-5.3.4.tgz", + "integrity": "sha512-BVdTqhhs+0IfoeAf7EoH5WE+exCmqGerHfDM0IL096Px60Tq2Mn9MAbnaGUe6HiMa41KMCYF19gyzZmBcq/o4Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "colorette": "^2.0.10", + "memfs": "^3.4.3", + "mime-types": "^2.1.31", + "range-parser": "^1.2.1", + "schema-utils": "^4.0.0" + }, + "engines": { + "node": ">= 12.13.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/webpack" + }, + "peerDependencies": { + "webpack": "^4.0.0 || ^5.0.0" + } + }, + "node_modules/webpack-hot-middleware": { + "version": "2.26.1", + "resolved": "http://localhost:4873/webpack-hot-middleware/-/webpack-hot-middleware-2.26.1.tgz", + "integrity": "sha512-khZGfAeJx6I8K9zKohEWWYN6KDlVw2DHownoe+6Vtwj1LP9WFgegXnVMSkZ/dBEBtXFwrkkydsaPFlB7f8wU2A==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-html-community": "0.0.8", + "html-entities": "^2.1.0", + "strip-ansi": "^6.0.0" + } + }, + "node_modules/webpack-hot-server-middleware": { + "version": "0.6.1", + "resolved": "http://localhost:4873/webpack-hot-server-middleware/-/webpack-hot-server-middleware-0.6.1.tgz", + "integrity": "sha512-YOKwdS0hnmADsNCsReGkMOBkoz2YVrQZvnVcViM2TDXlK9NnaOGXmnrLFjzwsHFa0/iuJy/QJFEoMxzk8R1Mgg==", + "dev": true, + "license": "MIT", + "dependencies": { + "debug": "^3.1.0", + "require-from-string": "^2.0.1", + "source-map-support": "^0.5.3" + }, + "peerDependencies": { + "webpack": "*" + } + }, + "node_modules/webpack-hot-server-middleware/node_modules/debug": { + "version": "3.2.7", + "resolved": "http://localhost:4873/debug/-/debug-3.2.7.tgz", + "integrity": "sha512-CFjzYYAi4ThfiQvizrFQevTTXHtnCqWfe7x1AhgEscTz6ZbLbfoLRLPugTQyBth6f8ZERVUSyWHFD/7Wu4t1XQ==", + "dev": true, + "license": "MIT", + "dependencies": { + "ms": "^2.1.1" + } + }, + "node_modules/webpack-merge": { + "version": "5.10.0", + "resolved": "http://localhost:4873/webpack-merge/-/webpack-merge-5.10.0.tgz", + "integrity": "sha512-+4zXKdx7UnO+1jaN4l2lHVD+mFvnlZQP/6ljaJVb4SZiwIKeUnrT5l0gkT8z+n4hKpC+jpOv6O9R+gLtag7pSA==", + "dev": true, + "license": "MIT", + "dependencies": { + "clone-deep": "^4.0.1", + "flat": "^5.0.2", + "wildcard": "^2.0.0" + }, + "engines": { + "node": ">=10.0.0" + } + }, + "node_modules/webpack-notifier": { + "version": "1.15.0", + "resolved": "http://localhost:4873/webpack-notifier/-/webpack-notifier-1.15.0.tgz", + "integrity": "sha512-N2V8UMgRB5komdXQRavBsRpw0hPhJq2/SWNOGuhrXpIgRhcMexzkGQysUyGStHLV5hkUlgpRiF7IUXoBqyMmzQ==", + "dev": true, + "license": "ISC", + "dependencies": { + "node-notifier": "^9.0.0", + "strip-ansi": "^6.0.0" + }, + "peerDependencies": { + "@types/webpack": ">4.41.31" + }, + "peerDependenciesMeta": { + "@types/webpack": { + "optional": true + } + } + }, + "node_modules/webpack-notifier/node_modules/node-notifier": { + "version": "9.0.1", + "resolved": "http://localhost:4873/node-notifier/-/node-notifier-9.0.1.tgz", + "integrity": "sha512-fPNFIp2hF/Dq7qLDzSg4vZ0J4e9v60gJR+Qx7RbjbWqzPDdEqeVpEx5CFeDAELIl+A/woaaNn1fQ5nEVerMxJg==", + "dev": true, + "license": "MIT", + "dependencies": { + "growly": "^1.3.0", + "is-wsl": "^2.2.0", + "semver": "^7.3.2", + "shellwords": "^0.1.1", + "uuid": "^8.3.0", + "which": "^2.0.2" + } + }, + "node_modules/webpack-notifier/node_modules/which": { + "version": "2.0.2", + "resolved": "http://localhost:4873/which/-/which-2.0.2.tgz", + "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", + "dev": true, + "license": "ISC", + "dependencies": { + "isexe": "^2.0.0" + }, + "bin": { + "node-which": "bin/node-which" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/webpack-sources": { + "version": "3.2.3", + "resolved": "http://localhost:4873/webpack-sources/-/webpack-sources-3.2.3.tgz", + "integrity": "sha512-/DyMEOrDgLKKIG0fmvtz+4dUX/3Ghozwgm6iPp8KRhvn+eQf9+Q7GWxVNMk3+uCPWfdXYC4ExGBckIXdFEfH1w==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10.13.0" + } + }, + "node_modules/webpack/node_modules/events": { + "version": "3.3.0", + "resolved": "http://localhost:4873/events/-/events-3.3.0.tgz", + "integrity": "sha512-mQw+2fkQbALzQ7V0MY0IqdnXNOeTtP4r0lN9z7AAawCXgqea7bDii20AYrIBrFd/Hx0M2Ocz6S111CaFkUcb0Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.8.x" + } + }, + "node_modules/whatwg-encoding": { + "version": "1.0.5", + "resolved": "http://localhost:4873/whatwg-encoding/-/whatwg-encoding-1.0.5.tgz", + "integrity": "sha512-b5lim54JOPN9HtzvK9HFXvBma/rnfFeqsic0hSpjtDbVxR3dJKLc+KB4V6GgiGOvl7CY/KNh8rxSo9DKQrnUEw==", + "dev": true, + "license": "MIT", + "dependencies": { + "iconv-lite": "0.4.24" + } + }, + "node_modules/whatwg-fetch": { + "version": "3.6.20", + "resolved": "http://localhost:4873/whatwg-fetch/-/whatwg-fetch-3.6.20.tgz", + "integrity": "sha512-EqhiFU6daOA8kpjOWTL0olhVOF3i7OrFzSYiGsEMB8GcXS+RrzauAERX65xMeNWVqxA6HXH2m69Z9LaKKdisfg==", + "dev": true, + "license": "MIT" + }, + "node_modules/whatwg-mimetype": { + "version": "2.3.0", + "resolved": "http://localhost:4873/whatwg-mimetype/-/whatwg-mimetype-2.3.0.tgz", + "integrity": "sha512-M4yMwr6mAnQz76TbJm914+gPpB/nCwvZbJU28cUD6dR004SAxDLOOSUaB1JDRqLtaOV/vi0IC5lEAGFgrjGv/g==", + "dev": true, + "license": "MIT" + }, + "node_modules/whatwg-url": { + "version": "8.7.0", + "resolved": "http://localhost:4873/whatwg-url/-/whatwg-url-8.7.0.tgz", + "integrity": "sha512-gAojqb/m9Q8a5IV96E3fHJM70AzCkgt4uXYX2O7EmuyOnLrViCQlsEBmF9UQIu3/aeAIp2U17rtbpZWNntQqdg==", + "dev": true, + "license": "MIT", + "dependencies": { + "lodash": "^4.7.0", + "tr46": "^2.1.0", + "webidl-conversions": "^6.1.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/which": { + "version": "1.3.1", + "resolved": "http://localhost:4873/which/-/which-1.3.1.tgz", + "integrity": "sha512-HxJdYWq1MTIQbJ3nw0cqssHoTNU267KlrDuGZ1WYlxDStUtKUhOaJmh112/TZmHxxUfuJqPXSOm7tDyas0OSIQ==", + "dev": true, + "license": "ISC", + "dependencies": { + "isexe": "^2.0.0" + }, + "bin": { + "which": "bin/which" + } + }, + "node_modules/which-boxed-primitive": { + "version": "1.1.1", + "resolved": "http://localhost:4873/which-boxed-primitive/-/which-boxed-primitive-1.1.1.tgz", + "integrity": "sha512-TbX3mj8n0odCBFVlY8AxkqcHASw3L60jIuF8jFP78az3C2YhmGvqbHBpAjTRH2/xqYunrJ9g1jSyjCjpoWzIAA==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-bigint": "^1.1.0", + "is-boolean-object": "^1.2.1", + "is-number-object": "^1.1.1", + "is-string": "^1.1.1", + "is-symbol": "^1.1.1" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/which-builtin-type": { + "version": "1.2.1", + "resolved": "http://localhost:4873/which-builtin-type/-/which-builtin-type-1.2.1.tgz", + "integrity": "sha512-6iBczoX+kDQ7a3+YJBnh3T+KZRxM/iYNPXicqk66/Qfm1b93iu+yOImkg0zHbj5LNOcNv1TEADiZ0xa34B4q6Q==", + "dev": true, + "license": "MIT", + "dependencies": { + "call-bound": "^1.0.2", + "function.prototype.name": "^1.1.6", + "has-tostringtag": "^1.0.2", + "is-async-function": "^2.0.0", + "is-date-object": "^1.1.0", + "is-finalizationregistry": "^1.1.0", + "is-generator-function": "^1.0.10", + "is-regex": "^1.2.1", + "is-weakref": "^1.0.2", + "isarray": "^2.0.5", + "which-boxed-primitive": "^1.1.0", + "which-collection": "^1.0.2", + "which-typed-array": "^1.1.16" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/which-builtin-type/node_modules/isarray": { + "version": "2.0.5", + "resolved": "http://localhost:4873/isarray/-/isarray-2.0.5.tgz", + "integrity": "sha512-xHjhDr3cNBK0BzdUJSPXZntQUx/mwMS5Rw4A7lPJ90XGAO6ISP/ePDNuo0vhqOZU+UD5JoodwCAAoZQd3FeAKw==", + "dev": true, + "license": "MIT" + }, + "node_modules/which-collection": { + "version": "1.0.2", + "resolved": "http://localhost:4873/which-collection/-/which-collection-1.0.2.tgz", + "integrity": "sha512-K4jVyjnBdgvc86Y6BkaLZEN933SwYOuBFkdmBu9ZfkcAbdVbpITnDmjvZ/aQjRXQrv5EPkTnD1s39GiiqbngCw==", + "dev": true, + "license": "MIT", + "dependencies": { + "is-map": "^2.0.3", + "is-set": "^2.0.3", + "is-weakmap": "^2.0.2", + "is-weakset": "^2.0.3" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/which-module": { + "version": "2.0.1", + "resolved": "http://localhost:4873/which-module/-/which-module-2.0.1.tgz", + "integrity": "sha512-iBdZ57RDvnOR9AGBhML2vFZf7h8vmBjhoaZqODJBFWHVtKkDmKuHai3cx5PgVMrX5YDNp27AofYbAwctSS+vhQ==", + "dev": true, + "license": "ISC" + }, + "node_modules/which-typed-array": { + "version": "1.1.19", + "resolved": "http://localhost:4873/which-typed-array/-/which-typed-array-1.1.19.tgz", + "integrity": "sha512-rEvr90Bck4WZt9HHFC4DJMsjvu7x+r6bImz0/BrbWb7A2djJ8hnZMrWnHo9F8ssv0OMErasDhftrfROTyqSDrw==", + "dev": true, + "license": "MIT", + "dependencies": { + "available-typed-arrays": "^1.0.7", + "call-bind": "^1.0.8", + "call-bound": "^1.0.4", + "for-each": "^0.3.5", + "get-proto": "^1.0.1", + "gopd": "^1.2.0", + "has-tostringtag": "^1.0.2" + }, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/wildcard": { + "version": "2.0.1", + "resolved": "http://localhost:4873/wildcard/-/wildcard-2.0.1.tgz", + "integrity": "sha512-CC1bOL87PIWSBhDcTrdeLo6eGT7mCFtrg0uIJtqJUFyK+eJnzl8A1niH56uu7KMa5XFrtiV+AQuHO3n7DsHnLQ==", + "dev": true, + "license": "MIT" + }, + "node_modules/word-wrap": { + "version": "1.2.5", + "resolved": "http://localhost:4873/word-wrap/-/word-wrap-1.2.5.tgz", + "integrity": "sha512-BN22B5eaMMI9UMtjrGd5g5eCYPpCPDUy0FJXbYsaT5zYxjFOckS53SQDE3pWkVoWpHXVb3BrYcEN4Twa55B5cA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/wrap-ansi": { + "version": "6.2.0", + "resolved": "http://localhost:4873/wrap-ansi/-/wrap-ansi-6.2.0.tgz", + "integrity": "sha512-r6lPcBGxZXlIcymEu7InxDMhdW0KDxpLgoFLcguasxCaJ/SOIZwINatK9KY/tf+ZrlywOKU0UDj3ATXUBfxJXA==", + "dev": true, + "license": "MIT", + "dependencies": { + "ansi-styles": "^4.0.0", + "string-width": "^4.1.0", + "strip-ansi": "^6.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/wrap-ansi/node_modules/emoji-regex": { + "version": "8.0.0", + "resolved": "http://localhost:4873/emoji-regex/-/emoji-regex-8.0.0.tgz", + "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", + "dev": true, + "license": "MIT" + }, + "node_modules/wrap-ansi/node_modules/is-fullwidth-code-point": { + "version": "3.0.0", + "resolved": "http://localhost:4873/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", + "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/wrap-ansi/node_modules/string-width": { + "version": "4.2.3", + "resolved": "http://localhost:4873/string-width/-/string-width-4.2.3.tgz", + "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", + "dev": true, + "license": "MIT", + "dependencies": { + "emoji-regex": "^8.0.0", + "is-fullwidth-code-point": "^3.0.0", + "strip-ansi": "^6.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/wrappy": { + "version": "1.0.2", + "resolved": "http://localhost:4873/wrappy/-/wrappy-1.0.2.tgz", + "integrity": "sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==", + "dev": true, + "license": "ISC" + }, + "node_modules/write-file-atomic": { + "version": "3.0.3", + "resolved": "http://localhost:4873/write-file-atomic/-/write-file-atomic-3.0.3.tgz", + "integrity": "sha512-AvHcyZ5JnSfq3ioSyjrBkH9yW4m7Ayk8/9My/DD9onKeu/94fwrMocemO2QAJFAlnnDN+ZDS+ZjAR5ua1/PV/Q==", + "dev": true, + "license": "ISC", + "dependencies": { + "imurmurhash": "^0.1.4", + "is-typedarray": "^1.0.0", + "signal-exit": "^3.0.2", + "typedarray-to-buffer": "^3.1.5" + } + }, + "node_modules/ws": { + "version": "8.18.2", + "resolved": "http://localhost:4873/ws/-/ws-8.18.2.tgz", + "integrity": "sha512-DMricUmwGZUVr++AEAe2uiVM7UoO9MAVZMDu05UQOaUII0lp+zOzLLU4Xqh/JvTqklB1T4uELaaPBKyjE1r4fQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10.0.0" + }, + "peerDependencies": { + "bufferutil": "^4.0.1", + "utf-8-validate": ">=5.0.2" + }, + "peerDependenciesMeta": { + "bufferutil": { + "optional": true + }, + "utf-8-validate": { + "optional": true + } + } + }, + "node_modules/xdg-basedir": { + "version": "4.0.0", + "resolved": "http://localhost:4873/xdg-basedir/-/xdg-basedir-4.0.0.tgz", + "integrity": "sha512-PSNhEJDejZYV7h50BohL09Er9VaIefr2LMAf3OEmpCkjOi34eYyQYAXUTjEQtZJTKcF0E2UKTh+osDLsgNim9Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/xml-name-validator": { + "version": "3.0.0", + "resolved": "http://localhost:4873/xml-name-validator/-/xml-name-validator-3.0.0.tgz", + "integrity": "sha512-A5CUptxDsvxKJEU3yO6DuWBSJz/qizqzJKOMIfUJHETbBw/sFaDxgd6fxm1ewUaM0jZ444Fc5vC5ROYurg/4Pw==", + "dev": true, + "license": "Apache-2.0" + }, + "node_modules/xml2js": { + "version": "0.6.2", + "resolved": "http://localhost:4873/xml2js/-/xml2js-0.6.2.tgz", + "integrity": "sha512-T4rieHaC1EXcES0Kxxj4JWgaUQHDk+qwHcYOCFHfiwKz7tOVPLq7Hjq9dM1WCMhylqMEfP7hMcOIChvotiZegA==", + "dev": true, + "license": "MIT", + "dependencies": { + "sax": ">=0.6.0", + "xmlbuilder": "~11.0.0" + }, + "engines": { + "node": ">=4.0.0" + } + }, + "node_modules/xmlbuilder": { + "version": "11.0.1", + "resolved": "http://localhost:4873/xmlbuilder/-/xmlbuilder-11.0.1.tgz", + "integrity": "sha512-fDlsI/kFEx7gLvbecc0/ohLG50fugQp8ryHzMTuW9vSa1GJ0XYWKnhsUx7oie3G98+r56aTQIUB4kht42R3JvA==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=4.0" + } + }, + "node_modules/xmlchars": { + "version": "2.2.0", + "resolved": "http://localhost:4873/xmlchars/-/xmlchars-2.2.0.tgz", + "integrity": "sha512-JZnDKK8B0RCDw84FNdDAIpZK+JuJw+s7Lz8nksI7SIuU3UXJJslUthsi+uWBUYOwPFwW7W7PRLRfUKpxjtjFCw==", + "dev": true, + "license": "MIT" + }, + "node_modules/xtend": { + "version": "4.0.2", + "resolved": "http://localhost:4873/xtend/-/xtend-4.0.2.tgz", + "integrity": "sha512-LKYU1iAXJXUgAXn9URjiu+MWhyUXHsvfp7mcuYm9dSUKK0/CjtrUwFAxD82/mCWbtLsGjFIad0wIsod4zrTAEQ==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=0.4" + } + }, + "node_modules/y18n": { + "version": "4.0.3", + "resolved": "http://localhost:4873/y18n/-/y18n-4.0.3.tgz", + "integrity": "sha512-JKhqTOwSrqNA1NY5lSztJ1GrBiUodLMmIZuLiDaMRJ+itFd+ABVE8XBjOvIWL+rSqNDC74LCSFmlb/U4UZ4hJQ==", + "dev": true, + "license": "ISC" + }, + "node_modules/yallist": { + "version": "3.1.1", + "resolved": "http://localhost:4873/yallist/-/yallist-3.1.1.tgz", + "integrity": "sha512-a4UGQaWPH59mOXUYnAG2ewncQS4i4F43Tv3JoAM+s2VDAmS9NsK8GpDMLrCHPksFT7h3K6TOoUNn2pb7RoXx4g==", + "dev": true, + "license": "ISC" + }, + "node_modules/yaml": { + "version": "1.10.2", + "resolved": "http://localhost:4873/yaml/-/yaml-1.10.2.tgz", + "integrity": "sha512-r3vXyErRCYJ7wg28yvBY5VSoAF8ZvlcW9/BwUzEtUsjvX/DKs24dIkuwjtuprwJJHsbyUbLApepYTR1BN4uHrg==", + "dev": true, + "license": "ISC", + "engines": { + "node": ">= 6" + } + }, + "node_modules/yargs": { + "version": "15.4.1", + "resolved": "http://localhost:4873/yargs/-/yargs-15.4.1.tgz", + "integrity": "sha512-aePbxDmcYW++PaqBsJ+HYUFwCdv4LVvdnhBy78E57PIor8/OVvhMrADFFEDh8DHDFRv/O9i3lPhsENjO7QX0+A==", + "dev": true, + "license": "MIT", + "dependencies": { + "cliui": "^6.0.0", + "decamelize": "^1.2.0", + "find-up": "^4.1.0", + "get-caller-file": "^2.0.1", + "require-directory": "^2.1.1", + "require-main-filename": "^2.0.0", + "set-blocking": "^2.0.0", + "string-width": "^4.2.0", + "which-module": "^2.0.0", + "y18n": "^4.0.0", + "yargs-parser": "^18.1.2" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/yargs-parser": { + "version": "13.1.2", + "resolved": "http://localhost:4873/yargs-parser/-/yargs-parser-13.1.2.tgz", + "integrity": "sha512-3lbsNRf/j+A4QuSZfDRA7HRSfWrzO0YjqTJd5kjAq37Zep1CEgaYmrH9Q3GwPiB9cHyd1Y1UwggGhJGoxipbzg==", + "dev": true, + "license": "ISC", + "dependencies": { + "camelcase": "^5.0.0", + "decamelize": "^1.2.0" + } + }, + "node_modules/yargs/node_modules/emoji-regex": { + "version": "8.0.0", + "resolved": "http://localhost:4873/emoji-regex/-/emoji-regex-8.0.0.tgz", + "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", + "dev": true, + "license": "MIT" + }, + "node_modules/yargs/node_modules/is-fullwidth-code-point": { + "version": "3.0.0", + "resolved": "http://localhost:4873/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", + "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=8" + } + }, + "node_modules/yargs/node_modules/string-width": { + "version": "4.2.3", + "resolved": "http://localhost:4873/string-width/-/string-width-4.2.3.tgz", + "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", + "dev": true, + "license": "MIT", + "dependencies": { + "emoji-regex": "^8.0.0", + "is-fullwidth-code-point": "^3.0.0", + "strip-ansi": "^6.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/yargs/node_modules/yargs-parser": { + "version": "18.1.3", + "resolved": "http://localhost:4873/yargs-parser/-/yargs-parser-18.1.3.tgz", + "integrity": "sha512-o50j0JeToy/4K6OZcaQmW6lyXXKhq7csREXcDwk2omFPJEwUNOVtJKvmDr9EI1fAJZUyZcRF7kxGBWmRXudrCQ==", + "dev": true, + "license": "ISC", + "dependencies": { + "camelcase": "^5.0.0", + "decamelize": "^1.2.0" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/yauzl": { + "version": "2.10.0", + "resolved": "http://localhost:4873/yauzl/-/yauzl-2.10.0.tgz", + "integrity": "sha512-p4a9I6X6nu6IhoGmBqAcbJy1mlC4j27vEPZX9F4L4/vZT3Lyq1VkFHw/V/PUcB9Buo+DG3iHkT0x3Qya58zc3g==", + "dev": true, + "license": "MIT", + "dependencies": { + "buffer-crc32": "~0.2.3", + "fd-slicer": "~1.1.0" + } + }, + "node_modules/yocto-queue": { + "version": "0.1.0", + "resolved": "http://localhost:4873/yocto-queue/-/yocto-queue-0.1.0.tgz", + "integrity": "sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==", + "dev": true, + "license": "MIT", + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/zip-stream": { + "version": "1.2.0", + "resolved": "http://localhost:4873/zip-stream/-/zip-stream-1.2.0.tgz", + "integrity": "sha512-2olrDUuPM4NvRIgGPhvrp84f7/HmWR6RiQrgwFF2VctmnssFiogtYL3DcA8Vl2bsSmju79sVXe38TsII7JleUg==", + "dev": true, + "license": "MIT", + "dependencies": { + "archiver-utils": "^1.3.0", + "compress-commons": "^1.2.0", + "lodash": "^4.8.0", + "readable-stream": "^2.0.0" + }, + "engines": { + "node": ">= 0.10.0" + } + } + } +} diff --git a/my-test-project/package.json b/my-test-project/package.json new file mode 100644 index 0000000000..86a3ffb978 --- /dev/null +++ b/my-test-project/package.json @@ -0,0 +1,52 @@ +{ + "name": "demo-storefront", + "version": "0.0.1", + "license": "See license in LICENSE", + "engines": { + "node": "^18.0.0 || ^20.0.0 || ^22.0.0", + "npm": "^9.0.0 || ^10.0.0 || ^11.0.0" + }, + "ccExtensibility": { + "extends": "@salesforce/retail-react-app", + "overridesDir": "overrides" + }, + "devDependencies": { + "@salesforce/retail-react-app": "7.0.0-dev.0" + }, + "scripts": { + "analyze-build": "cross-env MOBIFY_ANALYZE=true npm run build", + "build": "npm run build-translations && pwa-kit-dev build", + "build-translations": "npm run extract-default-translations && npm run compile-translations && npm run compile-translations:pseudo", + "compile-translations": "node ./node_modules/@salesforce/retail-react-app/scripts/translations/compile-folder.js translations", + "compile-translations:pseudo": "node ./node_modules/@salesforce/retail-react-app/scripts/translations/compile-pseudo.js translations/en-US.json", + "extract-default-translations": "node ./node_modules/@salesforce/retail-react-app/scripts/translations/extract-default-messages.js en-US en-GB", + "format": "pwa-kit-dev format \"**/*.{js,jsx}\"", + "lint": "pwa-kit-dev lint \"**/*.{js,jsx}\"", + "lint:fix": "npm run lint -- --fix", + "postinstall": "npm run compile-translations && npm run compile-translations:pseudo", + "push": "npm run build && pwa-kit-dev push", + "save-credentials": "pwa-kit-dev save-credentials", + "start": "cross-env NODE_ICU_DATA=node_modules/full-icu pwa-kit-dev start", + "start:inspect": "npm run start -- --inspect", + "start:pseudolocale": "npm run extract-default-translations && npm run compile-translations:pseudo && cross-env USE_PSEUDOLOCALE=true npm run start", + "tail-logs": "pwa-kit-dev tail-logs", + "test": "pwa-kit-dev test", + "test:lighthouse": "cross-env NODE_ENV=production lhci autorun --config=tests/lighthouserc.js", + "test:max-file-size": "npm run build && bundlesize" + }, + "bundlesize": [ + { + "path": "build/main.js", + "maxSize": "44 kB" + }, + { + "path": "build/vendor.js", + "maxSize": "320 kB" + } + ], + "browserslist": [ + "iOS >= 9.0", + "Android >= 4.4.4", + "last 4 ChromeAndroid versions" + ] +} \ No newline at end of file diff --git a/my-test-project/translations/README.md b/my-test-project/translations/README.md new file mode 100644 index 0000000000..a8da135cb0 --- /dev/null +++ b/my-test-project/translations/README.md @@ -0,0 +1,127 @@ +# Translations + +Most of the files in this folder are generated by `react-intl` **CLI tool**: + +- `/translations/en-US.json` <- output of _extracting_ the default messages, which you can send to your translators. +- `/translations/[locale].json` <- the files that your translators make for the other locales +- `/translations/compiled/[locale].json` <- output of _compiling_ the messages into AST format + - Compiling helps improve the performance because it allows `react-intl` to skip the parsing step + +Several **npm scripts** are available to you that make it easier to use the CLI tool. See `package.json` for more details. + +- To **extract the default messages**, run `npm run extract-default-translations` to have all the default messages extracted into a json file. By default, en-US.json is the file that's generated. If you wish to extract your messages into a different json file, simply update the script by replacing `en-US` with your desired locale. +- To **compile the translations** from all the locales, run `npm run compile-translations`. +- To run **both an extract and compile**, run `npm run build-translations`. + +## Formatting Messages + +For all the hardcoded translations in your site, write them... + +- _inline_ in the components, so it’s easier to see where in the page or component that they get used in +- and in the _default/fallback locale_ (for example, in English) + +For example, in your React component, you can add formatted messages like `intl.formatMessage({defaultMessage: '...'})` or `` + +### Adding Message Id + +At the minimum, only defaultMessage is the required parameter. The message id is optional. If you don’t specify it, the id is auto-generated for you. + +## Testing with a Pseudo Locale + +To check whether you’ve wrapped all the hardcoded strings with either `intl.formatMessage()` or `` , there’s a quick way to test that by running `npm run start:pseudolocale`. It runs your local dev server with the locale forced to the pseudo locale. + +Loading the site in your browser, you can quickly see that those messages that have been formatted would look like this: `[!! Ṕŕíííṿâćććẏ ṔṔṔŏĺíííćẏ !!]` + +# Localization + +Since the Retail React App supports **multiple sites** feature, this means each site can have its own localization setup. In each site, +the default locale, supported locales, and currency settings are defined in a site object in `config/sites.js` under `ll0n`. + +The locale ids `l10n.supportedLocales[n].id` follow the format supported by OCAPI and Commerce API: `-` as defined in this InfoCenter topic: [OCAPI localization 21.8](https://documentation.b2c.commercecloud.salesforce.com/DOC1/topic/com.demandware.dochelp/OCAPI/current/usage/Localization.html). + +The currency code in `l10n.supportedCurrencies` and `l10n.supportedLocales[n].preferredCurrency` follow the ISO 4217 standard. + +**Important**: The supported locale settings `l10n.supportedLocales` must match the locale settings for your B2C Commerce instance. For more information about configuring locales on a B2C Commerce instance, see this InfoCenter topic: [Configure Site Locales](https://documentation.b2c.commercecloud.salesforce.com/DOC2/topic/com.demandware.dochelp/content/b2c_commerce/topics/admin/b2c_configuring_site_locales.html). + +Here’s an example of locale configuration in sites configuration: + +```js +// config/sites.js +modules.exports = [ + { + id: 'site-id', + l10n: { + supportedCurrencies: ['GBP', 'EUR', 'CNY', 'JPY'], + defaultCurrency: 'GBP', + supportedLocales: [ + { + id: 'de-DE', + preferredCurrency: 'EUR' + }, + { + id: 'en-GB', + preferredCurrency: 'GBP' + }, + { + id: 'es-MX', + preferredCurrency: 'MXN' + }, + // other locales + ], + defaultLocale: 'en-GB' + } + } +] +``` + +## How to Add a New Locale + +The process for adding a new locale is as follows: + +1. Create/enable the new locale in Business Manager of your B2C Commerce instance +2. Enable the locale's currency too in Business Manager +3. Add the new locale and its currency to your targeted site in `config/sites.js` +4. If the new locale is also going to be the locale of your inline default messages: + - Update those default messages to be in that locale's language + - Run `npm run extract-default-translations` to extract the new translations + - Send the extracted translations to your translation team +5. Place the files you receive from your translation team into the `/translations/` folder +6. Run `npm run compile-translations` + +## Tips + +Here are a few useful things to know for developers. + +### User-Preferred Locales vs. App-Supported Locales + +How a locale gets chosen depends on whether there’s a match found between 2 sets of locales. On a high level, it looks like this: + +1. Get the app-supported locales, which are defined in each site object in `config/sites.js` (under `l10n.supportedLocales` of your targeted site). +2. Get the user-preferred locales, which are what the visitors prefer to see. The developer is responsible for fully implementing them in their own projects within the special `_app` component. +3. If there’s a match between these 2 sets of locales, then the app would use it as the target locale. +4. Otherwise, the app would fall back to the locale of the inline `defaultMessage`s. + +### How to Detect the Active Locale + +- Within component render, `useLocale` hook is available to you: `const locale = useLocale()` +- Within a page’s `getProps` you can call utility function `resolveLocaleFromUrl` like this: + +```js +ProductDetail.getProps = async ({res, params, location, api}) => { + const locale = resolveLocaleFromUrl(`${location.pathname}${location.search}`) + ... +} +``` + +### Dynamic Loading of the Translation Files + +Using dynamic import, regardless of how many locales the app supports, it would load only one locale at a time. + +Initially, on app load, the translated messages are part of the server-rendered html. Afterwards on the client side, when dynamically changing the locale, the app would download the JSON file associated with that locale. + +- Each locale is a separate JSON file in the bundle. And it’s served with a 1-year cache header. +- When a new bundle is deployed, you must download the JSON files again. + +### Link Component + +The generated project comes with its own `Link` component. It automatically inserts the locale in the URLs for you. diff --git a/my-test-project/translations/de-DE.json b/my-test-project/translations/de-DE.json new file mode 100644 index 0000000000..b1f7513a09 --- /dev/null +++ b/my-test-project/translations/de-DE.json @@ -0,0 +1,1517 @@ +{ + "account.accordion.button.my_account": { + "defaultMessage": "Mein Konto" + }, + "account.heading.my_account": { + "defaultMessage": "Mein Konto" + }, + "account.logout_button.button.log_out": { + "defaultMessage": "Ausloggen" + }, + "account_addresses.badge.default": { + "defaultMessage": "Standard" + }, + "account_addresses.button.add_address": { + "defaultMessage": "Adresse hinzufügen" + }, + "account_addresses.info.address_removed": { + "defaultMessage": "Adresse entfernt" + }, + "account_addresses.info.address_updated": { + "defaultMessage": "Adresse aktualisiert" + }, + "account_addresses.info.new_address_saved": { + "defaultMessage": "Neue Adresse gespeichert" + }, + "account_addresses.page_action_placeholder.button.add_address": { + "defaultMessage": "Adresse hinzufügen" + }, + "account_addresses.page_action_placeholder.heading.no_saved_addresses": { + "defaultMessage": "Keine gespeicherten Adressen" + }, + "account_addresses.page_action_placeholder.message.add_new_address": { + "defaultMessage": "Fügen Sie für eine schnellere Kaufabwicklung eine neue Adressmethode hinzu." + }, + "account_addresses.title.addresses": { + "defaultMessage": "Adressen" + }, + "account_detail.title.account_details": { + "defaultMessage": "Kontodetails" + }, + "account_order_detail.heading.billing_address": { + "defaultMessage": "Rechnungsadresse" + }, + "account_order_detail.heading.num_of_items": { + "defaultMessage": "{count} Artikel" + }, + "account_order_detail.heading.payment_method": { + "defaultMessage": "Zahlungsmethode" + }, + "account_order_detail.heading.shipping_address": { + "defaultMessage": "Lieferadresse" + }, + "account_order_detail.heading.shipping_method": { + "defaultMessage": "Versandmethode" + }, + "account_order_detail.label.order_number": { + "defaultMessage": "Bestellungsnummer: {orderNumber}" + }, + "account_order_detail.label.ordered_date": { + "defaultMessage": "Bestellt: {date}" + }, + "account_order_detail.label.pending_tracking_number": { + "defaultMessage": "Ausstehend" + }, + "account_order_detail.label.tracking_number": { + "defaultMessage": "Sendungsverfolgungsnummer" + }, + "account_order_detail.link.back_to_history": { + "defaultMessage": "Zurück zum Bestellverlauf" + }, + "account_order_detail.shipping_status.not_shipped": { + "defaultMessage": "Nicht versandt" + }, + "account_order_detail.shipping_status.part_shipped": { + "defaultMessage": "Teilweise versandt" + }, + "account_order_detail.shipping_status.shipped": { + "defaultMessage": "Versandt" + }, + "account_order_detail.title.order_details": { + "defaultMessage": "Bestellungsdetails" + }, + "account_order_history.button.continue_shopping": { + "defaultMessage": "Weiter einkaufen" + }, + "account_order_history.description.once_you_place_order": { + "defaultMessage": "Sobald Sie eine Bestellung aufgegeben haben, werden die Einzelheiten hier angezeigt." + }, + "account_order_history.heading.no_order_yet": { + "defaultMessage": "Sie haben noch keine Bestellung aufgegeben." + }, + "account_order_history.label.num_of_items": { + "defaultMessage": "{count} Artikel", + "description": "Number of items in order" + }, + "account_order_history.label.order_number": { + "defaultMessage": "Bestellungsnummer: {orderNumber}" + }, + "account_order_history.label.ordered_date": { + "defaultMessage": "Bestellt: {date}" + }, + "account_order_history.label.shipped_to": { + "defaultMessage": "Versand an: {name}" + }, + "account_order_history.link.view_details": { + "defaultMessage": "Details anzeigen" + }, + "account_order_history.title.order_history": { + "defaultMessage": "Bestellverlauf" + }, + "account_wishlist.button.continue_shopping": { + "defaultMessage": "Weiter einkaufen" + }, + "account_wishlist.description.continue_shopping": { + "defaultMessage": "Kaufen Sie weiter ein und fügen Sie Ihrer Wunschliste Artikel hinzu." + }, + "account_wishlist.heading.no_wishlist": { + "defaultMessage": "Keine Artikel auf der Wunschliste" + }, + "account_wishlist.title.wishlist": { + "defaultMessage": "Wunschliste" + }, + "action_card.action.edit": { + "defaultMessage": "Bearbeiten" + }, + "action_card.action.remove": { + "defaultMessage": "Entfernen" + }, + "add_to_cart_modal.info.added_to_cart": { + "defaultMessage": "{quantity} {quantity, plural, one {Artikel} other {Artikel}} zum Warenkorb hinzugefügt" + }, + "add_to_cart_modal.label.cart_subtotal": { + "defaultMessage": "Zwischensumme des Warenkorbs ({itemAccumulatedCount} Artikel)" + }, + "add_to_cart_modal.label.quantity": { + "defaultMessage": "Menge" + }, + "add_to_cart_modal.link.checkout": { + "defaultMessage": "Weiter zum Checkout" + }, + "add_to_cart_modal.link.view_cart": { + "defaultMessage": "Warenkorb anzeigen" + }, + "add_to_cart_modal.recommended_products.title.might_also_like": { + "defaultMessage": "Das könnte Ihnen auch gefallen" + }, + "auth_modal.button.close.assistive_msg": { + "defaultMessage": "Anmeldeformular schließen" + }, + "auth_modal.description.now_signed_in": { + "defaultMessage": "Sie sind jetzt angemeldet." + }, + "auth_modal.error.incorrect_email_or_password": { + "defaultMessage": "Irgendetwas stimmt mit Ihrer E-Mail-Adresse oder Ihrem Passwort nicht. Bitte versuchen Sie es erneut." + }, + "auth_modal.info.welcome_user": { + "defaultMessage": "Willkommen {name}," + }, + "auth_modal.password_reset_success.button.back_to_sign_in": { + "defaultMessage": "Zurück zur Anmeldung" + }, + "auth_modal.password_reset_success.info.will_email_shortly": { + "defaultMessage": "Sie erhalten in Kürze eine E-Mail an {email} mit einem Link zum Zurücksetzen Ihres Passworts." + }, + "auth_modal.password_reset_success.title.password_reset": { + "defaultMessage": "Zurücksetzen des Passworts" + }, + "carousel.button.scroll_left.assistive_msg": { + "defaultMessage": "Karussell nach links scrollen" + }, + "carousel.button.scroll_right.assistive_msg": { + "defaultMessage": "Karussell nach rechts scrollen" + }, + "cart.info.removed_from_cart": { + "defaultMessage": "Artikel aus dem Warenkorb entfernt" + }, + "cart.recommended_products.title.may_also_like": { + "defaultMessage": "Das könnte Ihnen auch gefallen" + }, + "cart.recommended_products.title.recently_viewed": { + "defaultMessage": "Zuletzt angesehen" + }, + "cart_cta.link.checkout": { + "defaultMessage": "Weiter zum Checkout" + }, + "cart_secondary_button_group.action.added_to_wishlist": { + "defaultMessage": "Zur Wunschliste hinzufügen" + }, + "cart_secondary_button_group.action.edit": { + "defaultMessage": "Bearbeiten" + }, + "cart_secondary_button_group.action.remove": { + "defaultMessage": "Entfernen" + }, + "cart_secondary_button_group.label.this_is_gift": { + "defaultMessage": "Dies ist ein Geschenk." + }, + "cart_skeleton.heading.order_summary": { + "defaultMessage": "Bestellungsübersicht" + }, + "cart_skeleton.title.cart": { + "defaultMessage": "Warenkorb" + }, + "cart_title.title.cart_num_of_items": { + "defaultMessage": "Warenkorb ({itemCount, plural, =0 {0 Artikel} one {# Artikel} other {# Artikel}})" + }, + "cc_radio_group.action.remove": { + "defaultMessage": "Entfernen" + }, + "cc_radio_group.button.add_new_card": { + "defaultMessage": "Neue Karte hinzufügen" + }, + "checkout.button.place_order": { + "defaultMessage": "Bestellen" + }, + "checkout.message.generic_error": { + "defaultMessage": "Während der Kaufabwicklung ist ein unerwarteter Fehler aufgetreten:" + }, + "checkout_confirmation.button.create_account": { + "defaultMessage": "Konto erstellen" + }, + "checkout_confirmation.heading.billing_address": { + "defaultMessage": "Rechnungsadresse" + }, + "checkout_confirmation.heading.create_account": { + "defaultMessage": "Für schnellere Kaufabwicklung ein Konto erstellen" + }, + "checkout_confirmation.heading.credit_card": { + "defaultMessage": "Kreditkarte" + }, + "checkout_confirmation.heading.delivery_details": { + "defaultMessage": "Lieferdetails" + }, + "checkout_confirmation.heading.order_summary": { + "defaultMessage": "Bestellungsübersicht" + }, + "checkout_confirmation.heading.payment_details": { + "defaultMessage": "Zahlungsdetails" + }, + "checkout_confirmation.heading.shipping_address": { + "defaultMessage": "Lieferadresse" + }, + "checkout_confirmation.heading.shipping_method": { + "defaultMessage": "Versandmethode" + }, + "checkout_confirmation.heading.thank_you_for_order": { + "defaultMessage": "Vielen Dank für Ihre Bestellung!" + }, + "checkout_confirmation.label.free": { + "defaultMessage": "Gratis" + }, + "checkout_confirmation.label.order_number": { + "defaultMessage": "Bestellungsnummer" + }, + "checkout_confirmation.label.order_total": { + "defaultMessage": "Gesamtbetrag" + }, + "checkout_confirmation.label.promo_applied": { + "defaultMessage": "Werbeaktion angewendet" + }, + "checkout_confirmation.label.shipping": { + "defaultMessage": "Versand" + }, + "checkout_confirmation.label.subtotal": { + "defaultMessage": "Zwischensumme" + }, + "checkout_confirmation.label.tax": { + "defaultMessage": "Steuern" + }, + "checkout_confirmation.link.continue_shopping": { + "defaultMessage": "Weiter einkaufen" + }, + "checkout_confirmation.link.login": { + "defaultMessage": "Hier einloggen" + }, + "checkout_confirmation.message.already_has_account": { + "defaultMessage": "Diese E-Mail-Adresse ist bereits mit einem Konto verknüpft." + }, + "checkout_confirmation.message.num_of_items_in_order": { + "defaultMessage": "{itemCount, plural, =0 {0 Artikel} one {# Artikel} other {# Artikel}}", + "description": "# item(s) in order" + }, + "checkout_confirmation.message.will_email_shortly": { + "defaultMessage": "Wir senden in Kürze eine E-Mail mit Ihrer Bestätigungsnummer und Ihrem Beleg an {email}." + }, + "checkout_footer.link.privacy_policy": { + "defaultMessage": "Datenschutzrichtlinie" + }, + "checkout_footer.link.returns_exchanges": { + "defaultMessage": "Retouren und Umtausch" + }, + "checkout_footer.link.shipping": { + "defaultMessage": "Versand" + }, + "checkout_footer.link.site_map": { + "defaultMessage": "Sitemap" + }, + "checkout_footer.link.terms_conditions": { + "defaultMessage": "Allgemeine Geschäftsbedingungen" + }, + "checkout_footer.message.copyright": { + "defaultMessage": "Salesforce oder dessen Geschäftspartner. Alle Rechte vorbehalten. Dies ist lediglich ein Geschäft zu Demonstrationszwecken. Aufgegebene Bestellungen WERDEN NICHT bearbeitet." + }, + "checkout_header.link.assistive_msg.cart": { + "defaultMessage": "Zurück zum Warenkorb, Anzahl der Artikel: {numItems}" + }, + "checkout_header.link.cart": { + "defaultMessage": "Zurück zum Warenkorb" + }, + "checkout_payment.action.remove": { + "defaultMessage": "Entfernen" + }, + "checkout_payment.button.review_order": { + "defaultMessage": "Bestellung überprüfen" + }, + "checkout_payment.heading.billing_address": { + "defaultMessage": "Rechnungsadresse" + }, + "checkout_payment.heading.credit_card": { + "defaultMessage": "Kreditkarte" + }, + "checkout_payment.label.same_as_shipping": { + "defaultMessage": "Entspricht der Lieferadresse" + }, + "checkout_payment.title.payment": { + "defaultMessage": "Zahlung" + }, + "colorRefinements.label.hitCount": { + "defaultMessage": "{colorLabel} ({colorHitCount})" + }, + "confirmation_modal.default.action.no": { + "defaultMessage": "Nein" + }, + "confirmation_modal.default.action.yes": { + "defaultMessage": "Ja" + }, + "confirmation_modal.default.message.you_want_to_continue": { + "defaultMessage": "Möchten Sie wirklich fortfahren?" + }, + "confirmation_modal.default.title.confirm_action": { + "defaultMessage": "Aktion bestätigen" + }, + "confirmation_modal.remove_cart_item.action.no": { + "defaultMessage": "Nein, Artikel beibehalten" + }, + "confirmation_modal.remove_cart_item.action.remove": { + "defaultMessage": "Entfernen" + }, + "confirmation_modal.remove_cart_item.action.yes": { + "defaultMessage": "Ja, Artikel entfernen" + }, + "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": { + "defaultMessage": "Einige Artikel sind nicht mehr online verfügbar und werden aus Ihrem Warenkorb entfernt." + }, + "confirmation_modal.remove_cart_item.message.sure_to_remove": { + "defaultMessage": "Möchten Sie diesen Artikel wirklich aus Ihrem Warenkorb löschen?" + }, + "confirmation_modal.remove_cart_item.title.confirm_remove": { + "defaultMessage": "Entfernung des Artikels bestätigen" + }, + "confirmation_modal.remove_cart_item.title.items_unavailable": { + "defaultMessage": "Artikel nicht verfügbar" + }, + "confirmation_modal.remove_wishlist_item.action.no": { + "defaultMessage": "Nein, Artikel beibehalten" + }, + "confirmation_modal.remove_wishlist_item.action.yes": { + "defaultMessage": "Ja, Artikel entfernen" + }, + "confirmation_modal.remove_wishlist_item.message.sure_to_remove": { + "defaultMessage": "Möchten Sie diesen Artikel wirklich aus Ihrer Wunschliste entfernen?" + }, + "confirmation_modal.remove_wishlist_item.title.confirm_remove": { + "defaultMessage": "Entfernung des Artikels bestätigen" + }, + "contact_info.action.sign_out": { + "defaultMessage": "Abmelden" + }, + "contact_info.button.already_have_account": { + "defaultMessage": "Sie haben bereits ein Konto? Einloggen" + }, + "contact_info.button.checkout_as_guest": { + "defaultMessage": "Kaufabwicklung als Gast" + }, + "contact_info.button.login": { + "defaultMessage": "Einloggen" + }, + "contact_info.error.incorrect_username_or_password": { + "defaultMessage": "Benutzername oder Passwort falsch, bitte erneut versuchen." + }, + "contact_info.link.forgot_password": { + "defaultMessage": "Passwort vergessen?" + }, + "contact_info.title.contact_info": { + "defaultMessage": "Kontaktinfo" + }, + "credit_card_fields.tool_tip.security_code": { + "defaultMessage": "Dieser 3-stellige Code kann der Rückseite Ihrer Karte entnommen werden.", + "description": "Generic credit card security code help text" + }, + "credit_card_fields.tool_tip.security_code.american_express": { + "defaultMessage": "Dieser 4-stellige Code kann der Vorderseite Ihrer Karte entnommen werden.", + "description": "American Express security code help text" + }, + "credit_card_fields.tool_tip.security_code_aria_label": { + "defaultMessage": "Informationen zum Sicherheitscode" + }, + "drawer_menu.button.account_details": { + "defaultMessage": "Kontodetails" + }, + "drawer_menu.button.addresses": { + "defaultMessage": "Adressen" + }, + "drawer_menu.button.log_out": { + "defaultMessage": "Ausloggen" + }, + "drawer_menu.button.my_account": { + "defaultMessage": "Mein Konto" + }, + "drawer_menu.button.order_history": { + "defaultMessage": "Bestellverlauf" + }, + "drawer_menu.link.about_us": { + "defaultMessage": "Über uns" + }, + "drawer_menu.link.customer_support": { + "defaultMessage": "Kundenservice" + }, + "drawer_menu.link.customer_support.contact_us": { + "defaultMessage": "Kontakt" + }, + "drawer_menu.link.customer_support.shipping_and_returns": { + "defaultMessage": "Versand und Retouren" + }, + "drawer_menu.link.our_company": { + "defaultMessage": "Unser Unternehmen" + }, + "drawer_menu.link.privacy_and_security": { + "defaultMessage": "Datenschutz und Sicherheit" + }, + "drawer_menu.link.privacy_policy": { + "defaultMessage": "Datenschutzrichtlinie" + }, + "drawer_menu.link.shop_all": { + "defaultMessage": "Alle durchstöbern" + }, + "drawer_menu.link.sign_in": { + "defaultMessage": "Anmelden" + }, + "drawer_menu.link.site_map": { + "defaultMessage": "Sitemap" + }, + "drawer_menu.link.store_locator": { + "defaultMessage": "Shop-Finder" + }, + "drawer_menu.link.terms_and_conditions": { + "defaultMessage": "Allgemeine Geschäftsbedingungen" + }, + "empty_cart.description.empty_cart": { + "defaultMessage": "Ihr Warenkorb ist leer." + }, + "empty_cart.link.continue_shopping": { + "defaultMessage": "Weiter einkaufen" + }, + "empty_cart.link.sign_in": { + "defaultMessage": "Anmelden" + }, + "empty_cart.message.continue_shopping": { + "defaultMessage": "Setzen Sie Ihren Einkauf fort, um Ihrem Warenkorb Artikel hinzuzufügen." + }, + "empty_cart.message.sign_in_or_continue_shopping": { + "defaultMessage": "Melden Sie sich an, um Ihre gespeicherten Artikel abzurufen oder mit dem Einkauf fortzufahren." + }, + "empty_search_results.info.cant_find_anything_for_category": { + "defaultMessage": "Wir konnten in der Kategorie \"{category}\" nichts finden. Suchen Sie nach einem Produkt oder setzen Sie sich mit unserem {link} in Verbindung." + }, + "empty_search_results.info.cant_find_anything_for_query": { + "defaultMessage": "Wir konnten für die Anfrage \"{searchQuery}\" nichts finden." + }, + "empty_search_results.info.double_check_spelling": { + "defaultMessage": "Überprüfen Sie Ihre Schreibweise und versuchen Sie es erneut oder {link}." + }, + "empty_search_results.link.contact_us": { + "defaultMessage": "Kontakt" + }, + "empty_search_results.recommended_products.title.most_viewed": { + "defaultMessage": "Meistgesehen" + }, + "empty_search_results.recommended_products.title.top_sellers": { + "defaultMessage": "Verkaufshits" + }, + "field.password.assistive_msg.hide_password": { + "defaultMessage": "Passwort verbergen" + }, + "field.password.assistive_msg.show_password": { + "defaultMessage": "Passwort anzeigen" + }, + "footer.column.account": { + "defaultMessage": "Konto" + }, + "footer.column.customer_support": { + "defaultMessage": "Kundenservice" + }, + "footer.column.our_company": { + "defaultMessage": "Unser Unternehmen" + }, + "footer.link.about_us": { + "defaultMessage": "Über uns" + }, + "footer.link.contact_us": { + "defaultMessage": "Kontakt" + }, + "footer.link.order_status": { + "defaultMessage": "Bestellstatus" + }, + "footer.link.privacy_policy": { + "defaultMessage": "Datenschutzrichtlinie" + }, + "footer.link.shipping": { + "defaultMessage": "Versand" + }, + "footer.link.signin_create_account": { + "defaultMessage": "Anmelden oder Konto erstellen" + }, + "footer.link.site_map": { + "defaultMessage": "Sitemap" + }, + "footer.link.store_locator": { + "defaultMessage": "Shop-Finder" + }, + "footer.link.terms_conditions": { + "defaultMessage": "Allgemeine Geschäftsbedingungen" + }, + "footer.message.copyright": { + "defaultMessage": "Salesforce oder dessen Geschäftspartner. Alle Rechte vorbehalten. Dies ist lediglich ein Geschäft zu Demonstrationszwecken. Aufgegebene Bestellungen WERDEN NICHT bearbeitet." + }, + "footer.subscribe.button.sign_up": { + "defaultMessage": "Registrieren" + }, + "footer.subscribe.description.sign_up": { + "defaultMessage": "Melden Sie sich an, um stets die neuesten Angebote zu erhalten" + }, + "footer.subscribe.heading.first_to_know": { + "defaultMessage": "Aktuelle Infos für Sie" + }, + "form_action_buttons.button.cancel": { + "defaultMessage": "Abbrechen" + }, + "form_action_buttons.button.save": { + "defaultMessage": "Speichern" + }, + "global.account.link.account_details": { + "defaultMessage": "Kontodetails" + }, + "global.account.link.addresses": { + "defaultMessage": "Adressen" + }, + "global.account.link.order_history": { + "defaultMessage": "Bestellverlauf" + }, + "global.account.link.wishlist": { + "defaultMessage": "Wunschliste" + }, + "global.error.something_went_wrong": { + "defaultMessage": "Es ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut." + }, + "global.info.added_to_wishlist": { + "defaultMessage": "{quantity} {quantity, plural, one {Artikel} other {Artikel}} zur Wunschliste hinzugefügt" + }, + "global.info.already_in_wishlist": { + "defaultMessage": "Artikel befindet sich bereits auf der Wunschliste" + }, + "global.info.removed_from_wishlist": { + "defaultMessage": "Artikel aus der Wunschliste entfernt" + }, + "global.link.added_to_wishlist.view_wishlist": { + "defaultMessage": "Anzeigen" + }, + "header.button.assistive_msg.logo": { + "defaultMessage": "Logo" + }, + "header.button.assistive_msg.menu": { + "defaultMessage": "Menü" + }, + "header.button.assistive_msg.my_account": { + "defaultMessage": "Mein Konto" + }, + "header.button.assistive_msg.my_account_menu": { + "defaultMessage": "Kontomenü öffnen" + }, + "header.button.assistive_msg.my_cart_with_num_items": { + "defaultMessage": "Mein Warenkorb, Anzahl der Artikel: {numItems}" + }, + "header.button.assistive_msg.wishlist": { + "defaultMessage": "Wunschliste" + }, + "header.field.placeholder.search_for_products": { + "defaultMessage": "Nach Produkten suchen …" + }, + "header.popover.action.log_out": { + "defaultMessage": "Ausloggen" + }, + "header.popover.title.my_account": { + "defaultMessage": "Mein Konto" + }, + "home.description.features": { + "defaultMessage": "Vorkonfigurierte Funktionalitäten, damit Sie sich voll und ganz auf das Hinzufügen von Erweiterungen konzentrieren können." + }, + "home.description.here_to_help": { + "defaultMessage": "Wenden Sie sich an unser Support-Team." + }, + "home.description.here_to_help_line_2": { + "defaultMessage": "Wir leiten Sie gern an die richtige Stelle weiter." + }, + "home.description.shop_products": { + "defaultMessage": "Dieser Abschnitt enthält Content vom Katalog. Hier erfahren Sie, wie dieser ersetzt werden kann: {docLink}.", + "description": "{docLink} is a html button that links the user to https://sfdc.co/business-manager-manage-catalogs" + }, + "home.features.description.cart_checkout": { + "defaultMessage": "E-Commerce Best Practice für den Warenkorb eines Käufers und das Checkout-Erlebnis." + }, + "home.features.description.components": { + "defaultMessage": "Eine unter Verwendung der Chakra UI entwickelte, einfache, modulare und zugängliche React Komponentenbibliothek." + }, + "home.features.description.einstein_recommendations": { + "defaultMessage": "Liefern Sie das nächstbeste Produkt oder bieten Sie es allen Käufern über Produktempfehlungen an." + }, + "home.features.description.my_account": { + "defaultMessage": "Käufer können Kontoinformationen wie ihr Profil, Adressen, Zahlungen und Bestellungen verwalten." + }, + "home.features.description.shopper_login": { + "defaultMessage": "Ermöglichen Sie es Käufern, sich mit einem personalisierten Kauferlebnis einzuloggen." + }, + "home.features.description.wishlist": { + "defaultMessage": "Registrierte Käufer können Produktartikel zu ihrer Wunschliste hinzufügen, um diese später zu kaufen." + }, + "home.features.heading.cart_checkout": { + "defaultMessage": "Warenkorb und Kaufabwicklung" + }, + "home.features.heading.components": { + "defaultMessage": "Komponenten und Design-Kit" + }, + "home.features.heading.einstein_recommendations": { + "defaultMessage": "Einstein Empfehlungen" + }, + "home.features.heading.my_account": { + "defaultMessage": "Mein Konto" + }, + "home.features.heading.shopper_login": { + "defaultMessage": "Shopper Login and API Access Service (SLAS)" + }, + "home.features.heading.wishlist": { + "defaultMessage": "Wunschliste" + }, + "home.heading.features": { + "defaultMessage": "Funktionalitäten" + }, + "home.heading.here_to_help": { + "defaultMessage": "Wir sind für Sie da" + }, + "home.heading.shop_products": { + "defaultMessage": "Produkte durchstöbern" + }, + "home.hero_features.link.design_kit": { + "defaultMessage": "Mit dem Figma PWA Design Kit arbeiten" + }, + "home.hero_features.link.on_github": { + "defaultMessage": "Auf Github herunterladen" + }, + "home.hero_features.link.on_managed_runtime": { + "defaultMessage": "Auf Managed Runtime bereitstellen" + }, + "home.link.contact_us": { + "defaultMessage": "Kontakt" + }, + "home.link.get_started": { + "defaultMessage": "Erste Schritte" + }, + "home.link.read_docs": { + "defaultMessage": "Dokumente lesen" + }, + "home.title.react_starter_store": { + "defaultMessage": "React PWA Starter Store für den Einzelhandel" + }, + "icons.assistive_msg.lock": { + "defaultMessage": "SICHER" + }, + "item_attributes.label.promotions": { + "defaultMessage": "Werbeaktionen" + }, + "item_attributes.label.quantity": { + "defaultMessage": "Menge: {quantity}" + }, + "item_image.label.sale": { + "defaultMessage": "Sonderangebot", + "description": "A sale badge placed on top of a product image" + }, + "item_image.label.unavailable": { + "defaultMessage": "Nicht verfügbar", + "description": "A unavailable badge placed on top of a product image" + }, + "item_price.label.starting_at": { + "defaultMessage": "Ab" + }, + "lCPCxk": { + "defaultMessage": "Bitte alle Optionen oben auswählen" + }, + "list_menu.nav.assistive_msg": { + "defaultMessage": "Hauptnavigation" + }, + "locale_text.message.ar-SA": { + "defaultMessage": "Arabisch (Saudi-Arabien)" + }, + "locale_text.message.bn-BD": { + "defaultMessage": "Bangla (Bangladesch)" + }, + "locale_text.message.bn-IN": { + "defaultMessage": "Bangla (Indien)" + }, + "locale_text.message.cs-CZ": { + "defaultMessage": "Tschechisch (Tschechische Republik)" + }, + "locale_text.message.da-DK": { + "defaultMessage": "Dänisch (Dänemark)" + }, + "locale_text.message.de-AT": { + "defaultMessage": "Deutsch (Österreich)" + }, + "locale_text.message.de-CH": { + "defaultMessage": "Deutsch (Schweiz)" + }, + "locale_text.message.de-DE": { + "defaultMessage": "Deutsch (Deutschland)" + }, + "locale_text.message.el-GR": { + "defaultMessage": "Griechisch (Griechenland)" + }, + "locale_text.message.en-AU": { + "defaultMessage": "Englisch (Australien)" + }, + "locale_text.message.en-CA": { + "defaultMessage": "Englisch (Kanada)" + }, + "locale_text.message.en-GB": { + "defaultMessage": "Englisch (Vereinigtes Königreich)" + }, + "locale_text.message.en-IE": { + "defaultMessage": "Englisch (Irland)" + }, + "locale_text.message.en-IN": { + "defaultMessage": "Englisch (Indien)" + }, + "locale_text.message.en-NZ": { + "defaultMessage": "Englisch (Neuseeland)" + }, + "locale_text.message.en-US": { + "defaultMessage": "Englisch (USA)" + }, + "locale_text.message.en-ZA": { + "defaultMessage": "Englisch (Südafrika)" + }, + "locale_text.message.es-AR": { + "defaultMessage": "Spanisch (Argentinien)" + }, + "locale_text.message.es-CL": { + "defaultMessage": "Spanisch (Chile)" + }, + "locale_text.message.es-CO": { + "defaultMessage": "Spanisch (Kolumbien)" + }, + "locale_text.message.es-ES": { + "defaultMessage": "Spanisch (Spanien)" + }, + "locale_text.message.es-MX": { + "defaultMessage": "Spanisch (Mexiko)" + }, + "locale_text.message.es-US": { + "defaultMessage": "Spanisch (USA)" + }, + "locale_text.message.fi-FI": { + "defaultMessage": "Finnisch (Finnland)" + }, + "locale_text.message.fr-BE": { + "defaultMessage": "Französisch (Belgien)" + }, + "locale_text.message.fr-CA": { + "defaultMessage": "Französisch (Kanada)" + }, + "locale_text.message.fr-CH": { + "defaultMessage": "Französisch (Schweiz)" + }, + "locale_text.message.fr-FR": { + "defaultMessage": "Französisch (Frankreich)" + }, + "locale_text.message.he-IL": { + "defaultMessage": "Hebräisch (Israel)" + }, + "locale_text.message.hi-IN": { + "defaultMessage": "Hindi (Indien)" + }, + "locale_text.message.hu-HU": { + "defaultMessage": "Ungarisch (Ungarn)" + }, + "locale_text.message.id-ID": { + "defaultMessage": "Indonesisch (Indonesien)" + }, + "locale_text.message.it-CH": { + "defaultMessage": "Italienisch (Schweiz)" + }, + "locale_text.message.it-IT": { + "defaultMessage": "Italienisch (Italien)" + }, + "locale_text.message.ja-JP": { + "defaultMessage": "Japanisch (Japan)" + }, + "locale_text.message.ko-KR": { + "defaultMessage": "Koreanisch (Republik Korea)" + }, + "locale_text.message.nl-BE": { + "defaultMessage": "Niederländisch (Belgien)" + }, + "locale_text.message.nl-NL": { + "defaultMessage": "Niederländisch (Niederlande)" + }, + "locale_text.message.no-NO": { + "defaultMessage": "Norwegisch (Norwegen)" + }, + "locale_text.message.pl-PL": { + "defaultMessage": "Polnisch (Polen)" + }, + "locale_text.message.pt-BR": { + "defaultMessage": "Portugiesisch (Brasilien)" + }, + "locale_text.message.pt-PT": { + "defaultMessage": "Portugiesisch (Portugal)" + }, + "locale_text.message.ro-RO": { + "defaultMessage": "Rumänisch (Rumänien)" + }, + "locale_text.message.ru-RU": { + "defaultMessage": "Russisch (Russische Föderation)" + }, + "locale_text.message.sk-SK": { + "defaultMessage": "Slowakisch (Slowakei)" + }, + "locale_text.message.sv-SE": { + "defaultMessage": "Schwedisch (Schweden)" + }, + "locale_text.message.ta-IN": { + "defaultMessage": "Tamil (Indien)" + }, + "locale_text.message.ta-LK": { + "defaultMessage": "Tamil (Sri Lanka)" + }, + "locale_text.message.th-TH": { + "defaultMessage": "Thai (Thailand)" + }, + "locale_text.message.tr-TR": { + "defaultMessage": "Türkisch (Türkei)" + }, + "locale_text.message.zh-CN": { + "defaultMessage": "Chinesisch (China)" + }, + "locale_text.message.zh-HK": { + "defaultMessage": "Chinesisch (Hongkong)" + }, + "locale_text.message.zh-TW": { + "defaultMessage": "Chinesisch (Taiwan)" + }, + "login_form.action.create_account": { + "defaultMessage": "Konto erstellen" + }, + "login_form.button.sign_in": { + "defaultMessage": "Anmelden" + }, + "login_form.link.forgot_password": { + "defaultMessage": "Passwort vergessen?" + }, + "login_form.message.dont_have_account": { + "defaultMessage": "Sie haben noch kein Konto?" + }, + "login_form.message.welcome_back": { + "defaultMessage": "Willkommen zurück" + }, + "login_page.error.incorrect_username_or_password": { + "defaultMessage": "Benutzername oder Passwort falsch, bitte erneut versuchen." + }, + "offline_banner.description.browsing_offline_mode": { + "defaultMessage": "Sie browsen derzeit im Offline-Modus." + }, + "order_summary.action.remove_promo": { + "defaultMessage": "Entfernen" + }, + "order_summary.cart_items.action.num_of_items_in_cart": { + "defaultMessage": "{itemCount, plural, =0 {0 Artikel} one {# Artikel} other {# Artikel}} im Warenkorb", + "description": "clicking it would expand/show the items in cart" + }, + "order_summary.cart_items.link.edit_cart": { + "defaultMessage": "Warenkorb bearbeiten" + }, + "order_summary.heading.order_summary": { + "defaultMessage": "Bestellungsübersicht" + }, + "order_summary.label.estimated_total": { + "defaultMessage": "Geschätzter Gesamtbetrag" + }, + "order_summary.label.free": { + "defaultMessage": "Gratis" + }, + "order_summary.label.order_total": { + "defaultMessage": "Gesamtbetrag" + }, + "order_summary.label.promo_applied": { + "defaultMessage": "Werbeaktion angewendet" + }, + "order_summary.label.promotions_applied": { + "defaultMessage": "Werbeaktionen angewendet" + }, + "order_summary.label.shipping": { + "defaultMessage": "Versand" + }, + "order_summary.label.subtotal": { + "defaultMessage": "Zwischensumme" + }, + "order_summary.label.tax": { + "defaultMessage": "Steuern" + }, + "page_not_found.action.go_back": { + "defaultMessage": "Zurück zur vorherigen Seite" + }, + "page_not_found.link.homepage": { + "defaultMessage": "Zur Startseite" + }, + "page_not_found.message.suggestion_to_try": { + "defaultMessage": "Bitte geben Sie die Adresse erneut ein, kehren Sie zur vorherigen Seite zurück oder navigieren Sie zur Startseite." + }, + "page_not_found.title.page_cant_be_found": { + "defaultMessage": "Die von Ihnen gesuchte Seite kann nicht gefunden werden." + }, + "pagination.field.num_of_pages": { + "defaultMessage": "von {numOfPages}" + }, + "pagination.link.next": { + "defaultMessage": "Weiter" + }, + "pagination.link.next.assistive_msg": { + "defaultMessage": "Nächste Seite" + }, + "pagination.link.prev": { + "defaultMessage": "Zurück" + }, + "pagination.link.prev.assistive_msg": { + "defaultMessage": "Vorherige Seite" + }, + "password_card.info.password_updated": { + "defaultMessage": "Passwort aktualisiert" + }, + "password_card.label.password": { + "defaultMessage": "Passwort" + }, + "password_card.title.password": { + "defaultMessage": "Passwort" + }, + "password_requirements.error.eight_letter_minimum": { + "defaultMessage": "mindestens 8 Zeichen", + "description": "Password requirement" + }, + "password_requirements.error.one_lowercase_letter": { + "defaultMessage": "1 Kleinbuchstabe", + "description": "Password requirement" + }, + "password_requirements.error.one_number": { + "defaultMessage": "1 Ziffer", + "description": "Password requirement" + }, + "password_requirements.error.one_special_character": { + "defaultMessage": "1 Sonderzeichen (Beispiel: , S ! % #)", + "description": "Password requirement" + }, + "password_requirements.error.one_uppercase_letter": { + "defaultMessage": "1 Großbuchstabe", + "description": "Password requirement" + }, + "payment_selection.heading.credit_card": { + "defaultMessage": "Kreditkarte" + }, + "payment_selection.tooltip.secure_payment": { + "defaultMessage": "Hierbei handelt es sich um eine sichere SSL-verschlüsselte Zahlung." + }, + "price_per_item.label.each": { + "defaultMessage": "Stk.", + "description": "Abbreviated 'each', follows price per item, like $10/ea" + }, + "product_detail.accordion.button.product_detail": { + "defaultMessage": "Produktdetails" + }, + "product_detail.accordion.button.questions": { + "defaultMessage": "Fragen" + }, + "product_detail.accordion.button.reviews": { + "defaultMessage": "Rezensionen" + }, + "product_detail.accordion.button.size_fit": { + "defaultMessage": "Größe und Passform" + }, + "product_detail.accordion.message.coming_soon": { + "defaultMessage": "bald verfügbar" + }, + "product_detail.recommended_products.title.complete_set": { + "defaultMessage": "Set vervollständigen" + }, + "product_detail.recommended_products.title.might_also_like": { + "defaultMessage": "Das könnte Ihnen auch gefallen" + }, + "product_detail.recommended_products.title.recently_viewed": { + "defaultMessage": "Zuletzt angesehen" + }, + "product_item.label.quantity": { + "defaultMessage": "Menge:" + }, + "product_list.button.filter": { + "defaultMessage": "Filtern" + }, + "product_list.button.sort_by": { + "defaultMessage": "Sortieren nach: {sortOption}" + }, + "product_list.drawer.title.sort_by": { + "defaultMessage": "Sortieren nach" + }, + "product_list.modal.button.clear_filters": { + "defaultMessage": "Filter löschen" + }, + "product_list.modal.button.view_items": { + "defaultMessage": "{prroductCount} Artikel anzeigen" + }, + "product_list.modal.title.filter": { + "defaultMessage": "Filtern" + }, + "product_list.refinements.button.assistive_msg.add_filter": { + "defaultMessage": "Filter hinzufügen: {label}" + }, + "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": { + "defaultMessage": "Filter hinzufügen: {label} ({hitCount})" + }, + "product_list.refinements.button.assistive_msg.remove_filter": { + "defaultMessage": "Filter entfernen: {label}" + }, + "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": { + "defaultMessage": "Filter entfernen: {label} ({hitCount})" + }, + "product_list.select.sort_by": { + "defaultMessage": "Sortieren nach: {sortOption}" + }, + "product_scroller.assistive_msg.scroll_left": { + "defaultMessage": "Produkte nach links scrollen" + }, + "product_scroller.assistive_msg.scroll_right": { + "defaultMessage": "Produkte nach rechts scrollen" + }, + "product_tile.assistive_msg.add_to_wishlist": { + "defaultMessage": "{product} zur Wunschliste hinzufügen" + }, + "product_tile.assistive_msg.remove_from_wishlist": { + "defaultMessage": "{product} aus der Wunschliste entfernt" + }, + "product_tile.label.starting_at_price": { + "defaultMessage": "Ab {price}" + }, + "product_view.button.add_set_to_cart": { + "defaultMessage": "Set zum Warenkorb hinzufügen" + }, + "product_view.button.add_set_to_wishlist": { + "defaultMessage": "Set zur Wunschliste hinzufügen" + }, + "product_view.button.add_to_cart": { + "defaultMessage": "In den Warenkorb" + }, + "product_view.button.add_to_wishlist": { + "defaultMessage": "Zur Wunschliste hinzufügen" + }, + "product_view.button.update": { + "defaultMessage": "Aktualisieren" + }, + "product_view.label.assistive_msg.quantity_decrement": { + "defaultMessage": "Menge verringern" + }, + "product_view.label.assistive_msg.quantity_increment": { + "defaultMessage": "Menge erhöhen" + }, + "product_view.label.quantity": { + "defaultMessage": "Menge" + }, + "product_view.label.quantity_decrement": { + "defaultMessage": "−" + }, + "product_view.label.quantity_increment": { + "defaultMessage": "+" + }, + "product_view.label.starting_at_price": { + "defaultMessage": "Ab" + }, + "product_view.label.variant_type": { + "defaultMessage": "{variantType}" + }, + "product_view.link.full_details": { + "defaultMessage": "Alle Details anzeigen" + }, + "profile_card.info.profile_updated": { + "defaultMessage": "Profil aktualisiert" + }, + "profile_card.label.email": { + "defaultMessage": "E-Mail" + }, + "profile_card.label.full_name": { + "defaultMessage": "Vollständiger Name" + }, + "profile_card.label.phone": { + "defaultMessage": "Telefonnummer" + }, + "profile_card.message.not_provided": { + "defaultMessage": "Nicht angegeben" + }, + "profile_card.title.my_profile": { + "defaultMessage": "Mein Profil" + }, + "promo_code_fields.button.apply": { + "defaultMessage": "Anwenden" + }, + "promo_popover.assistive_msg.info": { + "defaultMessage": "Info" + }, + "promo_popover.heading.promo_applied": { + "defaultMessage": "Werbeaktionen angewendet" + }, + "promocode.accordion.button.have_promocode": { + "defaultMessage": "Haben Sie einen Aktionscode?" + }, + "recent_searches.action.clear_searches": { + "defaultMessage": "Letzte Suchabfragen löschen" + }, + "recent_searches.heading.recent_searches": { + "defaultMessage": "Letzte Suchabfragen" + }, + "register_form.action.sign_in": { + "defaultMessage": "Anmelden" + }, + "register_form.button.create_account": { + "defaultMessage": "Konto erstellen" + }, + "register_form.heading.lets_get_started": { + "defaultMessage": "Es kann losgehen!" + }, + "register_form.message.agree_to_policy_terms": { + "defaultMessage": "Durch das Erstellen eines Kontos stimmen Sie der Datenschutzerklärung und den allgemeinen Geschäftsbedingungen von Salesforce zu." + }, + "register_form.message.already_have_account": { + "defaultMessage": "Sie haben bereits ein Konto?" + }, + "register_form.message.create_an_account": { + "defaultMessage": "Erstellen Sie ein Konto und Sie erhalten als Erstes Zugang zu den besten Produkten und Inspirationen sowie zur Community." + }, + "reset_password.button.back_to_sign_in": { + "defaultMessage": "Zurück zur Anmeldung" + }, + "reset_password.info.receive_email_shortly": { + "defaultMessage": "Sie erhalten in Kürze eine E-Mail an {email} mit einem Link zum Zurücksetzen Ihres Passworts." + }, + "reset_password.title.password_reset": { + "defaultMessage": "Zurücksetzen des Passworts" + }, + "reset_password_form.action.sign_in": { + "defaultMessage": "Anmelden" + }, + "reset_password_form.button.reset_password": { + "defaultMessage": "Passwort zurücksetzen" + }, + "reset_password_form.message.enter_your_email": { + "defaultMessage": "Geben Sie bitte Ihre E-Mail-Adresse ein, um Anweisungen zum Zurücksetzen Ihres Passworts zu erhalten." + }, + "reset_password_form.message.return_to_sign_in": { + "defaultMessage": "Oder zurück zu", + "description": "Precedes link to return to sign in" + }, + "reset_password_form.title.reset_password": { + "defaultMessage": "Passwort zurücksetzen" + }, + "search.action.cancel": { + "defaultMessage": "Abbrechen" + }, + "selected_refinements.action.assistive_msg.clear_all": { + "defaultMessage": "Alle Filter löschen" + }, + "selected_refinements.action.clear_all": { + "defaultMessage": "Auswahl aufheben" + }, + "shipping_address.button.continue_to_shipping": { + "defaultMessage": "Weiter zur Versandmethode" + }, + "shipping_address.title.shipping_address": { + "defaultMessage": "Lieferadresse" + }, + "shipping_address_edit_form.button.save_and_continue": { + "defaultMessage": "Speichern und mit Versandmethode fortfahren" + }, + "shipping_address_form.heading.edit_address": { + "defaultMessage": "Adresse bearbeiten" + }, + "shipping_address_form.heading.new_address": { + "defaultMessage": "Neue Adresse hinzufügen" + }, + "shipping_address_selection.button.add_address": { + "defaultMessage": "Neue Adresse hinzufügen" + }, + "shipping_address_selection.button.submit": { + "defaultMessage": "Senden" + }, + "shipping_address_selection.title.add_address": { + "defaultMessage": "Neue Adresse hinzufügen" + }, + "shipping_address_selection.title.edit_shipping": { + "defaultMessage": "Lieferadresse bearbeiten" + }, + "shipping_options.action.send_as_a_gift": { + "defaultMessage": "Möchten Sie die Bestellung als Geschenk versenden?" + }, + "shipping_options.button.continue_to_payment": { + "defaultMessage": "Weiter zur Zahlung" + }, + "shipping_options.title.shipping_gift_options": { + "defaultMessage": "Versand und Geschenkoptionen" + }, + "signout_confirmation_dialog.button.cancel": { + "defaultMessage": "Abbrechen" + }, + "signout_confirmation_dialog.button.sign_out": { + "defaultMessage": "Abmelden" + }, + "signout_confirmation_dialog.heading.sign_out": { + "defaultMessage": "Abmelden" + }, + "signout_confirmation_dialog.message.sure_to_sign_out": { + "defaultMessage": "Möchten Sie sich wirklich abmelden? Sie müssen sich wieder anmelden, um mit Ihrer aktuellen Bestellung fortzufahren." + }, + "swatch_group.selected.label": { + "defaultMessage": "{label}:" + }, + "toggle_card.action.edit": { + "defaultMessage": "Bearbeiten" + }, + "update_password_fields.button.forgot_password": { + "defaultMessage": "Passwort vergessen?" + }, + "use_address_fields.error.please_enter_first_name": { + "defaultMessage": "Bitte geben Sie Ihren Vornamen ein." + }, + "use_address_fields.error.please_enter_last_name": { + "defaultMessage": "Bitte geben Sie Ihren Nachnamen ein." + }, + "use_address_fields.error.please_enter_phone_number": { + "defaultMessage": "Bitte geben Sie Ihre Telefonnummer ein." + }, + "use_address_fields.error.please_enter_your_postal_or_zip": { + "defaultMessage": "Bitte geben Sie Ihre Postleitzahl ein." + }, + "use_address_fields.error.please_select_your_address": { + "defaultMessage": "Bitte geben Sie Ihre Adresse ein." + }, + "use_address_fields.error.please_select_your_city": { + "defaultMessage": "Bitte geben Sie Ihren Wohnort ein." + }, + "use_address_fields.error.please_select_your_country": { + "defaultMessage": "Bitte wählen Sie Ihr Land aus." + }, + "use_address_fields.error.please_select_your_state_or_province": { + "defaultMessage": "Bitte wählen Sie Ihr Bundesland aus." + }, + "use_address_fields.error.required": { + "defaultMessage": "Erforderlich" + }, + "use_address_fields.error.state_code_invalid": { + "defaultMessage": "Bitte geben Sie das Bundesland in Form von zwei Buchstaben ein." + }, + "use_address_fields.label.address": { + "defaultMessage": "Adresse" + }, + "use_address_fields.label.address_form": { + "defaultMessage": "Adressformular" + }, + "use_address_fields.label.city": { + "defaultMessage": "Stadt" + }, + "use_address_fields.label.country": { + "defaultMessage": "Land" + }, + "use_address_fields.label.first_name": { + "defaultMessage": "Vorname" + }, + "use_address_fields.label.last_name": { + "defaultMessage": "Nachname" + }, + "use_address_fields.label.phone": { + "defaultMessage": "Telefon" + }, + "use_address_fields.label.postal_code": { + "defaultMessage": "Postleitzahl" + }, + "use_address_fields.label.preferred": { + "defaultMessage": "Als Standard festlegen" + }, + "use_address_fields.label.province": { + "defaultMessage": "Bundesland" + }, + "use_address_fields.label.state": { + "defaultMessage": "Bundesland" + }, + "use_address_fields.label.zipCode": { + "defaultMessage": "Postleitzahl" + }, + "use_credit_card_fields.error.required": { + "defaultMessage": "Erforderlich" + }, + "use_credit_card_fields.error.required_card_number": { + "defaultMessage": "Bitte geben Sie Ihre Kartennummer ein." + }, + "use_credit_card_fields.error.required_expiry": { + "defaultMessage": "Bitte geben Sie Ihr Ablaufdatum ein." + }, + "use_credit_card_fields.error.required_name": { + "defaultMessage": "Bitte geben Sie Ihren Namen so ein, wie er auf Ihrer Karte erscheint." + }, + "use_credit_card_fields.error.required_security_code": { + "defaultMessage": "Bitte geben Sie Ihren Sicherheitscode ein." + }, + "use_credit_card_fields.error.valid_card_number": { + "defaultMessage": "Bitte geben Sie eine gültige Kartennummer ein." + }, + "use_credit_card_fields.error.valid_date": { + "defaultMessage": "Bitte geben Sie ein gültiges Datum ein." + }, + "use_credit_card_fields.error.valid_name": { + "defaultMessage": "Bitte geben Sie einen gültigen Namen ein." + }, + "use_credit_card_fields.error.valid_security_code": { + "defaultMessage": "Bitte geben Sie einen gültigen Sicherheitscode ein." + }, + "use_credit_card_fields.label.card_number": { + "defaultMessage": "Kartennummer" + }, + "use_credit_card_fields.label.card_type": { + "defaultMessage": "Kartentyp" + }, + "use_credit_card_fields.label.expiry": { + "defaultMessage": "Ablaufdatum" + }, + "use_credit_card_fields.label.name": { + "defaultMessage": "Name auf der Karte" + }, + "use_credit_card_fields.label.security_code": { + "defaultMessage": "Sicherheitscode" + }, + "use_login_fields.error.required_email": { + "defaultMessage": "Bitte geben Sie Ihre E-Mail-Adresse ein." + }, + "use_login_fields.error.required_password": { + "defaultMessage": "Bitte geben Sie Ihr Passwort ein." + }, + "use_login_fields.label.email": { + "defaultMessage": "E-Mail" + }, + "use_login_fields.label.password": { + "defaultMessage": "Passwort" + }, + "use_product.message.inventory_remaining": { + "defaultMessage": "Nur noch {stockLevel} vorhanden!" + }, + "use_product.message.out_of_stock": { + "defaultMessage": "Nicht vorrätig" + }, + "use_profile_fields.error.required_email": { + "defaultMessage": "Bitte geben Sie eine gültige E-Mail-Adresse ein." + }, + "use_profile_fields.error.required_first_name": { + "defaultMessage": "Bitte geben Sie Ihren Vornamen ein." + }, + "use_profile_fields.error.required_last_name": { + "defaultMessage": "Bitte geben Sie Ihren Nachnamen ein." + }, + "use_profile_fields.error.required_phone": { + "defaultMessage": "Bitte geben Sie Ihre Telefonnummer ein." + }, + "use_profile_fields.label.email": { + "defaultMessage": "E-Mail" + }, + "use_profile_fields.label.first_name": { + "defaultMessage": "Vorname" + }, + "use_profile_fields.label.last_name": { + "defaultMessage": "Nachname" + }, + "use_profile_fields.label.phone": { + "defaultMessage": "Telefonnummer" + }, + "use_promo_code_fields.error.required_promo_code": { + "defaultMessage": "Bitte geben Sie einen gültigen Aktionscode an." + }, + "use_promo_code_fields.label.promo_code": { + "defaultMessage": "Aktionscode" + }, + "use_promocode.error.check_the_code": { + "defaultMessage": "Überprüfen Sie den Code und versuchen Sie es erneut. Er wurde eventuell schon angewendet oder die Werbeaktion ist abgelaufen." + }, + "use_promocode.info.promo_applied": { + "defaultMessage": "Werbeaktion angewendet" + }, + "use_promocode.info.promo_removed": { + "defaultMessage": "Werbeaktion entfernt" + }, + "use_registration_fields.error.contain_number": { + "defaultMessage": "Das Passwort muss mindestens eine Ziffer enthalten." + }, + "use_registration_fields.error.lowercase_letter": { + "defaultMessage": "Das Passwort muss mindestens einen Kleinbuchstaben enthalten." + }, + "use_registration_fields.error.minimum_characters": { + "defaultMessage": "Das Passwort muss mindestens 8 Zeichen enthalten." + }, + "use_registration_fields.error.required_email": { + "defaultMessage": "Bitte geben Sie eine gültige E-Mail-Adresse ein." + }, + "use_registration_fields.error.required_first_name": { + "defaultMessage": "Bitte geben Sie Ihren Vornamen ein." + }, + "use_registration_fields.error.required_last_name": { + "defaultMessage": "Bitte geben Sie Ihren Nachnamen ein." + }, + "use_registration_fields.error.required_password": { + "defaultMessage": "Bitte erstellen Sie ein Passwort." + }, + "use_registration_fields.error.special_character": { + "defaultMessage": "Das Passwort muss mindestens ein Sonderzeichen enthalten." + }, + "use_registration_fields.error.uppercase_letter": { + "defaultMessage": "Das Passwort muss mindestens einen Großbuchstaben enthalten." + }, + "use_registration_fields.label.email": { + "defaultMessage": "E-Mail" + }, + "use_registration_fields.label.first_name": { + "defaultMessage": "Vorname" + }, + "use_registration_fields.label.last_name": { + "defaultMessage": "Nachname" + }, + "use_registration_fields.label.password": { + "defaultMessage": "Passwort" + }, + "use_registration_fields.label.sign_up_to_emails": { + "defaultMessage": "Ich möchte E-Mails von Salesforce abonnieren (Sie können Ihr Abonnement jederzeit wieder abbestellen)." + }, + "use_reset_password_fields.error.required_email": { + "defaultMessage": "Bitte geben Sie eine gültige E-Mail-Adresse ein." + }, + "use_reset_password_fields.label.email": { + "defaultMessage": "E-Mail" + }, + "use_update_password_fields.error.contain_number": { + "defaultMessage": "Das Passwort muss mindestens eine Ziffer enthalten." + }, + "use_update_password_fields.error.lowercase_letter": { + "defaultMessage": "Das Passwort muss mindestens einen Kleinbuchstaben enthalten." + }, + "use_update_password_fields.error.minimum_characters": { + "defaultMessage": "Das Passwort muss mindestens 8 Zeichen enthalten." + }, + "use_update_password_fields.error.required_new_password": { + "defaultMessage": "Bitte geben Sie ein neues Passwort ein." + }, + "use_update_password_fields.error.required_password": { + "defaultMessage": "Bitte geben Sie Ihr Passwort ein." + }, + "use_update_password_fields.error.special_character": { + "defaultMessage": "Das Passwort muss mindestens ein Sonderzeichen enthalten." + }, + "use_update_password_fields.error.uppercase_letter": { + "defaultMessage": "Das Passwort muss mindestens einen Großbuchstaben enthalten." + }, + "use_update_password_fields.label.current_password": { + "defaultMessage": "Aktuelles Passwort" + }, + "use_update_password_fields.label.new_password": { + "defaultMessage": "Neues Passwort" + }, + "wishlist_primary_action.button.add_set_to_cart": { + "defaultMessage": "Set zum Warenkorb hinzufügen" + }, + "wishlist_primary_action.button.add_to_cart": { + "defaultMessage": "In den Warenkorb" + }, + "wishlist_primary_action.button.view_full_details": { + "defaultMessage": "Alle Einzelheiten anzeigen" + }, + "wishlist_primary_action.button.view_options": { + "defaultMessage": "Optionen anzeigen" + }, + "wishlist_primary_action.info.added_to_cart": { + "defaultMessage": "{quantity} {quantity, plural, one {Artikel} other {Artikel}} zum Warenkorb hinzugefügt" + }, + "wishlist_secondary_button_group.action.remove": { + "defaultMessage": "Entfernen" + }, + "wishlist_secondary_button_group.info.item_removed": { + "defaultMessage": "Artikel aus der Wunschliste entfernt" + }, + "with_registration.info.please_sign_in": { + "defaultMessage": "Bitte melden Sie sich an, um fortzufahren." + } +} diff --git a/my-test-project/translations/en-GB.json b/my-test-project/translations/en-GB.json new file mode 100644 index 0000000000..48dd92bb1b --- /dev/null +++ b/my-test-project/translations/en-GB.json @@ -0,0 +1,1801 @@ +{ + "account.accordion.button.my_account": { + "defaultMessage": "My Account" + }, + "account.heading.my_account": { + "defaultMessage": "My Account" + }, + "account.logout_button.button.log_out": { + "defaultMessage": "Log Out" + }, + "account_addresses.badge.default": { + "defaultMessage": "Default" + }, + "account_addresses.button.add_address": { + "defaultMessage": "Add Address" + }, + "account_addresses.info.address_removed": { + "defaultMessage": "Address removed" + }, + "account_addresses.info.address_updated": { + "defaultMessage": "Address updated" + }, + "account_addresses.info.new_address_saved": { + "defaultMessage": "New address saved" + }, + "account_addresses.page_action_placeholder.button.add_address": { + "defaultMessage": "Add Address" + }, + "account_addresses.page_action_placeholder.heading.no_saved_addresses": { + "defaultMessage": "No Saved Addresses" + }, + "account_addresses.page_action_placeholder.message.add_new_address": { + "defaultMessage": "Add a new address method for faster checkout." + }, + "account_addresses.title.addresses": { + "defaultMessage": "Addresses" + }, + "account_detail.title.account_details": { + "defaultMessage": "Account Details" + }, + "account_order_detail.heading.billing_address": { + "defaultMessage": "Billing Address" + }, + "account_order_detail.heading.num_of_items": { + "defaultMessage": "{count} items" + }, + "account_order_detail.heading.payment_method": { + "defaultMessage": "Payment Method" + }, + "account_order_detail.heading.shipping_address": { + "defaultMessage": "Shipping Address" + }, + "account_order_detail.heading.shipping_method": { + "defaultMessage": "Shipping Method" + }, + "account_order_detail.label.order_number": { + "defaultMessage": "Order Number: {orderNumber}" + }, + "account_order_detail.label.ordered_date": { + "defaultMessage": "Ordered: {date}" + }, + "account_order_detail.label.pending_tracking_number": { + "defaultMessage": "Pending" + }, + "account_order_detail.label.tracking_number": { + "defaultMessage": "Tracking Number" + }, + "account_order_detail.link.back_to_history": { + "defaultMessage": "Back to Order History" + }, + "account_order_detail.shipping_status.not_shipped": { + "defaultMessage": "Not shipped" + }, + "account_order_detail.shipping_status.part_shipped": { + "defaultMessage": "Partially shipped" + }, + "account_order_detail.shipping_status.shipped": { + "defaultMessage": "Shipped" + }, + "account_order_detail.title.order_details": { + "defaultMessage": "Order Details" + }, + "account_order_history.button.continue_shopping": { + "defaultMessage": "Continue Shopping" + }, + "account_order_history.description.once_you_place_order": { + "defaultMessage": "Once you place an order the details will show up here." + }, + "account_order_history.heading.no_order_yet": { + "defaultMessage": "You haven't placed an order yet." + }, + "account_order_history.label.num_of_items": { + "defaultMessage": "{count} items", + "description": "Number of items in order" + }, + "account_order_history.label.order_number": { + "defaultMessage": "Order Number: {orderNumber}" + }, + "account_order_history.label.ordered_date": { + "defaultMessage": "Ordered: {date}" + }, + "account_order_history.label.shipped_to": { + "defaultMessage": "Shipped to: {name}" + }, + "account_order_history.link.view_details": { + "defaultMessage": "View details" + }, + "account_order_history.title.order_history": { + "defaultMessage": "Order History" + }, + "account_wishlist.button.continue_shopping": { + "defaultMessage": "Continue Shopping" + }, + "account_wishlist.description.continue_shopping": { + "defaultMessage": "Continue shopping and add items to your wishlist." + }, + "account_wishlist.heading.no_wishlist": { + "defaultMessage": "No Wishlist Items" + }, + "account_wishlist.title.wishlist": { + "defaultMessage": "Wishlist" + }, + "action_card.action.edit": { + "defaultMessage": "Edit" + }, + "action_card.action.remove": { + "defaultMessage": "Remove" + }, + "add_to_cart_modal.info.added_to_cart": { + "defaultMessage": "{quantity} {quantity, plural, one {item} other {items}} added to cart" + }, + "add_to_cart_modal.label.cart_subtotal": { + "defaultMessage": "Cart Subtotal ({itemAccumulatedCount} item)" + }, + "add_to_cart_modal.label.quantity": { + "defaultMessage": "Qty" + }, + "add_to_cart_modal.link.checkout": { + "defaultMessage": "Proceed to Checkout" + }, + "add_to_cart_modal.link.view_cart": { + "defaultMessage": "View Cart" + }, + "add_to_cart_modal.recommended_products.title.might_also_like": { + "defaultMessage": "You Might Also Like" + }, + "auth_modal.button.close.assistive_msg": { + "defaultMessage": "Close login form" + }, + "auth_modal.check_email.button.resend_link": { + "defaultMessage": "Resend Link" + }, + "auth_modal.check_email.description.check_spam_folder": { + "defaultMessage": "The link may take a few minutes to arrive, check your spam folder if you're having trouble finding it" + }, + "auth_modal.check_email.description.just_sent": { + "defaultMessage": "We just sent a login link to {email}" + }, + "auth_modal.check_email.title.check_your_email": { + "defaultMessage": "Check Your Email" + }, + "auth_modal.description.now_signed_in": { + "defaultMessage": "You're now signed in." + }, + "auth_modal.error.incorrect_email_or_password": { + "defaultMessage": "Something's not right with your email or password. Try again." + }, + "auth_modal.info.welcome_user": { + "defaultMessage": "Welcome {name}," + }, + "auth_modal.password_reset_success.button.back_to_sign_in": { + "defaultMessage": "Back to Sign In" + }, + "auth_modal.password_reset_success.info.will_email_shortly": { + "defaultMessage": "You will receive an email at {email} with a link to reset your password shortly." + }, + "auth_modal.password_reset_success.title.password_reset": { + "defaultMessage": "Password Reset" + }, + "carousel.button.scroll_left.assistive_msg": { + "defaultMessage": "Scroll carousel left" + }, + "carousel.button.scroll_right.assistive_msg": { + "defaultMessage": "Scroll carousel right" + }, + "cart.info.removed_from_cart": { + "defaultMessage": "Item removed from cart" + }, + "cart.product_edit_modal.modal_label": { + "defaultMessage": "Edit modal for {productName}" + }, + "cart.recommended_products.title.may_also_like": { + "defaultMessage": "You May Also Like" + }, + "cart.recommended_products.title.recently_viewed": { + "defaultMessage": "Recently Viewed" + }, + "cart_cta.link.checkout": { + "defaultMessage": "Proceed to Checkout" + }, + "cart_secondary_button_group.action.added_to_wishlist": { + "defaultMessage": "Add to Wishlist" + }, + "cart_secondary_button_group.action.edit": { + "defaultMessage": "Edit" + }, + "cart_secondary_button_group.action.remove": { + "defaultMessage": "Remove" + }, + "cart_secondary_button_group.label.this_is_gift": { + "defaultMessage": "This is a gift." + }, + "cart_skeleton.heading.order_summary": { + "defaultMessage": "Order Summary" + }, + "cart_skeleton.title.cart": { + "defaultMessage": "Cart" + }, + "cart_title.title.cart_num_of_items": { + "defaultMessage": "Cart ({itemCount, plural, =0 {0 items} one {# item} other {# items}})" + }, + "category_links.button_text": { + "defaultMessage": "Categories" + }, + "cc_radio_group.action.remove": { + "defaultMessage": "Remove" + }, + "cc_radio_group.button.add_new_card": { + "defaultMessage": "Add New Card" + }, + "checkout.button.place_order": { + "defaultMessage": "Place Order" + }, + "checkout.message.generic_error": { + "defaultMessage": "An unexpected error occurred during checkout." + }, + "checkout_confirmation.button.create_account": { + "defaultMessage": "Create Account" + }, + "checkout_confirmation.heading.billing_address": { + "defaultMessage": "Billing Address" + }, + "checkout_confirmation.heading.create_account": { + "defaultMessage": "Create an account for faster checkout" + }, + "checkout_confirmation.heading.credit_card": { + "defaultMessage": "Credit Card" + }, + "checkout_confirmation.heading.delivery_details": { + "defaultMessage": "Delivery Details" + }, + "checkout_confirmation.heading.order_summary": { + "defaultMessage": "Order Summary" + }, + "checkout_confirmation.heading.payment_details": { + "defaultMessage": "Payment Details" + }, + "checkout_confirmation.heading.shipping_address": { + "defaultMessage": "Shipping Address" + }, + "checkout_confirmation.heading.shipping_method": { + "defaultMessage": "Shipping Method" + }, + "checkout_confirmation.heading.thank_you_for_order": { + "defaultMessage": "Thank you for your order!" + }, + "checkout_confirmation.label.free": { + "defaultMessage": "Free" + }, + "checkout_confirmation.label.order_number": { + "defaultMessage": "Order Number" + }, + "checkout_confirmation.label.order_total": { + "defaultMessage": "Order Total" + }, + "checkout_confirmation.label.promo_applied": { + "defaultMessage": "Promotion applied" + }, + "checkout_confirmation.label.shipping": { + "defaultMessage": "Shipping" + }, + "checkout_confirmation.label.shipping.strikethrough.price": { + "defaultMessage": "Originally {originalPrice}, now {newPrice}" + }, + "checkout_confirmation.label.subtotal": { + "defaultMessage": "Subtotal" + }, + "checkout_confirmation.label.tax": { + "defaultMessage": "Tax" + }, + "checkout_confirmation.link.continue_shopping": { + "defaultMessage": "Continue Shopping" + }, + "checkout_confirmation.link.login": { + "defaultMessage": "Log in here" + }, + "checkout_confirmation.message.already_has_account": { + "defaultMessage": "This email already has an account." + }, + "checkout_confirmation.message.num_of_items_in_order": { + "defaultMessage": "{itemCount, plural, =0 {0 items} one {# item} other {# items}}", + "description": "# item(s) in order" + }, + "checkout_confirmation.message.will_email_shortly": { + "defaultMessage": "We will send an email to {email} with your confirmation number and receipt shortly." + }, + "checkout_footer.link.privacy_policy": { + "defaultMessage": "Privacy Policy" + }, + "checkout_footer.link.returns_exchanges": { + "defaultMessage": "Returns & Exchanges" + }, + "checkout_footer.link.shipping": { + "defaultMessage": "Shipping" + }, + "checkout_footer.link.site_map": { + "defaultMessage": "Site Map" + }, + "checkout_footer.link.terms_conditions": { + "defaultMessage": "Terms & Conditions" + }, + "checkout_footer.message.copyright": { + "defaultMessage": "Salesforce or its affiliates. All rights reserved. This is a demo store only. Orders made WILL NOT be processed." + }, + "checkout_header.link.assistive_msg.cart": { + "defaultMessage": "Back to cart, number of items: {numItems}" + }, + "checkout_header.link.cart": { + "defaultMessage": "Back to cart" + }, + "checkout_payment.action.remove": { + "defaultMessage": "Remove" + }, + "checkout_payment.button.review_order": { + "defaultMessage": "Review Order" + }, + "checkout_payment.heading.billing_address": { + "defaultMessage": "Billing Address" + }, + "checkout_payment.heading.credit_card": { + "defaultMessage": "Credit Card" + }, + "checkout_payment.label.billing_address_form": { + "defaultMessage": "Billing Address Form" + }, + "checkout_payment.label.same_as_shipping": { + "defaultMessage": "Same as shipping address" + }, + "checkout_payment.title.payment": { + "defaultMessage": "Payment" + }, + "colorRefinements.label.hitCount": { + "defaultMessage": "{colorLabel} ({colorHitCount})" + }, + "confirmation_modal.default.action.no": { + "defaultMessage": "No" + }, + "confirmation_modal.default.action.yes": { + "defaultMessage": "Yes" + }, + "confirmation_modal.default.assistive_msg.no": { + "defaultMessage": "No, cancel action" + }, + "confirmation_modal.default.assistive_msg.yes": { + "defaultMessage": "Yes, confirm action" + }, + "confirmation_modal.default.message.you_want_to_continue": { + "defaultMessage": "Are you sure you want to continue?" + }, + "confirmation_modal.default.title.confirm_action": { + "defaultMessage": "Confirm Action" + }, + "confirmation_modal.remove_cart_item.action.no": { + "defaultMessage": "No, keep item" + }, + "confirmation_modal.remove_cart_item.action.remove": { + "defaultMessage": "Remove" + }, + "confirmation_modal.remove_cart_item.action.yes": { + "defaultMessage": "Yes, remove item" + }, + "confirmation_modal.remove_cart_item.assistive_msg.no": { + "defaultMessage": "No, keep item" + }, + "confirmation_modal.remove_cart_item.assistive_msg.remove": { + "defaultMessage": "Remove unavailable products" + }, + "confirmation_modal.remove_cart_item.assistive_msg.yes": { + "defaultMessage": "Yes, remove item" + }, + "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": { + "defaultMessage": "Some items are no longer available online and will be removed from your cart." + }, + "confirmation_modal.remove_cart_item.message.sure_to_remove": { + "defaultMessage": "Are you sure you want to remove this item from your cart?" + }, + "confirmation_modal.remove_cart_item.title.confirm_remove": { + "defaultMessage": "Confirm Remove Item" + }, + "confirmation_modal.remove_cart_item.title.items_unavailable": { + "defaultMessage": "Items Unavailable" + }, + "confirmation_modal.remove_wishlist_item.action.no": { + "defaultMessage": "No, keep item" + }, + "confirmation_modal.remove_wishlist_item.action.yes": { + "defaultMessage": "Yes, remove item" + }, + "confirmation_modal.remove_wishlist_item.message.sure_to_remove": { + "defaultMessage": "Are you sure you want to remove this item from your wishlist?" + }, + "confirmation_modal.remove_wishlist_item.title.confirm_remove": { + "defaultMessage": "Confirm Remove Item" + }, + "contact_info.action.sign_out": { + "defaultMessage": "Sign Out" + }, + "contact_info.button.already_have_account": { + "defaultMessage": "Already have an account? Log in" + }, + "contact_info.button.back_to_sign_in_options": { + "defaultMessage": "Back to Sign In Options" + }, + "contact_info.button.checkout_as_guest": { + "defaultMessage": "Checkout as Guest" + }, + "contact_info.button.login": { + "defaultMessage": "Log In" + }, + "contact_info.button.password": { + "defaultMessage": "Password" + }, + "contact_info.button.secure_link": { + "defaultMessage": "Secure Link" + }, + "contact_info.error.incorrect_username_or_password": { + "defaultMessage": "Incorrect username or password, please try again." + }, + "contact_info.link.forgot_password": { + "defaultMessage": "Forgot password?" + }, + "contact_info.message.or_login_with": { + "defaultMessage": "Or Login With" + }, + "contact_info.title.contact_info": { + "defaultMessage": "Contact Info" + }, + "credit_card_fields.tool_tip.security_code": { + "defaultMessage": "This 3-digit code can be found on the back of your card.", + "description": "Generic credit card security code help text" + }, + "credit_card_fields.tool_tip.security_code.american_express": { + "defaultMessage": "This 4-digit code can be found on the front of your card.", + "description": "American Express security code help text" + }, + "credit_card_fields.tool_tip.security_code_aria_label": { + "defaultMessage": "Security code info" + }, + "display_price.assistive_msg.current_price": { + "defaultMessage": "current price {currentPrice}" + }, + "display_price.assistive_msg.current_price_with_range": { + "defaultMessage": "From current price {currentPrice}" + }, + "display_price.assistive_msg.strikethrough_price": { + "defaultMessage": "original price {listPrice}" + }, + "display_price.assistive_msg.strikethrough_price_with_range": { + "defaultMessage": "From original price {listPrice}" + }, + "display_price.label.current_price_with_range": { + "defaultMessage": "From {currentPrice}" + }, + "dnt_notification.button.accept": { + "defaultMessage": "Accept" + }, + "dnt_notification.button.assistive_msg.accept": { + "defaultMessage": "Accept tracking" + }, + "dnt_notification.button.assistive_msg.close": { + "defaultMessage": "Close consent tracking form" + }, + "dnt_notification.button.assistive_msg.decline": { + "defaultMessage": "Decline tracking" + }, + "dnt_notification.button.decline": { + "defaultMessage": "Decline" + }, + "dnt_notification.description": { + "defaultMessage": "Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur." + }, + "dnt_notification.title": { + "defaultMessage": "Tracking Consent" + }, + "drawer_menu.button.account_details": { + "defaultMessage": "Account Details" + }, + "drawer_menu.button.addresses": { + "defaultMessage": "Addresses" + }, + "drawer_menu.button.log_out": { + "defaultMessage": "Log Out" + }, + "drawer_menu.button.my_account": { + "defaultMessage": "My Account" + }, + "drawer_menu.button.order_history": { + "defaultMessage": "Order History" + }, + "drawer_menu.header.assistive_msg.title": { + "defaultMessage": "Menu Drawer" + }, + "drawer_menu.link.about_us": { + "defaultMessage": "About Us" + }, + "drawer_menu.link.customer_support": { + "defaultMessage": "Customer Support" + }, + "drawer_menu.link.customer_support.contact_us": { + "defaultMessage": "Contact Us" + }, + "drawer_menu.link.customer_support.shipping_and_returns": { + "defaultMessage": "Shipping & Returns" + }, + "drawer_menu.link.our_company": { + "defaultMessage": "Our Company" + }, + "drawer_menu.link.privacy_and_security": { + "defaultMessage": "Privacy & Security" + }, + "drawer_menu.link.privacy_policy": { + "defaultMessage": "Privacy Policy" + }, + "drawer_menu.link.shop_all": { + "defaultMessage": "Shop All" + }, + "drawer_menu.link.sign_in": { + "defaultMessage": "Sign In" + }, + "drawer_menu.link.site_map": { + "defaultMessage": "Site Map" + }, + "drawer_menu.link.store_locator": { + "defaultMessage": "Store Locator" + }, + "drawer_menu.link.terms_and_conditions": { + "defaultMessage": "Terms & Conditions" + }, + "empty_cart.description.empty_cart": { + "defaultMessage": "Your cart is empty." + }, + "empty_cart.link.continue_shopping": { + "defaultMessage": "Continue Shopping" + }, + "empty_cart.link.sign_in": { + "defaultMessage": "Sign In" + }, + "empty_cart.message.continue_shopping": { + "defaultMessage": "Continue shopping to add items to your cart." + }, + "empty_cart.message.sign_in_or_continue_shopping": { + "defaultMessage": "Sign in to retrieve your saved items or continue shopping." + }, + "empty_search_results.info.cant_find_anything_for_category": { + "defaultMessage": "We couldn’t find anything for {category}. Try searching for a product or {link}." + }, + "empty_search_results.info.cant_find_anything_for_query": { + "defaultMessage": "We couldn’t find anything for \"{searchQuery}\"." + }, + "empty_search_results.info.double_check_spelling": { + "defaultMessage": "Double-check your spelling and try again or {link}." + }, + "empty_search_results.link.contact_us": { + "defaultMessage": "Contact Us" + }, + "empty_search_results.recommended_products.title.most_viewed": { + "defaultMessage": "Most Viewed" + }, + "empty_search_results.recommended_products.title.top_sellers": { + "defaultMessage": "Top Sellers" + }, + "field.password.assistive_msg.hide_password": { + "defaultMessage": "Hide password" + }, + "field.password.assistive_msg.show_password": { + "defaultMessage": "Show password" + }, + "footer.column.account": { + "defaultMessage": "Account" + }, + "footer.column.customer_support": { + "defaultMessage": "Customer Support" + }, + "footer.column.our_company": { + "defaultMessage": "Our Company" + }, + "footer.link.about_us": { + "defaultMessage": "About Us" + }, + "footer.link.contact_us": { + "defaultMessage": "Contact Us" + }, + "footer.link.order_status": { + "defaultMessage": "Order Status" + }, + "footer.link.privacy_policy": { + "defaultMessage": "Privacy Policy" + }, + "footer.link.shipping": { + "defaultMessage": "Shipping" + }, + "footer.link.signin_create_account": { + "defaultMessage": "Sign in or create account" + }, + "footer.link.site_map": { + "defaultMessage": "Site Map" + }, + "footer.link.store_locator": { + "defaultMessage": "Store Locator" + }, + "footer.link.terms_conditions": { + "defaultMessage": "Terms & Conditions" + }, + "footer.locale_selector.assistive_msg": { + "defaultMessage": "Select Language" + }, + "footer.message.copyright": { + "defaultMessage": "Salesforce or its affiliates. All rights reserved. This is a demo store only. Orders made WILL NOT be processed." + }, + "footer.subscribe.button.sign_up": { + "defaultMessage": "Sign Up" + }, + "footer.subscribe.description.sign_up": { + "defaultMessage": "Sign up to stay in the loop about the hottest deals" + }, + "footer.subscribe.email.assistive_msg": { + "defaultMessage": "Email address for newsletter" + }, + "footer.subscribe.heading.first_to_know": { + "defaultMessage": "Be the first to know" + }, + "form_action_buttons.button.cancel": { + "defaultMessage": "Cancel" + }, + "form_action_buttons.button.save": { + "defaultMessage": "Save" + }, + "global.account.link.account_details": { + "defaultMessage": "Account Details" + }, + "global.account.link.addresses": { + "defaultMessage": "Addresses" + }, + "global.account.link.order_history": { + "defaultMessage": "Order History" + }, + "global.account.link.wishlist": { + "defaultMessage": "Wishlist" + }, + "global.error.create_account": { + "defaultMessage": "This feature is not currently available. You must create an account to access this feature." + }, + "global.error.feature_unavailable": { + "defaultMessage": "This feature is not currently available." + }, + "global.error.invalid_token": { + "defaultMessage": "Invalid token, please try again." + }, + "global.error.something_went_wrong": { + "defaultMessage": "Something went wrong. Try again!" + }, + "global.info.added_to_wishlist": { + "defaultMessage": "{quantity} {quantity, plural, one {item} other {items}} added to wishlist" + }, + "global.info.already_in_wishlist": { + "defaultMessage": "Item is already in wishlist" + }, + "global.info.removed_from_wishlist": { + "defaultMessage": "Item removed from wishlist" + }, + "global.link.added_to_wishlist.view_wishlist": { + "defaultMessage": "View" + }, + "header.button.assistive_msg.logo": { + "defaultMessage": "Logo" + }, + "header.button.assistive_msg.menu": { + "defaultMessage": "Menu" + }, + "header.button.assistive_msg.menu.open_dialog": { + "defaultMessage": "Opens a dialog" + }, + "header.button.assistive_msg.my_account": { + "defaultMessage": "My Account" + }, + "header.button.assistive_msg.my_account_menu": { + "defaultMessage": "Open account menu" + }, + "header.button.assistive_msg.my_cart_with_num_items": { + "defaultMessage": "My cart, number of items: {numItems}" + }, + "header.button.assistive_msg.store_locator": { + "defaultMessage": "Store Locator" + }, + "header.button.assistive_msg.wishlist": { + "defaultMessage": "Wishlist" + }, + "header.field.placeholder.search_for_products": { + "defaultMessage": "Search for products..." + }, + "header.popover.action.log_out": { + "defaultMessage": "Log out" + }, + "header.popover.title.my_account": { + "defaultMessage": "My Account" + }, + "home.description.features": { + "defaultMessage": "Out-of-the-box features so that you focus only on adding enhancements." + }, + "home.description.here_to_help": { + "defaultMessage": "Contact our support staff." + }, + "home.description.here_to_help_line_2": { + "defaultMessage": "They will get you to the right place." + }, + "home.description.shop_products": { + "defaultMessage": "This section contains content from the catalog. {docLink} on how to replace it.", + "description": "{docLink} is a html button that links the user to https://sfdc.co/business-manager-manage-catalogs" + }, + "home.description.todo_list": { + "defaultMessage": "Example Todo list fetched from JSONPlaceholder API" + }, + "home.features.description.cart_checkout": { + "defaultMessage": "Ecommerce best practice for a shopper's cart and checkout experience." + }, + "home.features.description.components": { + "defaultMessage": "Built using Chakra UI, a simple, modular and accessible React component library." + }, + "home.features.description.einstein_recommendations": { + "defaultMessage": "Deliver the next best product or offer to every shopper through product recommendations." + }, + "home.features.description.my_account": { + "defaultMessage": "Shoppers can manage account information such as their profile, addresses, payments and orders." + }, + "home.features.description.shopper_login": { + "defaultMessage": "Enable shoppers to easily log in with a more personalized shopping experience." + }, + "home.features.description.wishlist": { + "defaultMessage": "Registered shoppers can add product items to their wishlist from purchasing later." + }, + "home.features.heading.cart_checkout": { + "defaultMessage": "Cart & Checkout" + }, + "home.features.heading.components": { + "defaultMessage": "Components & Design Kit" + }, + "home.features.heading.einstein_recommendations": { + "defaultMessage": "Einstein Recommendations" + }, + "home.features.heading.my_account": { + "defaultMessage": "My Account" + }, + "home.features.heading.shopper_login": { + "defaultMessage": "Shopper Login and API Access Service" + }, + "home.features.heading.wishlist": { + "defaultMessage": "Wishlist" + }, + "home.heading.features": { + "defaultMessage": "Features" + }, + "home.heading.here_to_help": { + "defaultMessage": "We're here to help" + }, + "home.heading.shop_products": { + "defaultMessage": "Shop Products" + }, + "home.heading.todo_list": { + "defaultMessage": "Todo List" + }, + "home.hero_features.link.design_kit": { + "defaultMessage": "Create with the Figma PWA Design Kit" + }, + "home.hero_features.link.on_github": { + "defaultMessage": "Download on Github" + }, + "home.hero_features.link.on_managed_runtime": { + "defaultMessage": "Deploy on Managed Runtime" + }, + "home.link.contact_us": { + "defaultMessage": "Contact Us" + }, + "home.link.get_started": { + "defaultMessage": "Get started" + }, + "home.link.read_docs": { + "defaultMessage": "Read docs" + }, + "home.title.react_starter_store": { + "defaultMessage": "The React PWA Starter Store for Retail" + }, + "icons.assistive_msg.lock": { + "defaultMessage": "Secure" + }, + "item_attributes.label.promotions": { + "defaultMessage": "Promotions" + }, + "item_attributes.label.quantity": { + "defaultMessage": "Quantity: {quantity}" + }, + "item_attributes.label.selected_options": { + "defaultMessage": "Selected Options" + }, + "item_image.label.sale": { + "defaultMessage": "Sale", + "description": "A sale badge placed on top of a product image" + }, + "item_image.label.unavailable": { + "defaultMessage": "Unavailable", + "description": "A unavailable badge placed on top of a product image" + }, + "item_variant.assistive_msg.quantity": { + "defaultMessage": "Quantity {quantity}" + }, + "item_variant.quantity.label": { + "defaultMessage": "Quantity selector for {productName}. Selected quantity is {quantity}" + }, + "lCPCxk": { + "defaultMessage": "Please select all your options above" + }, + "list_menu.nav.assistive_msg": { + "defaultMessage": "Main navigation" + }, + "locale_text.message.ar-SA": { + "defaultMessage": "Arabic (Saudi Arabia)" + }, + "locale_text.message.bn-BD": { + "defaultMessage": "Bangla (Bangladesh)" + }, + "locale_text.message.bn-IN": { + "defaultMessage": "Bangla (India)" + }, + "locale_text.message.cs-CZ": { + "defaultMessage": "Czech (Czech Republic)" + }, + "locale_text.message.da-DK": { + "defaultMessage": "Danish (Denmark)" + }, + "locale_text.message.de-AT": { + "defaultMessage": "German (Austria)" + }, + "locale_text.message.de-CH": { + "defaultMessage": "German (Switzerland)" + }, + "locale_text.message.de-DE": { + "defaultMessage": "German (Germany)" + }, + "locale_text.message.el-GR": { + "defaultMessage": "Greek (Greece)" + }, + "locale_text.message.en-AU": { + "defaultMessage": "English (Australia)" + }, + "locale_text.message.en-CA": { + "defaultMessage": "English (Canada)" + }, + "locale_text.message.en-GB": { + "defaultMessage": "English (United Kingdom)" + }, + "locale_text.message.en-IE": { + "defaultMessage": "English (Ireland)" + }, + "locale_text.message.en-IN": { + "defaultMessage": "English (India)" + }, + "locale_text.message.en-NZ": { + "defaultMessage": "English (New Zealand)" + }, + "locale_text.message.en-US": { + "defaultMessage": "English (United States)" + }, + "locale_text.message.en-ZA": { + "defaultMessage": "English (South Africa)" + }, + "locale_text.message.es-AR": { + "defaultMessage": "Spanish (Argentina)" + }, + "locale_text.message.es-CL": { + "defaultMessage": "Spanish (Chile)" + }, + "locale_text.message.es-CO": { + "defaultMessage": "Spanish (Columbia)" + }, + "locale_text.message.es-ES": { + "defaultMessage": "Spanish (Spain)" + }, + "locale_text.message.es-MX": { + "defaultMessage": "Spanish (Mexico)" + }, + "locale_text.message.es-US": { + "defaultMessage": "Spanish (United States)" + }, + "locale_text.message.fi-FI": { + "defaultMessage": "Finnish (Finland)" + }, + "locale_text.message.fr-BE": { + "defaultMessage": "French (Belgium)" + }, + "locale_text.message.fr-CA": { + "defaultMessage": "French (Canada)" + }, + "locale_text.message.fr-CH": { + "defaultMessage": "French (Switzerland)" + }, + "locale_text.message.fr-FR": { + "defaultMessage": "French (France)" + }, + "locale_text.message.he-IL": { + "defaultMessage": "Hebrew (Israel)" + }, + "locale_text.message.hi-IN": { + "defaultMessage": "Hindi (India)" + }, + "locale_text.message.hu-HU": { + "defaultMessage": "Hungarian (Hungary)" + }, + "locale_text.message.id-ID": { + "defaultMessage": "Indonesian (Indonesia)" + }, + "locale_text.message.it-CH": { + "defaultMessage": "Italian (Switzerland)" + }, + "locale_text.message.it-IT": { + "defaultMessage": "Italian (Italy)" + }, + "locale_text.message.ja-JP": { + "defaultMessage": "Japanese (Japan)" + }, + "locale_text.message.ko-KR": { + "defaultMessage": "Korean (Republic of Korea)" + }, + "locale_text.message.nl-BE": { + "defaultMessage": "Dutch (Belgium)" + }, + "locale_text.message.nl-NL": { + "defaultMessage": "Dutch (The Netherlands)" + }, + "locale_text.message.no-NO": { + "defaultMessage": "Norwegian (Norway)" + }, + "locale_text.message.pl-PL": { + "defaultMessage": "Polish (Poland)" + }, + "locale_text.message.pt-BR": { + "defaultMessage": "Portuguese (Brazil)" + }, + "locale_text.message.pt-PT": { + "defaultMessage": "Portuguese (Portugal)" + }, + "locale_text.message.ro-RO": { + "defaultMessage": "Romanian (Romania)" + }, + "locale_text.message.ru-RU": { + "defaultMessage": "Russian (Russian Federation)" + }, + "locale_text.message.sk-SK": { + "defaultMessage": "Slovak (Slovakia)" + }, + "locale_text.message.sv-SE": { + "defaultMessage": "Swedish (Sweden)" + }, + "locale_text.message.ta-IN": { + "defaultMessage": "Tamil (India)" + }, + "locale_text.message.ta-LK": { + "defaultMessage": "Tamil (Sri Lanka)" + }, + "locale_text.message.th-TH": { + "defaultMessage": "Thai (Thailand)" + }, + "locale_text.message.tr-TR": { + "defaultMessage": "Turkish (Turkey)" + }, + "locale_text.message.zh-CN": { + "defaultMessage": "Chinese (China)" + }, + "locale_text.message.zh-HK": { + "defaultMessage": "Chinese (Hong Kong)" + }, + "locale_text.message.zh-TW": { + "defaultMessage": "Chinese (Taiwan)" + }, + "login_form.action.create_account": { + "defaultMessage": "Create account" + }, + "login_form.button.apple": { + "defaultMessage": "Apple" + }, + "login_form.button.back": { + "defaultMessage": "Back to Sign In Options" + }, + "login_form.button.continue_securely": { + "defaultMessage": "Continue Securely" + }, + "login_form.button.google": { + "defaultMessage": "Google" + }, + "login_form.button.password": { + "defaultMessage": "Password" + }, + "login_form.button.sign_in": { + "defaultMessage": "Sign In" + }, + "login_form.link.forgot_password": { + "defaultMessage": "Forgot password?" + }, + "login_form.message.dont_have_account": { + "defaultMessage": "Don't have an account?" + }, + "login_form.message.or_login_with": { + "defaultMessage": "Or Login With" + }, + "login_form.message.welcome_back": { + "defaultMessage": "Welcome Back" + }, + "login_page.error.incorrect_username_or_password": { + "defaultMessage": "Incorrect username or password, please try again." + }, + "offline_banner.description.browsing_offline_mode": { + "defaultMessage": "You're currently browsing in offline mode" + }, + "order_summary.action.remove_promo": { + "defaultMessage": "Remove" + }, + "order_summary.cart_items.action.num_of_items_in_cart": { + "defaultMessage": "{itemCount, plural, =0 {0 items} one {# item} other {# items}} in cart", + "description": "clicking it would expand/show the items in cart" + }, + "order_summary.cart_items.link.edit_cart": { + "defaultMessage": "Edit cart" + }, + "order_summary.heading.order_summary": { + "defaultMessage": "Order Summary" + }, + "order_summary.label.estimated_total": { + "defaultMessage": "Estimated Total" + }, + "order_summary.label.free": { + "defaultMessage": "Free" + }, + "order_summary.label.order_total": { + "defaultMessage": "Order Total" + }, + "order_summary.label.promo_applied": { + "defaultMessage": "Promotion applied" + }, + "order_summary.label.promotions_applied": { + "defaultMessage": "Promotions applied" + }, + "order_summary.label.shipping": { + "defaultMessage": "Shipping" + }, + "order_summary.label.subtotal": { + "defaultMessage": "Subtotal" + }, + "order_summary.label.tax": { + "defaultMessage": "Tax" + }, + "page_not_found.action.go_back": { + "defaultMessage": "Back to previous page" + }, + "page_not_found.link.homepage": { + "defaultMessage": "Go to home page" + }, + "page_not_found.message.suggestion_to_try": { + "defaultMessage": "Please try retyping the address, going back to the previous page, or going to the home page." + }, + "page_not_found.title.page_cant_be_found": { + "defaultMessage": "The page you're looking for can't be found." + }, + "pagination.field.num_of_pages": { + "defaultMessage": "of {numOfPages}" + }, + "pagination.field.page_number_select": { + "defaultMessage": "Select page number" + }, + "pagination.link.next": { + "defaultMessage": "Next" + }, + "pagination.link.next.assistive_msg": { + "defaultMessage": "Next Page" + }, + "pagination.link.prev": { + "defaultMessage": "Prev" + }, + "pagination.link.prev.assistive_msg": { + "defaultMessage": "Previous Page" + }, + "password_card.info.password_updated": { + "defaultMessage": "Password updated" + }, + "password_card.label.password": { + "defaultMessage": "Password" + }, + "password_card.title.password": { + "defaultMessage": "Password" + }, + "password_requirements.error.eight_letter_minimum": { + "defaultMessage": "8 characters minimum", + "description": "Password requirement" + }, + "password_requirements.error.one_lowercase_letter": { + "defaultMessage": "1 lowercase letter", + "description": "Password requirement" + }, + "password_requirements.error.one_number": { + "defaultMessage": "1 number", + "description": "Password requirement" + }, + "password_requirements.error.one_special_character": { + "defaultMessage": "1 special character (example: , S ! % #)", + "description": "Password requirement" + }, + "password_requirements.error.one_uppercase_letter": { + "defaultMessage": "1 uppercase letter", + "description": "Password requirement" + }, + "password_reset_success.toast": { + "defaultMessage": "Password Reset Success" + }, + "payment_selection.heading.credit_card": { + "defaultMessage": "Credit Card" + }, + "payment_selection.radio_group.assistive_msg": { + "defaultMessage": "Payment" + }, + "payment_selection.tooltip.secure_payment": { + "defaultMessage": "This is a secure SSL encrypted payment." + }, + "price_per_item.label.each": { + "defaultMessage": "ea", + "description": "Abbreviated 'each', follows price per item, like $10/ea" + }, + "product_detail.accordion.button.product_detail": { + "defaultMessage": "Product Detail" + }, + "product_detail.accordion.button.questions": { + "defaultMessage": "Questions" + }, + "product_detail.accordion.button.reviews": { + "defaultMessage": "Reviews" + }, + "product_detail.accordion.button.size_fit": { + "defaultMessage": "Size & Fit" + }, + "product_detail.accordion.message.coming_soon": { + "defaultMessage": "Coming Soon" + }, + "product_detail.recommended_products.title.complete_set": { + "defaultMessage": "Complete the Set" + }, + "product_detail.recommended_products.title.might_also_like": { + "defaultMessage": "You might also like" + }, + "product_detail.recommended_products.title.recently_viewed": { + "defaultMessage": "Recently Viewed" + }, + "product_item.label.quantity": { + "defaultMessage": "Quantity:" + }, + "product_list.button.filter": { + "defaultMessage": "Filter" + }, + "product_list.button.sort_by": { + "defaultMessage": "Sort By: {sortOption}" + }, + "product_list.drawer.title.sort_by": { + "defaultMessage": "Sort By" + }, + "product_list.modal.button.clear_filters": { + "defaultMessage": "Clear Filters" + }, + "product_list.modal.button.view_items": { + "defaultMessage": "View {prroductCount} items" + }, + "product_list.modal.title.filter": { + "defaultMessage": "Filter" + }, + "product_list.refinements.button.assistive_msg.add_filter": { + "defaultMessage": "Add filter: {label}" + }, + "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": { + "defaultMessage": "Add filter: {label} ({hitCount})" + }, + "product_list.refinements.button.assistive_msg.remove_filter": { + "defaultMessage": "Remove filter: {label}" + }, + "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": { + "defaultMessage": "Remove filter: {label} ({hitCount})" + }, + "product_list.select.sort_by": { + "defaultMessage": "Sort By: {sortOption}" + }, + "product_list.sort_by.label.assistive_msg": { + "defaultMessage": "Sort products by" + }, + "product_scroller.assistive_msg.scroll_left": { + "defaultMessage": "Scroll products left" + }, + "product_scroller.assistive_msg.scroll_right": { + "defaultMessage": "Scroll products right" + }, + "product_search.error.loading_search_results": { + "defaultMessage": "Error loading search results: {message}" + }, + "product_search.heading.all_products": { + "defaultMessage": "All Products" + }, + "product_search.heading.search_results": { + "defaultMessage": "Search Results for \"{query}\"" + }, + "product_search.label.num_results": { + "defaultMessage": "{count} Results" + }, + "product_search.message.enter_search_term": { + "defaultMessage": "Enter a search term to see products" + }, + "product_tile.assistive_msg.add_to_wishlist": { + "defaultMessage": "Add {product} to wishlist" + }, + "product_tile.assistive_msg.remove_from_wishlist": { + "defaultMessage": "Remove {product} from wishlist" + }, + "product_tile.badge.label.new": { + "defaultMessage": "New" + }, + "product_tile.badge.label.sale": { + "defaultMessage": "Sale" + }, + "product_view.button.add_bundle_to_cart": { + "defaultMessage": "Add Bundle to Cart" + }, + "product_view.button.add_bundle_to_wishlist": { + "defaultMessage": "Add Bundle to Wishlist" + }, + "product_view.button.add_set_to_cart": { + "defaultMessage": "Add Set to Cart" + }, + "product_view.button.add_set_to_wishlist": { + "defaultMessage": "Add Set to Wishlist" + }, + "product_view.button.add_to_cart": { + "defaultMessage": "Add to Cart" + }, + "product_view.button.add_to_wishlist": { + "defaultMessage": "Add to Wishlist" + }, + "product_view.button.update": { + "defaultMessage": "Update" + }, + "product_view.label.assistive_msg.quantity_decrement": { + "defaultMessage": "Decrement Quantity for {productName}" + }, + "product_view.label.assistive_msg.quantity_increment": { + "defaultMessage": "Increment Quantity for {productName}" + }, + "product_view.label.quantity": { + "defaultMessage": "Quantity" + }, + "product_view.label.quantity_decrement": { + "defaultMessage": "−" + }, + "product_view.label.quantity_increment": { + "defaultMessage": "+" + }, + "product_view.label.variant_type": { + "defaultMessage": "{variantType}" + }, + "product_view.link.full_details": { + "defaultMessage": "See full details" + }, + "profile_card.info.profile_updated": { + "defaultMessage": "Profile updated" + }, + "profile_card.label.email": { + "defaultMessage": "Email" + }, + "profile_card.label.full_name": { + "defaultMessage": "Full Name" + }, + "profile_card.label.phone": { + "defaultMessage": "Phone Number" + }, + "profile_card.message.not_provided": { + "defaultMessage": "Not provided" + }, + "profile_card.title.my_profile": { + "defaultMessage": "My Profile" + }, + "profile_fields.label.profile_form": { + "defaultMessage": "Profile Form" + }, + "promo_code_fields.button.apply": { + "defaultMessage": "Apply" + }, + "promo_popover.assistive_msg.info": { + "defaultMessage": "Info" + }, + "promo_popover.heading.promo_applied": { + "defaultMessage": "Promotions Applied" + }, + "promocode.accordion.button.have_promocode": { + "defaultMessage": "Do you have a promo code?" + }, + "recent_searches.action.clear_searches": { + "defaultMessage": "Clear recent searches" + }, + "recent_searches.heading.recent_searches": { + "defaultMessage": "Recent Searches" + }, + "register_form.action.sign_in": { + "defaultMessage": "Sign in" + }, + "register_form.button.create_account": { + "defaultMessage": "Create Account" + }, + "register_form.heading.lets_get_started": { + "defaultMessage": "Let's get started!" + }, + "register_form.message.agree_to_policy_terms": { + "defaultMessage": "By creating an account, you agree to Salesforce Privacy Policy and Terms & Conditions" + }, + "register_form.message.already_have_account": { + "defaultMessage": "Already have an account?" + }, + "register_form.message.create_an_account": { + "defaultMessage": "Create an account and get first access to the very best products, inspiration and community." + }, + "reset_password_form.action.sign_in": { + "defaultMessage": "Sign in" + }, + "reset_password_form.button.reset_password": { + "defaultMessage": "Reset Password" + }, + "reset_password_form.message.enter_your_email": { + "defaultMessage": "Enter your email to receive instructions on how to reset your password" + }, + "reset_password_form.message.return_to_sign_in": { + "defaultMessage": "Or return to", + "description": "Precedes link to return to sign in" + }, + "reset_password_form.title.reset_password": { + "defaultMessage": "Reset Password" + }, + "search.action.cancel": { + "defaultMessage": "Cancel" + }, + "selected_refinements.action.assistive_msg.clear_all": { + "defaultMessage": "Clear all filters" + }, + "selected_refinements.action.clear_all": { + "defaultMessage": "Clear All" + }, + "shipping_address.button.continue_to_shipping": { + "defaultMessage": "Continue to Shipping Method" + }, + "shipping_address.label.edit_button": { + "defaultMessage": "Edit {address}" + }, + "shipping_address.label.remove_button": { + "defaultMessage": "Remove {address}" + }, + "shipping_address.label.shipping_address_form": { + "defaultMessage": "Shipping Address Form" + }, + "shipping_address.title.shipping_address": { + "defaultMessage": "Shipping Address" + }, + "shipping_address_edit_form.button.save_and_continue": { + "defaultMessage": "Save & Continue to Shipping Method" + }, + "shipping_address_form.heading.edit_address": { + "defaultMessage": "Edit Address" + }, + "shipping_address_form.heading.new_address": { + "defaultMessage": "Add New Address" + }, + "shipping_address_selection.button.add_address": { + "defaultMessage": "Add New Address" + }, + "shipping_address_selection.button.submit": { + "defaultMessage": "Submit" + }, + "shipping_address_selection.title.add_address": { + "defaultMessage": "Add New Address" + }, + "shipping_address_selection.title.edit_shipping": { + "defaultMessage": "Edit Shipping Address" + }, + "shipping_options.action.send_as_a_gift": { + "defaultMessage": "Do you want to send this as a gift?" + }, + "shipping_options.button.continue_to_payment": { + "defaultMessage": "Continue to Payment" + }, + "shipping_options.title.shipping_gift_options": { + "defaultMessage": "Shipping & Gift Options" + }, + "signout_confirmation_dialog.button.cancel": { + "defaultMessage": "Cancel" + }, + "signout_confirmation_dialog.button.sign_out": { + "defaultMessage": "Sign Out" + }, + "signout_confirmation_dialog.heading.sign_out": { + "defaultMessage": "Sign Out" + }, + "signout_confirmation_dialog.message.sure_to_sign_out": { + "defaultMessage": "Are you sure you want to sign out? You will need to sign back in to proceed with your current order." + }, + "social_login_redirect.message.authenticating": { + "defaultMessage": "Authenticating..." + }, + "social_login_redirect.message.redirect_link": { + "defaultMessage": "If you are not automatically redirected, click this link to proceed." + }, + "store_locator.action.find": { + "defaultMessage": "Find" + }, + "store_locator.action.select_a_country": { + "defaultMessage": "Select a country" + }, + "store_locator.action.use_my_location": { + "defaultMessage": "Use My Location" + }, + "store_locator.action.viewMore": { + "defaultMessage": "View More" + }, + "store_locator.description.away": { + "defaultMessage": "away" + }, + "store_locator.description.loading_locations": { + "defaultMessage": "Loading locations..." + }, + "store_locator.description.no_locations": { + "defaultMessage": "Sorry, there are no locations in this area" + }, + "store_locator.description.or": { + "defaultMessage": "Or" + }, + "store_locator.description.phone": { + "defaultMessage": "Phone:" + }, + "store_locator.description.viewing_near_postal_code": { + "defaultMessage": "Viewing stores within {distance}{distanceUnit} of {postalCode} in" + }, + "store_locator.description.viewing_near_your_location": { + "defaultMessage": "Viewing stores near your location" + }, + "store_locator.dropdown.germany": { + "defaultMessage": "Germany" + }, + "store_locator.dropdown.united_states": { + "defaultMessage": "United States" + }, + "store_locator.error.agree_to_share_your_location": { + "defaultMessage": "Please agree to share your location" + }, + "store_locator.error.please_enter_a_postal_code": { + "defaultMessage": "Please enter a postal code." + }, + "store_locator.error.please_select_a_country": { + "defaultMessage": "Please select a country." + }, + "store_locator.field.placeholder.enter_postal_code": { + "defaultMessage": "Enter postal code" + }, + "store_locator.pagination.load_more": { + "defaultMessage": "Load More" + }, + "store_locator.title": { + "defaultMessage": "Find a Store" + }, + "swatch_group.selected.label": { + "defaultMessage": "{label}:" + }, + "toggle_card.action.edit": { + "defaultMessage": "Edit" + }, + "toggle_card.action.editContactInfo": { + "defaultMessage": "Edit Contact Info" + }, + "toggle_card.action.editPaymentInfo": { + "defaultMessage": "Edit Payment Info" + }, + "toggle_card.action.editShippingAddress": { + "defaultMessage": "Edit Shipping Address" + }, + "toggle_card.action.editShippingOptions": { + "defaultMessage": "Edit Shipping Options" + }, + "update_password_fields.button.forgot_password": { + "defaultMessage": "Forgot Password?" + }, + "use_address_fields.error.please_enter_first_name": { + "defaultMessage": "Please enter your first name." + }, + "use_address_fields.error.please_enter_last_name": { + "defaultMessage": "Please enter your last name." + }, + "use_address_fields.error.please_enter_phone_number": { + "defaultMessage": "Please enter your phone number." + }, + "use_address_fields.error.please_enter_your_postal_or_zip": { + "defaultMessage": "Please enter your zip code.", + "description": "Error message for a blank zip code (US-specific checkout)" + }, + "use_address_fields.error.please_select_your_address": { + "defaultMessage": "Please enter your address." + }, + "use_address_fields.error.please_select_your_city": { + "defaultMessage": "Please enter your city." + }, + "use_address_fields.error.please_select_your_country": { + "defaultMessage": "Please select your country." + }, + "use_address_fields.error.please_select_your_state_or_province": { + "defaultMessage": "Please select your state.", + "description": "Error message for a blank state (US-specific checkout)" + }, + "use_address_fields.error.required": { + "defaultMessage": "Required" + }, + "use_address_fields.error.state_code_invalid": { + "defaultMessage": "Please enter 2-letter state/province." + }, + "use_address_fields.label.address": { + "defaultMessage": "Address" + }, + "use_address_fields.label.address_form": { + "defaultMessage": "Address Form" + }, + "use_address_fields.label.city": { + "defaultMessage": "City" + }, + "use_address_fields.label.country": { + "defaultMessage": "Country" + }, + "use_address_fields.label.first_name": { + "defaultMessage": "First Name" + }, + "use_address_fields.label.last_name": { + "defaultMessage": "Last Name" + }, + "use_address_fields.label.phone": { + "defaultMessage": "Phone" + }, + "use_address_fields.label.postal_code": { + "defaultMessage": "Postal Code" + }, + "use_address_fields.label.preferred": { + "defaultMessage": "Set as default" + }, + "use_address_fields.label.province": { + "defaultMessage": "Province" + }, + "use_address_fields.label.state": { + "defaultMessage": "State" + }, + "use_address_fields.label.zipCode": { + "defaultMessage": "Zip Code" + }, + "use_credit_card_fields.error.required": { + "defaultMessage": "Required" + }, + "use_credit_card_fields.error.required_card_number": { + "defaultMessage": "Please enter your card number." + }, + "use_credit_card_fields.error.required_expiry": { + "defaultMessage": "Please enter your expiration date." + }, + "use_credit_card_fields.error.required_name": { + "defaultMessage": "Please enter your name as shown on your card." + }, + "use_credit_card_fields.error.required_security_code": { + "defaultMessage": "Please enter your security code." + }, + "use_credit_card_fields.error.valid_card_number": { + "defaultMessage": "Please enter a valid card number." + }, + "use_credit_card_fields.error.valid_date": { + "defaultMessage": "Please enter a valid date." + }, + "use_credit_card_fields.error.valid_name": { + "defaultMessage": "Please enter a valid name." + }, + "use_credit_card_fields.error.valid_security_code": { + "defaultMessage": "Please enter a valid security code." + }, + "use_credit_card_fields.label.card_number": { + "defaultMessage": "Card Number" + }, + "use_credit_card_fields.label.card_type": { + "defaultMessage": "Card Type" + }, + "use_credit_card_fields.label.expiry": { + "defaultMessage": "Expiration Date" + }, + "use_credit_card_fields.label.name": { + "defaultMessage": "Name on Card" + }, + "use_credit_card_fields.label.security_code": { + "defaultMessage": "Security Code" + }, + "use_login_fields.error.required_email": { + "defaultMessage": "Please enter your email address." + }, + "use_login_fields.error.required_password": { + "defaultMessage": "Please enter your password." + }, + "use_login_fields.label.email": { + "defaultMessage": "Email" + }, + "use_login_fields.label.password": { + "defaultMessage": "Password" + }, + "use_product.message.inventory_remaining": { + "defaultMessage": "Only {stockLevel} left!" + }, + "use_product.message.inventory_remaining_for_product": { + "defaultMessage": "Only {stockLevel} left for {productName}!" + }, + "use_product.message.out_of_stock": { + "defaultMessage": "Out of stock" + }, + "use_product.message.out_of_stock_for_product": { + "defaultMessage": "Out of stock for {productName}" + }, + "use_profile_fields.error.required_email": { + "defaultMessage": "Please enter a valid email address." + }, + "use_profile_fields.error.required_first_name": { + "defaultMessage": "Please enter your first name." + }, + "use_profile_fields.error.required_last_name": { + "defaultMessage": "Please enter your last name." + }, + "use_profile_fields.error.required_phone": { + "defaultMessage": "Please enter your phone number." + }, + "use_profile_fields.label.email": { + "defaultMessage": "Email" + }, + "use_profile_fields.label.first_name": { + "defaultMessage": "First Name" + }, + "use_profile_fields.label.last_name": { + "defaultMessage": "Last Name" + }, + "use_profile_fields.label.phone": { + "defaultMessage": "Phone Number" + }, + "use_promo_code_fields.error.required_promo_code": { + "defaultMessage": "Please provide a valid promo code." + }, + "use_promo_code_fields.label.promo_code": { + "defaultMessage": "Promo Code" + }, + "use_promocode.error.check_the_code": { + "defaultMessage": "Check the code and try again, it may already be applied or the promo has expired." + }, + "use_promocode.info.promo_applied": { + "defaultMessage": "Promotion applied" + }, + "use_promocode.info.promo_removed": { + "defaultMessage": "Promotion removed" + }, + "use_registration_fields.error.contain_number": { + "defaultMessage": "Password must contain at least one number." + }, + "use_registration_fields.error.lowercase_letter": { + "defaultMessage": "Password must contain at least one lowercase letter." + }, + "use_registration_fields.error.minimum_characters": { + "defaultMessage": "Password must contain at least 8 characters." + }, + "use_registration_fields.error.required_email": { + "defaultMessage": "Please enter a valid email address." + }, + "use_registration_fields.error.required_first_name": { + "defaultMessage": "Please enter your first name." + }, + "use_registration_fields.error.required_last_name": { + "defaultMessage": "Please enter your last name." + }, + "use_registration_fields.error.required_password": { + "defaultMessage": "Please create a password." + }, + "use_registration_fields.error.special_character": { + "defaultMessage": "Password must contain at least one special character." + }, + "use_registration_fields.error.uppercase_letter": { + "defaultMessage": "Password must contain at least one uppercase letter." + }, + "use_registration_fields.label.email": { + "defaultMessage": "Email" + }, + "use_registration_fields.label.first_name": { + "defaultMessage": "First Name" + }, + "use_registration_fields.label.last_name": { + "defaultMessage": "Last Name" + }, + "use_registration_fields.label.password": { + "defaultMessage": "Password" + }, + "use_registration_fields.label.sign_up_to_emails": { + "defaultMessage": "Sign me up for Salesforce emails (you can unsubscribe at any time)" + }, + "use_reset_password_fields.error.required_email": { + "defaultMessage": "Please enter a valid email address." + }, + "use_reset_password_fields.label.email": { + "defaultMessage": "Email" + }, + "use_update_password_fields.error.contain_number": { + "defaultMessage": "Password must contain at least one number." + }, + "use_update_password_fields.error.lowercase_letter": { + "defaultMessage": "Password must contain at least one lowercase letter." + }, + "use_update_password_fields.error.minimum_characters": { + "defaultMessage": "Password must contain at least 8 characters." + }, + "use_update_password_fields.error.password_mismatch": { + "defaultMessage": "Passwords do not match." + }, + "use_update_password_fields.error.required_confirm_password": { + "defaultMessage": "Please confirm your password." + }, + "use_update_password_fields.error.required_new_password": { + "defaultMessage": "Please provide a new password." + }, + "use_update_password_fields.error.required_password": { + "defaultMessage": "Please enter your password." + }, + "use_update_password_fields.error.special_character": { + "defaultMessage": "Password must contain at least one special character." + }, + "use_update_password_fields.error.uppercase_letter": { + "defaultMessage": "Password must contain at least one uppercase letter." + }, + "use_update_password_fields.label.confirm_new_password": { + "defaultMessage": "Confirm New Password" + }, + "use_update_password_fields.label.current_password": { + "defaultMessage": "Current Password" + }, + "use_update_password_fields.label.new_password": { + "defaultMessage": "New Password" + }, + "wishlist_primary_action.button.addSetToCart.label": { + "defaultMessage": "Add {productName} set to cart" + }, + "wishlist_primary_action.button.addToCart.label": { + "defaultMessage": "Add {productName} to cart" + }, + "wishlist_primary_action.button.add_set_to_cart": { + "defaultMessage": "Add Set to Cart" + }, + "wishlist_primary_action.button.add_to_cart": { + "defaultMessage": "Add to Cart" + }, + "wishlist_primary_action.button.viewFullDetails.label": { + "defaultMessage": "View full details for {productName}" + }, + "wishlist_primary_action.button.view_full_details": { + "defaultMessage": "View Full Details" + }, + "wishlist_primary_action.button.view_options": { + "defaultMessage": "View Options" + }, + "wishlist_primary_action.button.view_options.label": { + "defaultMessage": "View Options for {productName}" + }, + "wishlist_primary_action.info.added_to_cart": { + "defaultMessage": "{quantity} {quantity, plural, one {item} other {items}} added to cart" + }, + "wishlist_secondary_button_group.action.remove": { + "defaultMessage": "Remove" + }, + "wishlist_secondary_button_group.info.item.remove.label": { + "defaultMessage": "Remove {productName}" + }, + "wishlist_secondary_button_group.info.item_removed": { + "defaultMessage": "Item removed from wishlist" + }, + "with_registration.info.please_sign_in": { + "defaultMessage": "Please sign in to continue!" + } +} diff --git a/my-test-project/translations/en-US.json b/my-test-project/translations/en-US.json new file mode 100644 index 0000000000..48dd92bb1b --- /dev/null +++ b/my-test-project/translations/en-US.json @@ -0,0 +1,1801 @@ +{ + "account.accordion.button.my_account": { + "defaultMessage": "My Account" + }, + "account.heading.my_account": { + "defaultMessage": "My Account" + }, + "account.logout_button.button.log_out": { + "defaultMessage": "Log Out" + }, + "account_addresses.badge.default": { + "defaultMessage": "Default" + }, + "account_addresses.button.add_address": { + "defaultMessage": "Add Address" + }, + "account_addresses.info.address_removed": { + "defaultMessage": "Address removed" + }, + "account_addresses.info.address_updated": { + "defaultMessage": "Address updated" + }, + "account_addresses.info.new_address_saved": { + "defaultMessage": "New address saved" + }, + "account_addresses.page_action_placeholder.button.add_address": { + "defaultMessage": "Add Address" + }, + "account_addresses.page_action_placeholder.heading.no_saved_addresses": { + "defaultMessage": "No Saved Addresses" + }, + "account_addresses.page_action_placeholder.message.add_new_address": { + "defaultMessage": "Add a new address method for faster checkout." + }, + "account_addresses.title.addresses": { + "defaultMessage": "Addresses" + }, + "account_detail.title.account_details": { + "defaultMessage": "Account Details" + }, + "account_order_detail.heading.billing_address": { + "defaultMessage": "Billing Address" + }, + "account_order_detail.heading.num_of_items": { + "defaultMessage": "{count} items" + }, + "account_order_detail.heading.payment_method": { + "defaultMessage": "Payment Method" + }, + "account_order_detail.heading.shipping_address": { + "defaultMessage": "Shipping Address" + }, + "account_order_detail.heading.shipping_method": { + "defaultMessage": "Shipping Method" + }, + "account_order_detail.label.order_number": { + "defaultMessage": "Order Number: {orderNumber}" + }, + "account_order_detail.label.ordered_date": { + "defaultMessage": "Ordered: {date}" + }, + "account_order_detail.label.pending_tracking_number": { + "defaultMessage": "Pending" + }, + "account_order_detail.label.tracking_number": { + "defaultMessage": "Tracking Number" + }, + "account_order_detail.link.back_to_history": { + "defaultMessage": "Back to Order History" + }, + "account_order_detail.shipping_status.not_shipped": { + "defaultMessage": "Not shipped" + }, + "account_order_detail.shipping_status.part_shipped": { + "defaultMessage": "Partially shipped" + }, + "account_order_detail.shipping_status.shipped": { + "defaultMessage": "Shipped" + }, + "account_order_detail.title.order_details": { + "defaultMessage": "Order Details" + }, + "account_order_history.button.continue_shopping": { + "defaultMessage": "Continue Shopping" + }, + "account_order_history.description.once_you_place_order": { + "defaultMessage": "Once you place an order the details will show up here." + }, + "account_order_history.heading.no_order_yet": { + "defaultMessage": "You haven't placed an order yet." + }, + "account_order_history.label.num_of_items": { + "defaultMessage": "{count} items", + "description": "Number of items in order" + }, + "account_order_history.label.order_number": { + "defaultMessage": "Order Number: {orderNumber}" + }, + "account_order_history.label.ordered_date": { + "defaultMessage": "Ordered: {date}" + }, + "account_order_history.label.shipped_to": { + "defaultMessage": "Shipped to: {name}" + }, + "account_order_history.link.view_details": { + "defaultMessage": "View details" + }, + "account_order_history.title.order_history": { + "defaultMessage": "Order History" + }, + "account_wishlist.button.continue_shopping": { + "defaultMessage": "Continue Shopping" + }, + "account_wishlist.description.continue_shopping": { + "defaultMessage": "Continue shopping and add items to your wishlist." + }, + "account_wishlist.heading.no_wishlist": { + "defaultMessage": "No Wishlist Items" + }, + "account_wishlist.title.wishlist": { + "defaultMessage": "Wishlist" + }, + "action_card.action.edit": { + "defaultMessage": "Edit" + }, + "action_card.action.remove": { + "defaultMessage": "Remove" + }, + "add_to_cart_modal.info.added_to_cart": { + "defaultMessage": "{quantity} {quantity, plural, one {item} other {items}} added to cart" + }, + "add_to_cart_modal.label.cart_subtotal": { + "defaultMessage": "Cart Subtotal ({itemAccumulatedCount} item)" + }, + "add_to_cart_modal.label.quantity": { + "defaultMessage": "Qty" + }, + "add_to_cart_modal.link.checkout": { + "defaultMessage": "Proceed to Checkout" + }, + "add_to_cart_modal.link.view_cart": { + "defaultMessage": "View Cart" + }, + "add_to_cart_modal.recommended_products.title.might_also_like": { + "defaultMessage": "You Might Also Like" + }, + "auth_modal.button.close.assistive_msg": { + "defaultMessage": "Close login form" + }, + "auth_modal.check_email.button.resend_link": { + "defaultMessage": "Resend Link" + }, + "auth_modal.check_email.description.check_spam_folder": { + "defaultMessage": "The link may take a few minutes to arrive, check your spam folder if you're having trouble finding it" + }, + "auth_modal.check_email.description.just_sent": { + "defaultMessage": "We just sent a login link to {email}" + }, + "auth_modal.check_email.title.check_your_email": { + "defaultMessage": "Check Your Email" + }, + "auth_modal.description.now_signed_in": { + "defaultMessage": "You're now signed in." + }, + "auth_modal.error.incorrect_email_or_password": { + "defaultMessage": "Something's not right with your email or password. Try again." + }, + "auth_modal.info.welcome_user": { + "defaultMessage": "Welcome {name}," + }, + "auth_modal.password_reset_success.button.back_to_sign_in": { + "defaultMessage": "Back to Sign In" + }, + "auth_modal.password_reset_success.info.will_email_shortly": { + "defaultMessage": "You will receive an email at {email} with a link to reset your password shortly." + }, + "auth_modal.password_reset_success.title.password_reset": { + "defaultMessage": "Password Reset" + }, + "carousel.button.scroll_left.assistive_msg": { + "defaultMessage": "Scroll carousel left" + }, + "carousel.button.scroll_right.assistive_msg": { + "defaultMessage": "Scroll carousel right" + }, + "cart.info.removed_from_cart": { + "defaultMessage": "Item removed from cart" + }, + "cart.product_edit_modal.modal_label": { + "defaultMessage": "Edit modal for {productName}" + }, + "cart.recommended_products.title.may_also_like": { + "defaultMessage": "You May Also Like" + }, + "cart.recommended_products.title.recently_viewed": { + "defaultMessage": "Recently Viewed" + }, + "cart_cta.link.checkout": { + "defaultMessage": "Proceed to Checkout" + }, + "cart_secondary_button_group.action.added_to_wishlist": { + "defaultMessage": "Add to Wishlist" + }, + "cart_secondary_button_group.action.edit": { + "defaultMessage": "Edit" + }, + "cart_secondary_button_group.action.remove": { + "defaultMessage": "Remove" + }, + "cart_secondary_button_group.label.this_is_gift": { + "defaultMessage": "This is a gift." + }, + "cart_skeleton.heading.order_summary": { + "defaultMessage": "Order Summary" + }, + "cart_skeleton.title.cart": { + "defaultMessage": "Cart" + }, + "cart_title.title.cart_num_of_items": { + "defaultMessage": "Cart ({itemCount, plural, =0 {0 items} one {# item} other {# items}})" + }, + "category_links.button_text": { + "defaultMessage": "Categories" + }, + "cc_radio_group.action.remove": { + "defaultMessage": "Remove" + }, + "cc_radio_group.button.add_new_card": { + "defaultMessage": "Add New Card" + }, + "checkout.button.place_order": { + "defaultMessage": "Place Order" + }, + "checkout.message.generic_error": { + "defaultMessage": "An unexpected error occurred during checkout." + }, + "checkout_confirmation.button.create_account": { + "defaultMessage": "Create Account" + }, + "checkout_confirmation.heading.billing_address": { + "defaultMessage": "Billing Address" + }, + "checkout_confirmation.heading.create_account": { + "defaultMessage": "Create an account for faster checkout" + }, + "checkout_confirmation.heading.credit_card": { + "defaultMessage": "Credit Card" + }, + "checkout_confirmation.heading.delivery_details": { + "defaultMessage": "Delivery Details" + }, + "checkout_confirmation.heading.order_summary": { + "defaultMessage": "Order Summary" + }, + "checkout_confirmation.heading.payment_details": { + "defaultMessage": "Payment Details" + }, + "checkout_confirmation.heading.shipping_address": { + "defaultMessage": "Shipping Address" + }, + "checkout_confirmation.heading.shipping_method": { + "defaultMessage": "Shipping Method" + }, + "checkout_confirmation.heading.thank_you_for_order": { + "defaultMessage": "Thank you for your order!" + }, + "checkout_confirmation.label.free": { + "defaultMessage": "Free" + }, + "checkout_confirmation.label.order_number": { + "defaultMessage": "Order Number" + }, + "checkout_confirmation.label.order_total": { + "defaultMessage": "Order Total" + }, + "checkout_confirmation.label.promo_applied": { + "defaultMessage": "Promotion applied" + }, + "checkout_confirmation.label.shipping": { + "defaultMessage": "Shipping" + }, + "checkout_confirmation.label.shipping.strikethrough.price": { + "defaultMessage": "Originally {originalPrice}, now {newPrice}" + }, + "checkout_confirmation.label.subtotal": { + "defaultMessage": "Subtotal" + }, + "checkout_confirmation.label.tax": { + "defaultMessage": "Tax" + }, + "checkout_confirmation.link.continue_shopping": { + "defaultMessage": "Continue Shopping" + }, + "checkout_confirmation.link.login": { + "defaultMessage": "Log in here" + }, + "checkout_confirmation.message.already_has_account": { + "defaultMessage": "This email already has an account." + }, + "checkout_confirmation.message.num_of_items_in_order": { + "defaultMessage": "{itemCount, plural, =0 {0 items} one {# item} other {# items}}", + "description": "# item(s) in order" + }, + "checkout_confirmation.message.will_email_shortly": { + "defaultMessage": "We will send an email to {email} with your confirmation number and receipt shortly." + }, + "checkout_footer.link.privacy_policy": { + "defaultMessage": "Privacy Policy" + }, + "checkout_footer.link.returns_exchanges": { + "defaultMessage": "Returns & Exchanges" + }, + "checkout_footer.link.shipping": { + "defaultMessage": "Shipping" + }, + "checkout_footer.link.site_map": { + "defaultMessage": "Site Map" + }, + "checkout_footer.link.terms_conditions": { + "defaultMessage": "Terms & Conditions" + }, + "checkout_footer.message.copyright": { + "defaultMessage": "Salesforce or its affiliates. All rights reserved. This is a demo store only. Orders made WILL NOT be processed." + }, + "checkout_header.link.assistive_msg.cart": { + "defaultMessage": "Back to cart, number of items: {numItems}" + }, + "checkout_header.link.cart": { + "defaultMessage": "Back to cart" + }, + "checkout_payment.action.remove": { + "defaultMessage": "Remove" + }, + "checkout_payment.button.review_order": { + "defaultMessage": "Review Order" + }, + "checkout_payment.heading.billing_address": { + "defaultMessage": "Billing Address" + }, + "checkout_payment.heading.credit_card": { + "defaultMessage": "Credit Card" + }, + "checkout_payment.label.billing_address_form": { + "defaultMessage": "Billing Address Form" + }, + "checkout_payment.label.same_as_shipping": { + "defaultMessage": "Same as shipping address" + }, + "checkout_payment.title.payment": { + "defaultMessage": "Payment" + }, + "colorRefinements.label.hitCount": { + "defaultMessage": "{colorLabel} ({colorHitCount})" + }, + "confirmation_modal.default.action.no": { + "defaultMessage": "No" + }, + "confirmation_modal.default.action.yes": { + "defaultMessage": "Yes" + }, + "confirmation_modal.default.assistive_msg.no": { + "defaultMessage": "No, cancel action" + }, + "confirmation_modal.default.assistive_msg.yes": { + "defaultMessage": "Yes, confirm action" + }, + "confirmation_modal.default.message.you_want_to_continue": { + "defaultMessage": "Are you sure you want to continue?" + }, + "confirmation_modal.default.title.confirm_action": { + "defaultMessage": "Confirm Action" + }, + "confirmation_modal.remove_cart_item.action.no": { + "defaultMessage": "No, keep item" + }, + "confirmation_modal.remove_cart_item.action.remove": { + "defaultMessage": "Remove" + }, + "confirmation_modal.remove_cart_item.action.yes": { + "defaultMessage": "Yes, remove item" + }, + "confirmation_modal.remove_cart_item.assistive_msg.no": { + "defaultMessage": "No, keep item" + }, + "confirmation_modal.remove_cart_item.assistive_msg.remove": { + "defaultMessage": "Remove unavailable products" + }, + "confirmation_modal.remove_cart_item.assistive_msg.yes": { + "defaultMessage": "Yes, remove item" + }, + "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": { + "defaultMessage": "Some items are no longer available online and will be removed from your cart." + }, + "confirmation_modal.remove_cart_item.message.sure_to_remove": { + "defaultMessage": "Are you sure you want to remove this item from your cart?" + }, + "confirmation_modal.remove_cart_item.title.confirm_remove": { + "defaultMessage": "Confirm Remove Item" + }, + "confirmation_modal.remove_cart_item.title.items_unavailable": { + "defaultMessage": "Items Unavailable" + }, + "confirmation_modal.remove_wishlist_item.action.no": { + "defaultMessage": "No, keep item" + }, + "confirmation_modal.remove_wishlist_item.action.yes": { + "defaultMessage": "Yes, remove item" + }, + "confirmation_modal.remove_wishlist_item.message.sure_to_remove": { + "defaultMessage": "Are you sure you want to remove this item from your wishlist?" + }, + "confirmation_modal.remove_wishlist_item.title.confirm_remove": { + "defaultMessage": "Confirm Remove Item" + }, + "contact_info.action.sign_out": { + "defaultMessage": "Sign Out" + }, + "contact_info.button.already_have_account": { + "defaultMessage": "Already have an account? Log in" + }, + "contact_info.button.back_to_sign_in_options": { + "defaultMessage": "Back to Sign In Options" + }, + "contact_info.button.checkout_as_guest": { + "defaultMessage": "Checkout as Guest" + }, + "contact_info.button.login": { + "defaultMessage": "Log In" + }, + "contact_info.button.password": { + "defaultMessage": "Password" + }, + "contact_info.button.secure_link": { + "defaultMessage": "Secure Link" + }, + "contact_info.error.incorrect_username_or_password": { + "defaultMessage": "Incorrect username or password, please try again." + }, + "contact_info.link.forgot_password": { + "defaultMessage": "Forgot password?" + }, + "contact_info.message.or_login_with": { + "defaultMessage": "Or Login With" + }, + "contact_info.title.contact_info": { + "defaultMessage": "Contact Info" + }, + "credit_card_fields.tool_tip.security_code": { + "defaultMessage": "This 3-digit code can be found on the back of your card.", + "description": "Generic credit card security code help text" + }, + "credit_card_fields.tool_tip.security_code.american_express": { + "defaultMessage": "This 4-digit code can be found on the front of your card.", + "description": "American Express security code help text" + }, + "credit_card_fields.tool_tip.security_code_aria_label": { + "defaultMessage": "Security code info" + }, + "display_price.assistive_msg.current_price": { + "defaultMessage": "current price {currentPrice}" + }, + "display_price.assistive_msg.current_price_with_range": { + "defaultMessage": "From current price {currentPrice}" + }, + "display_price.assistive_msg.strikethrough_price": { + "defaultMessage": "original price {listPrice}" + }, + "display_price.assistive_msg.strikethrough_price_with_range": { + "defaultMessage": "From original price {listPrice}" + }, + "display_price.label.current_price_with_range": { + "defaultMessage": "From {currentPrice}" + }, + "dnt_notification.button.accept": { + "defaultMessage": "Accept" + }, + "dnt_notification.button.assistive_msg.accept": { + "defaultMessage": "Accept tracking" + }, + "dnt_notification.button.assistive_msg.close": { + "defaultMessage": "Close consent tracking form" + }, + "dnt_notification.button.assistive_msg.decline": { + "defaultMessage": "Decline tracking" + }, + "dnt_notification.button.decline": { + "defaultMessage": "Decline" + }, + "dnt_notification.description": { + "defaultMessage": "Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur." + }, + "dnt_notification.title": { + "defaultMessage": "Tracking Consent" + }, + "drawer_menu.button.account_details": { + "defaultMessage": "Account Details" + }, + "drawer_menu.button.addresses": { + "defaultMessage": "Addresses" + }, + "drawer_menu.button.log_out": { + "defaultMessage": "Log Out" + }, + "drawer_menu.button.my_account": { + "defaultMessage": "My Account" + }, + "drawer_menu.button.order_history": { + "defaultMessage": "Order History" + }, + "drawer_menu.header.assistive_msg.title": { + "defaultMessage": "Menu Drawer" + }, + "drawer_menu.link.about_us": { + "defaultMessage": "About Us" + }, + "drawer_menu.link.customer_support": { + "defaultMessage": "Customer Support" + }, + "drawer_menu.link.customer_support.contact_us": { + "defaultMessage": "Contact Us" + }, + "drawer_menu.link.customer_support.shipping_and_returns": { + "defaultMessage": "Shipping & Returns" + }, + "drawer_menu.link.our_company": { + "defaultMessage": "Our Company" + }, + "drawer_menu.link.privacy_and_security": { + "defaultMessage": "Privacy & Security" + }, + "drawer_menu.link.privacy_policy": { + "defaultMessage": "Privacy Policy" + }, + "drawer_menu.link.shop_all": { + "defaultMessage": "Shop All" + }, + "drawer_menu.link.sign_in": { + "defaultMessage": "Sign In" + }, + "drawer_menu.link.site_map": { + "defaultMessage": "Site Map" + }, + "drawer_menu.link.store_locator": { + "defaultMessage": "Store Locator" + }, + "drawer_menu.link.terms_and_conditions": { + "defaultMessage": "Terms & Conditions" + }, + "empty_cart.description.empty_cart": { + "defaultMessage": "Your cart is empty." + }, + "empty_cart.link.continue_shopping": { + "defaultMessage": "Continue Shopping" + }, + "empty_cart.link.sign_in": { + "defaultMessage": "Sign In" + }, + "empty_cart.message.continue_shopping": { + "defaultMessage": "Continue shopping to add items to your cart." + }, + "empty_cart.message.sign_in_or_continue_shopping": { + "defaultMessage": "Sign in to retrieve your saved items or continue shopping." + }, + "empty_search_results.info.cant_find_anything_for_category": { + "defaultMessage": "We couldn’t find anything for {category}. Try searching for a product or {link}." + }, + "empty_search_results.info.cant_find_anything_for_query": { + "defaultMessage": "We couldn’t find anything for \"{searchQuery}\"." + }, + "empty_search_results.info.double_check_spelling": { + "defaultMessage": "Double-check your spelling and try again or {link}." + }, + "empty_search_results.link.contact_us": { + "defaultMessage": "Contact Us" + }, + "empty_search_results.recommended_products.title.most_viewed": { + "defaultMessage": "Most Viewed" + }, + "empty_search_results.recommended_products.title.top_sellers": { + "defaultMessage": "Top Sellers" + }, + "field.password.assistive_msg.hide_password": { + "defaultMessage": "Hide password" + }, + "field.password.assistive_msg.show_password": { + "defaultMessage": "Show password" + }, + "footer.column.account": { + "defaultMessage": "Account" + }, + "footer.column.customer_support": { + "defaultMessage": "Customer Support" + }, + "footer.column.our_company": { + "defaultMessage": "Our Company" + }, + "footer.link.about_us": { + "defaultMessage": "About Us" + }, + "footer.link.contact_us": { + "defaultMessage": "Contact Us" + }, + "footer.link.order_status": { + "defaultMessage": "Order Status" + }, + "footer.link.privacy_policy": { + "defaultMessage": "Privacy Policy" + }, + "footer.link.shipping": { + "defaultMessage": "Shipping" + }, + "footer.link.signin_create_account": { + "defaultMessage": "Sign in or create account" + }, + "footer.link.site_map": { + "defaultMessage": "Site Map" + }, + "footer.link.store_locator": { + "defaultMessage": "Store Locator" + }, + "footer.link.terms_conditions": { + "defaultMessage": "Terms & Conditions" + }, + "footer.locale_selector.assistive_msg": { + "defaultMessage": "Select Language" + }, + "footer.message.copyright": { + "defaultMessage": "Salesforce or its affiliates. All rights reserved. This is a demo store only. Orders made WILL NOT be processed." + }, + "footer.subscribe.button.sign_up": { + "defaultMessage": "Sign Up" + }, + "footer.subscribe.description.sign_up": { + "defaultMessage": "Sign up to stay in the loop about the hottest deals" + }, + "footer.subscribe.email.assistive_msg": { + "defaultMessage": "Email address for newsletter" + }, + "footer.subscribe.heading.first_to_know": { + "defaultMessage": "Be the first to know" + }, + "form_action_buttons.button.cancel": { + "defaultMessage": "Cancel" + }, + "form_action_buttons.button.save": { + "defaultMessage": "Save" + }, + "global.account.link.account_details": { + "defaultMessage": "Account Details" + }, + "global.account.link.addresses": { + "defaultMessage": "Addresses" + }, + "global.account.link.order_history": { + "defaultMessage": "Order History" + }, + "global.account.link.wishlist": { + "defaultMessage": "Wishlist" + }, + "global.error.create_account": { + "defaultMessage": "This feature is not currently available. You must create an account to access this feature." + }, + "global.error.feature_unavailable": { + "defaultMessage": "This feature is not currently available." + }, + "global.error.invalid_token": { + "defaultMessage": "Invalid token, please try again." + }, + "global.error.something_went_wrong": { + "defaultMessage": "Something went wrong. Try again!" + }, + "global.info.added_to_wishlist": { + "defaultMessage": "{quantity} {quantity, plural, one {item} other {items}} added to wishlist" + }, + "global.info.already_in_wishlist": { + "defaultMessage": "Item is already in wishlist" + }, + "global.info.removed_from_wishlist": { + "defaultMessage": "Item removed from wishlist" + }, + "global.link.added_to_wishlist.view_wishlist": { + "defaultMessage": "View" + }, + "header.button.assistive_msg.logo": { + "defaultMessage": "Logo" + }, + "header.button.assistive_msg.menu": { + "defaultMessage": "Menu" + }, + "header.button.assistive_msg.menu.open_dialog": { + "defaultMessage": "Opens a dialog" + }, + "header.button.assistive_msg.my_account": { + "defaultMessage": "My Account" + }, + "header.button.assistive_msg.my_account_menu": { + "defaultMessage": "Open account menu" + }, + "header.button.assistive_msg.my_cart_with_num_items": { + "defaultMessage": "My cart, number of items: {numItems}" + }, + "header.button.assistive_msg.store_locator": { + "defaultMessage": "Store Locator" + }, + "header.button.assistive_msg.wishlist": { + "defaultMessage": "Wishlist" + }, + "header.field.placeholder.search_for_products": { + "defaultMessage": "Search for products..." + }, + "header.popover.action.log_out": { + "defaultMessage": "Log out" + }, + "header.popover.title.my_account": { + "defaultMessage": "My Account" + }, + "home.description.features": { + "defaultMessage": "Out-of-the-box features so that you focus only on adding enhancements." + }, + "home.description.here_to_help": { + "defaultMessage": "Contact our support staff." + }, + "home.description.here_to_help_line_2": { + "defaultMessage": "They will get you to the right place." + }, + "home.description.shop_products": { + "defaultMessage": "This section contains content from the catalog. {docLink} on how to replace it.", + "description": "{docLink} is a html button that links the user to https://sfdc.co/business-manager-manage-catalogs" + }, + "home.description.todo_list": { + "defaultMessage": "Example Todo list fetched from JSONPlaceholder API" + }, + "home.features.description.cart_checkout": { + "defaultMessage": "Ecommerce best practice for a shopper's cart and checkout experience." + }, + "home.features.description.components": { + "defaultMessage": "Built using Chakra UI, a simple, modular and accessible React component library." + }, + "home.features.description.einstein_recommendations": { + "defaultMessage": "Deliver the next best product or offer to every shopper through product recommendations." + }, + "home.features.description.my_account": { + "defaultMessage": "Shoppers can manage account information such as their profile, addresses, payments and orders." + }, + "home.features.description.shopper_login": { + "defaultMessage": "Enable shoppers to easily log in with a more personalized shopping experience." + }, + "home.features.description.wishlist": { + "defaultMessage": "Registered shoppers can add product items to their wishlist from purchasing later." + }, + "home.features.heading.cart_checkout": { + "defaultMessage": "Cart & Checkout" + }, + "home.features.heading.components": { + "defaultMessage": "Components & Design Kit" + }, + "home.features.heading.einstein_recommendations": { + "defaultMessage": "Einstein Recommendations" + }, + "home.features.heading.my_account": { + "defaultMessage": "My Account" + }, + "home.features.heading.shopper_login": { + "defaultMessage": "Shopper Login and API Access Service" + }, + "home.features.heading.wishlist": { + "defaultMessage": "Wishlist" + }, + "home.heading.features": { + "defaultMessage": "Features" + }, + "home.heading.here_to_help": { + "defaultMessage": "We're here to help" + }, + "home.heading.shop_products": { + "defaultMessage": "Shop Products" + }, + "home.heading.todo_list": { + "defaultMessage": "Todo List" + }, + "home.hero_features.link.design_kit": { + "defaultMessage": "Create with the Figma PWA Design Kit" + }, + "home.hero_features.link.on_github": { + "defaultMessage": "Download on Github" + }, + "home.hero_features.link.on_managed_runtime": { + "defaultMessage": "Deploy on Managed Runtime" + }, + "home.link.contact_us": { + "defaultMessage": "Contact Us" + }, + "home.link.get_started": { + "defaultMessage": "Get started" + }, + "home.link.read_docs": { + "defaultMessage": "Read docs" + }, + "home.title.react_starter_store": { + "defaultMessage": "The React PWA Starter Store for Retail" + }, + "icons.assistive_msg.lock": { + "defaultMessage": "Secure" + }, + "item_attributes.label.promotions": { + "defaultMessage": "Promotions" + }, + "item_attributes.label.quantity": { + "defaultMessage": "Quantity: {quantity}" + }, + "item_attributes.label.selected_options": { + "defaultMessage": "Selected Options" + }, + "item_image.label.sale": { + "defaultMessage": "Sale", + "description": "A sale badge placed on top of a product image" + }, + "item_image.label.unavailable": { + "defaultMessage": "Unavailable", + "description": "A unavailable badge placed on top of a product image" + }, + "item_variant.assistive_msg.quantity": { + "defaultMessage": "Quantity {quantity}" + }, + "item_variant.quantity.label": { + "defaultMessage": "Quantity selector for {productName}. Selected quantity is {quantity}" + }, + "lCPCxk": { + "defaultMessage": "Please select all your options above" + }, + "list_menu.nav.assistive_msg": { + "defaultMessage": "Main navigation" + }, + "locale_text.message.ar-SA": { + "defaultMessage": "Arabic (Saudi Arabia)" + }, + "locale_text.message.bn-BD": { + "defaultMessage": "Bangla (Bangladesh)" + }, + "locale_text.message.bn-IN": { + "defaultMessage": "Bangla (India)" + }, + "locale_text.message.cs-CZ": { + "defaultMessage": "Czech (Czech Republic)" + }, + "locale_text.message.da-DK": { + "defaultMessage": "Danish (Denmark)" + }, + "locale_text.message.de-AT": { + "defaultMessage": "German (Austria)" + }, + "locale_text.message.de-CH": { + "defaultMessage": "German (Switzerland)" + }, + "locale_text.message.de-DE": { + "defaultMessage": "German (Germany)" + }, + "locale_text.message.el-GR": { + "defaultMessage": "Greek (Greece)" + }, + "locale_text.message.en-AU": { + "defaultMessage": "English (Australia)" + }, + "locale_text.message.en-CA": { + "defaultMessage": "English (Canada)" + }, + "locale_text.message.en-GB": { + "defaultMessage": "English (United Kingdom)" + }, + "locale_text.message.en-IE": { + "defaultMessage": "English (Ireland)" + }, + "locale_text.message.en-IN": { + "defaultMessage": "English (India)" + }, + "locale_text.message.en-NZ": { + "defaultMessage": "English (New Zealand)" + }, + "locale_text.message.en-US": { + "defaultMessage": "English (United States)" + }, + "locale_text.message.en-ZA": { + "defaultMessage": "English (South Africa)" + }, + "locale_text.message.es-AR": { + "defaultMessage": "Spanish (Argentina)" + }, + "locale_text.message.es-CL": { + "defaultMessage": "Spanish (Chile)" + }, + "locale_text.message.es-CO": { + "defaultMessage": "Spanish (Columbia)" + }, + "locale_text.message.es-ES": { + "defaultMessage": "Spanish (Spain)" + }, + "locale_text.message.es-MX": { + "defaultMessage": "Spanish (Mexico)" + }, + "locale_text.message.es-US": { + "defaultMessage": "Spanish (United States)" + }, + "locale_text.message.fi-FI": { + "defaultMessage": "Finnish (Finland)" + }, + "locale_text.message.fr-BE": { + "defaultMessage": "French (Belgium)" + }, + "locale_text.message.fr-CA": { + "defaultMessage": "French (Canada)" + }, + "locale_text.message.fr-CH": { + "defaultMessage": "French (Switzerland)" + }, + "locale_text.message.fr-FR": { + "defaultMessage": "French (France)" + }, + "locale_text.message.he-IL": { + "defaultMessage": "Hebrew (Israel)" + }, + "locale_text.message.hi-IN": { + "defaultMessage": "Hindi (India)" + }, + "locale_text.message.hu-HU": { + "defaultMessage": "Hungarian (Hungary)" + }, + "locale_text.message.id-ID": { + "defaultMessage": "Indonesian (Indonesia)" + }, + "locale_text.message.it-CH": { + "defaultMessage": "Italian (Switzerland)" + }, + "locale_text.message.it-IT": { + "defaultMessage": "Italian (Italy)" + }, + "locale_text.message.ja-JP": { + "defaultMessage": "Japanese (Japan)" + }, + "locale_text.message.ko-KR": { + "defaultMessage": "Korean (Republic of Korea)" + }, + "locale_text.message.nl-BE": { + "defaultMessage": "Dutch (Belgium)" + }, + "locale_text.message.nl-NL": { + "defaultMessage": "Dutch (The Netherlands)" + }, + "locale_text.message.no-NO": { + "defaultMessage": "Norwegian (Norway)" + }, + "locale_text.message.pl-PL": { + "defaultMessage": "Polish (Poland)" + }, + "locale_text.message.pt-BR": { + "defaultMessage": "Portuguese (Brazil)" + }, + "locale_text.message.pt-PT": { + "defaultMessage": "Portuguese (Portugal)" + }, + "locale_text.message.ro-RO": { + "defaultMessage": "Romanian (Romania)" + }, + "locale_text.message.ru-RU": { + "defaultMessage": "Russian (Russian Federation)" + }, + "locale_text.message.sk-SK": { + "defaultMessage": "Slovak (Slovakia)" + }, + "locale_text.message.sv-SE": { + "defaultMessage": "Swedish (Sweden)" + }, + "locale_text.message.ta-IN": { + "defaultMessage": "Tamil (India)" + }, + "locale_text.message.ta-LK": { + "defaultMessage": "Tamil (Sri Lanka)" + }, + "locale_text.message.th-TH": { + "defaultMessage": "Thai (Thailand)" + }, + "locale_text.message.tr-TR": { + "defaultMessage": "Turkish (Turkey)" + }, + "locale_text.message.zh-CN": { + "defaultMessage": "Chinese (China)" + }, + "locale_text.message.zh-HK": { + "defaultMessage": "Chinese (Hong Kong)" + }, + "locale_text.message.zh-TW": { + "defaultMessage": "Chinese (Taiwan)" + }, + "login_form.action.create_account": { + "defaultMessage": "Create account" + }, + "login_form.button.apple": { + "defaultMessage": "Apple" + }, + "login_form.button.back": { + "defaultMessage": "Back to Sign In Options" + }, + "login_form.button.continue_securely": { + "defaultMessage": "Continue Securely" + }, + "login_form.button.google": { + "defaultMessage": "Google" + }, + "login_form.button.password": { + "defaultMessage": "Password" + }, + "login_form.button.sign_in": { + "defaultMessage": "Sign In" + }, + "login_form.link.forgot_password": { + "defaultMessage": "Forgot password?" + }, + "login_form.message.dont_have_account": { + "defaultMessage": "Don't have an account?" + }, + "login_form.message.or_login_with": { + "defaultMessage": "Or Login With" + }, + "login_form.message.welcome_back": { + "defaultMessage": "Welcome Back" + }, + "login_page.error.incorrect_username_or_password": { + "defaultMessage": "Incorrect username or password, please try again." + }, + "offline_banner.description.browsing_offline_mode": { + "defaultMessage": "You're currently browsing in offline mode" + }, + "order_summary.action.remove_promo": { + "defaultMessage": "Remove" + }, + "order_summary.cart_items.action.num_of_items_in_cart": { + "defaultMessage": "{itemCount, plural, =0 {0 items} one {# item} other {# items}} in cart", + "description": "clicking it would expand/show the items in cart" + }, + "order_summary.cart_items.link.edit_cart": { + "defaultMessage": "Edit cart" + }, + "order_summary.heading.order_summary": { + "defaultMessage": "Order Summary" + }, + "order_summary.label.estimated_total": { + "defaultMessage": "Estimated Total" + }, + "order_summary.label.free": { + "defaultMessage": "Free" + }, + "order_summary.label.order_total": { + "defaultMessage": "Order Total" + }, + "order_summary.label.promo_applied": { + "defaultMessage": "Promotion applied" + }, + "order_summary.label.promotions_applied": { + "defaultMessage": "Promotions applied" + }, + "order_summary.label.shipping": { + "defaultMessage": "Shipping" + }, + "order_summary.label.subtotal": { + "defaultMessage": "Subtotal" + }, + "order_summary.label.tax": { + "defaultMessage": "Tax" + }, + "page_not_found.action.go_back": { + "defaultMessage": "Back to previous page" + }, + "page_not_found.link.homepage": { + "defaultMessage": "Go to home page" + }, + "page_not_found.message.suggestion_to_try": { + "defaultMessage": "Please try retyping the address, going back to the previous page, or going to the home page." + }, + "page_not_found.title.page_cant_be_found": { + "defaultMessage": "The page you're looking for can't be found." + }, + "pagination.field.num_of_pages": { + "defaultMessage": "of {numOfPages}" + }, + "pagination.field.page_number_select": { + "defaultMessage": "Select page number" + }, + "pagination.link.next": { + "defaultMessage": "Next" + }, + "pagination.link.next.assistive_msg": { + "defaultMessage": "Next Page" + }, + "pagination.link.prev": { + "defaultMessage": "Prev" + }, + "pagination.link.prev.assistive_msg": { + "defaultMessage": "Previous Page" + }, + "password_card.info.password_updated": { + "defaultMessage": "Password updated" + }, + "password_card.label.password": { + "defaultMessage": "Password" + }, + "password_card.title.password": { + "defaultMessage": "Password" + }, + "password_requirements.error.eight_letter_minimum": { + "defaultMessage": "8 characters minimum", + "description": "Password requirement" + }, + "password_requirements.error.one_lowercase_letter": { + "defaultMessage": "1 lowercase letter", + "description": "Password requirement" + }, + "password_requirements.error.one_number": { + "defaultMessage": "1 number", + "description": "Password requirement" + }, + "password_requirements.error.one_special_character": { + "defaultMessage": "1 special character (example: , S ! % #)", + "description": "Password requirement" + }, + "password_requirements.error.one_uppercase_letter": { + "defaultMessage": "1 uppercase letter", + "description": "Password requirement" + }, + "password_reset_success.toast": { + "defaultMessage": "Password Reset Success" + }, + "payment_selection.heading.credit_card": { + "defaultMessage": "Credit Card" + }, + "payment_selection.radio_group.assistive_msg": { + "defaultMessage": "Payment" + }, + "payment_selection.tooltip.secure_payment": { + "defaultMessage": "This is a secure SSL encrypted payment." + }, + "price_per_item.label.each": { + "defaultMessage": "ea", + "description": "Abbreviated 'each', follows price per item, like $10/ea" + }, + "product_detail.accordion.button.product_detail": { + "defaultMessage": "Product Detail" + }, + "product_detail.accordion.button.questions": { + "defaultMessage": "Questions" + }, + "product_detail.accordion.button.reviews": { + "defaultMessage": "Reviews" + }, + "product_detail.accordion.button.size_fit": { + "defaultMessage": "Size & Fit" + }, + "product_detail.accordion.message.coming_soon": { + "defaultMessage": "Coming Soon" + }, + "product_detail.recommended_products.title.complete_set": { + "defaultMessage": "Complete the Set" + }, + "product_detail.recommended_products.title.might_also_like": { + "defaultMessage": "You might also like" + }, + "product_detail.recommended_products.title.recently_viewed": { + "defaultMessage": "Recently Viewed" + }, + "product_item.label.quantity": { + "defaultMessage": "Quantity:" + }, + "product_list.button.filter": { + "defaultMessage": "Filter" + }, + "product_list.button.sort_by": { + "defaultMessage": "Sort By: {sortOption}" + }, + "product_list.drawer.title.sort_by": { + "defaultMessage": "Sort By" + }, + "product_list.modal.button.clear_filters": { + "defaultMessage": "Clear Filters" + }, + "product_list.modal.button.view_items": { + "defaultMessage": "View {prroductCount} items" + }, + "product_list.modal.title.filter": { + "defaultMessage": "Filter" + }, + "product_list.refinements.button.assistive_msg.add_filter": { + "defaultMessage": "Add filter: {label}" + }, + "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": { + "defaultMessage": "Add filter: {label} ({hitCount})" + }, + "product_list.refinements.button.assistive_msg.remove_filter": { + "defaultMessage": "Remove filter: {label}" + }, + "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": { + "defaultMessage": "Remove filter: {label} ({hitCount})" + }, + "product_list.select.sort_by": { + "defaultMessage": "Sort By: {sortOption}" + }, + "product_list.sort_by.label.assistive_msg": { + "defaultMessage": "Sort products by" + }, + "product_scroller.assistive_msg.scroll_left": { + "defaultMessage": "Scroll products left" + }, + "product_scroller.assistive_msg.scroll_right": { + "defaultMessage": "Scroll products right" + }, + "product_search.error.loading_search_results": { + "defaultMessage": "Error loading search results: {message}" + }, + "product_search.heading.all_products": { + "defaultMessage": "All Products" + }, + "product_search.heading.search_results": { + "defaultMessage": "Search Results for \"{query}\"" + }, + "product_search.label.num_results": { + "defaultMessage": "{count} Results" + }, + "product_search.message.enter_search_term": { + "defaultMessage": "Enter a search term to see products" + }, + "product_tile.assistive_msg.add_to_wishlist": { + "defaultMessage": "Add {product} to wishlist" + }, + "product_tile.assistive_msg.remove_from_wishlist": { + "defaultMessage": "Remove {product} from wishlist" + }, + "product_tile.badge.label.new": { + "defaultMessage": "New" + }, + "product_tile.badge.label.sale": { + "defaultMessage": "Sale" + }, + "product_view.button.add_bundle_to_cart": { + "defaultMessage": "Add Bundle to Cart" + }, + "product_view.button.add_bundle_to_wishlist": { + "defaultMessage": "Add Bundle to Wishlist" + }, + "product_view.button.add_set_to_cart": { + "defaultMessage": "Add Set to Cart" + }, + "product_view.button.add_set_to_wishlist": { + "defaultMessage": "Add Set to Wishlist" + }, + "product_view.button.add_to_cart": { + "defaultMessage": "Add to Cart" + }, + "product_view.button.add_to_wishlist": { + "defaultMessage": "Add to Wishlist" + }, + "product_view.button.update": { + "defaultMessage": "Update" + }, + "product_view.label.assistive_msg.quantity_decrement": { + "defaultMessage": "Decrement Quantity for {productName}" + }, + "product_view.label.assistive_msg.quantity_increment": { + "defaultMessage": "Increment Quantity for {productName}" + }, + "product_view.label.quantity": { + "defaultMessage": "Quantity" + }, + "product_view.label.quantity_decrement": { + "defaultMessage": "−" + }, + "product_view.label.quantity_increment": { + "defaultMessage": "+" + }, + "product_view.label.variant_type": { + "defaultMessage": "{variantType}" + }, + "product_view.link.full_details": { + "defaultMessage": "See full details" + }, + "profile_card.info.profile_updated": { + "defaultMessage": "Profile updated" + }, + "profile_card.label.email": { + "defaultMessage": "Email" + }, + "profile_card.label.full_name": { + "defaultMessage": "Full Name" + }, + "profile_card.label.phone": { + "defaultMessage": "Phone Number" + }, + "profile_card.message.not_provided": { + "defaultMessage": "Not provided" + }, + "profile_card.title.my_profile": { + "defaultMessage": "My Profile" + }, + "profile_fields.label.profile_form": { + "defaultMessage": "Profile Form" + }, + "promo_code_fields.button.apply": { + "defaultMessage": "Apply" + }, + "promo_popover.assistive_msg.info": { + "defaultMessage": "Info" + }, + "promo_popover.heading.promo_applied": { + "defaultMessage": "Promotions Applied" + }, + "promocode.accordion.button.have_promocode": { + "defaultMessage": "Do you have a promo code?" + }, + "recent_searches.action.clear_searches": { + "defaultMessage": "Clear recent searches" + }, + "recent_searches.heading.recent_searches": { + "defaultMessage": "Recent Searches" + }, + "register_form.action.sign_in": { + "defaultMessage": "Sign in" + }, + "register_form.button.create_account": { + "defaultMessage": "Create Account" + }, + "register_form.heading.lets_get_started": { + "defaultMessage": "Let's get started!" + }, + "register_form.message.agree_to_policy_terms": { + "defaultMessage": "By creating an account, you agree to Salesforce Privacy Policy and Terms & Conditions" + }, + "register_form.message.already_have_account": { + "defaultMessage": "Already have an account?" + }, + "register_form.message.create_an_account": { + "defaultMessage": "Create an account and get first access to the very best products, inspiration and community." + }, + "reset_password_form.action.sign_in": { + "defaultMessage": "Sign in" + }, + "reset_password_form.button.reset_password": { + "defaultMessage": "Reset Password" + }, + "reset_password_form.message.enter_your_email": { + "defaultMessage": "Enter your email to receive instructions on how to reset your password" + }, + "reset_password_form.message.return_to_sign_in": { + "defaultMessage": "Or return to", + "description": "Precedes link to return to sign in" + }, + "reset_password_form.title.reset_password": { + "defaultMessage": "Reset Password" + }, + "search.action.cancel": { + "defaultMessage": "Cancel" + }, + "selected_refinements.action.assistive_msg.clear_all": { + "defaultMessage": "Clear all filters" + }, + "selected_refinements.action.clear_all": { + "defaultMessage": "Clear All" + }, + "shipping_address.button.continue_to_shipping": { + "defaultMessage": "Continue to Shipping Method" + }, + "shipping_address.label.edit_button": { + "defaultMessage": "Edit {address}" + }, + "shipping_address.label.remove_button": { + "defaultMessage": "Remove {address}" + }, + "shipping_address.label.shipping_address_form": { + "defaultMessage": "Shipping Address Form" + }, + "shipping_address.title.shipping_address": { + "defaultMessage": "Shipping Address" + }, + "shipping_address_edit_form.button.save_and_continue": { + "defaultMessage": "Save & Continue to Shipping Method" + }, + "shipping_address_form.heading.edit_address": { + "defaultMessage": "Edit Address" + }, + "shipping_address_form.heading.new_address": { + "defaultMessage": "Add New Address" + }, + "shipping_address_selection.button.add_address": { + "defaultMessage": "Add New Address" + }, + "shipping_address_selection.button.submit": { + "defaultMessage": "Submit" + }, + "shipping_address_selection.title.add_address": { + "defaultMessage": "Add New Address" + }, + "shipping_address_selection.title.edit_shipping": { + "defaultMessage": "Edit Shipping Address" + }, + "shipping_options.action.send_as_a_gift": { + "defaultMessage": "Do you want to send this as a gift?" + }, + "shipping_options.button.continue_to_payment": { + "defaultMessage": "Continue to Payment" + }, + "shipping_options.title.shipping_gift_options": { + "defaultMessage": "Shipping & Gift Options" + }, + "signout_confirmation_dialog.button.cancel": { + "defaultMessage": "Cancel" + }, + "signout_confirmation_dialog.button.sign_out": { + "defaultMessage": "Sign Out" + }, + "signout_confirmation_dialog.heading.sign_out": { + "defaultMessage": "Sign Out" + }, + "signout_confirmation_dialog.message.sure_to_sign_out": { + "defaultMessage": "Are you sure you want to sign out? You will need to sign back in to proceed with your current order." + }, + "social_login_redirect.message.authenticating": { + "defaultMessage": "Authenticating..." + }, + "social_login_redirect.message.redirect_link": { + "defaultMessage": "If you are not automatically redirected, click this link to proceed." + }, + "store_locator.action.find": { + "defaultMessage": "Find" + }, + "store_locator.action.select_a_country": { + "defaultMessage": "Select a country" + }, + "store_locator.action.use_my_location": { + "defaultMessage": "Use My Location" + }, + "store_locator.action.viewMore": { + "defaultMessage": "View More" + }, + "store_locator.description.away": { + "defaultMessage": "away" + }, + "store_locator.description.loading_locations": { + "defaultMessage": "Loading locations..." + }, + "store_locator.description.no_locations": { + "defaultMessage": "Sorry, there are no locations in this area" + }, + "store_locator.description.or": { + "defaultMessage": "Or" + }, + "store_locator.description.phone": { + "defaultMessage": "Phone:" + }, + "store_locator.description.viewing_near_postal_code": { + "defaultMessage": "Viewing stores within {distance}{distanceUnit} of {postalCode} in" + }, + "store_locator.description.viewing_near_your_location": { + "defaultMessage": "Viewing stores near your location" + }, + "store_locator.dropdown.germany": { + "defaultMessage": "Germany" + }, + "store_locator.dropdown.united_states": { + "defaultMessage": "United States" + }, + "store_locator.error.agree_to_share_your_location": { + "defaultMessage": "Please agree to share your location" + }, + "store_locator.error.please_enter_a_postal_code": { + "defaultMessage": "Please enter a postal code." + }, + "store_locator.error.please_select_a_country": { + "defaultMessage": "Please select a country." + }, + "store_locator.field.placeholder.enter_postal_code": { + "defaultMessage": "Enter postal code" + }, + "store_locator.pagination.load_more": { + "defaultMessage": "Load More" + }, + "store_locator.title": { + "defaultMessage": "Find a Store" + }, + "swatch_group.selected.label": { + "defaultMessage": "{label}:" + }, + "toggle_card.action.edit": { + "defaultMessage": "Edit" + }, + "toggle_card.action.editContactInfo": { + "defaultMessage": "Edit Contact Info" + }, + "toggle_card.action.editPaymentInfo": { + "defaultMessage": "Edit Payment Info" + }, + "toggle_card.action.editShippingAddress": { + "defaultMessage": "Edit Shipping Address" + }, + "toggle_card.action.editShippingOptions": { + "defaultMessage": "Edit Shipping Options" + }, + "update_password_fields.button.forgot_password": { + "defaultMessage": "Forgot Password?" + }, + "use_address_fields.error.please_enter_first_name": { + "defaultMessage": "Please enter your first name." + }, + "use_address_fields.error.please_enter_last_name": { + "defaultMessage": "Please enter your last name." + }, + "use_address_fields.error.please_enter_phone_number": { + "defaultMessage": "Please enter your phone number." + }, + "use_address_fields.error.please_enter_your_postal_or_zip": { + "defaultMessage": "Please enter your zip code.", + "description": "Error message for a blank zip code (US-specific checkout)" + }, + "use_address_fields.error.please_select_your_address": { + "defaultMessage": "Please enter your address." + }, + "use_address_fields.error.please_select_your_city": { + "defaultMessage": "Please enter your city." + }, + "use_address_fields.error.please_select_your_country": { + "defaultMessage": "Please select your country." + }, + "use_address_fields.error.please_select_your_state_or_province": { + "defaultMessage": "Please select your state.", + "description": "Error message for a blank state (US-specific checkout)" + }, + "use_address_fields.error.required": { + "defaultMessage": "Required" + }, + "use_address_fields.error.state_code_invalid": { + "defaultMessage": "Please enter 2-letter state/province." + }, + "use_address_fields.label.address": { + "defaultMessage": "Address" + }, + "use_address_fields.label.address_form": { + "defaultMessage": "Address Form" + }, + "use_address_fields.label.city": { + "defaultMessage": "City" + }, + "use_address_fields.label.country": { + "defaultMessage": "Country" + }, + "use_address_fields.label.first_name": { + "defaultMessage": "First Name" + }, + "use_address_fields.label.last_name": { + "defaultMessage": "Last Name" + }, + "use_address_fields.label.phone": { + "defaultMessage": "Phone" + }, + "use_address_fields.label.postal_code": { + "defaultMessage": "Postal Code" + }, + "use_address_fields.label.preferred": { + "defaultMessage": "Set as default" + }, + "use_address_fields.label.province": { + "defaultMessage": "Province" + }, + "use_address_fields.label.state": { + "defaultMessage": "State" + }, + "use_address_fields.label.zipCode": { + "defaultMessage": "Zip Code" + }, + "use_credit_card_fields.error.required": { + "defaultMessage": "Required" + }, + "use_credit_card_fields.error.required_card_number": { + "defaultMessage": "Please enter your card number." + }, + "use_credit_card_fields.error.required_expiry": { + "defaultMessage": "Please enter your expiration date." + }, + "use_credit_card_fields.error.required_name": { + "defaultMessage": "Please enter your name as shown on your card." + }, + "use_credit_card_fields.error.required_security_code": { + "defaultMessage": "Please enter your security code." + }, + "use_credit_card_fields.error.valid_card_number": { + "defaultMessage": "Please enter a valid card number." + }, + "use_credit_card_fields.error.valid_date": { + "defaultMessage": "Please enter a valid date." + }, + "use_credit_card_fields.error.valid_name": { + "defaultMessage": "Please enter a valid name." + }, + "use_credit_card_fields.error.valid_security_code": { + "defaultMessage": "Please enter a valid security code." + }, + "use_credit_card_fields.label.card_number": { + "defaultMessage": "Card Number" + }, + "use_credit_card_fields.label.card_type": { + "defaultMessage": "Card Type" + }, + "use_credit_card_fields.label.expiry": { + "defaultMessage": "Expiration Date" + }, + "use_credit_card_fields.label.name": { + "defaultMessage": "Name on Card" + }, + "use_credit_card_fields.label.security_code": { + "defaultMessage": "Security Code" + }, + "use_login_fields.error.required_email": { + "defaultMessage": "Please enter your email address." + }, + "use_login_fields.error.required_password": { + "defaultMessage": "Please enter your password." + }, + "use_login_fields.label.email": { + "defaultMessage": "Email" + }, + "use_login_fields.label.password": { + "defaultMessage": "Password" + }, + "use_product.message.inventory_remaining": { + "defaultMessage": "Only {stockLevel} left!" + }, + "use_product.message.inventory_remaining_for_product": { + "defaultMessage": "Only {stockLevel} left for {productName}!" + }, + "use_product.message.out_of_stock": { + "defaultMessage": "Out of stock" + }, + "use_product.message.out_of_stock_for_product": { + "defaultMessage": "Out of stock for {productName}" + }, + "use_profile_fields.error.required_email": { + "defaultMessage": "Please enter a valid email address." + }, + "use_profile_fields.error.required_first_name": { + "defaultMessage": "Please enter your first name." + }, + "use_profile_fields.error.required_last_name": { + "defaultMessage": "Please enter your last name." + }, + "use_profile_fields.error.required_phone": { + "defaultMessage": "Please enter your phone number." + }, + "use_profile_fields.label.email": { + "defaultMessage": "Email" + }, + "use_profile_fields.label.first_name": { + "defaultMessage": "First Name" + }, + "use_profile_fields.label.last_name": { + "defaultMessage": "Last Name" + }, + "use_profile_fields.label.phone": { + "defaultMessage": "Phone Number" + }, + "use_promo_code_fields.error.required_promo_code": { + "defaultMessage": "Please provide a valid promo code." + }, + "use_promo_code_fields.label.promo_code": { + "defaultMessage": "Promo Code" + }, + "use_promocode.error.check_the_code": { + "defaultMessage": "Check the code and try again, it may already be applied or the promo has expired." + }, + "use_promocode.info.promo_applied": { + "defaultMessage": "Promotion applied" + }, + "use_promocode.info.promo_removed": { + "defaultMessage": "Promotion removed" + }, + "use_registration_fields.error.contain_number": { + "defaultMessage": "Password must contain at least one number." + }, + "use_registration_fields.error.lowercase_letter": { + "defaultMessage": "Password must contain at least one lowercase letter." + }, + "use_registration_fields.error.minimum_characters": { + "defaultMessage": "Password must contain at least 8 characters." + }, + "use_registration_fields.error.required_email": { + "defaultMessage": "Please enter a valid email address." + }, + "use_registration_fields.error.required_first_name": { + "defaultMessage": "Please enter your first name." + }, + "use_registration_fields.error.required_last_name": { + "defaultMessage": "Please enter your last name." + }, + "use_registration_fields.error.required_password": { + "defaultMessage": "Please create a password." + }, + "use_registration_fields.error.special_character": { + "defaultMessage": "Password must contain at least one special character." + }, + "use_registration_fields.error.uppercase_letter": { + "defaultMessage": "Password must contain at least one uppercase letter." + }, + "use_registration_fields.label.email": { + "defaultMessage": "Email" + }, + "use_registration_fields.label.first_name": { + "defaultMessage": "First Name" + }, + "use_registration_fields.label.last_name": { + "defaultMessage": "Last Name" + }, + "use_registration_fields.label.password": { + "defaultMessage": "Password" + }, + "use_registration_fields.label.sign_up_to_emails": { + "defaultMessage": "Sign me up for Salesforce emails (you can unsubscribe at any time)" + }, + "use_reset_password_fields.error.required_email": { + "defaultMessage": "Please enter a valid email address." + }, + "use_reset_password_fields.label.email": { + "defaultMessage": "Email" + }, + "use_update_password_fields.error.contain_number": { + "defaultMessage": "Password must contain at least one number." + }, + "use_update_password_fields.error.lowercase_letter": { + "defaultMessage": "Password must contain at least one lowercase letter." + }, + "use_update_password_fields.error.minimum_characters": { + "defaultMessage": "Password must contain at least 8 characters." + }, + "use_update_password_fields.error.password_mismatch": { + "defaultMessage": "Passwords do not match." + }, + "use_update_password_fields.error.required_confirm_password": { + "defaultMessage": "Please confirm your password." + }, + "use_update_password_fields.error.required_new_password": { + "defaultMessage": "Please provide a new password." + }, + "use_update_password_fields.error.required_password": { + "defaultMessage": "Please enter your password." + }, + "use_update_password_fields.error.special_character": { + "defaultMessage": "Password must contain at least one special character." + }, + "use_update_password_fields.error.uppercase_letter": { + "defaultMessage": "Password must contain at least one uppercase letter." + }, + "use_update_password_fields.label.confirm_new_password": { + "defaultMessage": "Confirm New Password" + }, + "use_update_password_fields.label.current_password": { + "defaultMessage": "Current Password" + }, + "use_update_password_fields.label.new_password": { + "defaultMessage": "New Password" + }, + "wishlist_primary_action.button.addSetToCart.label": { + "defaultMessage": "Add {productName} set to cart" + }, + "wishlist_primary_action.button.addToCart.label": { + "defaultMessage": "Add {productName} to cart" + }, + "wishlist_primary_action.button.add_set_to_cart": { + "defaultMessage": "Add Set to Cart" + }, + "wishlist_primary_action.button.add_to_cart": { + "defaultMessage": "Add to Cart" + }, + "wishlist_primary_action.button.viewFullDetails.label": { + "defaultMessage": "View full details for {productName}" + }, + "wishlist_primary_action.button.view_full_details": { + "defaultMessage": "View Full Details" + }, + "wishlist_primary_action.button.view_options": { + "defaultMessage": "View Options" + }, + "wishlist_primary_action.button.view_options.label": { + "defaultMessage": "View Options for {productName}" + }, + "wishlist_primary_action.info.added_to_cart": { + "defaultMessage": "{quantity} {quantity, plural, one {item} other {items}} added to cart" + }, + "wishlist_secondary_button_group.action.remove": { + "defaultMessage": "Remove" + }, + "wishlist_secondary_button_group.info.item.remove.label": { + "defaultMessage": "Remove {productName}" + }, + "wishlist_secondary_button_group.info.item_removed": { + "defaultMessage": "Item removed from wishlist" + }, + "with_registration.info.please_sign_in": { + "defaultMessage": "Please sign in to continue!" + } +} diff --git a/my-test-project/translations/es-MX.json b/my-test-project/translations/es-MX.json new file mode 100644 index 0000000000..83b1b23661 --- /dev/null +++ b/my-test-project/translations/es-MX.json @@ -0,0 +1,1517 @@ +{ + "account.accordion.button.my_account": { + "defaultMessage": "Mi cuenta" + }, + "account.heading.my_account": { + "defaultMessage": "Mi cuenta" + }, + "account.logout_button.button.log_out": { + "defaultMessage": "Cerrar sesión" + }, + "account_addresses.badge.default": { + "defaultMessage": "Predeterminado" + }, + "account_addresses.button.add_address": { + "defaultMessage": "Agregar dirección" + }, + "account_addresses.info.address_removed": { + "defaultMessage": "Dirección eliminada" + }, + "account_addresses.info.address_updated": { + "defaultMessage": "Dirección actualizada" + }, + "account_addresses.info.new_address_saved": { + "defaultMessage": "Nueva dirección guardada" + }, + "account_addresses.page_action_placeholder.button.add_address": { + "defaultMessage": "Agregar dirección" + }, + "account_addresses.page_action_placeholder.heading.no_saved_addresses": { + "defaultMessage": "No hay direcciones guardadas" + }, + "account_addresses.page_action_placeholder.message.add_new_address": { + "defaultMessage": "Agrega un nuevo método de dirección para una finalización de la compra (checkout) más rápida." + }, + "account_addresses.title.addresses": { + "defaultMessage": "Direcciones" + }, + "account_detail.title.account_details": { + "defaultMessage": "Detalles de la cuenta" + }, + "account_order_detail.heading.billing_address": { + "defaultMessage": "Dirección de facturación" + }, + "account_order_detail.heading.num_of_items": { + "defaultMessage": "{count} artículos" + }, + "account_order_detail.heading.payment_method": { + "defaultMessage": "Método de pago" + }, + "account_order_detail.heading.shipping_address": { + "defaultMessage": "Dirección de envío" + }, + "account_order_detail.heading.shipping_method": { + "defaultMessage": "Método de envío" + }, + "account_order_detail.label.order_number": { + "defaultMessage": "Número de pedido: {orderNumber}" + }, + "account_order_detail.label.ordered_date": { + "defaultMessage": "Fecha del pedido: {date}" + }, + "account_order_detail.label.pending_tracking_number": { + "defaultMessage": "Pendiente" + }, + "account_order_detail.label.tracking_number": { + "defaultMessage": "Número de seguimiento" + }, + "account_order_detail.link.back_to_history": { + "defaultMessage": "Regresar a Historial de pedidos" + }, + "account_order_detail.shipping_status.not_shipped": { + "defaultMessage": "No enviado" + }, + "account_order_detail.shipping_status.part_shipped": { + "defaultMessage": "Parcialmente enviado" + }, + "account_order_detail.shipping_status.shipped": { + "defaultMessage": "Enviado" + }, + "account_order_detail.title.order_details": { + "defaultMessage": "Detelles del pedido" + }, + "account_order_history.button.continue_shopping": { + "defaultMessage": "Continuar comprando" + }, + "account_order_history.description.once_you_place_order": { + "defaultMessage": "Una vez que hagas un pedido, los detalles aparecerán aquí." + }, + "account_order_history.heading.no_order_yet": { + "defaultMessage": "Aún no has hecho un pedido." + }, + "account_order_history.label.num_of_items": { + "defaultMessage": "{count} artículos", + "description": "Number of items in order" + }, + "account_order_history.label.order_number": { + "defaultMessage": "Número de pedido: {orderNumber}" + }, + "account_order_history.label.ordered_date": { + "defaultMessage": "Fecha del pedido: {date}" + }, + "account_order_history.label.shipped_to": { + "defaultMessage": "Enviado a: {name}" + }, + "account_order_history.link.view_details": { + "defaultMessage": "Ver información" + }, + "account_order_history.title.order_history": { + "defaultMessage": "Historial de pedidos" + }, + "account_wishlist.button.continue_shopping": { + "defaultMessage": "Continuar comprando" + }, + "account_wishlist.description.continue_shopping": { + "defaultMessage": "Continúa comprando y agrega artículos a su lista de deseos." + }, + "account_wishlist.heading.no_wishlist": { + "defaultMessage": "No hay artículos en la lista de deseos" + }, + "account_wishlist.title.wishlist": { + "defaultMessage": "Lista de deseos" + }, + "action_card.action.edit": { + "defaultMessage": "Editar" + }, + "action_card.action.remove": { + "defaultMessage": "Eliminar" + }, + "add_to_cart_modal.info.added_to_cart": { + "defaultMessage": "{quantity} {quantity, plural, one {artículo} other {artículos}} agregado(s) al carrito" + }, + "add_to_cart_modal.label.cart_subtotal": { + "defaultMessage": "Subtotal del carrito ({itemAccumulatedCount} artículo(s))" + }, + "add_to_cart_modal.label.quantity": { + "defaultMessage": "Cantidad" + }, + "add_to_cart_modal.link.checkout": { + "defaultMessage": "Finalizar la compra" + }, + "add_to_cart_modal.link.view_cart": { + "defaultMessage": "Ver carrito" + }, + "add_to_cart_modal.recommended_products.title.might_also_like": { + "defaultMessage": "Es posible que también te interese" + }, + "auth_modal.button.close.assistive_msg": { + "defaultMessage": "Cerrar formato de inicio de sesión" + }, + "auth_modal.description.now_signed_in": { + "defaultMessage": "Ha iniciado sesión." + }, + "auth_modal.error.incorrect_email_or_password": { + "defaultMessage": "Hay algún problema con tu correo electrónico o contraseña. Intenta de nuevo." + }, + "auth_modal.info.welcome_user": { + "defaultMessage": "Bienvenido {name}," + }, + "auth_modal.password_reset_success.button.back_to_sign_in": { + "defaultMessage": "Regresar a Registrarse" + }, + "auth_modal.password_reset_success.info.will_email_shortly": { + "defaultMessage": "Recibirás un correo electrónico en {email} con un vínculo para restablecer tu contraseña a la brevedad." + }, + "auth_modal.password_reset_success.title.password_reset": { + "defaultMessage": "Restablecimiento de contraseña" + }, + "carousel.button.scroll_left.assistive_msg": { + "defaultMessage": "Desplazar carrusel a la izquierda" + }, + "carousel.button.scroll_right.assistive_msg": { + "defaultMessage": "Desplazar carrusel a la derecha" + }, + "cart.info.removed_from_cart": { + "defaultMessage": "Artículo eliminado del carrito" + }, + "cart.recommended_products.title.may_also_like": { + "defaultMessage": "Quizás también te guste" + }, + "cart.recommended_products.title.recently_viewed": { + "defaultMessage": "Vistos recientemente" + }, + "cart_cta.link.checkout": { + "defaultMessage": "Finalizar la compra" + }, + "cart_secondary_button_group.action.added_to_wishlist": { + "defaultMessage": "Agregar a la lista de deseos" + }, + "cart_secondary_button_group.action.edit": { + "defaultMessage": "Editar" + }, + "cart_secondary_button_group.action.remove": { + "defaultMessage": "Eliminar" + }, + "cart_secondary_button_group.label.this_is_gift": { + "defaultMessage": "Este es un regalo." + }, + "cart_skeleton.heading.order_summary": { + "defaultMessage": "Resumen del pedido" + }, + "cart_skeleton.title.cart": { + "defaultMessage": "Carrito" + }, + "cart_title.title.cart_num_of_items": { + "defaultMessage": "Carrito ({itemCount, plural, =0 {0 artículos} one {# artículo} other {# artículos}})" + }, + "cc_radio_group.action.remove": { + "defaultMessage": "Eliminar" + }, + "cc_radio_group.button.add_new_card": { + "defaultMessage": "Agregar tarjeta nueva" + }, + "checkout.button.place_order": { + "defaultMessage": "Hacer pedido" + }, + "checkout.message.generic_error": { + "defaultMessage": "Se produjo un error inesperado durante el pago." + }, + "checkout_confirmation.button.create_account": { + "defaultMessage": "Crear cuenta" + }, + "checkout_confirmation.heading.billing_address": { + "defaultMessage": "Dirección de facturación" + }, + "checkout_confirmation.heading.create_account": { + "defaultMessage": "Crear una cuenta para una finalización de la compra (checkout) más rápida" + }, + "checkout_confirmation.heading.credit_card": { + "defaultMessage": "Tarjeta de crédito" + }, + "checkout_confirmation.heading.delivery_details": { + "defaultMessage": "Información de la entrega" + }, + "checkout_confirmation.heading.order_summary": { + "defaultMessage": "Resumen del pedido" + }, + "checkout_confirmation.heading.payment_details": { + "defaultMessage": "Información del pago" + }, + "checkout_confirmation.heading.shipping_address": { + "defaultMessage": "Dirección de envío" + }, + "checkout_confirmation.heading.shipping_method": { + "defaultMessage": "Método de envío" + }, + "checkout_confirmation.heading.thank_you_for_order": { + "defaultMessage": "¡Gracias por tu pedido!" + }, + "checkout_confirmation.label.free": { + "defaultMessage": "Gratis" + }, + "checkout_confirmation.label.order_number": { + "defaultMessage": "Número de pedido" + }, + "checkout_confirmation.label.order_total": { + "defaultMessage": "Total del pedido" + }, + "checkout_confirmation.label.promo_applied": { + "defaultMessage": "Promoción aplicada" + }, + "checkout_confirmation.label.shipping": { + "defaultMessage": "Envío" + }, + "checkout_confirmation.label.subtotal": { + "defaultMessage": "Subtotal" + }, + "checkout_confirmation.label.tax": { + "defaultMessage": "Impuesto" + }, + "checkout_confirmation.link.continue_shopping": { + "defaultMessage": "Continuar comprando" + }, + "checkout_confirmation.link.login": { + "defaultMessage": "Iniciar sesión aquí" + }, + "checkout_confirmation.message.already_has_account": { + "defaultMessage": "Este correo electrónico ya tiene una cuenta." + }, + "checkout_confirmation.message.num_of_items_in_order": { + "defaultMessage": "{itemCount, plural, =0 {0 artículos} one {# artículo} other {# artículos}}", + "description": "# item(s) in order" + }, + "checkout_confirmation.message.will_email_shortly": { + "defaultMessage": "Enviaremos un correo electrónico a {email} con tu número de confirmación y recibo a la brevedad." + }, + "checkout_footer.link.privacy_policy": { + "defaultMessage": "Política de privacidad" + }, + "checkout_footer.link.returns_exchanges": { + "defaultMessage": "Devoluciones y cambios" + }, + "checkout_footer.link.shipping": { + "defaultMessage": "Envío" + }, + "checkout_footer.link.site_map": { + "defaultMessage": "Mapa del sitio" + }, + "checkout_footer.link.terms_conditions": { + "defaultMessage": "Términos y condiciones" + }, + "checkout_footer.message.copyright": { + "defaultMessage": "Salesforce o sus afiliados. Todos los derechos reservados. Esta es solo una tienda de demostración. Los pedidos realizados NO se procesarán." + }, + "checkout_header.link.assistive_msg.cart": { + "defaultMessage": "Regresar al carrito, número de artículos: {numItems}" + }, + "checkout_header.link.cart": { + "defaultMessage": "Regresar al carrito" + }, + "checkout_payment.action.remove": { + "defaultMessage": "Eliminar" + }, + "checkout_payment.button.review_order": { + "defaultMessage": "Revisar pedido" + }, + "checkout_payment.heading.billing_address": { + "defaultMessage": "Dirección de facturación" + }, + "checkout_payment.heading.credit_card": { + "defaultMessage": "Tarjeta de crédito" + }, + "checkout_payment.label.same_as_shipping": { + "defaultMessage": "Misma que la dirección de envío" + }, + "checkout_payment.title.payment": { + "defaultMessage": "Pago" + }, + "colorRefinements.label.hitCount": { + "defaultMessage": "{colorLabel} ({colorHitCount})" + }, + "confirmation_modal.default.action.no": { + "defaultMessage": "No" + }, + "confirmation_modal.default.action.yes": { + "defaultMessage": "Sí" + }, + "confirmation_modal.default.message.you_want_to_continue": { + "defaultMessage": "¿Está seguro de que desea continuar?" + }, + "confirmation_modal.default.title.confirm_action": { + "defaultMessage": "Confirmar acción" + }, + "confirmation_modal.remove_cart_item.action.no": { + "defaultMessage": "No, conservar artículo" + }, + "confirmation_modal.remove_cart_item.action.remove": { + "defaultMessage": "Eliminar" + }, + "confirmation_modal.remove_cart_item.action.yes": { + "defaultMessage": "Sí, eliminar artículo" + }, + "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": { + "defaultMessage": "Algunos artículos ya no están disponibles en línea y se eliminarán de su carrito." + }, + "confirmation_modal.remove_cart_item.message.sure_to_remove": { + "defaultMessage": "¿Está seguro de que desea eliminar este artículo de su carrito?" + }, + "confirmation_modal.remove_cart_item.title.confirm_remove": { + "defaultMessage": "Confirmar eliminación del artículo" + }, + "confirmation_modal.remove_cart_item.title.items_unavailable": { + "defaultMessage": "Artículos no disponibles" + }, + "confirmation_modal.remove_wishlist_item.action.no": { + "defaultMessage": "No, conservar artículo" + }, + "confirmation_modal.remove_wishlist_item.action.yes": { + "defaultMessage": "Sí, eliminar artículo" + }, + "confirmation_modal.remove_wishlist_item.message.sure_to_remove": { + "defaultMessage": "¿Está seguro de que desea eliminar este artículo de tu lista de deseos?" + }, + "confirmation_modal.remove_wishlist_item.title.confirm_remove": { + "defaultMessage": "Confirmar eliminación del artículo" + }, + "contact_info.action.sign_out": { + "defaultMessage": "Cerrar sesión" + }, + "contact_info.button.already_have_account": { + "defaultMessage": "¿Ya tienes una cuenta? Iniciar sesión" + }, + "contact_info.button.checkout_as_guest": { + "defaultMessage": "Proceso de compra como invitado" + }, + "contact_info.button.login": { + "defaultMessage": "Iniciar sesión" + }, + "contact_info.error.incorrect_username_or_password": { + "defaultMessage": "Nombre de usuario o contraseña incorrectos, intente de nuevo." + }, + "contact_info.link.forgot_password": { + "defaultMessage": "¿Olvidaste la contraseña?" + }, + "contact_info.title.contact_info": { + "defaultMessage": "Información de contacto" + }, + "credit_card_fields.tool_tip.security_code": { + "defaultMessage": "Este código de 3 dígitos se puede encontrar en la parte de atrás de tu tarjeta.", + "description": "Generic credit card security code help text" + }, + "credit_card_fields.tool_tip.security_code.american_express": { + "defaultMessage": "Este código de 4 dígitos se puede encontrar en la parte de atrás de tu tarjeta.", + "description": "American Express security code help text" + }, + "credit_card_fields.tool_tip.security_code_aria_label": { + "defaultMessage": "Información del código de seguridad" + }, + "drawer_menu.button.account_details": { + "defaultMessage": "Detalles de la cuenta" + }, + "drawer_menu.button.addresses": { + "defaultMessage": "Direcciones" + }, + "drawer_menu.button.log_out": { + "defaultMessage": "Cerrar sesión" + }, + "drawer_menu.button.my_account": { + "defaultMessage": "Mi cuenta" + }, + "drawer_menu.button.order_history": { + "defaultMessage": "Historial de pedidos" + }, + "drawer_menu.link.about_us": { + "defaultMessage": "Acerca de nosotros" + }, + "drawer_menu.link.customer_support": { + "defaultMessage": "Soporte al cliente" + }, + "drawer_menu.link.customer_support.contact_us": { + "defaultMessage": "Contáctanos" + }, + "drawer_menu.link.customer_support.shipping_and_returns": { + "defaultMessage": "Envío y devoluciones" + }, + "drawer_menu.link.our_company": { + "defaultMessage": "Nuestra empresa" + }, + "drawer_menu.link.privacy_and_security": { + "defaultMessage": "Privacidad y seguridad" + }, + "drawer_menu.link.privacy_policy": { + "defaultMessage": "Política de privacidad" + }, + "drawer_menu.link.shop_all": { + "defaultMessage": "Comprar todo" + }, + "drawer_menu.link.sign_in": { + "defaultMessage": "Registrarte" + }, + "drawer_menu.link.site_map": { + "defaultMessage": "Mapa del sitio" + }, + "drawer_menu.link.store_locator": { + "defaultMessage": "Localizador de tiendas" + }, + "drawer_menu.link.terms_and_conditions": { + "defaultMessage": "Términos y condiciones" + }, + "empty_cart.description.empty_cart": { + "defaultMessage": "Tu carrito está vacío." + }, + "empty_cart.link.continue_shopping": { + "defaultMessage": "Continuar comprando" + }, + "empty_cart.link.sign_in": { + "defaultMessage": "Registrarse" + }, + "empty_cart.message.continue_shopping": { + "defaultMessage": "Continúa comprando para agregar artículos a tu carrito." + }, + "empty_cart.message.sign_in_or_continue_shopping": { + "defaultMessage": "Regístrate para recuperar tus artículos guardados o continuar comprando." + }, + "empty_search_results.info.cant_find_anything_for_category": { + "defaultMessage": "No encontramos nada para {category}. Intenta buscar un producto o {link}." + }, + "empty_search_results.info.cant_find_anything_for_query": { + "defaultMessage": "No encontramos nada para \"{searchQuery}\"." + }, + "empty_search_results.info.double_check_spelling": { + "defaultMessage": "Verifica la ortografía e intenta de nuevo o {link}." + }, + "empty_search_results.link.contact_us": { + "defaultMessage": "Contáctanos" + }, + "empty_search_results.recommended_products.title.most_viewed": { + "defaultMessage": "Lo más visto" + }, + "empty_search_results.recommended_products.title.top_sellers": { + "defaultMessage": "Éxito de ventas" + }, + "field.password.assistive_msg.hide_password": { + "defaultMessage": "Ocultar contraseña" + }, + "field.password.assistive_msg.show_password": { + "defaultMessage": "Mostrar contraseña" + }, + "footer.column.account": { + "defaultMessage": "Cuenta" + }, + "footer.column.customer_support": { + "defaultMessage": "Soporte al cliente" + }, + "footer.column.our_company": { + "defaultMessage": "Nuestra empresa" + }, + "footer.link.about_us": { + "defaultMessage": "Acerca de nosotros" + }, + "footer.link.contact_us": { + "defaultMessage": "Contáctanos" + }, + "footer.link.order_status": { + "defaultMessage": "Estado del pedido" + }, + "footer.link.privacy_policy": { + "defaultMessage": "Política de privacidad" + }, + "footer.link.shipping": { + "defaultMessage": "Envío" + }, + "footer.link.signin_create_account": { + "defaultMessage": "Iniciar sesión o crear cuenta" + }, + "footer.link.site_map": { + "defaultMessage": "Mapa del sitio" + }, + "footer.link.store_locator": { + "defaultMessage": "Localizador de tiendas" + }, + "footer.link.terms_conditions": { + "defaultMessage": "Términos y condiciones" + }, + "footer.message.copyright": { + "defaultMessage": "Salesforce o sus afiliados. Todos los derechos reservados. Esta es solo una tienda de demostración. Los pedidos realizados NO se procesarán." + }, + "footer.subscribe.button.sign_up": { + "defaultMessage": "Registrarse" + }, + "footer.subscribe.description.sign_up": { + "defaultMessage": "Regístrese para mantenerse informado sobre las mejores ofertas" + }, + "footer.subscribe.heading.first_to_know": { + "defaultMessage": "Sea el primero en saber" + }, + "form_action_buttons.button.cancel": { + "defaultMessage": "Cancelar" + }, + "form_action_buttons.button.save": { + "defaultMessage": "Guardar" + }, + "global.account.link.account_details": { + "defaultMessage": "Detalles de la cuenta" + }, + "global.account.link.addresses": { + "defaultMessage": "Direcciones" + }, + "global.account.link.order_history": { + "defaultMessage": "Historial de pedidos" + }, + "global.account.link.wishlist": { + "defaultMessage": "Lista de deseos" + }, + "global.error.something_went_wrong": { + "defaultMessage": "Se produjo un error. ¡Intenta de nuevo!" + }, + "global.info.added_to_wishlist": { + "defaultMessage": "{quantity} {quantity, plural, one {artículo} other {artículos}} agregado(s) a la lista de deseos" + }, + "global.info.already_in_wishlist": { + "defaultMessage": "El artículo ya está en la lista de deseos." + }, + "global.info.removed_from_wishlist": { + "defaultMessage": "Artículo eliminado de la lista de deseos" + }, + "global.link.added_to_wishlist.view_wishlist": { + "defaultMessage": "Vista" + }, + "header.button.assistive_msg.logo": { + "defaultMessage": "Logotipo" + }, + "header.button.assistive_msg.menu": { + "defaultMessage": "Menú" + }, + "header.button.assistive_msg.my_account": { + "defaultMessage": "Mi cuenta" + }, + "header.button.assistive_msg.my_account_menu": { + "defaultMessage": "Abrir menú de la cuenta" + }, + "header.button.assistive_msg.my_cart_with_num_items": { + "defaultMessage": "Mi carrito, número de artículos: {numItems}" + }, + "header.button.assistive_msg.wishlist": { + "defaultMessage": "Lista de deseos" + }, + "header.field.placeholder.search_for_products": { + "defaultMessage": "Buscar productos..." + }, + "header.popover.action.log_out": { + "defaultMessage": "Cerrar sesión" + }, + "header.popover.title.my_account": { + "defaultMessage": "Mi cuenta" + }, + "home.description.features": { + "defaultMessage": "Características de disponibilidad inmediata para que se enfoque solo en agregar mejoras." + }, + "home.description.here_to_help": { + "defaultMessage": "Comunícate con nuestro personal de apoyo" + }, + "home.description.here_to_help_line_2": { + "defaultMessage": "Te llevarán al lugar correcto." + }, + "home.description.shop_products": { + "defaultMessage": "Esta sección tiene contenido del catálogo. {docLink} sobre cómo reemplazarlo.", + "description": "{docLink} is a html button that links the user to https://sfdc.co/business-manager-manage-catalogs" + }, + "home.features.description.cart_checkout": { + "defaultMessage": "Mejores prácticas de comercio electrónico para el carrito y la experiencia de finalización de la compra (checkout) del comprador." + }, + "home.features.description.components": { + "defaultMessage": "Desarrollado con Chakra UI, una biblioteca de componentes de React simple, modular y accesible." + }, + "home.features.description.einstein_recommendations": { + "defaultMessage": "Brinde el mejor producto o la mejor oferta a cada comprador a través de recomendaciones de productos." + }, + "home.features.description.my_account": { + "defaultMessage": "Los compradores pueden gestionar información de la cuenta como su perfil, direcciones, pagos y pedidos." + }, + "home.features.description.shopper_login": { + "defaultMessage": "Habilite que los compradores inicien sesión fácilmente con una experiencia de compra más personalizada." + }, + "home.features.description.wishlist": { + "defaultMessage": "Los compradores registrados pueden agregar artículos del producto a su lista de deseos para comprar luego." + }, + "home.features.heading.cart_checkout": { + "defaultMessage": "Carrito y finalización de la compra" + }, + "home.features.heading.components": { + "defaultMessage": "Componentes y kit de diseño" + }, + "home.features.heading.einstein_recommendations": { + "defaultMessage": "Recomendaciones de Einstein" + }, + "home.features.heading.my_account": { + "defaultMessage": "Mi cuenta" + }, + "home.features.heading.shopper_login": { + "defaultMessage": "Shopper Login and API Access Service (SLAS)" + }, + "home.features.heading.wishlist": { + "defaultMessage": "Lista de deseos" + }, + "home.heading.features": { + "defaultMessage": "Características" + }, + "home.heading.here_to_help": { + "defaultMessage": "Estamos aquí para ayudarle" + }, + "home.heading.shop_products": { + "defaultMessage": "Comprar productos" + }, + "home.hero_features.link.design_kit": { + "defaultMessage": "Crear con el Figma PWA Design Kit" + }, + "home.hero_features.link.on_github": { + "defaultMessage": "Descargar en Github" + }, + "home.hero_features.link.on_managed_runtime": { + "defaultMessage": "Implementar en Managed Runtime" + }, + "home.link.contact_us": { + "defaultMessage": "Contáctanos" + }, + "home.link.get_started": { + "defaultMessage": "Comenzar" + }, + "home.link.read_docs": { + "defaultMessage": "Leer documentos" + }, + "home.title.react_starter_store": { + "defaultMessage": "React PWA Starter Store para venta minorista" + }, + "icons.assistive_msg.lock": { + "defaultMessage": "Seguro" + }, + "item_attributes.label.promotions": { + "defaultMessage": "Promociones" + }, + "item_attributes.label.quantity": { + "defaultMessage": "Cantidad: {quantity}" + }, + "item_image.label.sale": { + "defaultMessage": "Ofertas", + "description": "A sale badge placed on top of a product image" + }, + "item_image.label.unavailable": { + "defaultMessage": "No disponible", + "description": "A unavailable badge placed on top of a product image" + }, + "item_price.label.starting_at": { + "defaultMessage": "Comienza en" + }, + "lCPCxk": { + "defaultMessage": "Seleccione todas las opciones anteriores" + }, + "list_menu.nav.assistive_msg": { + "defaultMessage": "Navegación principal" + }, + "locale_text.message.ar-SA": { + "defaultMessage": "Árabe (Arabia Saudí)" + }, + "locale_text.message.bn-BD": { + "defaultMessage": "Bangalí (Bangladesh)" + }, + "locale_text.message.bn-IN": { + "defaultMessage": "Bangalí (India)" + }, + "locale_text.message.cs-CZ": { + "defaultMessage": "Checo (República Checa)" + }, + "locale_text.message.da-DK": { + "defaultMessage": "Danés (Dinamarca)" + }, + "locale_text.message.de-AT": { + "defaultMessage": "Alemán (Austria)" + }, + "locale_text.message.de-CH": { + "defaultMessage": "Alemán (Suiza)" + }, + "locale_text.message.de-DE": { + "defaultMessage": "Alemán (Alemania)" + }, + "locale_text.message.el-GR": { + "defaultMessage": "Griego (Grecia)" + }, + "locale_text.message.en-AU": { + "defaultMessage": "Inglés (Australia)" + }, + "locale_text.message.en-CA": { + "defaultMessage": "Inglés (Canadá)" + }, + "locale_text.message.en-GB": { + "defaultMessage": "Inglés (Reino Unido)" + }, + "locale_text.message.en-IE": { + "defaultMessage": "Inglés (Irlanda)" + }, + "locale_text.message.en-IN": { + "defaultMessage": "Inglés (India)" + }, + "locale_text.message.en-NZ": { + "defaultMessage": "Inglés (Nueva Zelanda)" + }, + "locale_text.message.en-US": { + "defaultMessage": "Inglés (Estados Unidos)" + }, + "locale_text.message.en-ZA": { + "defaultMessage": "Inglés (Sudáfrica)" + }, + "locale_text.message.es-AR": { + "defaultMessage": "Español (Argentina)" + }, + "locale_text.message.es-CL": { + "defaultMessage": "Español (Chile)" + }, + "locale_text.message.es-CO": { + "defaultMessage": "Español (Colombia)" + }, + "locale_text.message.es-ES": { + "defaultMessage": "Español (España)" + }, + "locale_text.message.es-MX": { + "defaultMessage": "Español (México)" + }, + "locale_text.message.es-US": { + "defaultMessage": "Español (Estados Unidos)" + }, + "locale_text.message.fi-FI": { + "defaultMessage": "Finlandés (Finlandia)" + }, + "locale_text.message.fr-BE": { + "defaultMessage": "Francés (Bélgica)" + }, + "locale_text.message.fr-CA": { + "defaultMessage": "Francés (Canadá)" + }, + "locale_text.message.fr-CH": { + "defaultMessage": "Francés (Suiza)" + }, + "locale_text.message.fr-FR": { + "defaultMessage": "Francés (Francia)" + }, + "locale_text.message.he-IL": { + "defaultMessage": "Hebreo (Israel)" + }, + "locale_text.message.hi-IN": { + "defaultMessage": "Hindi (India)" + }, + "locale_text.message.hu-HU": { + "defaultMessage": "Húngaro (Hungría)" + }, + "locale_text.message.id-ID": { + "defaultMessage": "Indonesio (Indonesia)" + }, + "locale_text.message.it-CH": { + "defaultMessage": "Italiano (Suiza)" + }, + "locale_text.message.it-IT": { + "defaultMessage": "Italiano (Italia)" + }, + "locale_text.message.ja-JP": { + "defaultMessage": "Japonés (Japón)" + }, + "locale_text.message.ko-KR": { + "defaultMessage": "Coreano (República de Corea)" + }, + "locale_text.message.nl-BE": { + "defaultMessage": "Neerlandés (Bélgica)" + }, + "locale_text.message.nl-NL": { + "defaultMessage": "Neerlandés (Países Bajos)" + }, + "locale_text.message.no-NO": { + "defaultMessage": "Noruego (Noruega)" + }, + "locale_text.message.pl-PL": { + "defaultMessage": "Polaco (Polonia)" + }, + "locale_text.message.pt-BR": { + "defaultMessage": "Portugués (Brasil)" + }, + "locale_text.message.pt-PT": { + "defaultMessage": "Portugués (Portugal)" + }, + "locale_text.message.ro-RO": { + "defaultMessage": "Rumano (Rumanía)" + }, + "locale_text.message.ru-RU": { + "defaultMessage": "Ruso (Federación Rusa)" + }, + "locale_text.message.sk-SK": { + "defaultMessage": "Eslovaco (Eslovaquia)" + }, + "locale_text.message.sv-SE": { + "defaultMessage": "Sueco (Suecia)" + }, + "locale_text.message.ta-IN": { + "defaultMessage": "Tamil (India)" + }, + "locale_text.message.ta-LK": { + "defaultMessage": "Tamil (Sri Lanka)" + }, + "locale_text.message.th-TH": { + "defaultMessage": "Tailandés (Tailandia)" + }, + "locale_text.message.tr-TR": { + "defaultMessage": "Turco (Turquía)" + }, + "locale_text.message.zh-CN": { + "defaultMessage": "Chino (China)" + }, + "locale_text.message.zh-HK": { + "defaultMessage": "Chino (Hong Kong)" + }, + "locale_text.message.zh-TW": { + "defaultMessage": "Chino (Taiwán)" + }, + "login_form.action.create_account": { + "defaultMessage": "Crear cuenta" + }, + "login_form.button.sign_in": { + "defaultMessage": "Registrarse" + }, + "login_form.link.forgot_password": { + "defaultMessage": "¿Olvidaste la contraseña?" + }, + "login_form.message.dont_have_account": { + "defaultMessage": "¿No tiene una cuenta?" + }, + "login_form.message.welcome_back": { + "defaultMessage": "Bienvenido otra vez" + }, + "login_page.error.incorrect_username_or_password": { + "defaultMessage": "Nombre de usuario o contraseña incorrectos, intente de nuevo." + }, + "offline_banner.description.browsing_offline_mode": { + "defaultMessage": "Actualmente está navegando sin conexión" + }, + "order_summary.action.remove_promo": { + "defaultMessage": "Eliminar" + }, + "order_summary.cart_items.action.num_of_items_in_cart": { + "defaultMessage": "{itemCount, plural, =0 {0 artículos} one {# artículo} other {# artículos}} en el carrito", + "description": "clicking it would expand/show the items in cart" + }, + "order_summary.cart_items.link.edit_cart": { + "defaultMessage": "Editar carrito" + }, + "order_summary.heading.order_summary": { + "defaultMessage": "Resumen del pedido" + }, + "order_summary.label.estimated_total": { + "defaultMessage": "Total estimado" + }, + "order_summary.label.free": { + "defaultMessage": "Gratis" + }, + "order_summary.label.order_total": { + "defaultMessage": "Total del pedido" + }, + "order_summary.label.promo_applied": { + "defaultMessage": "Promoción aplicada" + }, + "order_summary.label.promotions_applied": { + "defaultMessage": "Promociones aplicadas" + }, + "order_summary.label.shipping": { + "defaultMessage": "Envío" + }, + "order_summary.label.subtotal": { + "defaultMessage": "Subtotal" + }, + "order_summary.label.tax": { + "defaultMessage": "Impuesto" + }, + "page_not_found.action.go_back": { + "defaultMessage": "Regresar a la página anterior" + }, + "page_not_found.link.homepage": { + "defaultMessage": "Ir a la página de inicio" + }, + "page_not_found.message.suggestion_to_try": { + "defaultMessage": "Intente volver a escribir la dirección, regresar a la página anterior o ir a la página de inicio." + }, + "page_not_found.title.page_cant_be_found": { + "defaultMessage": "No podemos encontrar la página que busca." + }, + "pagination.field.num_of_pages": { + "defaultMessage": "de {numOfPages}" + }, + "pagination.link.next": { + "defaultMessage": "Siguiente" + }, + "pagination.link.next.assistive_msg": { + "defaultMessage": "Página siguiente" + }, + "pagination.link.prev": { + "defaultMessage": "Anterior" + }, + "pagination.link.prev.assistive_msg": { + "defaultMessage": "Página anterior" + }, + "password_card.info.password_updated": { + "defaultMessage": "Contraseña actualizada" + }, + "password_card.label.password": { + "defaultMessage": "Contraseña" + }, + "password_card.title.password": { + "defaultMessage": "Contraseña" + }, + "password_requirements.error.eight_letter_minimum": { + "defaultMessage": "8 caracteres como mínimo", + "description": "Password requirement" + }, + "password_requirements.error.one_lowercase_letter": { + "defaultMessage": "1 letra en minúscula", + "description": "Password requirement" + }, + "password_requirements.error.one_number": { + "defaultMessage": "1 número", + "description": "Password requirement" + }, + "password_requirements.error.one_special_character": { + "defaultMessage": "1 carácter especial (ejemplo, , S ! % #)", + "description": "Password requirement" + }, + "password_requirements.error.one_uppercase_letter": { + "defaultMessage": "1 letra en mayúscula", + "description": "Password requirement" + }, + "payment_selection.heading.credit_card": { + "defaultMessage": "Tarjeta de crédito" + }, + "payment_selection.tooltip.secure_payment": { + "defaultMessage": "Este es un pago cifrado con SSL seguro." + }, + "price_per_item.label.each": { + "defaultMessage": "ea", + "description": "Abbreviated 'each', follows price per item, like $10/ea" + }, + "product_detail.accordion.button.product_detail": { + "defaultMessage": "Detalles del producto" + }, + "product_detail.accordion.button.questions": { + "defaultMessage": "Preguntas" + }, + "product_detail.accordion.button.reviews": { + "defaultMessage": "Revisiones" + }, + "product_detail.accordion.button.size_fit": { + "defaultMessage": "Tamaño y ajuste" + }, + "product_detail.accordion.message.coming_soon": { + "defaultMessage": "Próximamente" + }, + "product_detail.recommended_products.title.complete_set": { + "defaultMessage": "Completar el conjunto" + }, + "product_detail.recommended_products.title.might_also_like": { + "defaultMessage": "Es posible que también le interese" + }, + "product_detail.recommended_products.title.recently_viewed": { + "defaultMessage": "Vistos recientemente" + }, + "product_item.label.quantity": { + "defaultMessage": "Cantidad:" + }, + "product_list.button.filter": { + "defaultMessage": "Filtrar" + }, + "product_list.button.sort_by": { + "defaultMessage": "Clasificar por: {sortOption}" + }, + "product_list.drawer.title.sort_by": { + "defaultMessage": "Clasificar por" + }, + "product_list.modal.button.clear_filters": { + "defaultMessage": "Borrar filtros" + }, + "product_list.modal.button.view_items": { + "defaultMessage": "Ver {prroductCount} artículos" + }, + "product_list.modal.title.filter": { + "defaultMessage": "Filtrar" + }, + "product_list.refinements.button.assistive_msg.add_filter": { + "defaultMessage": "Agregar filtro: {label}" + }, + "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": { + "defaultMessage": "Agregar filtro: {label} ({hitCount})" + }, + "product_list.refinements.button.assistive_msg.remove_filter": { + "defaultMessage": "Eliminar filtro: {label}" + }, + "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": { + "defaultMessage": "Eliminar filtro: {label} ({hitCount})" + }, + "product_list.select.sort_by": { + "defaultMessage": "Clasificar por: {sortOption}" + }, + "product_scroller.assistive_msg.scroll_left": { + "defaultMessage": "Desplazar productos a la izquierda" + }, + "product_scroller.assistive_msg.scroll_right": { + "defaultMessage": "Desplazar productos a la derecha" + }, + "product_tile.assistive_msg.add_to_wishlist": { + "defaultMessage": "Agregar {product} a la lista de deseos" + }, + "product_tile.assistive_msg.remove_from_wishlist": { + "defaultMessage": "Eliminar {product} de la lista de deseos" + }, + "product_tile.label.starting_at_price": { + "defaultMessage": "Comienza en {price}" + }, + "product_view.button.add_set_to_cart": { + "defaultMessage": "Agregar conjunto al carrito" + }, + "product_view.button.add_set_to_wishlist": { + "defaultMessage": "Agregar conjunto a la lista de deseos" + }, + "product_view.button.add_to_cart": { + "defaultMessage": "Agregar al carrito" + }, + "product_view.button.add_to_wishlist": { + "defaultMessage": "Agregar a la lista de deseos" + }, + "product_view.button.update": { + "defaultMessage": "Actualización" + }, + "product_view.label.assistive_msg.quantity_decrement": { + "defaultMessage": "Cantidad de decremento" + }, + "product_view.label.assistive_msg.quantity_increment": { + "defaultMessage": "Incrementar cantidad" + }, + "product_view.label.quantity": { + "defaultMessage": "Cantidad" + }, + "product_view.label.quantity_decrement": { + "defaultMessage": "−" + }, + "product_view.label.quantity_increment": { + "defaultMessage": "+" + }, + "product_view.label.starting_at_price": { + "defaultMessage": "Comienza en" + }, + "product_view.label.variant_type": { + "defaultMessage": "{variantType}" + }, + "product_view.link.full_details": { + "defaultMessage": "Ver información completa" + }, + "profile_card.info.profile_updated": { + "defaultMessage": "Perfil actualizado" + }, + "profile_card.label.email": { + "defaultMessage": "Correo electrónico" + }, + "profile_card.label.full_name": { + "defaultMessage": "Nombre completo" + }, + "profile_card.label.phone": { + "defaultMessage": "Número de teléfono" + }, + "profile_card.message.not_provided": { + "defaultMessage": "No proporcionado" + }, + "profile_card.title.my_profile": { + "defaultMessage": "Mi perfil" + }, + "promo_code_fields.button.apply": { + "defaultMessage": "Aplicar" + }, + "promo_popover.assistive_msg.info": { + "defaultMessage": "Información" + }, + "promo_popover.heading.promo_applied": { + "defaultMessage": "Promociones aplicadas" + }, + "promocode.accordion.button.have_promocode": { + "defaultMessage": "¿Tiene un código promocional?" + }, + "recent_searches.action.clear_searches": { + "defaultMessage": "Borrar búsquedas recientes" + }, + "recent_searches.heading.recent_searches": { + "defaultMessage": "Búsquedas recientes" + }, + "register_form.action.sign_in": { + "defaultMessage": "Registrarse" + }, + "register_form.button.create_account": { + "defaultMessage": "Crear cuenta" + }, + "register_form.heading.lets_get_started": { + "defaultMessage": "¡Comencemos!" + }, + "register_form.message.agree_to_policy_terms": { + "defaultMessage": "Al crear una cuenta, acepta la Política de privacidad y los Términos y condiciones de Salesforce" + }, + "register_form.message.already_have_account": { + "defaultMessage": "¿Ya tienes una cuenta?" + }, + "register_form.message.create_an_account": { + "defaultMessage": "Cree una cuenta y obtenga un primer acceso a los mejores productos, inspiración y comunidad." + }, + "reset_password.button.back_to_sign_in": { + "defaultMessage": "Regresar a Registrarse" + }, + "reset_password.info.receive_email_shortly": { + "defaultMessage": "Recibirás un correo electrónico en {email} con un vínculo para restablecer tu contraseña a la brevedad." + }, + "reset_password.title.password_reset": { + "defaultMessage": "Restablecimiento de contraseña" + }, + "reset_password_form.action.sign_in": { + "defaultMessage": "Registrarse" + }, + "reset_password_form.button.reset_password": { + "defaultMessage": "Restablecer contraseña" + }, + "reset_password_form.message.enter_your_email": { + "defaultMessage": "Ingrese su correo electrónico para recibir instrucciones sobre cómo restablecer su contraseña" + }, + "reset_password_form.message.return_to_sign_in": { + "defaultMessage": "O regresar a", + "description": "Precedes link to return to sign in" + }, + "reset_password_form.title.reset_password": { + "defaultMessage": "Restablecer contraseña" + }, + "search.action.cancel": { + "defaultMessage": "Cancelar" + }, + "selected_refinements.action.assistive_msg.clear_all": { + "defaultMessage": "Borrar todos los filtros" + }, + "selected_refinements.action.clear_all": { + "defaultMessage": "Borrar todo" + }, + "shipping_address.button.continue_to_shipping": { + "defaultMessage": "Continuar a método de envío" + }, + "shipping_address.title.shipping_address": { + "defaultMessage": "Dirección de envío" + }, + "shipping_address_edit_form.button.save_and_continue": { + "defaultMessage": "Guardar y continuar a método de envío" + }, + "shipping_address_form.heading.edit_address": { + "defaultMessage": "Editar dirección" + }, + "shipping_address_form.heading.new_address": { + "defaultMessage": "Agregar dirección nueva" + }, + "shipping_address_selection.button.add_address": { + "defaultMessage": "Agregar dirección nueva" + }, + "shipping_address_selection.button.submit": { + "defaultMessage": "Enviar" + }, + "shipping_address_selection.title.add_address": { + "defaultMessage": "Agregar dirección nueva" + }, + "shipping_address_selection.title.edit_shipping": { + "defaultMessage": "Editar dirección de envío" + }, + "shipping_options.action.send_as_a_gift": { + "defaultMessage": "¿Desea enviarlo como regalo?" + }, + "shipping_options.button.continue_to_payment": { + "defaultMessage": "Continuar a Pago" + }, + "shipping_options.title.shipping_gift_options": { + "defaultMessage": "Envío y opciones de regalo" + }, + "signout_confirmation_dialog.button.cancel": { + "defaultMessage": "Cancelar" + }, + "signout_confirmation_dialog.button.sign_out": { + "defaultMessage": "Cerrar sesión" + }, + "signout_confirmation_dialog.heading.sign_out": { + "defaultMessage": "Cerrar sesión" + }, + "signout_confirmation_dialog.message.sure_to_sign_out": { + "defaultMessage": "¿Está seguro de que desea cerrar sesión? Deberá volver a registrarse para continuar con su pedido actual." + }, + "swatch_group.selected.label": { + "defaultMessage": "{label}:" + }, + "toggle_card.action.edit": { + "defaultMessage": "Editar" + }, + "update_password_fields.button.forgot_password": { + "defaultMessage": "¿Olvidó la contraseña?" + }, + "use_address_fields.error.please_enter_first_name": { + "defaultMessage": "Ingrese su nombre." + }, + "use_address_fields.error.please_enter_last_name": { + "defaultMessage": "Ingrese su apellido." + }, + "use_address_fields.error.please_enter_phone_number": { + "defaultMessage": "Ingrese su número de teléfono." + }, + "use_address_fields.error.please_enter_your_postal_or_zip": { + "defaultMessage": "Ingrese su código postal." + }, + "use_address_fields.error.please_select_your_address": { + "defaultMessage": "Ingrese su dirección." + }, + "use_address_fields.error.please_select_your_city": { + "defaultMessage": "Ingrese su ciudad." + }, + "use_address_fields.error.please_select_your_country": { + "defaultMessage": "Seleccione su país." + }, + "use_address_fields.error.please_select_your_state_or_province": { + "defaultMessage": "Seleccione su estado/provincia." + }, + "use_address_fields.error.required": { + "defaultMessage": "Obligatorio" + }, + "use_address_fields.error.state_code_invalid": { + "defaultMessage": "Ingrese el código de estado/provincia de 2 letras." + }, + "use_address_fields.label.address": { + "defaultMessage": "Dirección" + }, + "use_address_fields.label.address_form": { + "defaultMessage": "Formato de direcciones" + }, + "use_address_fields.label.city": { + "defaultMessage": "Ciudad" + }, + "use_address_fields.label.country": { + "defaultMessage": "País" + }, + "use_address_fields.label.first_name": { + "defaultMessage": "Nombre" + }, + "use_address_fields.label.last_name": { + "defaultMessage": "Apellido" + }, + "use_address_fields.label.phone": { + "defaultMessage": "Teléfono" + }, + "use_address_fields.label.postal_code": { + "defaultMessage": "Código postal" + }, + "use_address_fields.label.preferred": { + "defaultMessage": "Establecer como predeterminado" + }, + "use_address_fields.label.province": { + "defaultMessage": "Provincia" + }, + "use_address_fields.label.state": { + "defaultMessage": "Estado" + }, + "use_address_fields.label.zipCode": { + "defaultMessage": "Código postal" + }, + "use_credit_card_fields.error.required": { + "defaultMessage": "Obligatorio" + }, + "use_credit_card_fields.error.required_card_number": { + "defaultMessage": "Ingrese el número de su tarjeta." + }, + "use_credit_card_fields.error.required_expiry": { + "defaultMessage": "Ingrese la fecha de caducidad." + }, + "use_credit_card_fields.error.required_name": { + "defaultMessage": "Ingrese su nombre como figura en su tarjeta." + }, + "use_credit_card_fields.error.required_security_code": { + "defaultMessage": "Ingrese su código de seguridad." + }, + "use_credit_card_fields.error.valid_card_number": { + "defaultMessage": "Ingrese un número de tarjeta válido." + }, + "use_credit_card_fields.error.valid_date": { + "defaultMessage": "Ingrese una fecha válida." + }, + "use_credit_card_fields.error.valid_name": { + "defaultMessage": "Ingrese un nombre válido." + }, + "use_credit_card_fields.error.valid_security_code": { + "defaultMessage": "Ingrese un código de seguridad válido." + }, + "use_credit_card_fields.label.card_number": { + "defaultMessage": "Número de tarjeta" + }, + "use_credit_card_fields.label.card_type": { + "defaultMessage": "Tipo de tarjeta" + }, + "use_credit_card_fields.label.expiry": { + "defaultMessage": "Fecha de caducidad" + }, + "use_credit_card_fields.label.name": { + "defaultMessage": "Nombre del titular de la tarjeta" + }, + "use_credit_card_fields.label.security_code": { + "defaultMessage": "Código de seguridad" + }, + "use_login_fields.error.required_email": { + "defaultMessage": "Ingrese su dirección de correo electrónico." + }, + "use_login_fields.error.required_password": { + "defaultMessage": "Ingrese su contraseña." + }, + "use_login_fields.label.email": { + "defaultMessage": "Correo electrónico" + }, + "use_login_fields.label.password": { + "defaultMessage": "Contraseña" + }, + "use_product.message.inventory_remaining": { + "defaultMessage": "¡Solo quedan {stockLevel}!" + }, + "use_product.message.out_of_stock": { + "defaultMessage": "Agotado" + }, + "use_profile_fields.error.required_email": { + "defaultMessage": "Introduzca una dirección de correo electrónico válida." + }, + "use_profile_fields.error.required_first_name": { + "defaultMessage": "Ingrese su nombre." + }, + "use_profile_fields.error.required_last_name": { + "defaultMessage": "Ingrese su apellido." + }, + "use_profile_fields.error.required_phone": { + "defaultMessage": "Ingrese su número de teléfono." + }, + "use_profile_fields.label.email": { + "defaultMessage": "Correo electrónico" + }, + "use_profile_fields.label.first_name": { + "defaultMessage": "Nombre" + }, + "use_profile_fields.label.last_name": { + "defaultMessage": "Apellido" + }, + "use_profile_fields.label.phone": { + "defaultMessage": "Número de teléfono" + }, + "use_promo_code_fields.error.required_promo_code": { + "defaultMessage": "Proporcione un código promocional válido." + }, + "use_promo_code_fields.label.promo_code": { + "defaultMessage": "Código promocional" + }, + "use_promocode.error.check_the_code": { + "defaultMessage": "Verifique el código y vuelva a intentarlo; es posible que ya haya sido aplicado o que la promoción haya caducado." + }, + "use_promocode.info.promo_applied": { + "defaultMessage": "Promoción aplicada" + }, + "use_promocode.info.promo_removed": { + "defaultMessage": "Promoción eliminada" + }, + "use_registration_fields.error.contain_number": { + "defaultMessage": "La contraseña debe incluir al menos un número." + }, + "use_registration_fields.error.lowercase_letter": { + "defaultMessage": "La contraseña debe incluir al menos una letra en minúscula." + }, + "use_registration_fields.error.minimum_characters": { + "defaultMessage": "La contraseña debe incluir al menos 8 caracteres." + }, + "use_registration_fields.error.required_email": { + "defaultMessage": "Introduzca una dirección de correo electrónico válida." + }, + "use_registration_fields.error.required_first_name": { + "defaultMessage": "Ingrese su nombre." + }, + "use_registration_fields.error.required_last_name": { + "defaultMessage": "Ingrese su apellido." + }, + "use_registration_fields.error.required_password": { + "defaultMessage": "Cree una contraseña." + }, + "use_registration_fields.error.special_character": { + "defaultMessage": "La contraseña debe incluir al menos un carácter especial." + }, + "use_registration_fields.error.uppercase_letter": { + "defaultMessage": "La contraseña debe incluir al menos una letra en mayúscula." + }, + "use_registration_fields.label.email": { + "defaultMessage": "Correo electrónico" + }, + "use_registration_fields.label.first_name": { + "defaultMessage": "Nombre" + }, + "use_registration_fields.label.last_name": { + "defaultMessage": "Apellido" + }, + "use_registration_fields.label.password": { + "defaultMessage": "Contraseña" + }, + "use_registration_fields.label.sign_up_to_emails": { + "defaultMessage": "Registrarme para recibir correos electrónicos de Salesforce (puede cancelar la suscripción en cualquier momento)" + }, + "use_reset_password_fields.error.required_email": { + "defaultMessage": "Introduzca una dirección de correo electrónico válida." + }, + "use_reset_password_fields.label.email": { + "defaultMessage": "Correo electrónico" + }, + "use_update_password_fields.error.contain_number": { + "defaultMessage": "La contraseña debe incluir al menos un número." + }, + "use_update_password_fields.error.lowercase_letter": { + "defaultMessage": "La contraseña debe incluir al menos una letra en minúscula." + }, + "use_update_password_fields.error.minimum_characters": { + "defaultMessage": "La contraseña debe incluir al menos 8 caracteres." + }, + "use_update_password_fields.error.required_new_password": { + "defaultMessage": "Proporcione una contraseña nueva." + }, + "use_update_password_fields.error.required_password": { + "defaultMessage": "Ingrese su contraseña." + }, + "use_update_password_fields.error.special_character": { + "defaultMessage": "La contraseña debe incluir al menos un carácter especial." + }, + "use_update_password_fields.error.uppercase_letter": { + "defaultMessage": "La contraseña debe incluir al menos una letra en mayúscula." + }, + "use_update_password_fields.label.current_password": { + "defaultMessage": "Contraseña actual" + }, + "use_update_password_fields.label.new_password": { + "defaultMessage": "Contraseña nueva" + }, + "wishlist_primary_action.button.add_set_to_cart": { + "defaultMessage": "Agregar conjunto al carrito" + }, + "wishlist_primary_action.button.add_to_cart": { + "defaultMessage": "Agregar al carrito" + }, + "wishlist_primary_action.button.view_full_details": { + "defaultMessage": "Ver toda la información" + }, + "wishlist_primary_action.button.view_options": { + "defaultMessage": "Ver opciones" + }, + "wishlist_primary_action.info.added_to_cart": { + "defaultMessage": "{quantity} {quantity, plural, one {artículo} other {artículos}} agregado(s) al carrito" + }, + "wishlist_secondary_button_group.action.remove": { + "defaultMessage": "Eliminar" + }, + "wishlist_secondary_button_group.info.item_removed": { + "defaultMessage": "Artículo eliminado de la lista de deseos" + }, + "with_registration.info.please_sign_in": { + "defaultMessage": "¡Regístrese para continuar!" + } +} diff --git a/my-test-project/translations/fr-FR.json b/my-test-project/translations/fr-FR.json new file mode 100644 index 0000000000..361367b97f --- /dev/null +++ b/my-test-project/translations/fr-FR.json @@ -0,0 +1,1517 @@ +{ + "account.accordion.button.my_account": { + "defaultMessage": "Mon compte" + }, + "account.heading.my_account": { + "defaultMessage": "Mon compte" + }, + "account.logout_button.button.log_out": { + "defaultMessage": "Se déconnecter" + }, + "account_addresses.badge.default": { + "defaultMessage": "Valeur par défaut" + }, + "account_addresses.button.add_address": { + "defaultMessage": "Ajouter une adresse" + }, + "account_addresses.info.address_removed": { + "defaultMessage": "Adresse supprimée" + }, + "account_addresses.info.address_updated": { + "defaultMessage": "Adresse mise à jour" + }, + "account_addresses.info.new_address_saved": { + "defaultMessage": "Nouvelle adresse enregistrée" + }, + "account_addresses.page_action_placeholder.button.add_address": { + "defaultMessage": "Ajouter une adresse" + }, + "account_addresses.page_action_placeholder.heading.no_saved_addresses": { + "defaultMessage": "Aucune adresse enregistrée" + }, + "account_addresses.page_action_placeholder.message.add_new_address": { + "defaultMessage": "Ajoutez une adresse pour accélérer le checkout." + }, + "account_addresses.title.addresses": { + "defaultMessage": "Adresses" + }, + "account_detail.title.account_details": { + "defaultMessage": "Détails du compte" + }, + "account_order_detail.heading.billing_address": { + "defaultMessage": "Adresse de facturation" + }, + "account_order_detail.heading.num_of_items": { + "defaultMessage": "{count} articles" + }, + "account_order_detail.heading.payment_method": { + "defaultMessage": "Mode de paiement" + }, + "account_order_detail.heading.shipping_address": { + "defaultMessage": "Adresse de livraison" + }, + "account_order_detail.heading.shipping_method": { + "defaultMessage": "Mode de livraison" + }, + "account_order_detail.label.order_number": { + "defaultMessage": "Numéro de commande : {orderNumber}" + }, + "account_order_detail.label.ordered_date": { + "defaultMessage": "Commandé le : {date}" + }, + "account_order_detail.label.pending_tracking_number": { + "defaultMessage": "En attente" + }, + "account_order_detail.label.tracking_number": { + "defaultMessage": "N° de suivi" + }, + "account_order_detail.link.back_to_history": { + "defaultMessage": "Retour à l’historique des commandes" + }, + "account_order_detail.shipping_status.not_shipped": { + "defaultMessage": "Non expédiée" + }, + "account_order_detail.shipping_status.part_shipped": { + "defaultMessage": "Partiellement expédiée" + }, + "account_order_detail.shipping_status.shipped": { + "defaultMessage": "Expédiée" + }, + "account_order_detail.title.order_details": { + "defaultMessage": "Détails de la commande" + }, + "account_order_history.button.continue_shopping": { + "defaultMessage": "Continuer les achats" + }, + "account_order_history.description.once_you_place_order": { + "defaultMessage": "Une fois que vous aurez passé une commande, les détails s’afficheront ici." + }, + "account_order_history.heading.no_order_yet": { + "defaultMessage": "Vous n’avez pas encore passé de commande." + }, + "account_order_history.label.num_of_items": { + "defaultMessage": "{count} articles", + "description": "Number of items in order" + }, + "account_order_history.label.order_number": { + "defaultMessage": "Numéro de commande : {orderNumber}" + }, + "account_order_history.label.ordered_date": { + "defaultMessage": "Commandé le : {date}" + }, + "account_order_history.label.shipped_to": { + "defaultMessage": "Expédiée à : {name}" + }, + "account_order_history.link.view_details": { + "defaultMessage": "Afficher les détails" + }, + "account_order_history.title.order_history": { + "defaultMessage": "Historique des commandes" + }, + "account_wishlist.button.continue_shopping": { + "defaultMessage": "Continuer les achats" + }, + "account_wishlist.description.continue_shopping": { + "defaultMessage": "Poursuivez votre visite et ajoutez des articles à votre liste de souhaits." + }, + "account_wishlist.heading.no_wishlist": { + "defaultMessage": "Aucun article dans la liste de souhaits" + }, + "account_wishlist.title.wishlist": { + "defaultMessage": "Liste de souhaits" + }, + "action_card.action.edit": { + "defaultMessage": "Modifier" + }, + "action_card.action.remove": { + "defaultMessage": "Supprimer" + }, + "add_to_cart_modal.info.added_to_cart": { + "defaultMessage": "{quantity} {quantity, plural, one {article ajouté} other {articles ajoutés}} au panier" + }, + "add_to_cart_modal.label.cart_subtotal": { + "defaultMessage": "Sous-total du panier ({itemAccumulatedCount} article)" + }, + "add_to_cart_modal.label.quantity": { + "defaultMessage": "Qté" + }, + "add_to_cart_modal.link.checkout": { + "defaultMessage": "Passer au checkout" + }, + "add_to_cart_modal.link.view_cart": { + "defaultMessage": "Afficher le panier" + }, + "add_to_cart_modal.recommended_products.title.might_also_like": { + "defaultMessage": "Vous aimerez peut-être aussi" + }, + "auth_modal.button.close.assistive_msg": { + "defaultMessage": "Fermer le formulaire de connexion" + }, + "auth_modal.description.now_signed_in": { + "defaultMessage": "Vous êtes bien connecté." + }, + "auth_modal.error.incorrect_email_or_password": { + "defaultMessage": "Il y a un problème avec votre adresse e-mail ou votre mot de passe. Veuillez réessayer." + }, + "auth_modal.info.welcome_user": { + "defaultMessage": "Bienvenue {name}," + }, + "auth_modal.password_reset_success.button.back_to_sign_in": { + "defaultMessage": "Retour à la page de connexion" + }, + "auth_modal.password_reset_success.info.will_email_shortly": { + "defaultMessage": "Vous recevrez sous peu un e-mail à l’adresse {email} avec un lien permettant de réinitialiser votre mot de passe." + }, + "auth_modal.password_reset_success.title.password_reset": { + "defaultMessage": "Réinitialisation du mot de passe" + }, + "carousel.button.scroll_left.assistive_msg": { + "defaultMessage": "Faire défiler le carrousel vers la gauche" + }, + "carousel.button.scroll_right.assistive_msg": { + "defaultMessage": "Faire défiler le carrousel vers la droite" + }, + "cart.info.removed_from_cart": { + "defaultMessage": "Article supprimé du panier" + }, + "cart.recommended_products.title.may_also_like": { + "defaultMessage": "Vous aimerez peut-être aussi" + }, + "cart.recommended_products.title.recently_viewed": { + "defaultMessage": "Consultés récemment" + }, + "cart_cta.link.checkout": { + "defaultMessage": "Passer au checkout" + }, + "cart_secondary_button_group.action.added_to_wishlist": { + "defaultMessage": "Ajouter à la liste de souhaits" + }, + "cart_secondary_button_group.action.edit": { + "defaultMessage": "Modifier" + }, + "cart_secondary_button_group.action.remove": { + "defaultMessage": "Supprimer" + }, + "cart_secondary_button_group.label.this_is_gift": { + "defaultMessage": "C’est un cadeau." + }, + "cart_skeleton.heading.order_summary": { + "defaultMessage": "Résumé de la commande" + }, + "cart_skeleton.title.cart": { + "defaultMessage": "Panier" + }, + "cart_title.title.cart_num_of_items": { + "defaultMessage": "Panier ({itemCount, plural, =0 {0 article} one {# article} other {# articles}})" + }, + "cc_radio_group.action.remove": { + "defaultMessage": "Supprimer" + }, + "cc_radio_group.button.add_new_card": { + "defaultMessage": "Ajouter une nouvelle carte" + }, + "checkout.button.place_order": { + "defaultMessage": "Passer commande" + }, + "checkout.message.generic_error": { + "defaultMessage": "Une erreur inattendue s'est produite durant le checkout." + }, + "checkout_confirmation.button.create_account": { + "defaultMessage": "Créer un compte" + }, + "checkout_confirmation.heading.billing_address": { + "defaultMessage": "Adresse de facturation" + }, + "checkout_confirmation.heading.create_account": { + "defaultMessage": "Créez un compte pour accélérer le checkout" + }, + "checkout_confirmation.heading.credit_card": { + "defaultMessage": "Carte de crédit" + }, + "checkout_confirmation.heading.delivery_details": { + "defaultMessage": "Détails de la livraison" + }, + "checkout_confirmation.heading.order_summary": { + "defaultMessage": "Résumé de la commande" + }, + "checkout_confirmation.heading.payment_details": { + "defaultMessage": "Détails du paiement" + }, + "checkout_confirmation.heading.shipping_address": { + "defaultMessage": "Adresse de livraison" + }, + "checkout_confirmation.heading.shipping_method": { + "defaultMessage": "Mode de livraison" + }, + "checkout_confirmation.heading.thank_you_for_order": { + "defaultMessage": "Merci pour votre commande !" + }, + "checkout_confirmation.label.free": { + "defaultMessage": "Gratuit" + }, + "checkout_confirmation.label.order_number": { + "defaultMessage": "Numéro de commande" + }, + "checkout_confirmation.label.order_total": { + "defaultMessage": "Total de la commande" + }, + "checkout_confirmation.label.promo_applied": { + "defaultMessage": "Promotion appliquée" + }, + "checkout_confirmation.label.shipping": { + "defaultMessage": "Livraison" + }, + "checkout_confirmation.label.subtotal": { + "defaultMessage": "Sous-total" + }, + "checkout_confirmation.label.tax": { + "defaultMessage": "Taxe" + }, + "checkout_confirmation.link.continue_shopping": { + "defaultMessage": "Continuer les achats" + }, + "checkout_confirmation.link.login": { + "defaultMessage": "Connectez-vous ici" + }, + "checkout_confirmation.message.already_has_account": { + "defaultMessage": "Cet e-mail a déjà un compte." + }, + "checkout_confirmation.message.num_of_items_in_order": { + "defaultMessage": "{itemCount, plural, =0 {0 article} one {# article} other {# articles}}", + "description": "# item(s) in order" + }, + "checkout_confirmation.message.will_email_shortly": { + "defaultMessage": "Nous enverrons sous peu un e-mail à l’adresse {email} avec votre numéro de confirmation et votre reçu." + }, + "checkout_footer.link.privacy_policy": { + "defaultMessage": "Politique de confidentialité" + }, + "checkout_footer.link.returns_exchanges": { + "defaultMessage": "Retours et échanges" + }, + "checkout_footer.link.shipping": { + "defaultMessage": "Livraison" + }, + "checkout_footer.link.site_map": { + "defaultMessage": "Plan du site" + }, + "checkout_footer.link.terms_conditions": { + "defaultMessage": "Conditions générales" + }, + "checkout_footer.message.copyright": { + "defaultMessage": "Salesforce ou ses affiliés. Tous droits réservés. Ceci est une boutique de démonstration uniquement. Les commandes NE SERONT PAS traitées." + }, + "checkout_header.link.assistive_msg.cart": { + "defaultMessage": "Retour au panier, nombre d’articles : {numItems}" + }, + "checkout_header.link.cart": { + "defaultMessage": "Retour au panier" + }, + "checkout_payment.action.remove": { + "defaultMessage": "Supprimer" + }, + "checkout_payment.button.review_order": { + "defaultMessage": "Vérifier la commande" + }, + "checkout_payment.heading.billing_address": { + "defaultMessage": "Adresse de facturation" + }, + "checkout_payment.heading.credit_card": { + "defaultMessage": "Carte de crédit" + }, + "checkout_payment.label.same_as_shipping": { + "defaultMessage": "Identique à l’adresse de livraison" + }, + "checkout_payment.title.payment": { + "defaultMessage": "Paiement" + }, + "colorRefinements.label.hitCount": { + "defaultMessage": "{colorLabel} ({colorHitCount})" + }, + "confirmation_modal.default.action.no": { + "defaultMessage": "Non" + }, + "confirmation_modal.default.action.yes": { + "defaultMessage": "Oui" + }, + "confirmation_modal.default.message.you_want_to_continue": { + "defaultMessage": "Voulez-vous vraiment continuer ?" + }, + "confirmation_modal.default.title.confirm_action": { + "defaultMessage": "Confirmer l’action" + }, + "confirmation_modal.remove_cart_item.action.no": { + "defaultMessage": "Non, garder l’article" + }, + "confirmation_modal.remove_cart_item.action.remove": { + "defaultMessage": "Supprimer" + }, + "confirmation_modal.remove_cart_item.action.yes": { + "defaultMessage": "Oui, supprimer l’article" + }, + "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": { + "defaultMessage": "Certains articles ne sont plus disponibles en ligne et seront supprimés de votre panier." + }, + "confirmation_modal.remove_cart_item.message.sure_to_remove": { + "defaultMessage": "Voulez-vous vraiment supprimer cet article de votre panier ?" + }, + "confirmation_modal.remove_cart_item.title.confirm_remove": { + "defaultMessage": "Confirmer la suppression de l’article" + }, + "confirmation_modal.remove_cart_item.title.items_unavailable": { + "defaultMessage": "Articles non disponibles" + }, + "confirmation_modal.remove_wishlist_item.action.no": { + "defaultMessage": "Non, garder l’article" + }, + "confirmation_modal.remove_wishlist_item.action.yes": { + "defaultMessage": "Oui, supprimer l’article" + }, + "confirmation_modal.remove_wishlist_item.message.sure_to_remove": { + "defaultMessage": "Voulez-vous vraiment supprimer cet article de votre liste de souhaits ?" + }, + "confirmation_modal.remove_wishlist_item.title.confirm_remove": { + "defaultMessage": "Confirmer la suppression de l’article" + }, + "contact_info.action.sign_out": { + "defaultMessage": "Se déconnecter" + }, + "contact_info.button.already_have_account": { + "defaultMessage": "Vous avez déjà un compte ? Se connecter" + }, + "contact_info.button.checkout_as_guest": { + "defaultMessage": "Régler en tant qu'invité" + }, + "contact_info.button.login": { + "defaultMessage": "Se connecter" + }, + "contact_info.error.incorrect_username_or_password": { + "defaultMessage": "Le nom d’utilisateur ou le mot de passe est incorrect, veuillez réessayer." + }, + "contact_info.link.forgot_password": { + "defaultMessage": "Mot de passe oublié ?" + }, + "contact_info.title.contact_info": { + "defaultMessage": "Coordonnées" + }, + "credit_card_fields.tool_tip.security_code": { + "defaultMessage": "Ce code à 3 chiffres se trouve au dos de votre carte.", + "description": "Generic credit card security code help text" + }, + "credit_card_fields.tool_tip.security_code.american_express": { + "defaultMessage": "Ce code à 4 chiffres se trouve sur le devant de votre carte.", + "description": "American Express security code help text" + }, + "credit_card_fields.tool_tip.security_code_aria_label": { + "defaultMessage": "Cryptogramme" + }, + "drawer_menu.button.account_details": { + "defaultMessage": "Détails du compte" + }, + "drawer_menu.button.addresses": { + "defaultMessage": "Adresses" + }, + "drawer_menu.button.log_out": { + "defaultMessage": "Se déconnecter" + }, + "drawer_menu.button.my_account": { + "defaultMessage": "Mon compte" + }, + "drawer_menu.button.order_history": { + "defaultMessage": "Historique des commandes" + }, + "drawer_menu.link.about_us": { + "defaultMessage": "À propos de nous" + }, + "drawer_menu.link.customer_support": { + "defaultMessage": "Support client" + }, + "drawer_menu.link.customer_support.contact_us": { + "defaultMessage": "Contactez-nous" + }, + "drawer_menu.link.customer_support.shipping_and_returns": { + "defaultMessage": "Livraisons et retours" + }, + "drawer_menu.link.our_company": { + "defaultMessage": "Notre société" + }, + "drawer_menu.link.privacy_and_security": { + "defaultMessage": "Confidentialité et sécurité" + }, + "drawer_menu.link.privacy_policy": { + "defaultMessage": "Politique de confidentialité" + }, + "drawer_menu.link.shop_all": { + "defaultMessage": "Tous les articles" + }, + "drawer_menu.link.sign_in": { + "defaultMessage": "Se connecter" + }, + "drawer_menu.link.site_map": { + "defaultMessage": "Plan du site" + }, + "drawer_menu.link.store_locator": { + "defaultMessage": "Localisateur de magasins" + }, + "drawer_menu.link.terms_and_conditions": { + "defaultMessage": "Conditions générales" + }, + "empty_cart.description.empty_cart": { + "defaultMessage": "Votre panier est vide." + }, + "empty_cart.link.continue_shopping": { + "defaultMessage": "Continuer les achats" + }, + "empty_cart.link.sign_in": { + "defaultMessage": "Se connecter" + }, + "empty_cart.message.continue_shopping": { + "defaultMessage": "Poursuivez votre visite pour ajouter des articles à votre panier." + }, + "empty_cart.message.sign_in_or_continue_shopping": { + "defaultMessage": "Connectez-vous pour récupérer vos articles enregistrés ou poursuivre vos achats." + }, + "empty_search_results.info.cant_find_anything_for_category": { + "defaultMessage": "Aucun résultat trouvé pour {category}. Essayez de rechercher un produit ou {link}." + }, + "empty_search_results.info.cant_find_anything_for_query": { + "defaultMessage": "Aucun résultat trouvé pour « {searchQuery} »." + }, + "empty_search_results.info.double_check_spelling": { + "defaultMessage": "Vérifiez l’orthographe et réessayez ou {link}." + }, + "empty_search_results.link.contact_us": { + "defaultMessage": "Contactez-nous" + }, + "empty_search_results.recommended_products.title.most_viewed": { + "defaultMessage": "Les plus consultés" + }, + "empty_search_results.recommended_products.title.top_sellers": { + "defaultMessage": "Meilleures ventes" + }, + "field.password.assistive_msg.hide_password": { + "defaultMessage": "Réinitialiser le mot de passe" + }, + "field.password.assistive_msg.show_password": { + "defaultMessage": "Afficher le mot de passe" + }, + "footer.column.account": { + "defaultMessage": "Compte" + }, + "footer.column.customer_support": { + "defaultMessage": "Support client" + }, + "footer.column.our_company": { + "defaultMessage": "Notre société" + }, + "footer.link.about_us": { + "defaultMessage": "À propos de nous" + }, + "footer.link.contact_us": { + "defaultMessage": "Contactez-nous" + }, + "footer.link.order_status": { + "defaultMessage": "État des commandes" + }, + "footer.link.privacy_policy": { + "defaultMessage": "Politique de confidentialité" + }, + "footer.link.shipping": { + "defaultMessage": "Livraison" + }, + "footer.link.signin_create_account": { + "defaultMessage": "Se connecter ou créer un compte" + }, + "footer.link.site_map": { + "defaultMessage": "Plan du site" + }, + "footer.link.store_locator": { + "defaultMessage": "Localisateur de magasins" + }, + "footer.link.terms_conditions": { + "defaultMessage": "Conditions générales" + }, + "footer.message.copyright": { + "defaultMessage": "Salesforce ou ses affiliés. Tous droits réservés. Ceci est une boutique de démonstration uniquement. Les commandes NE SERONT PAS traitées." + }, + "footer.subscribe.button.sign_up": { + "defaultMessage": "Inscrivez-vous" + }, + "footer.subscribe.description.sign_up": { + "defaultMessage": "Abonnez-vous pour rester au courant des meilleures offres" + }, + "footer.subscribe.heading.first_to_know": { + "defaultMessage": "Soyez parmi les premiers informés" + }, + "form_action_buttons.button.cancel": { + "defaultMessage": "Annuler" + }, + "form_action_buttons.button.save": { + "defaultMessage": "Enregistrer" + }, + "global.account.link.account_details": { + "defaultMessage": "Détails du compte" + }, + "global.account.link.addresses": { + "defaultMessage": "Adresses" + }, + "global.account.link.order_history": { + "defaultMessage": "Historique des commandes" + }, + "global.account.link.wishlist": { + "defaultMessage": "Liste de souhaits" + }, + "global.error.something_went_wrong": { + "defaultMessage": "Un problème est survenu Veuillez réessayer." + }, + "global.info.added_to_wishlist": { + "defaultMessage": "{quantity} {quantity, plural, one {article ajouté} other {articles ajoutés}} à la liste de souhaits" + }, + "global.info.already_in_wishlist": { + "defaultMessage": "L’article figure déjà dans la liste de souhaits" + }, + "global.info.removed_from_wishlist": { + "defaultMessage": "Article supprimé de la liste de souhaits" + }, + "global.link.added_to_wishlist.view_wishlist": { + "defaultMessage": "Afficher" + }, + "header.button.assistive_msg.logo": { + "defaultMessage": "Logo" + }, + "header.button.assistive_msg.menu": { + "defaultMessage": "Menu" + }, + "header.button.assistive_msg.my_account": { + "defaultMessage": "Mon compte" + }, + "header.button.assistive_msg.my_account_menu": { + "defaultMessage": "Ouvrir le menu du compte" + }, + "header.button.assistive_msg.my_cart_with_num_items": { + "defaultMessage": "Mon panier, nombre d’articles : {numItems}" + }, + "header.button.assistive_msg.wishlist": { + "defaultMessage": "Liste de souhaits" + }, + "header.field.placeholder.search_for_products": { + "defaultMessage": "Recherche de produits…" + }, + "header.popover.action.log_out": { + "defaultMessage": "Se déconnecter" + }, + "header.popover.title.my_account": { + "defaultMessage": "Mon compte" + }, + "home.description.features": { + "defaultMessage": "Des fonctionnalités prêtes à l’emploi pour vous permettre de vous concentrer uniquement sur l’ajout d’améliorations." + }, + "home.description.here_to_help": { + "defaultMessage": "Contactez notre équipe de support." + }, + "home.description.here_to_help_line_2": { + "defaultMessage": "Elle vous amènera au bon endroit." + }, + "home.description.shop_products": { + "defaultMessage": "Cette section contient du contenu du catalogue. {docLink} pour savoir comment le remplacer.", + "description": "{docLink} is a html button that links the user to https://sfdc.co/business-manager-manage-catalogs" + }, + "home.features.description.cart_checkout": { + "defaultMessage": "Meilleures pratiques de commerce électronique pour l’expérience de panier et de checkout de l’acheteur." + }, + "home.features.description.components": { + "defaultMessage": "Conçu à l’aide de Chakra UI, une bibliothèque de composants React simple, modulaire et accessible." + }, + "home.features.description.einstein_recommendations": { + "defaultMessage": "Proposez d’autres produits ou offres intéressantes à vos acheteurs grâce aux recommandations de produits." + }, + "home.features.description.my_account": { + "defaultMessage": "Les acheteurs peuvent gérer les informations de leur compte, comme leur profil, leurs adresses, leurs paiements et leurs commandes." + }, + "home.features.description.shopper_login": { + "defaultMessage": "Permettez aux acheteurs de se connecter facilement et de bénéficier d’une expérience d’achat plus personnalisée." + }, + "home.features.description.wishlist": { + "defaultMessage": "Les acheteurs enregistrés peuvent ajouter des articles à leur liste de souhaits pour les acheter plus tard." + }, + "home.features.heading.cart_checkout": { + "defaultMessage": "Panier et checkout" + }, + "home.features.heading.components": { + "defaultMessage": "Composants et kit de conception" + }, + "home.features.heading.einstein_recommendations": { + "defaultMessage": "Recommandations Einstein" + }, + "home.features.heading.my_account": { + "defaultMessage": "Mon compte" + }, + "home.features.heading.shopper_login": { + "defaultMessage": "Shopper Login and API Access Service (SLAS)" + }, + "home.features.heading.wishlist": { + "defaultMessage": "Liste de souhaits" + }, + "home.heading.features": { + "defaultMessage": "Fonctionnalités" + }, + "home.heading.here_to_help": { + "defaultMessage": "Nous sommes là pour vous aider" + }, + "home.heading.shop_products": { + "defaultMessage": "Acheter des produits" + }, + "home.hero_features.link.design_kit": { + "defaultMessage": "Créer avec le Figma PWA Design Kit" + }, + "home.hero_features.link.on_github": { + "defaultMessage": "Télécharger sur Github" + }, + "home.hero_features.link.on_managed_runtime": { + "defaultMessage": "Déployer sur Managed Runtime" + }, + "home.link.contact_us": { + "defaultMessage": "Contactez-nous" + }, + "home.link.get_started": { + "defaultMessage": "Premiers pas" + }, + "home.link.read_docs": { + "defaultMessage": "Lire la documentation" + }, + "home.title.react_starter_store": { + "defaultMessage": "React PWA Starter Store pour le retail" + }, + "icons.assistive_msg.lock": { + "defaultMessage": "Sécurisé" + }, + "item_attributes.label.promotions": { + "defaultMessage": "Promotions" + }, + "item_attributes.label.quantity": { + "defaultMessage": "Quantité : {quantity}" + }, + "item_image.label.sale": { + "defaultMessage": "Vente", + "description": "A sale badge placed on top of a product image" + }, + "item_image.label.unavailable": { + "defaultMessage": "Non disponible", + "description": "A unavailable badge placed on top of a product image" + }, + "item_price.label.starting_at": { + "defaultMessage": "À partir de" + }, + "lCPCxk": { + "defaultMessage": "Sélectionnez toutes vos options ci-dessus" + }, + "list_menu.nav.assistive_msg": { + "defaultMessage": "Navigation principale" + }, + "locale_text.message.ar-SA": { + "defaultMessage": "Arabe (Arabie Saoudite)" + }, + "locale_text.message.bn-BD": { + "defaultMessage": "Bangla (Bangladesh)" + }, + "locale_text.message.bn-IN": { + "defaultMessage": "Bangla (Inde)" + }, + "locale_text.message.cs-CZ": { + "defaultMessage": "Tchèque (République tchèque)" + }, + "locale_text.message.da-DK": { + "defaultMessage": "Danois (Danemark)" + }, + "locale_text.message.de-AT": { + "defaultMessage": "Allemand (Autriche)" + }, + "locale_text.message.de-CH": { + "defaultMessage": "Allemand (Suisse)" + }, + "locale_text.message.de-DE": { + "defaultMessage": "Allemand (Allemagne)" + }, + "locale_text.message.el-GR": { + "defaultMessage": "Grec (Grèce)" + }, + "locale_text.message.en-AU": { + "defaultMessage": "Anglais (Australie)" + }, + "locale_text.message.en-CA": { + "defaultMessage": "Anglais (Canada)" + }, + "locale_text.message.en-GB": { + "defaultMessage": "Anglais (Royaume-Uni)" + }, + "locale_text.message.en-IE": { + "defaultMessage": "Anglais (Irlande)" + }, + "locale_text.message.en-IN": { + "defaultMessage": "Anglais (Inde)" + }, + "locale_text.message.en-NZ": { + "defaultMessage": "Anglais (Nouvelle-Zélande)" + }, + "locale_text.message.en-US": { + "defaultMessage": "Anglais (États-Unis)" + }, + "locale_text.message.en-ZA": { + "defaultMessage": "Anglais (Afrique du Sud)" + }, + "locale_text.message.es-AR": { + "defaultMessage": "Espagnol (Argentine)" + }, + "locale_text.message.es-CL": { + "defaultMessage": "Espagnol (Chili)" + }, + "locale_text.message.es-CO": { + "defaultMessage": "Espagnol (Colombie)" + }, + "locale_text.message.es-ES": { + "defaultMessage": "Espagnol (Espagne)" + }, + "locale_text.message.es-MX": { + "defaultMessage": "Espagnol (Mexique)" + }, + "locale_text.message.es-US": { + "defaultMessage": "Espagnol (États-Unis)" + }, + "locale_text.message.fi-FI": { + "defaultMessage": "Finnois (Finlande)" + }, + "locale_text.message.fr-BE": { + "defaultMessage": "Français (Belgique)" + }, + "locale_text.message.fr-CA": { + "defaultMessage": "Français (Canada)" + }, + "locale_text.message.fr-CH": { + "defaultMessage": "Français (Suisse)" + }, + "locale_text.message.fr-FR": { + "defaultMessage": "Français (France)" + }, + "locale_text.message.he-IL": { + "defaultMessage": "Hébreu (Israël)" + }, + "locale_text.message.hi-IN": { + "defaultMessage": "Hindi (Inde)" + }, + "locale_text.message.hu-HU": { + "defaultMessage": "Hongrois (Hongrie)" + }, + "locale_text.message.id-ID": { + "defaultMessage": "Indonésien (Indonésie)" + }, + "locale_text.message.it-CH": { + "defaultMessage": "Italien (Suisse)" + }, + "locale_text.message.it-IT": { + "defaultMessage": "Italien (Italie)" + }, + "locale_text.message.ja-JP": { + "defaultMessage": "Japonais (Japon)" + }, + "locale_text.message.ko-KR": { + "defaultMessage": "Coréen (République de Corée)" + }, + "locale_text.message.nl-BE": { + "defaultMessage": "Néerlandais (Belgique)" + }, + "locale_text.message.nl-NL": { + "defaultMessage": "Néerlandais (Pays-Bas)" + }, + "locale_text.message.no-NO": { + "defaultMessage": "Norvégien (Norvège)" + }, + "locale_text.message.pl-PL": { + "defaultMessage": "Polonais (Pologne)" + }, + "locale_text.message.pt-BR": { + "defaultMessage": "Portugais (Brésil)" + }, + "locale_text.message.pt-PT": { + "defaultMessage": "Portugais (Portugal)" + }, + "locale_text.message.ro-RO": { + "defaultMessage": "Roumain (Roumanie)" + }, + "locale_text.message.ru-RU": { + "defaultMessage": "Russe (Fédération de Russie)" + }, + "locale_text.message.sk-SK": { + "defaultMessage": "Slovaque (Slovaquie)" + }, + "locale_text.message.sv-SE": { + "defaultMessage": "Suédois (Suède)" + }, + "locale_text.message.ta-IN": { + "defaultMessage": "Tamil (Inde)" + }, + "locale_text.message.ta-LK": { + "defaultMessage": "Tamil (Sri Lanka)" + }, + "locale_text.message.th-TH": { + "defaultMessage": "Thaï (Thaïlande)" + }, + "locale_text.message.tr-TR": { + "defaultMessage": "Turc (Turquie)" + }, + "locale_text.message.zh-CN": { + "defaultMessage": "Chinois (Chine)" + }, + "locale_text.message.zh-HK": { + "defaultMessage": "Chinois (Hong Kong)" + }, + "locale_text.message.zh-TW": { + "defaultMessage": "Chinois (Taiwan)" + }, + "login_form.action.create_account": { + "defaultMessage": "Créer un compte" + }, + "login_form.button.sign_in": { + "defaultMessage": "Se connecter" + }, + "login_form.link.forgot_password": { + "defaultMessage": "Mot de passe oublié ?" + }, + "login_form.message.dont_have_account": { + "defaultMessage": "Vous n’avez pas de compte ?" + }, + "login_form.message.welcome_back": { + "defaultMessage": "Nous sommes heureux de vous revoir" + }, + "login_page.error.incorrect_username_or_password": { + "defaultMessage": "Le nom d’utilisateur ou le mot de passe est incorrect, veuillez réessayer." + }, + "offline_banner.description.browsing_offline_mode": { + "defaultMessage": "Vous naviguez actuellement en mode hors ligne" + }, + "order_summary.action.remove_promo": { + "defaultMessage": "Supprimer" + }, + "order_summary.cart_items.action.num_of_items_in_cart": { + "defaultMessage": "{itemCount, plural, =0 {0 article} one {# article} other {# articles}} dans le panier", + "description": "clicking it would expand/show the items in cart" + }, + "order_summary.cart_items.link.edit_cart": { + "defaultMessage": "Modifier le panier" + }, + "order_summary.heading.order_summary": { + "defaultMessage": "Résumé de la commande" + }, + "order_summary.label.estimated_total": { + "defaultMessage": "Total estimé" + }, + "order_summary.label.free": { + "defaultMessage": "Gratuit" + }, + "order_summary.label.order_total": { + "defaultMessage": "Total de la commande" + }, + "order_summary.label.promo_applied": { + "defaultMessage": "Promotion appliquée" + }, + "order_summary.label.promotions_applied": { + "defaultMessage": "Promotions appliquées" + }, + "order_summary.label.shipping": { + "defaultMessage": "Livraison" + }, + "order_summary.label.subtotal": { + "defaultMessage": "Sous-total" + }, + "order_summary.label.tax": { + "defaultMessage": "Taxe" + }, + "page_not_found.action.go_back": { + "defaultMessage": "Retour à la page précédente" + }, + "page_not_found.link.homepage": { + "defaultMessage": "Accéder à la page d’accueil" + }, + "page_not_found.message.suggestion_to_try": { + "defaultMessage": "Essayez de ressaisir l’adresse, de revenir à la page précédente ou d’accéder à la page d’accueil." + }, + "page_not_found.title.page_cant_be_found": { + "defaultMessage": "Impossible de trouver la page que vous cherchez." + }, + "pagination.field.num_of_pages": { + "defaultMessage": "sur {numOfPages}" + }, + "pagination.link.next": { + "defaultMessage": "Suivant" + }, + "pagination.link.next.assistive_msg": { + "defaultMessage": "Page suivante" + }, + "pagination.link.prev": { + "defaultMessage": "Préc." + }, + "pagination.link.prev.assistive_msg": { + "defaultMessage": "Page précédente" + }, + "password_card.info.password_updated": { + "defaultMessage": "Mot de passe mis à jour" + }, + "password_card.label.password": { + "defaultMessage": "Mot de passe" + }, + "password_card.title.password": { + "defaultMessage": "Mot de passe" + }, + "password_requirements.error.eight_letter_minimum": { + "defaultMessage": "8 caractères minimum", + "description": "Password requirement" + }, + "password_requirements.error.one_lowercase_letter": { + "defaultMessage": "1 lettre minuscule", + "description": "Password requirement" + }, + "password_requirements.error.one_number": { + "defaultMessage": "1 chiffre", + "description": "Password requirement" + }, + "password_requirements.error.one_special_character": { + "defaultMessage": "1 caractère spécial (par exemple : , $ ! % #)", + "description": "Password requirement" + }, + "password_requirements.error.one_uppercase_letter": { + "defaultMessage": "1 lettre majuscule", + "description": "Password requirement" + }, + "payment_selection.heading.credit_card": { + "defaultMessage": "Carte de crédit" + }, + "payment_selection.tooltip.secure_payment": { + "defaultMessage": "Il s’agit d’un paiement sécurisé chiffré en SSL." + }, + "price_per_item.label.each": { + "defaultMessage": "pièce", + "description": "Abbreviated 'each', follows price per item, like $10/ea" + }, + "product_detail.accordion.button.product_detail": { + "defaultMessage": "Détails du produit" + }, + "product_detail.accordion.button.questions": { + "defaultMessage": "Questions" + }, + "product_detail.accordion.button.reviews": { + "defaultMessage": "Avis" + }, + "product_detail.accordion.button.size_fit": { + "defaultMessage": "Taille et ajustement" + }, + "product_detail.accordion.message.coming_soon": { + "defaultMessage": "Bientôt disponibles" + }, + "product_detail.recommended_products.title.complete_set": { + "defaultMessage": "Complétez l'ensemble" + }, + "product_detail.recommended_products.title.might_also_like": { + "defaultMessage": "Vous aimerez peut-être aussi" + }, + "product_detail.recommended_products.title.recently_viewed": { + "defaultMessage": "Consultés récemment" + }, + "product_item.label.quantity": { + "defaultMessage": "Quantité :" + }, + "product_list.button.filter": { + "defaultMessage": "Filtrer" + }, + "product_list.button.sort_by": { + "defaultMessage": "Trier par : {sortOption}" + }, + "product_list.drawer.title.sort_by": { + "defaultMessage": "Trier par" + }, + "product_list.modal.button.clear_filters": { + "defaultMessage": "Effacer les filtres" + }, + "product_list.modal.button.view_items": { + "defaultMessage": "Afficher {prroductCount} articles" + }, + "product_list.modal.title.filter": { + "defaultMessage": "Filtrer" + }, + "product_list.refinements.button.assistive_msg.add_filter": { + "defaultMessage": "Ajouter un filtre : {label}" + }, + "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": { + "defaultMessage": "Ajouter un filtre : {label} ({hitCount})" + }, + "product_list.refinements.button.assistive_msg.remove_filter": { + "defaultMessage": "Supprimer le filtre : {label}" + }, + "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": { + "defaultMessage": "Supprimer le filtre : {label} ({hitCount})" + }, + "product_list.select.sort_by": { + "defaultMessage": "Trier par : {sortOption}" + }, + "product_scroller.assistive_msg.scroll_left": { + "defaultMessage": "Faire défiler les produits vers la gauche" + }, + "product_scroller.assistive_msg.scroll_right": { + "defaultMessage": "Faire défiler les produits vers la droite" + }, + "product_tile.assistive_msg.add_to_wishlist": { + "defaultMessage": "Ajouter le/la {product} à la liste de souhaits" + }, + "product_tile.assistive_msg.remove_from_wishlist": { + "defaultMessage": "Supprimer {product} de la liste de souhaits" + }, + "product_tile.label.starting_at_price": { + "defaultMessage": "À partir de {price}" + }, + "product_view.button.add_set_to_cart": { + "defaultMessage": "Ajouter le lot au panier" + }, + "product_view.button.add_set_to_wishlist": { + "defaultMessage": "Ajouter le lot à la liste de souhaits" + }, + "product_view.button.add_to_cart": { + "defaultMessage": "Ajouter au panier" + }, + "product_view.button.add_to_wishlist": { + "defaultMessage": "Ajouter à la liste de souhaits" + }, + "product_view.button.update": { + "defaultMessage": "Mettre à jour" + }, + "product_view.label.assistive_msg.quantity_decrement": { + "defaultMessage": "Décrémenter la quantité" + }, + "product_view.label.assistive_msg.quantity_increment": { + "defaultMessage": "Incrémenter la quantité" + }, + "product_view.label.quantity": { + "defaultMessage": "Quantité" + }, + "product_view.label.quantity_decrement": { + "defaultMessage": "−" + }, + "product_view.label.quantity_increment": { + "defaultMessage": "+" + }, + "product_view.label.starting_at_price": { + "defaultMessage": "À partir de" + }, + "product_view.label.variant_type": { + "defaultMessage": "{variantType}" + }, + "product_view.link.full_details": { + "defaultMessage": "Afficher tous les détails" + }, + "profile_card.info.profile_updated": { + "defaultMessage": "Profil mis à jour" + }, + "profile_card.label.email": { + "defaultMessage": "E-mail" + }, + "profile_card.label.full_name": { + "defaultMessage": "Nom complet" + }, + "profile_card.label.phone": { + "defaultMessage": "Numéro de téléphone" + }, + "profile_card.message.not_provided": { + "defaultMessage": "Non fourni" + }, + "profile_card.title.my_profile": { + "defaultMessage": "Mon profil" + }, + "promo_code_fields.button.apply": { + "defaultMessage": "Appliquer" + }, + "promo_popover.assistive_msg.info": { + "defaultMessage": "Infos" + }, + "promo_popover.heading.promo_applied": { + "defaultMessage": "Promotions appliquées" + }, + "promocode.accordion.button.have_promocode": { + "defaultMessage": "Avez-vous un code promo ?" + }, + "recent_searches.action.clear_searches": { + "defaultMessage": "Effacer les recherches récentes" + }, + "recent_searches.heading.recent_searches": { + "defaultMessage": "Recherche récentes" + }, + "register_form.action.sign_in": { + "defaultMessage": "Se connecter" + }, + "register_form.button.create_account": { + "defaultMessage": "Créer un compte" + }, + "register_form.heading.lets_get_started": { + "defaultMessage": "C’est parti !" + }, + "register_form.message.agree_to_policy_terms": { + "defaultMessage": "En créant un compte, vous acceptez la Politique de confidentialité et les Conditions générales de Salesforce." + }, + "register_form.message.already_have_account": { + "defaultMessage": "Vous avez déjà un compte ?" + }, + "register_form.message.create_an_account": { + "defaultMessage": "Créez un compte pour bénéficier d’un accès privilégié aux meilleurs produits, à nos sources d’inspiration et à notre communauté." + }, + "reset_password.button.back_to_sign_in": { + "defaultMessage": "Retour à la page de connexion" + }, + "reset_password.info.receive_email_shortly": { + "defaultMessage": "Vous recevrez sous peu un e-mail à l’adresse {email} avec un lien permettant de réinitialiser votre mot de passe." + }, + "reset_password.title.password_reset": { + "defaultMessage": "Réinitialisation du mot de passe" + }, + "reset_password_form.action.sign_in": { + "defaultMessage": "Se connecter" + }, + "reset_password_form.button.reset_password": { + "defaultMessage": "Réinitialiser le mot de passe" + }, + "reset_password_form.message.enter_your_email": { + "defaultMessage": "Indiquez votre adresse e-mail pour recevoir des instructions concernant la réinitialisation de votre mot de passe" + }, + "reset_password_form.message.return_to_sign_in": { + "defaultMessage": "Ou revenez à", + "description": "Precedes link to return to sign in" + }, + "reset_password_form.title.reset_password": { + "defaultMessage": "Réinitialiser le mot de passe" + }, + "search.action.cancel": { + "defaultMessage": "Annuler" + }, + "selected_refinements.action.assistive_msg.clear_all": { + "defaultMessage": "Effacer tous les filtres" + }, + "selected_refinements.action.clear_all": { + "defaultMessage": "Tout désélectionner" + }, + "shipping_address.button.continue_to_shipping": { + "defaultMessage": "Continuer vers le mode de livraison" + }, + "shipping_address.title.shipping_address": { + "defaultMessage": "Adresse de livraison" + }, + "shipping_address_edit_form.button.save_and_continue": { + "defaultMessage": "Enregistrer et continuer vers le mode de livraison" + }, + "shipping_address_form.heading.edit_address": { + "defaultMessage": "Modifier l’adresse" + }, + "shipping_address_form.heading.new_address": { + "defaultMessage": "Ajouter une nouvelle adresse" + }, + "shipping_address_selection.button.add_address": { + "defaultMessage": "Ajouter une nouvelle adresse" + }, + "shipping_address_selection.button.submit": { + "defaultMessage": "Envoyer" + }, + "shipping_address_selection.title.add_address": { + "defaultMessage": "Ajouter une nouvelle adresse" + }, + "shipping_address_selection.title.edit_shipping": { + "defaultMessage": "Modifier l’adresse de livraison" + }, + "shipping_options.action.send_as_a_gift": { + "defaultMessage": "Voulez-vous envoyer cet article comme cadeau ?" + }, + "shipping_options.button.continue_to_payment": { + "defaultMessage": "Continuer vers le paiement" + }, + "shipping_options.title.shipping_gift_options": { + "defaultMessage": "Options de livraison et de cadeau" + }, + "signout_confirmation_dialog.button.cancel": { + "defaultMessage": "Annuler" + }, + "signout_confirmation_dialog.button.sign_out": { + "defaultMessage": "Se déconnecter" + }, + "signout_confirmation_dialog.heading.sign_out": { + "defaultMessage": "Se déconnecter" + }, + "signout_confirmation_dialog.message.sure_to_sign_out": { + "defaultMessage": "Voulez-vous vraiment vous déconnecter ? Vous devrez vous reconnecter pour poursuivre votre commande en cours." + }, + "swatch_group.selected.label": { + "defaultMessage": "{label} :" + }, + "toggle_card.action.edit": { + "defaultMessage": "Modifier" + }, + "update_password_fields.button.forgot_password": { + "defaultMessage": "Mot de passe oublié ?" + }, + "use_address_fields.error.please_enter_first_name": { + "defaultMessage": "Veuillez indiquer votre prénom." + }, + "use_address_fields.error.please_enter_last_name": { + "defaultMessage": "Veuillez indiquer votre nom de famille." + }, + "use_address_fields.error.please_enter_phone_number": { + "defaultMessage": "Veuillez indiquer votre numéro de téléphone." + }, + "use_address_fields.error.please_enter_your_postal_or_zip": { + "defaultMessage": "Veuillez indiquer votre code postal." + }, + "use_address_fields.error.please_select_your_address": { + "defaultMessage": "Veuillez indiquer votre adresse." + }, + "use_address_fields.error.please_select_your_city": { + "defaultMessage": "Veuillez indiquer votre ville." + }, + "use_address_fields.error.please_select_your_country": { + "defaultMessage": "Veuillez sélectionner votre pays." + }, + "use_address_fields.error.please_select_your_state_or_province": { + "defaultMessage": "Veuillez sélectionner votre État/province." + }, + "use_address_fields.error.required": { + "defaultMessage": "Obligatoire" + }, + "use_address_fields.error.state_code_invalid": { + "defaultMessage": "Veuillez indiquer un État ou une province en 2 lettres." + }, + "use_address_fields.label.address": { + "defaultMessage": "Adresse" + }, + "use_address_fields.label.address_form": { + "defaultMessage": "Formulaire d'adresse" + }, + "use_address_fields.label.city": { + "defaultMessage": "Ville" + }, + "use_address_fields.label.country": { + "defaultMessage": "Pays" + }, + "use_address_fields.label.first_name": { + "defaultMessage": "Prénom" + }, + "use_address_fields.label.last_name": { + "defaultMessage": "Nom" + }, + "use_address_fields.label.phone": { + "defaultMessage": "Téléphone" + }, + "use_address_fields.label.postal_code": { + "defaultMessage": "Code postal" + }, + "use_address_fields.label.preferred": { + "defaultMessage": "Définir comme adresse par défaut" + }, + "use_address_fields.label.province": { + "defaultMessage": "Province" + }, + "use_address_fields.label.state": { + "defaultMessage": "État" + }, + "use_address_fields.label.zipCode": { + "defaultMessage": "Code postal" + }, + "use_credit_card_fields.error.required": { + "defaultMessage": "Obligatoire" + }, + "use_credit_card_fields.error.required_card_number": { + "defaultMessage": "Veuillez indiquer votre numéro de carte." + }, + "use_credit_card_fields.error.required_expiry": { + "defaultMessage": "Veuillez indiquer la date d’expiration." + }, + "use_credit_card_fields.error.required_name": { + "defaultMessage": "Veuillez indiquer votre nom tel qu’il figure sur votre carte." + }, + "use_credit_card_fields.error.required_security_code": { + "defaultMessage": "Veuillez saisir votre cryptogramme." + }, + "use_credit_card_fields.error.valid_card_number": { + "defaultMessage": "Veuillez indiquer un numéro de carte valide." + }, + "use_credit_card_fields.error.valid_date": { + "defaultMessage": "Saisissez une date valide." + }, + "use_credit_card_fields.error.valid_name": { + "defaultMessage": "Veuillez indiquer un nom valide." + }, + "use_credit_card_fields.error.valid_security_code": { + "defaultMessage": "Veuillez indiquer un cryptogramme valide." + }, + "use_credit_card_fields.label.card_number": { + "defaultMessage": "N° de carte" + }, + "use_credit_card_fields.label.card_type": { + "defaultMessage": "Type de carte" + }, + "use_credit_card_fields.label.expiry": { + "defaultMessage": "Date d'expiration" + }, + "use_credit_card_fields.label.name": { + "defaultMessage": "Nom sur la carte" + }, + "use_credit_card_fields.label.security_code": { + "defaultMessage": "Cryptogramme" + }, + "use_login_fields.error.required_email": { + "defaultMessage": "Veuillez indiquer votre adresse e-mail." + }, + "use_login_fields.error.required_password": { + "defaultMessage": "Veuillez indiquer votre mot de passe." + }, + "use_login_fields.label.email": { + "defaultMessage": "E-mail" + }, + "use_login_fields.label.password": { + "defaultMessage": "Mot de passe" + }, + "use_product.message.inventory_remaining": { + "defaultMessage": "Il n’en reste plus que {stockLevel} !" + }, + "use_product.message.out_of_stock": { + "defaultMessage": "En rupture de stock" + }, + "use_profile_fields.error.required_email": { + "defaultMessage": "Saisissez une adresse e-mail valide." + }, + "use_profile_fields.error.required_first_name": { + "defaultMessage": "Veuillez indiquer votre prénom." + }, + "use_profile_fields.error.required_last_name": { + "defaultMessage": "Veuillez indiquer votre nom de famille." + }, + "use_profile_fields.error.required_phone": { + "defaultMessage": "Veuillez indiquer votre numéro de téléphone." + }, + "use_profile_fields.label.email": { + "defaultMessage": "E-mail" + }, + "use_profile_fields.label.first_name": { + "defaultMessage": "Prénom" + }, + "use_profile_fields.label.last_name": { + "defaultMessage": "Nom" + }, + "use_profile_fields.label.phone": { + "defaultMessage": "Numéro de téléphone" + }, + "use_promo_code_fields.error.required_promo_code": { + "defaultMessage": "Veuillez fournir un code promo valide." + }, + "use_promo_code_fields.label.promo_code": { + "defaultMessage": "Code promotionnel" + }, + "use_promocode.error.check_the_code": { + "defaultMessage": "Vérifiez le code et réessayez. Il se peut qu’il soit déjà appliqué ou que la promotion ait expiré." + }, + "use_promocode.info.promo_applied": { + "defaultMessage": "Promotion appliquée" + }, + "use_promocode.info.promo_removed": { + "defaultMessage": "Promotion supprimée" + }, + "use_registration_fields.error.contain_number": { + "defaultMessage": "Le mot de passe doit contenir au moins un chiffre." + }, + "use_registration_fields.error.lowercase_letter": { + "defaultMessage": "Le mot de passe doit contenir au moins une lettre minuscule." + }, + "use_registration_fields.error.minimum_characters": { + "defaultMessage": "Le mot de passe doit contenir au moins 8 caractères." + }, + "use_registration_fields.error.required_email": { + "defaultMessage": "Saisissez une adresse e-mail valide." + }, + "use_registration_fields.error.required_first_name": { + "defaultMessage": "Veuillez indiquer votre prénom." + }, + "use_registration_fields.error.required_last_name": { + "defaultMessage": "Veuillez indiquer votre nom de famille." + }, + "use_registration_fields.error.required_password": { + "defaultMessage": "Veuillez créer un mot de passe." + }, + "use_registration_fields.error.special_character": { + "defaultMessage": "Le mot de passe doit contenir au moins un caractère spécial." + }, + "use_registration_fields.error.uppercase_letter": { + "defaultMessage": "Le mot de passe doit contenir au moins une lettre majuscule." + }, + "use_registration_fields.label.email": { + "defaultMessage": "E-mail" + }, + "use_registration_fields.label.first_name": { + "defaultMessage": "Prénom" + }, + "use_registration_fields.label.last_name": { + "defaultMessage": "Nom" + }, + "use_registration_fields.label.password": { + "defaultMessage": "Mot de passe" + }, + "use_registration_fields.label.sign_up_to_emails": { + "defaultMessage": "Abonnez-moi aux e-mails de Salesforce (vous pouvez vous désabonner à tout moment)" + }, + "use_reset_password_fields.error.required_email": { + "defaultMessage": "Saisissez une adresse e-mail valide." + }, + "use_reset_password_fields.label.email": { + "defaultMessage": "E-mail" + }, + "use_update_password_fields.error.contain_number": { + "defaultMessage": "Le mot de passe doit contenir au moins un chiffre." + }, + "use_update_password_fields.error.lowercase_letter": { + "defaultMessage": "Le mot de passe doit contenir au moins une lettre minuscule." + }, + "use_update_password_fields.error.minimum_characters": { + "defaultMessage": "Le mot de passe doit contenir au moins 8 caractères." + }, + "use_update_password_fields.error.required_new_password": { + "defaultMessage": "Veuillez indiquer un nouveau mot de passe." + }, + "use_update_password_fields.error.required_password": { + "defaultMessage": "Veuillez indiquer votre mot de passe." + }, + "use_update_password_fields.error.special_character": { + "defaultMessage": "Le mot de passe doit contenir au moins un caractère spécial." + }, + "use_update_password_fields.error.uppercase_letter": { + "defaultMessage": "Le mot de passe doit contenir au moins une lettre majuscule." + }, + "use_update_password_fields.label.current_password": { + "defaultMessage": "Mot de passe actuel" + }, + "use_update_password_fields.label.new_password": { + "defaultMessage": "Nouveau mot de passe" + }, + "wishlist_primary_action.button.add_set_to_cart": { + "defaultMessage": "Ajouter le lot au panier" + }, + "wishlist_primary_action.button.add_to_cart": { + "defaultMessage": "Ajouter au panier" + }, + "wishlist_primary_action.button.view_full_details": { + "defaultMessage": "Afficher tous les détails" + }, + "wishlist_primary_action.button.view_options": { + "defaultMessage": "Afficher les options" + }, + "wishlist_primary_action.info.added_to_cart": { + "defaultMessage": "{quantity} {quantity, plural, one {article ajouté} other {articles ajoutés}} au panier" + }, + "wishlist_secondary_button_group.action.remove": { + "defaultMessage": "Supprimer" + }, + "wishlist_secondary_button_group.info.item_removed": { + "defaultMessage": "Article supprimé de la liste de souhaits" + }, + "with_registration.info.please_sign_in": { + "defaultMessage": "Veuillez vous connecter pour continuer." + } +} diff --git a/my-test-project/translations/it-IT.json b/my-test-project/translations/it-IT.json new file mode 100644 index 0000000000..2123617bcf --- /dev/null +++ b/my-test-project/translations/it-IT.json @@ -0,0 +1,1517 @@ +{ + "account.accordion.button.my_account": { + "defaultMessage": "Il mio account" + }, + "account.heading.my_account": { + "defaultMessage": "Il mio account" + }, + "account.logout_button.button.log_out": { + "defaultMessage": "Esci" + }, + "account_addresses.badge.default": { + "defaultMessage": "Predefinito" + }, + "account_addresses.button.add_address": { + "defaultMessage": "Aggiungi indirizzo" + }, + "account_addresses.info.address_removed": { + "defaultMessage": "Indirizzo rimosso" + }, + "account_addresses.info.address_updated": { + "defaultMessage": "Indirizzo aggiornato" + }, + "account_addresses.info.new_address_saved": { + "defaultMessage": "Nuovo indirizzo salvato" + }, + "account_addresses.page_action_placeholder.button.add_address": { + "defaultMessage": "Aggiungi indirizzo" + }, + "account_addresses.page_action_placeholder.heading.no_saved_addresses": { + "defaultMessage": "Nessun indirizzo salvato" + }, + "account_addresses.page_action_placeholder.message.add_new_address": { + "defaultMessage": "Aggiungi un nuovo indirizzo per un checkout più veloce." + }, + "account_addresses.title.addresses": { + "defaultMessage": "Indirizzi" + }, + "account_detail.title.account_details": { + "defaultMessage": "Dettagli account" + }, + "account_order_detail.heading.billing_address": { + "defaultMessage": "Indirizzo di fatturazione" + }, + "account_order_detail.heading.num_of_items": { + "defaultMessage": "{count} articoli" + }, + "account_order_detail.heading.payment_method": { + "defaultMessage": "Metodo di pagamento" + }, + "account_order_detail.heading.shipping_address": { + "defaultMessage": "Indirizzo di spedizione" + }, + "account_order_detail.heading.shipping_method": { + "defaultMessage": "Metodo di spedizione" + }, + "account_order_detail.label.order_number": { + "defaultMessage": "Numero ordine: {orderNumber}" + }, + "account_order_detail.label.ordered_date": { + "defaultMessage": "Data ordine: {date}" + }, + "account_order_detail.label.pending_tracking_number": { + "defaultMessage": "In sospeso" + }, + "account_order_detail.label.tracking_number": { + "defaultMessage": "Numero di tracking" + }, + "account_order_detail.link.back_to_history": { + "defaultMessage": "Torna alla cronologia ordini" + }, + "account_order_detail.shipping_status.not_shipped": { + "defaultMessage": "Non spedito" + }, + "account_order_detail.shipping_status.part_shipped": { + "defaultMessage": "Spedito in parte" + }, + "account_order_detail.shipping_status.shipped": { + "defaultMessage": "Spedito" + }, + "account_order_detail.title.order_details": { + "defaultMessage": "Dettagli ordine" + }, + "account_order_history.button.continue_shopping": { + "defaultMessage": "Continua lo shopping" + }, + "account_order_history.description.once_you_place_order": { + "defaultMessage": "Una volta effettuato un ordine, i dettagli verranno visualizzati qui." + }, + "account_order_history.heading.no_order_yet": { + "defaultMessage": "Non hai ancora effettuato un ordine." + }, + "account_order_history.label.num_of_items": { + "defaultMessage": "{count} articoli", + "description": "Number of items in order" + }, + "account_order_history.label.order_number": { + "defaultMessage": "Numero ordine: {orderNumber}" + }, + "account_order_history.label.ordered_date": { + "defaultMessage": "Data ordine: {date}" + }, + "account_order_history.label.shipped_to": { + "defaultMessage": "Destinatario spedizione: {name}" + }, + "account_order_history.link.view_details": { + "defaultMessage": "Visualizza dettagli" + }, + "account_order_history.title.order_history": { + "defaultMessage": "Cronologia ordini" + }, + "account_wishlist.button.continue_shopping": { + "defaultMessage": "Continua lo shopping" + }, + "account_wishlist.description.continue_shopping": { + "defaultMessage": "Continua con lo shopping e aggiungi articoli alla lista desideri." + }, + "account_wishlist.heading.no_wishlist": { + "defaultMessage": "Nessun articolo nella lista desideri" + }, + "account_wishlist.title.wishlist": { + "defaultMessage": "Lista desideri" + }, + "action_card.action.edit": { + "defaultMessage": "Modifica" + }, + "action_card.action.remove": { + "defaultMessage": "Rimuovi" + }, + "add_to_cart_modal.info.added_to_cart": { + "defaultMessage": "{quantity} {quantity, plural, one {articolo aggiunto} other {articoli aggiunti}} al carrello" + }, + "add_to_cart_modal.label.cart_subtotal": { + "defaultMessage": "Subtotale carrello ({itemAccumulatedCount} articolo)" + }, + "add_to_cart_modal.label.quantity": { + "defaultMessage": "Qtà" + }, + "add_to_cart_modal.link.checkout": { + "defaultMessage": "Passa al checkout" + }, + "add_to_cart_modal.link.view_cart": { + "defaultMessage": "Mostra carrello" + }, + "add_to_cart_modal.recommended_products.title.might_also_like": { + "defaultMessage": "Potrebbe interessarti anche" + }, + "auth_modal.button.close.assistive_msg": { + "defaultMessage": "Chiudi modulo di accesso" + }, + "auth_modal.description.now_signed_in": { + "defaultMessage": "hai eseguito l'accesso." + }, + "auth_modal.error.incorrect_email_or_password": { + "defaultMessage": "Qualcosa non va nell'indirizzo email o nella password. Riprova." + }, + "auth_modal.info.welcome_user": { + "defaultMessage": "Ti diamo il benvenuto {name}," + }, + "auth_modal.password_reset_success.button.back_to_sign_in": { + "defaultMessage": "Torna all'accesso" + }, + "auth_modal.password_reset_success.info.will_email_shortly": { + "defaultMessage": "A breve riceverai un'email all'indirizzo {email} con un link per la reimpostazione della password." + }, + "auth_modal.password_reset_success.title.password_reset": { + "defaultMessage": "Reimpostazione password" + }, + "carousel.button.scroll_left.assistive_msg": { + "defaultMessage": "Scorri sequenza a sinistra" + }, + "carousel.button.scroll_right.assistive_msg": { + "defaultMessage": "Scorri sequenza a destra" + }, + "cart.info.removed_from_cart": { + "defaultMessage": "Articolo rimosso dal carrello" + }, + "cart.recommended_products.title.may_also_like": { + "defaultMessage": "Potrebbe interessarti anche" + }, + "cart.recommended_products.title.recently_viewed": { + "defaultMessage": "Visualizzati di recente" + }, + "cart_cta.link.checkout": { + "defaultMessage": "Passa al checkout" + }, + "cart_secondary_button_group.action.added_to_wishlist": { + "defaultMessage": "Aggiungi alla lista desideri" + }, + "cart_secondary_button_group.action.edit": { + "defaultMessage": "Modifica" + }, + "cart_secondary_button_group.action.remove": { + "defaultMessage": "Rimuovi" + }, + "cart_secondary_button_group.label.this_is_gift": { + "defaultMessage": "Questo è un regalo." + }, + "cart_skeleton.heading.order_summary": { + "defaultMessage": "Riepilogo ordine" + }, + "cart_skeleton.title.cart": { + "defaultMessage": "Carrello" + }, + "cart_title.title.cart_num_of_items": { + "defaultMessage": "Carrello ({itemCount, plural, =0 {0 articoli} one {# articolo} other {# articoli}})" + }, + "cc_radio_group.action.remove": { + "defaultMessage": "Rimuovi" + }, + "cc_radio_group.button.add_new_card": { + "defaultMessage": "Aggiungi nuova carta" + }, + "checkout.button.place_order": { + "defaultMessage": "Invia ordine" + }, + "checkout.message.generic_error": { + "defaultMessage": "Si è verificato un errore inatteso durante il checkout." + }, + "checkout_confirmation.button.create_account": { + "defaultMessage": "Crea account" + }, + "checkout_confirmation.heading.billing_address": { + "defaultMessage": "Indirizzo di fatturazione" + }, + "checkout_confirmation.heading.create_account": { + "defaultMessage": "Crea un account per un checkout più veloce" + }, + "checkout_confirmation.heading.credit_card": { + "defaultMessage": "Carta di credito" + }, + "checkout_confirmation.heading.delivery_details": { + "defaultMessage": "Dettagli di consegna" + }, + "checkout_confirmation.heading.order_summary": { + "defaultMessage": "Riepilogo ordine" + }, + "checkout_confirmation.heading.payment_details": { + "defaultMessage": "Dettagli di pagamento" + }, + "checkout_confirmation.heading.shipping_address": { + "defaultMessage": "Indirizzo di spedizione" + }, + "checkout_confirmation.heading.shipping_method": { + "defaultMessage": "Metodo di spedizione" + }, + "checkout_confirmation.heading.thank_you_for_order": { + "defaultMessage": "Grazie per il tuo ordine!" + }, + "checkout_confirmation.label.free": { + "defaultMessage": "Gratuita" + }, + "checkout_confirmation.label.order_number": { + "defaultMessage": "Numero ordine" + }, + "checkout_confirmation.label.order_total": { + "defaultMessage": "Totale ordine" + }, + "checkout_confirmation.label.promo_applied": { + "defaultMessage": "Promozione applicata" + }, + "checkout_confirmation.label.shipping": { + "defaultMessage": "Spedizione" + }, + "checkout_confirmation.label.subtotal": { + "defaultMessage": "Subtotale" + }, + "checkout_confirmation.label.tax": { + "defaultMessage": "Imposta" + }, + "checkout_confirmation.link.continue_shopping": { + "defaultMessage": "Continua lo shopping" + }, + "checkout_confirmation.link.login": { + "defaultMessage": "Accedi qui" + }, + "checkout_confirmation.message.already_has_account": { + "defaultMessage": "Questo indirizzo email è già associato a un account." + }, + "checkout_confirmation.message.num_of_items_in_order": { + "defaultMessage": "{itemCount, plural, =0 {0 articoli} one {# articolo} other {# articoli}}", + "description": "# item(s) in order" + }, + "checkout_confirmation.message.will_email_shortly": { + "defaultMessage": "A breve invieremo un'email all'indirizzo {email} con il numero di conferma e la ricevuta." + }, + "checkout_footer.link.privacy_policy": { + "defaultMessage": "Informativa sulla privacy" + }, + "checkout_footer.link.returns_exchanges": { + "defaultMessage": "Resi e cambi" + }, + "checkout_footer.link.shipping": { + "defaultMessage": "Spedizione" + }, + "checkout_footer.link.site_map": { + "defaultMessage": "Mappa del sito" + }, + "checkout_footer.link.terms_conditions": { + "defaultMessage": "Termini e condizioni" + }, + "checkout_footer.message.copyright": { + "defaultMessage": "Salesforce o società affiliate. Tutti i diritti riservati. Questo è un negozio fittizio a scopo dimostrativo. Gli ordini effettuati NON VERRANNO evasi." + }, + "checkout_header.link.assistive_msg.cart": { + "defaultMessage": "Torna al carrello, numero di articoli: {numItems}" + }, + "checkout_header.link.cart": { + "defaultMessage": "Torna al carrello" + }, + "checkout_payment.action.remove": { + "defaultMessage": "Rimuovi" + }, + "checkout_payment.button.review_order": { + "defaultMessage": "Rivedi ordine" + }, + "checkout_payment.heading.billing_address": { + "defaultMessage": "Indirizzo di fatturazione" + }, + "checkout_payment.heading.credit_card": { + "defaultMessage": "Carta di credito" + }, + "checkout_payment.label.same_as_shipping": { + "defaultMessage": "Identico all'indirizzo di spedizione" + }, + "checkout_payment.title.payment": { + "defaultMessage": "Pagamento" + }, + "colorRefinements.label.hitCount": { + "defaultMessage": "{colorLabel} ({colorHitCount})" + }, + "confirmation_modal.default.action.no": { + "defaultMessage": "No" + }, + "confirmation_modal.default.action.yes": { + "defaultMessage": "Sì" + }, + "confirmation_modal.default.message.you_want_to_continue": { + "defaultMessage": "Continuare?" + }, + "confirmation_modal.default.title.confirm_action": { + "defaultMessage": "Conferma azione" + }, + "confirmation_modal.remove_cart_item.action.no": { + "defaultMessage": "No, conserva articolo" + }, + "confirmation_modal.remove_cart_item.action.remove": { + "defaultMessage": "Rimuovi" + }, + "confirmation_modal.remove_cart_item.action.yes": { + "defaultMessage": "Sì, rimuovi articolo" + }, + "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": { + "defaultMessage": "Alcuni articoli non sono più dispoinibili online e verranno rimossi dal carrello." + }, + "confirmation_modal.remove_cart_item.message.sure_to_remove": { + "defaultMessage": "Rimuovere questo articolo dal carrello?" + }, + "confirmation_modal.remove_cart_item.title.confirm_remove": { + "defaultMessage": "Conferma rimozione articolo" + }, + "confirmation_modal.remove_cart_item.title.items_unavailable": { + "defaultMessage": "Articoli non disponibili" + }, + "confirmation_modal.remove_wishlist_item.action.no": { + "defaultMessage": "No, conserva articolo" + }, + "confirmation_modal.remove_wishlist_item.action.yes": { + "defaultMessage": "Sì, rimuovi articolo" + }, + "confirmation_modal.remove_wishlist_item.message.sure_to_remove": { + "defaultMessage": "Rimuovere questo articolo dalla lista desideri?" + }, + "confirmation_modal.remove_wishlist_item.title.confirm_remove": { + "defaultMessage": "Conferma rimozione articolo" + }, + "contact_info.action.sign_out": { + "defaultMessage": "Esci" + }, + "contact_info.button.already_have_account": { + "defaultMessage": "Hai già un account? Accedi" + }, + "contact_info.button.checkout_as_guest": { + "defaultMessage": "Checkout come ospite" + }, + "contact_info.button.login": { + "defaultMessage": "Accedi" + }, + "contact_info.error.incorrect_username_or_password": { + "defaultMessage": "Nome utente o password errati. Riprova." + }, + "contact_info.link.forgot_password": { + "defaultMessage": "Password dimenticata?" + }, + "contact_info.title.contact_info": { + "defaultMessage": "Informazioni di contatto" + }, + "credit_card_fields.tool_tip.security_code": { + "defaultMessage": "Questo codice a 3 cifre è presente sul retro della carta.", + "description": "Generic credit card security code help text" + }, + "credit_card_fields.tool_tip.security_code.american_express": { + "defaultMessage": "Questo codice a 4 cifre è presente sul fronte della carta.", + "description": "American Express security code help text" + }, + "credit_card_fields.tool_tip.security_code_aria_label": { + "defaultMessage": "Info codice di sicurezza" + }, + "drawer_menu.button.account_details": { + "defaultMessage": "Dettagli account" + }, + "drawer_menu.button.addresses": { + "defaultMessage": "Indirizzi" + }, + "drawer_menu.button.log_out": { + "defaultMessage": "Esci" + }, + "drawer_menu.button.my_account": { + "defaultMessage": "Il mio account" + }, + "drawer_menu.button.order_history": { + "defaultMessage": "Cronologia ordini" + }, + "drawer_menu.link.about_us": { + "defaultMessage": "Chi siamo" + }, + "drawer_menu.link.customer_support": { + "defaultMessage": "Supporto clienti" + }, + "drawer_menu.link.customer_support.contact_us": { + "defaultMessage": "Contattaci" + }, + "drawer_menu.link.customer_support.shipping_and_returns": { + "defaultMessage": "Spedizione e resi" + }, + "drawer_menu.link.our_company": { + "defaultMessage": "La nostra azienda" + }, + "drawer_menu.link.privacy_and_security": { + "defaultMessage": "Privacy e sicurezza" + }, + "drawer_menu.link.privacy_policy": { + "defaultMessage": "Informativa sulla privacy" + }, + "drawer_menu.link.shop_all": { + "defaultMessage": "Acquista tutto" + }, + "drawer_menu.link.sign_in": { + "defaultMessage": "Accedi" + }, + "drawer_menu.link.site_map": { + "defaultMessage": "Mappa del sito" + }, + "drawer_menu.link.store_locator": { + "defaultMessage": "Store locator" + }, + "drawer_menu.link.terms_and_conditions": { + "defaultMessage": "Termini e condizioni" + }, + "empty_cart.description.empty_cart": { + "defaultMessage": "Il tuo carrello è vuoto." + }, + "empty_cart.link.continue_shopping": { + "defaultMessage": "Continua lo shopping" + }, + "empty_cart.link.sign_in": { + "defaultMessage": "Accedi" + }, + "empty_cart.message.continue_shopping": { + "defaultMessage": "Continua con lo shopping per aggiungere articoli al carrello." + }, + "empty_cart.message.sign_in_or_continue_shopping": { + "defaultMessage": "Accedi per recuperare gli articoli salvati o continuare con lo shopping." + }, + "empty_search_results.info.cant_find_anything_for_category": { + "defaultMessage": "Non è stato trovato nulla per {category}. Prova a cercare un prodotto o {link}." + }, + "empty_search_results.info.cant_find_anything_for_query": { + "defaultMessage": "Non è stato trovato nulla per \"{searchQuery}\"." + }, + "empty_search_results.info.double_check_spelling": { + "defaultMessage": "Ricontrolla l'ortografia e riprova o {link}." + }, + "empty_search_results.link.contact_us": { + "defaultMessage": "Contattaci" + }, + "empty_search_results.recommended_products.title.most_viewed": { + "defaultMessage": "I più visualizzati" + }, + "empty_search_results.recommended_products.title.top_sellers": { + "defaultMessage": "I più venduti" + }, + "field.password.assistive_msg.hide_password": { + "defaultMessage": "Nascondi password" + }, + "field.password.assistive_msg.show_password": { + "defaultMessage": "Mosra password" + }, + "footer.column.account": { + "defaultMessage": "Account" + }, + "footer.column.customer_support": { + "defaultMessage": "Supporto clienti" + }, + "footer.column.our_company": { + "defaultMessage": "La nostra azienda" + }, + "footer.link.about_us": { + "defaultMessage": "Chi siamo" + }, + "footer.link.contact_us": { + "defaultMessage": "Contattaci" + }, + "footer.link.order_status": { + "defaultMessage": "Stato ordine" + }, + "footer.link.privacy_policy": { + "defaultMessage": "Informativa sulla privacy" + }, + "footer.link.shipping": { + "defaultMessage": "Spedizione" + }, + "footer.link.signin_create_account": { + "defaultMessage": "Accedi o crea account" + }, + "footer.link.site_map": { + "defaultMessage": "Mappa del sito" + }, + "footer.link.store_locator": { + "defaultMessage": "Store locator" + }, + "footer.link.terms_conditions": { + "defaultMessage": "Termini e condizioni" + }, + "footer.message.copyright": { + "defaultMessage": "Salesforce o società affiliate. Tutti i diritti riservati. Questo è un negozio fittizio a scopo dimostrativo. Gli ordini effettuati NON VERRANNO evasi." + }, + "footer.subscribe.button.sign_up": { + "defaultMessage": "Registrati" + }, + "footer.subscribe.description.sign_up": { + "defaultMessage": "Registrati per gli ultimi aggiornamenti sulle migliori offerte" + }, + "footer.subscribe.heading.first_to_know": { + "defaultMessage": "Ricevi le novità in anteprima" + }, + "form_action_buttons.button.cancel": { + "defaultMessage": "Annulla" + }, + "form_action_buttons.button.save": { + "defaultMessage": "Salva" + }, + "global.account.link.account_details": { + "defaultMessage": "Dettagli account" + }, + "global.account.link.addresses": { + "defaultMessage": "Indirizzi" + }, + "global.account.link.order_history": { + "defaultMessage": "Cronologia ordini" + }, + "global.account.link.wishlist": { + "defaultMessage": "Lista desideri" + }, + "global.error.something_went_wrong": { + "defaultMessage": "Si è verificato un problema. Riprova!" + }, + "global.info.added_to_wishlist": { + "defaultMessage": "{quantity} {quantity, plural, one {articolo aggiunto} other {articoli aggiunti}} alla lista desideri" + }, + "global.info.already_in_wishlist": { + "defaultMessage": "Articolo già presente nella lista desideri" + }, + "global.info.removed_from_wishlist": { + "defaultMessage": "Articolo rimosso dalla lista desideri" + }, + "global.link.added_to_wishlist.view_wishlist": { + "defaultMessage": "Visualizza" + }, + "header.button.assistive_msg.logo": { + "defaultMessage": "Logo" + }, + "header.button.assistive_msg.menu": { + "defaultMessage": "Menu" + }, + "header.button.assistive_msg.my_account": { + "defaultMessage": "Il mio account" + }, + "header.button.assistive_msg.my_account_menu": { + "defaultMessage": "Apri menu account" + }, + "header.button.assistive_msg.my_cart_with_num_items": { + "defaultMessage": "Il mio carrello, numero di articoli: {numItems}" + }, + "header.button.assistive_msg.wishlist": { + "defaultMessage": "Lista desideri" + }, + "header.field.placeholder.search_for_products": { + "defaultMessage": "Cerca prodotti..." + }, + "header.popover.action.log_out": { + "defaultMessage": "Esci" + }, + "header.popover.title.my_account": { + "defaultMessage": "Il mio account" + }, + "home.description.features": { + "defaultMessage": "Funzionalità pronte all'uso, così potrai dedicare il tuo tempo all'aggiunta di miglioramenti." + }, + "home.description.here_to_help": { + "defaultMessage": "Contatta il nostro personale di assistenza." + }, + "home.description.here_to_help_line_2": { + "defaultMessage": "Ti fornirà le indicazioni giuste." + }, + "home.description.shop_products": { + "defaultMessage": "Questa sezione presenta alcuni contenuti del catalogo. {docLink} su come cambiarli.", + "description": "{docLink} is a html button that links the user to https://sfdc.co/business-manager-manage-catalogs" + }, + "home.features.description.cart_checkout": { + "defaultMessage": "Best practice di e-commerce per l'esperienza di carrello e checkout di un acquirente." + }, + "home.features.description.components": { + "defaultMessage": "Realizzato utilizzando Chakra UI, una libreria di componenti React semplice, modulare e accessibile." + }, + "home.features.description.einstein_recommendations": { + "defaultMessage": "Garantisci a ogni acquirente il miglior prodotto o la migliore offerta con i suggerimenti di prodotto." + }, + "home.features.description.my_account": { + "defaultMessage": "Gli acquirenti possono gestire le informazioni relative all'account come profilo, indirizzi, pagamenti e ordini." + }, + "home.features.description.shopper_login": { + "defaultMessage": "Consenti agli acquirenti di accedere facilmente grazie a un'esperienza di acquisto più personalizzata." + }, + "home.features.description.wishlist": { + "defaultMessage": "Gli acquirenti registrati possono aggiungere voci di prodotto alla lista desideri per acquisti futuri." + }, + "home.features.heading.cart_checkout": { + "defaultMessage": "Carrello e checkout" + }, + "home.features.heading.components": { + "defaultMessage": "Componenti e Design Kit" + }, + "home.features.heading.einstein_recommendations": { + "defaultMessage": "Suggerimenti Einstein" + }, + "home.features.heading.my_account": { + "defaultMessage": "Il mio account" + }, + "home.features.heading.shopper_login": { + "defaultMessage": "Shopper Login and API Access Service (SLAS)" + }, + "home.features.heading.wishlist": { + "defaultMessage": "Lista desideri" + }, + "home.heading.features": { + "defaultMessage": "Funzionalità" + }, + "home.heading.here_to_help": { + "defaultMessage": "Siamo qui per aiutarti" + }, + "home.heading.shop_products": { + "defaultMessage": "Acquista prodotti" + }, + "home.hero_features.link.design_kit": { + "defaultMessage": "Crea con Figma PWA Design Kit" + }, + "home.hero_features.link.on_github": { + "defaultMessage": "Scarica su GitHub" + }, + "home.hero_features.link.on_managed_runtime": { + "defaultMessage": "Distribuisci su Managed Runtime" + }, + "home.link.contact_us": { + "defaultMessage": "Contattaci" + }, + "home.link.get_started": { + "defaultMessage": "Inizia" + }, + "home.link.read_docs": { + "defaultMessage": "Leggi la documentazione" + }, + "home.title.react_starter_store": { + "defaultMessage": "React PWA Starter Store per il retail" + }, + "icons.assistive_msg.lock": { + "defaultMessage": "Protetto" + }, + "item_attributes.label.promotions": { + "defaultMessage": "Promozioni" + }, + "item_attributes.label.quantity": { + "defaultMessage": "Quantità: {quantity}" + }, + "item_image.label.sale": { + "defaultMessage": "Saldi", + "description": "A sale badge placed on top of a product image" + }, + "item_image.label.unavailable": { + "defaultMessage": "Non disponibile", + "description": "A unavailable badge placed on top of a product image" + }, + "item_price.label.starting_at": { + "defaultMessage": "A partire da" + }, + "lCPCxk": { + "defaultMessage": "Selezionare tutte le opzioni sopra riportate" + }, + "list_menu.nav.assistive_msg": { + "defaultMessage": "Navigazione principale" + }, + "locale_text.message.ar-SA": { + "defaultMessage": "Arabo (Arabia Saudita)" + }, + "locale_text.message.bn-BD": { + "defaultMessage": "Bengalese (Bangladesh)" + }, + "locale_text.message.bn-IN": { + "defaultMessage": "Bengalese (India)" + }, + "locale_text.message.cs-CZ": { + "defaultMessage": "Ceco (Repubblica Ceca)" + }, + "locale_text.message.da-DK": { + "defaultMessage": "Danese (Danimarca)" + }, + "locale_text.message.de-AT": { + "defaultMessage": "Tedesco (Austria)" + }, + "locale_text.message.de-CH": { + "defaultMessage": "Tedesco (Svizzera)" + }, + "locale_text.message.de-DE": { + "defaultMessage": "Tedesco (Germania)" + }, + "locale_text.message.el-GR": { + "defaultMessage": "Greco (Grecia)" + }, + "locale_text.message.en-AU": { + "defaultMessage": "Inglese (Australia)" + }, + "locale_text.message.en-CA": { + "defaultMessage": "Inglese (Canada)" + }, + "locale_text.message.en-GB": { + "defaultMessage": "Inglese (Regno Unito)" + }, + "locale_text.message.en-IE": { + "defaultMessage": "Inglese (Irlanda)" + }, + "locale_text.message.en-IN": { + "defaultMessage": "Inglese (India)" + }, + "locale_text.message.en-NZ": { + "defaultMessage": "Inglese (Nuova Zelanda)" + }, + "locale_text.message.en-US": { + "defaultMessage": "Inglese (Stati Uniti)" + }, + "locale_text.message.en-ZA": { + "defaultMessage": "Inglese (Sudafrica)" + }, + "locale_text.message.es-AR": { + "defaultMessage": "Spagnolo (Argentina)" + }, + "locale_text.message.es-CL": { + "defaultMessage": "Spagnolo (Cile)" + }, + "locale_text.message.es-CO": { + "defaultMessage": "Spagnolo (Colombia)" + }, + "locale_text.message.es-ES": { + "defaultMessage": "Spagnolo (Spagna)" + }, + "locale_text.message.es-MX": { + "defaultMessage": "Spagnolo (Messico)" + }, + "locale_text.message.es-US": { + "defaultMessage": "Spagnolo (Stati Uniti)" + }, + "locale_text.message.fi-FI": { + "defaultMessage": "Finlandese (Finlandia)" + }, + "locale_text.message.fr-BE": { + "defaultMessage": "Francese (Belgio)" + }, + "locale_text.message.fr-CA": { + "defaultMessage": "Francese (Canada)" + }, + "locale_text.message.fr-CH": { + "defaultMessage": "Francese (Svizzera)" + }, + "locale_text.message.fr-FR": { + "defaultMessage": "Francese (Francia)" + }, + "locale_text.message.he-IL": { + "defaultMessage": "Ebraico (Israele)" + }, + "locale_text.message.hi-IN": { + "defaultMessage": "Hindi (India)" + }, + "locale_text.message.hu-HU": { + "defaultMessage": "Ungherese (Ungheria)" + }, + "locale_text.message.id-ID": { + "defaultMessage": "Indonesiano (Indonesia)" + }, + "locale_text.message.it-CH": { + "defaultMessage": "Italiano (Svizzera)" + }, + "locale_text.message.it-IT": { + "defaultMessage": "Italiano (Italia)" + }, + "locale_text.message.ja-JP": { + "defaultMessage": "Giapponese (Giappone)" + }, + "locale_text.message.ko-KR": { + "defaultMessage": "Coreano (Repubblica di Corea)" + }, + "locale_text.message.nl-BE": { + "defaultMessage": "Olandese (Belgio)" + }, + "locale_text.message.nl-NL": { + "defaultMessage": "Olandese (Paesi Bassi)" + }, + "locale_text.message.no-NO": { + "defaultMessage": "Norvegese (Norvegia)" + }, + "locale_text.message.pl-PL": { + "defaultMessage": "Polacco (Polonia)" + }, + "locale_text.message.pt-BR": { + "defaultMessage": "Portoghese (Brasile)" + }, + "locale_text.message.pt-PT": { + "defaultMessage": "Portoghese (Portogallo)" + }, + "locale_text.message.ro-RO": { + "defaultMessage": "Rumeno (Romania)" + }, + "locale_text.message.ru-RU": { + "defaultMessage": "Russo (Federazione Russa)" + }, + "locale_text.message.sk-SK": { + "defaultMessage": "Slovacco (Slovacchia)" + }, + "locale_text.message.sv-SE": { + "defaultMessage": "Svedese (Svezia)" + }, + "locale_text.message.ta-IN": { + "defaultMessage": "Tamil (India)" + }, + "locale_text.message.ta-LK": { + "defaultMessage": "Tamil (Sri Lanka)" + }, + "locale_text.message.th-TH": { + "defaultMessage": "Tailandese (Tailandia)" + }, + "locale_text.message.tr-TR": { + "defaultMessage": "Turco (Turchia)" + }, + "locale_text.message.zh-CN": { + "defaultMessage": "Cinese (Cina)" + }, + "locale_text.message.zh-HK": { + "defaultMessage": "Cinese (Hong Kong)" + }, + "locale_text.message.zh-TW": { + "defaultMessage": "Cinese (Taiwan)" + }, + "login_form.action.create_account": { + "defaultMessage": "Crea account" + }, + "login_form.button.sign_in": { + "defaultMessage": "Accedi" + }, + "login_form.link.forgot_password": { + "defaultMessage": "Password dimenticata?" + }, + "login_form.message.dont_have_account": { + "defaultMessage": "Non hai un account?" + }, + "login_form.message.welcome_back": { + "defaultMessage": "Piacere di rivederti" + }, + "login_page.error.incorrect_username_or_password": { + "defaultMessage": "Nome utente o password errati. Riprova." + }, + "offline_banner.description.browsing_offline_mode": { + "defaultMessage": "Stai navigando in modalità offline" + }, + "order_summary.action.remove_promo": { + "defaultMessage": "Rimuovi" + }, + "order_summary.cart_items.action.num_of_items_in_cart": { + "defaultMessage": "{itemCount, plural, =0 {0 articoli} one {# articolo} other {# articoli}} nel carrello", + "description": "clicking it would expand/show the items in cart" + }, + "order_summary.cart_items.link.edit_cart": { + "defaultMessage": "Modifica carrello" + }, + "order_summary.heading.order_summary": { + "defaultMessage": "Riepilogo ordine" + }, + "order_summary.label.estimated_total": { + "defaultMessage": "Totale stimato" + }, + "order_summary.label.free": { + "defaultMessage": "Gratuita" + }, + "order_summary.label.order_total": { + "defaultMessage": "Totale ordine" + }, + "order_summary.label.promo_applied": { + "defaultMessage": "Promozione applicata" + }, + "order_summary.label.promotions_applied": { + "defaultMessage": "Promozioni applicate" + }, + "order_summary.label.shipping": { + "defaultMessage": "Spedizione" + }, + "order_summary.label.subtotal": { + "defaultMessage": "Subtotale" + }, + "order_summary.label.tax": { + "defaultMessage": "Imposta" + }, + "page_not_found.action.go_back": { + "defaultMessage": "Torna alla pagina precedente" + }, + "page_not_found.link.homepage": { + "defaultMessage": "Vai alla pagina principale" + }, + "page_not_found.message.suggestion_to_try": { + "defaultMessage": "Prova a inserire di nuovo l'indirizzo tornando alla pagina precedente o passando alla pagina principale." + }, + "page_not_found.title.page_cant_be_found": { + "defaultMessage": "Impossibile trovare la pagina che stai cercando." + }, + "pagination.field.num_of_pages": { + "defaultMessage": "di {numOfPages}" + }, + "pagination.link.next": { + "defaultMessage": "Avanti" + }, + "pagination.link.next.assistive_msg": { + "defaultMessage": "Pagina successiva" + }, + "pagination.link.prev": { + "defaultMessage": "Indietro" + }, + "pagination.link.prev.assistive_msg": { + "defaultMessage": "Pagina precedente" + }, + "password_card.info.password_updated": { + "defaultMessage": "Password aggiornata" + }, + "password_card.label.password": { + "defaultMessage": "Password" + }, + "password_card.title.password": { + "defaultMessage": "Password" + }, + "password_requirements.error.eight_letter_minimum": { + "defaultMessage": "Minimo 8 caratteri", + "description": "Password requirement" + }, + "password_requirements.error.one_lowercase_letter": { + "defaultMessage": "1 lettera minuscola", + "description": "Password requirement" + }, + "password_requirements.error.one_number": { + "defaultMessage": "1 numero", + "description": "Password requirement" + }, + "password_requirements.error.one_special_character": { + "defaultMessage": "1 carattere speciale (ad esempio: , $ ! % #)", + "description": "Password requirement" + }, + "password_requirements.error.one_uppercase_letter": { + "defaultMessage": "1 lettera maiuscola", + "description": "Password requirement" + }, + "payment_selection.heading.credit_card": { + "defaultMessage": "Carta di credito" + }, + "payment_selection.tooltip.secure_payment": { + "defaultMessage": "Questo è un pagamento crittografato con SSL sicuro." + }, + "price_per_item.label.each": { + "defaultMessage": " cad.", + "description": "Abbreviated 'each', follows price per item, like $10/ea" + }, + "product_detail.accordion.button.product_detail": { + "defaultMessage": "Dettagli prodotto" + }, + "product_detail.accordion.button.questions": { + "defaultMessage": "Domande" + }, + "product_detail.accordion.button.reviews": { + "defaultMessage": "Revisioni" + }, + "product_detail.accordion.button.size_fit": { + "defaultMessage": "Taglie e vestibilità" + }, + "product_detail.accordion.message.coming_soon": { + "defaultMessage": "In arrivo" + }, + "product_detail.recommended_products.title.complete_set": { + "defaultMessage": "Completa il set" + }, + "product_detail.recommended_products.title.might_also_like": { + "defaultMessage": "Potrebbe interessarti anche" + }, + "product_detail.recommended_products.title.recently_viewed": { + "defaultMessage": "Visualizzati di recente" + }, + "product_item.label.quantity": { + "defaultMessage": "Quantità:" + }, + "product_list.button.filter": { + "defaultMessage": "Filtro" + }, + "product_list.button.sort_by": { + "defaultMessage": "Ordina per: {sortOption}" + }, + "product_list.drawer.title.sort_by": { + "defaultMessage": "Ordina per" + }, + "product_list.modal.button.clear_filters": { + "defaultMessage": "Cancella filtri" + }, + "product_list.modal.button.view_items": { + "defaultMessage": "Visualizza {prroductCount} articoli" + }, + "product_list.modal.title.filter": { + "defaultMessage": "Filtro" + }, + "product_list.refinements.button.assistive_msg.add_filter": { + "defaultMessage": "Aggiungi filtro: {label}" + }, + "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": { + "defaultMessage": "Aggiungi filtro: {label} ({hitCount})" + }, + "product_list.refinements.button.assistive_msg.remove_filter": { + "defaultMessage": "Rimuovi filtro: {label}" + }, + "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": { + "defaultMessage": "Rimuovi filtro: {label} ({hitCount})" + }, + "product_list.select.sort_by": { + "defaultMessage": "Ordina per: {sortOption}" + }, + "product_scroller.assistive_msg.scroll_left": { + "defaultMessage": "Scorri prodotti a sinistra" + }, + "product_scroller.assistive_msg.scroll_right": { + "defaultMessage": "Scorri prodotti a destra" + }, + "product_tile.assistive_msg.add_to_wishlist": { + "defaultMessage": "Aggiungi {product} alla lista desideri" + }, + "product_tile.assistive_msg.remove_from_wishlist": { + "defaultMessage": "Rimuovi {product} dalla lista desideri" + }, + "product_tile.label.starting_at_price": { + "defaultMessage": "A partire da {price}" + }, + "product_view.button.add_set_to_cart": { + "defaultMessage": "Aggiungi set al carrello" + }, + "product_view.button.add_set_to_wishlist": { + "defaultMessage": "Aggiungi set alla lista desideri" + }, + "product_view.button.add_to_cart": { + "defaultMessage": "Aggiungi al carrello" + }, + "product_view.button.add_to_wishlist": { + "defaultMessage": "Aggiungi alla lista desideri" + }, + "product_view.button.update": { + "defaultMessage": "Aggiorna" + }, + "product_view.label.assistive_msg.quantity_decrement": { + "defaultMessage": "Riduci quantità" + }, + "product_view.label.assistive_msg.quantity_increment": { + "defaultMessage": "Incrementa quantità" + }, + "product_view.label.quantity": { + "defaultMessage": "Quantità" + }, + "product_view.label.quantity_decrement": { + "defaultMessage": "−" + }, + "product_view.label.quantity_increment": { + "defaultMessage": "+" + }, + "product_view.label.starting_at_price": { + "defaultMessage": "A partire da" + }, + "product_view.label.variant_type": { + "defaultMessage": "{variantType}" + }, + "product_view.link.full_details": { + "defaultMessage": "Vedi tutti i dettagli" + }, + "profile_card.info.profile_updated": { + "defaultMessage": "Profilo aggiornato" + }, + "profile_card.label.email": { + "defaultMessage": "E-mail" + }, + "profile_card.label.full_name": { + "defaultMessage": "Nome completo" + }, + "profile_card.label.phone": { + "defaultMessage": "Numero di telefono" + }, + "profile_card.message.not_provided": { + "defaultMessage": "Non specificato" + }, + "profile_card.title.my_profile": { + "defaultMessage": "Il mio profilo" + }, + "promo_code_fields.button.apply": { + "defaultMessage": "Applica" + }, + "promo_popover.assistive_msg.info": { + "defaultMessage": "Info" + }, + "promo_popover.heading.promo_applied": { + "defaultMessage": "Promozioni applicate" + }, + "promocode.accordion.button.have_promocode": { + "defaultMessage": "Hai un codice promozionale?" + }, + "recent_searches.action.clear_searches": { + "defaultMessage": "Cancella ricerche recenti" + }, + "recent_searches.heading.recent_searches": { + "defaultMessage": "Ricerche recenti" + }, + "register_form.action.sign_in": { + "defaultMessage": "Accedi" + }, + "register_form.button.create_account": { + "defaultMessage": "Crea account" + }, + "register_form.heading.lets_get_started": { + "defaultMessage": "Iniziamo!" + }, + "register_form.message.agree_to_policy_terms": { + "defaultMessage": "Creando un account, accetti l'Informativa sulla privacy e i Termini e condizioni di Salesforce" + }, + "register_form.message.already_have_account": { + "defaultMessage": "Hai già un account?" + }, + "register_form.message.create_an_account": { + "defaultMessage": "Crea un account e accedi in esclusiva ai prodotti, alle idee e alle community migliori." + }, + "reset_password.button.back_to_sign_in": { + "defaultMessage": "Torna all'accesso" + }, + "reset_password.info.receive_email_shortly": { + "defaultMessage": "A breve riceverai un'email all'indirizzo {email} con un link per la reimpostazione della password." + }, + "reset_password.title.password_reset": { + "defaultMessage": "Reimpostazione password" + }, + "reset_password_form.action.sign_in": { + "defaultMessage": "Accedi" + }, + "reset_password_form.button.reset_password": { + "defaultMessage": "Reimposta password" + }, + "reset_password_form.message.enter_your_email": { + "defaultMessage": "Inserisci il tuo indirizzo email per ricevere istruzioni su come reimpostare la password" + }, + "reset_password_form.message.return_to_sign_in": { + "defaultMessage": "Oppure torna a", + "description": "Precedes link to return to sign in" + }, + "reset_password_form.title.reset_password": { + "defaultMessage": "Reimposta password" + }, + "search.action.cancel": { + "defaultMessage": "Annulla" + }, + "selected_refinements.action.assistive_msg.clear_all": { + "defaultMessage": "Cancella tutti i filtri" + }, + "selected_refinements.action.clear_all": { + "defaultMessage": "Deseleziona tutto" + }, + "shipping_address.button.continue_to_shipping": { + "defaultMessage": "Passa al metodo di spedizione" + }, + "shipping_address.title.shipping_address": { + "defaultMessage": "Indirizzo di spedizione" + }, + "shipping_address_edit_form.button.save_and_continue": { + "defaultMessage": "Salva e passa al metodo di spedizione" + }, + "shipping_address_form.heading.edit_address": { + "defaultMessage": "Modifica indirizzo" + }, + "shipping_address_form.heading.new_address": { + "defaultMessage": "Aggiungi nuovo indirizzo" + }, + "shipping_address_selection.button.add_address": { + "defaultMessage": "Aggiungi nuovo indirizzo" + }, + "shipping_address_selection.button.submit": { + "defaultMessage": "Invia" + }, + "shipping_address_selection.title.add_address": { + "defaultMessage": "Aggiungi nuovo indirizzo" + }, + "shipping_address_selection.title.edit_shipping": { + "defaultMessage": "Modifica indirizzo di spedizione" + }, + "shipping_options.action.send_as_a_gift": { + "defaultMessage": "Inviare come regalo?" + }, + "shipping_options.button.continue_to_payment": { + "defaultMessage": "Passa al pagamento" + }, + "shipping_options.title.shipping_gift_options": { + "defaultMessage": "Opzioni di spedizione e regalo" + }, + "signout_confirmation_dialog.button.cancel": { + "defaultMessage": "Annulla" + }, + "signout_confirmation_dialog.button.sign_out": { + "defaultMessage": "Esci" + }, + "signout_confirmation_dialog.heading.sign_out": { + "defaultMessage": "Esci" + }, + "signout_confirmation_dialog.message.sure_to_sign_out": { + "defaultMessage": "Uscire? Per procedere con l'ordine corrente devi eseguire di nuovo l'accesso." + }, + "swatch_group.selected.label": { + "defaultMessage": "{label}:" + }, + "toggle_card.action.edit": { + "defaultMessage": "Modifica" + }, + "update_password_fields.button.forgot_password": { + "defaultMessage": "Password dimenticata?" + }, + "use_address_fields.error.please_enter_first_name": { + "defaultMessage": "Inserisci il nome." + }, + "use_address_fields.error.please_enter_last_name": { + "defaultMessage": "Inserisci il cognome." + }, + "use_address_fields.error.please_enter_phone_number": { + "defaultMessage": "Inserisci il numero di telefono." + }, + "use_address_fields.error.please_enter_your_postal_or_zip": { + "defaultMessage": "Inserisci il codice postale." + }, + "use_address_fields.error.please_select_your_address": { + "defaultMessage": "Inserisci l'indirizzo." + }, + "use_address_fields.error.please_select_your_city": { + "defaultMessage": "Inserisci la città." + }, + "use_address_fields.error.please_select_your_country": { + "defaultMessage": "Seleziona il Paese." + }, + "use_address_fields.error.please_select_your_state_or_province": { + "defaultMessage": "Seleziona lo stato/la provincia." + }, + "use_address_fields.error.required": { + "defaultMessage": "Obbligatorio" + }, + "use_address_fields.error.state_code_invalid": { + "defaultMessage": "Inserisci la provincia di 2 lettere." + }, + "use_address_fields.label.address": { + "defaultMessage": "Indirizzo" + }, + "use_address_fields.label.address_form": { + "defaultMessage": "Modulo indirizzo" + }, + "use_address_fields.label.city": { + "defaultMessage": "Città" + }, + "use_address_fields.label.country": { + "defaultMessage": "Paese" + }, + "use_address_fields.label.first_name": { + "defaultMessage": "Nome" + }, + "use_address_fields.label.last_name": { + "defaultMessage": "Cognome" + }, + "use_address_fields.label.phone": { + "defaultMessage": "Telefono" + }, + "use_address_fields.label.postal_code": { + "defaultMessage": "Codice postale" + }, + "use_address_fields.label.preferred": { + "defaultMessage": "Imposta come predefinito" + }, + "use_address_fields.label.province": { + "defaultMessage": "Provincia" + }, + "use_address_fields.label.state": { + "defaultMessage": "Stato" + }, + "use_address_fields.label.zipCode": { + "defaultMessage": "CAP" + }, + "use_credit_card_fields.error.required": { + "defaultMessage": "Obbligatorio" + }, + "use_credit_card_fields.error.required_card_number": { + "defaultMessage": "Inserisci il numero di carta." + }, + "use_credit_card_fields.error.required_expiry": { + "defaultMessage": "Inserisci la data di scadenza." + }, + "use_credit_card_fields.error.required_name": { + "defaultMessage": "Inserisci il tuo nome come compare sulla carta." + }, + "use_credit_card_fields.error.required_security_code": { + "defaultMessage": "Inserisci il codice di sicurezza." + }, + "use_credit_card_fields.error.valid_card_number": { + "defaultMessage": "Inserisci un numero di carta valido." + }, + "use_credit_card_fields.error.valid_date": { + "defaultMessage": "Inserisci una data valida." + }, + "use_credit_card_fields.error.valid_name": { + "defaultMessage": "Inserisci un nome valido." + }, + "use_credit_card_fields.error.valid_security_code": { + "defaultMessage": "Inserisci un codice di sicurezza valido." + }, + "use_credit_card_fields.label.card_number": { + "defaultMessage": "Numero carta" + }, + "use_credit_card_fields.label.card_type": { + "defaultMessage": "Tipo di carta" + }, + "use_credit_card_fields.label.expiry": { + "defaultMessage": "Data di scadenza" + }, + "use_credit_card_fields.label.name": { + "defaultMessage": "Nome sulla carta" + }, + "use_credit_card_fields.label.security_code": { + "defaultMessage": "Codice di sicurezza" + }, + "use_login_fields.error.required_email": { + "defaultMessage": "Inserisci l'indirizzo email." + }, + "use_login_fields.error.required_password": { + "defaultMessage": "Inserisci la password." + }, + "use_login_fields.label.email": { + "defaultMessage": "E-mail" + }, + "use_login_fields.label.password": { + "defaultMessage": "Password" + }, + "use_product.message.inventory_remaining": { + "defaultMessage": "Solo {stockLevel} rimasti!" + }, + "use_product.message.out_of_stock": { + "defaultMessage": "Esaurito" + }, + "use_profile_fields.error.required_email": { + "defaultMessage": "Inserisci un indirizzo e-mail valido." + }, + "use_profile_fields.error.required_first_name": { + "defaultMessage": "Inserisci il nome." + }, + "use_profile_fields.error.required_last_name": { + "defaultMessage": "Inserisci il cognome." + }, + "use_profile_fields.error.required_phone": { + "defaultMessage": "Inserisci il numero di telefono." + }, + "use_profile_fields.label.email": { + "defaultMessage": "E-mail" + }, + "use_profile_fields.label.first_name": { + "defaultMessage": "Nome" + }, + "use_profile_fields.label.last_name": { + "defaultMessage": "Cognome" + }, + "use_profile_fields.label.phone": { + "defaultMessage": "Numero di telefono" + }, + "use_promo_code_fields.error.required_promo_code": { + "defaultMessage": "Specifica un codice promozionale valido." + }, + "use_promo_code_fields.label.promo_code": { + "defaultMessage": "Codice promozionale" + }, + "use_promocode.error.check_the_code": { + "defaultMessage": "Controlla il codice e riprova. È possibile che sia già stato applicato o che la promozione sia scaduta." + }, + "use_promocode.info.promo_applied": { + "defaultMessage": "Promozione applicata" + }, + "use_promocode.info.promo_removed": { + "defaultMessage": "Promozione eliminata" + }, + "use_registration_fields.error.contain_number": { + "defaultMessage": "La password deve contenere almeno un numero." + }, + "use_registration_fields.error.lowercase_letter": { + "defaultMessage": "La password deve contenere almeno una lettera minuscola." + }, + "use_registration_fields.error.minimum_characters": { + "defaultMessage": "La password deve contenere almeno 8 caratteri." + }, + "use_registration_fields.error.required_email": { + "defaultMessage": "Inserisci un indirizzo e-mail valido." + }, + "use_registration_fields.error.required_first_name": { + "defaultMessage": "Inserisci il nome." + }, + "use_registration_fields.error.required_last_name": { + "defaultMessage": "Inserisci il cognome." + }, + "use_registration_fields.error.required_password": { + "defaultMessage": "Creare una password." + }, + "use_registration_fields.error.special_character": { + "defaultMessage": "La password deve contenere almeno un carattere speciale." + }, + "use_registration_fields.error.uppercase_letter": { + "defaultMessage": "La password deve contenere almeno una lettera maiuscola." + }, + "use_registration_fields.label.email": { + "defaultMessage": "E-mail" + }, + "use_registration_fields.label.first_name": { + "defaultMessage": "Nome" + }, + "use_registration_fields.label.last_name": { + "defaultMessage": "Cognome" + }, + "use_registration_fields.label.password": { + "defaultMessage": "Password" + }, + "use_registration_fields.label.sign_up_to_emails": { + "defaultMessage": "Iscrivimi alle email di Salesforce (puoi annullare l'iscrizione in qualsiasi momento)" + }, + "use_reset_password_fields.error.required_email": { + "defaultMessage": "Inserisci un indirizzo e-mail valido." + }, + "use_reset_password_fields.label.email": { + "defaultMessage": "E-mail" + }, + "use_update_password_fields.error.contain_number": { + "defaultMessage": "La password deve contenere almeno un numero." + }, + "use_update_password_fields.error.lowercase_letter": { + "defaultMessage": "La password deve contenere almeno una lettera minuscola." + }, + "use_update_password_fields.error.minimum_characters": { + "defaultMessage": "La password deve contenere almeno 8 caratteri." + }, + "use_update_password_fields.error.required_new_password": { + "defaultMessage": "Specifica una nuova password." + }, + "use_update_password_fields.error.required_password": { + "defaultMessage": "Inserisci la password." + }, + "use_update_password_fields.error.special_character": { + "defaultMessage": "La password deve contenere almeno un carattere speciale." + }, + "use_update_password_fields.error.uppercase_letter": { + "defaultMessage": "La password deve contenere almeno una lettera maiuscola." + }, + "use_update_password_fields.label.current_password": { + "defaultMessage": "Password corrente" + }, + "use_update_password_fields.label.new_password": { + "defaultMessage": "Nuova password" + }, + "wishlist_primary_action.button.add_set_to_cart": { + "defaultMessage": "Aggiungi set al carrello" + }, + "wishlist_primary_action.button.add_to_cart": { + "defaultMessage": "Aggiungi al carrello" + }, + "wishlist_primary_action.button.view_full_details": { + "defaultMessage": "Mostra tutti i dettagli" + }, + "wishlist_primary_action.button.view_options": { + "defaultMessage": "Visualizza opzioni" + }, + "wishlist_primary_action.info.added_to_cart": { + "defaultMessage": "{quantity} {quantity, plural, one {articolo aggiunto} other {articoli aggiunti}} al carrello" + }, + "wishlist_secondary_button_group.action.remove": { + "defaultMessage": "Rimuovi" + }, + "wishlist_secondary_button_group.info.item_removed": { + "defaultMessage": "Articolo rimosso dalla lista desideri" + }, + "with_registration.info.please_sign_in": { + "defaultMessage": "Accedi per continuare!" + } +} diff --git a/my-test-project/translations/ja-JP.json b/my-test-project/translations/ja-JP.json new file mode 100644 index 0000000000..fe206d8b7e --- /dev/null +++ b/my-test-project/translations/ja-JP.json @@ -0,0 +1,1517 @@ +{ + "account.accordion.button.my_account": { + "defaultMessage": "マイアカウント" + }, + "account.heading.my_account": { + "defaultMessage": "マイアカウント" + }, + "account.logout_button.button.log_out": { + "defaultMessage": "ログアウト" + }, + "account_addresses.badge.default": { + "defaultMessage": "デフォルト" + }, + "account_addresses.button.add_address": { + "defaultMessage": "住所の追加" + }, + "account_addresses.info.address_removed": { + "defaultMessage": "住所が削除されました" + }, + "account_addresses.info.address_updated": { + "defaultMessage": "住所が更新されました" + }, + "account_addresses.info.new_address_saved": { + "defaultMessage": "新しい住所が保存されました" + }, + "account_addresses.page_action_placeholder.button.add_address": { + "defaultMessage": "住所の追加" + }, + "account_addresses.page_action_placeholder.heading.no_saved_addresses": { + "defaultMessage": "保存されている住所はありません" + }, + "account_addresses.page_action_placeholder.message.add_new_address": { + "defaultMessage": "新しい住所を追加すると、注文手続きを素早く完了できます。" + }, + "account_addresses.title.addresses": { + "defaultMessage": "住所" + }, + "account_detail.title.account_details": { + "defaultMessage": "アカウントの詳細" + }, + "account_order_detail.heading.billing_address": { + "defaultMessage": "請求先住所" + }, + "account_order_detail.heading.num_of_items": { + "defaultMessage": "{count} 個の商品" + }, + "account_order_detail.heading.payment_method": { + "defaultMessage": "支払方法" + }, + "account_order_detail.heading.shipping_address": { + "defaultMessage": "配送先住所" + }, + "account_order_detail.heading.shipping_method": { + "defaultMessage": "配送方法" + }, + "account_order_detail.label.order_number": { + "defaultMessage": "注文番号: {orderNumber}" + }, + "account_order_detail.label.ordered_date": { + "defaultMessage": "注文日: {date}" + }, + "account_order_detail.label.pending_tracking_number": { + "defaultMessage": "保留中" + }, + "account_order_detail.label.tracking_number": { + "defaultMessage": "追跡番号" + }, + "account_order_detail.link.back_to_history": { + "defaultMessage": "注文履歴に戻る" + }, + "account_order_detail.shipping_status.not_shipped": { + "defaultMessage": "未出荷" + }, + "account_order_detail.shipping_status.part_shipped": { + "defaultMessage": "一部出荷済み" + }, + "account_order_detail.shipping_status.shipped": { + "defaultMessage": "出荷済み" + }, + "account_order_detail.title.order_details": { + "defaultMessage": "注文の詳細" + }, + "account_order_history.button.continue_shopping": { + "defaultMessage": "買い物を続ける" + }, + "account_order_history.description.once_you_place_order": { + "defaultMessage": "注文を確定すると、ここに詳細が表示されます。" + }, + "account_order_history.heading.no_order_yet": { + "defaultMessage": "まだ注文を確定していません。" + }, + "account_order_history.label.num_of_items": { + "defaultMessage": "{count} 個の商品", + "description": "Number of items in order" + }, + "account_order_history.label.order_number": { + "defaultMessage": "注文番号: {orderNumber}" + }, + "account_order_history.label.ordered_date": { + "defaultMessage": "注文日: {date}" + }, + "account_order_history.label.shipped_to": { + "defaultMessage": "配送先: {name}" + }, + "account_order_history.link.view_details": { + "defaultMessage": "詳細の表示" + }, + "account_order_history.title.order_history": { + "defaultMessage": "注文履歴" + }, + "account_wishlist.button.continue_shopping": { + "defaultMessage": "買い物を続ける" + }, + "account_wishlist.description.continue_shopping": { + "defaultMessage": "買い物を続けて、ほしい物リストに商品を追加してください。" + }, + "account_wishlist.heading.no_wishlist": { + "defaultMessage": "ほしい物リストに商品がありません" + }, + "account_wishlist.title.wishlist": { + "defaultMessage": "ほしい物リスト" + }, + "action_card.action.edit": { + "defaultMessage": "編集" + }, + "action_card.action.remove": { + "defaultMessage": "削除" + }, + "add_to_cart_modal.info.added_to_cart": { + "defaultMessage": "{quantity} {quantity, plural, one { 個の商品} other { 個の商品}}が買い物カゴに追加されました" + }, + "add_to_cart_modal.label.cart_subtotal": { + "defaultMessage": "買い物カゴ小計 ({itemAccumulatedCount} 個の商品)" + }, + "add_to_cart_modal.label.quantity": { + "defaultMessage": "個数" + }, + "add_to_cart_modal.link.checkout": { + "defaultMessage": "注文手続きに進む" + }, + "add_to_cart_modal.link.view_cart": { + "defaultMessage": "買い物カゴを表示" + }, + "add_to_cart_modal.recommended_products.title.might_also_like": { + "defaultMessage": "こちらもどうぞ" + }, + "auth_modal.button.close.assistive_msg": { + "defaultMessage": "ログインフォームを閉じる" + }, + "auth_modal.description.now_signed_in": { + "defaultMessage": "サインインしました。" + }, + "auth_modal.error.incorrect_email_or_password": { + "defaultMessage": "Eメールまたはパスワードが正しくありません。もう一度お試しください。" + }, + "auth_modal.info.welcome_user": { + "defaultMessage": "ようこそ、{name}さん" + }, + "auth_modal.password_reset_success.button.back_to_sign_in": { + "defaultMessage": "サインインに戻る" + }, + "auth_modal.password_reset_success.info.will_email_shortly": { + "defaultMessage": "パスワードリセットのリンクが記載された Eメールがまもなく {email} に届きます。" + }, + "auth_modal.password_reset_success.title.password_reset": { + "defaultMessage": "パスワードのリセット" + }, + "carousel.button.scroll_left.assistive_msg": { + "defaultMessage": "カルーセルを左へスクロール" + }, + "carousel.button.scroll_right.assistive_msg": { + "defaultMessage": "カルーセルを右へスクロール" + }, + "cart.info.removed_from_cart": { + "defaultMessage": "買い物カゴから商品が削除されました" + }, + "cart.recommended_products.title.may_also_like": { + "defaultMessage": "こちらもおすすめ" + }, + "cart.recommended_products.title.recently_viewed": { + "defaultMessage": "最近見た商品" + }, + "cart_cta.link.checkout": { + "defaultMessage": "注文手続きに進む" + }, + "cart_secondary_button_group.action.added_to_wishlist": { + "defaultMessage": "ほしい物リストに追加" + }, + "cart_secondary_button_group.action.edit": { + "defaultMessage": "編集" + }, + "cart_secondary_button_group.action.remove": { + "defaultMessage": "削除" + }, + "cart_secondary_button_group.label.this_is_gift": { + "defaultMessage": "これはギフトです。" + }, + "cart_skeleton.heading.order_summary": { + "defaultMessage": "注文の概要" + }, + "cart_skeleton.title.cart": { + "defaultMessage": "買い物カゴ" + }, + "cart_title.title.cart_num_of_items": { + "defaultMessage": "買い物カゴ ({itemCount, plural, =0 {0 個の商品} one {# 個の商品} other {# 個の商品}})" + }, + "cc_radio_group.action.remove": { + "defaultMessage": "削除" + }, + "cc_radio_group.button.add_new_card": { + "defaultMessage": "新しいカードの追加" + }, + "checkout.button.place_order": { + "defaultMessage": "注文の確定" + }, + "checkout.message.generic_error": { + "defaultMessage": "注文手続き中に予期しないエラーが発生しました。" + }, + "checkout_confirmation.button.create_account": { + "defaultMessage": "アカウントの作成" + }, + "checkout_confirmation.heading.billing_address": { + "defaultMessage": "請求先住所" + }, + "checkout_confirmation.heading.create_account": { + "defaultMessage": "アカウントを作成すると、注文手続きを素早く完了できます" + }, + "checkout_confirmation.heading.credit_card": { + "defaultMessage": "クレジットカード" + }, + "checkout_confirmation.heading.delivery_details": { + "defaultMessage": "配送の詳細" + }, + "checkout_confirmation.heading.order_summary": { + "defaultMessage": "注文の概要" + }, + "checkout_confirmation.heading.payment_details": { + "defaultMessage": "支払の詳細" + }, + "checkout_confirmation.heading.shipping_address": { + "defaultMessage": "配送先住所" + }, + "checkout_confirmation.heading.shipping_method": { + "defaultMessage": "配送方法" + }, + "checkout_confirmation.heading.thank_you_for_order": { + "defaultMessage": "ご注文いただきありがとうございました!" + }, + "checkout_confirmation.label.free": { + "defaultMessage": "無料" + }, + "checkout_confirmation.label.order_number": { + "defaultMessage": "注文番号" + }, + "checkout_confirmation.label.order_total": { + "defaultMessage": "ご注文金額合計" + }, + "checkout_confirmation.label.promo_applied": { + "defaultMessage": "プロモーションが適用されました" + }, + "checkout_confirmation.label.shipping": { + "defaultMessage": "配送" + }, + "checkout_confirmation.label.subtotal": { + "defaultMessage": "小計" + }, + "checkout_confirmation.label.tax": { + "defaultMessage": "税金" + }, + "checkout_confirmation.link.continue_shopping": { + "defaultMessage": "買い物を続ける" + }, + "checkout_confirmation.link.login": { + "defaultMessage": "ログインはこちらから" + }, + "checkout_confirmation.message.already_has_account": { + "defaultMessage": "この Eメールにはすでにアカウントがあります。" + }, + "checkout_confirmation.message.num_of_items_in_order": { + "defaultMessage": "{itemCount, plural, =0 {0 個の商品} one {# 個の商品} other {# 個の商品}}", + "description": "# item(s) in order" + }, + "checkout_confirmation.message.will_email_shortly": { + "defaultMessage": "確認番号と領収書が含まれる Eメールをまもなく {email} 宛にお送りします。" + }, + "checkout_footer.link.privacy_policy": { + "defaultMessage": "プライバシーポリシー" + }, + "checkout_footer.link.returns_exchanges": { + "defaultMessage": "返品および交換" + }, + "checkout_footer.link.shipping": { + "defaultMessage": "配送" + }, + "checkout_footer.link.site_map": { + "defaultMessage": "サイトマップ" + }, + "checkout_footer.link.terms_conditions": { + "defaultMessage": "使用条件" + }, + "checkout_footer.message.copyright": { + "defaultMessage": "Salesforce またはその系列会社。All Rights Reserved. これはデモのみを目的とするストアです。注文を確定しても処理されません。" + }, + "checkout_header.link.assistive_msg.cart": { + "defaultMessage": "買い物カゴに戻る、商品数: {numItems}" + }, + "checkout_header.link.cart": { + "defaultMessage": "買い物カゴに戻る" + }, + "checkout_payment.action.remove": { + "defaultMessage": "削除" + }, + "checkout_payment.button.review_order": { + "defaultMessage": "注文の確認" + }, + "checkout_payment.heading.billing_address": { + "defaultMessage": "請求先住所" + }, + "checkout_payment.heading.credit_card": { + "defaultMessage": "クレジットカード" + }, + "checkout_payment.label.same_as_shipping": { + "defaultMessage": "配送先住所と同じ" + }, + "checkout_payment.title.payment": { + "defaultMessage": "支払" + }, + "colorRefinements.label.hitCount": { + "defaultMessage": "{colorLabel} ({colorHitCount})" + }, + "confirmation_modal.default.action.no": { + "defaultMessage": "いいえ" + }, + "confirmation_modal.default.action.yes": { + "defaultMessage": "はい" + }, + "confirmation_modal.default.message.you_want_to_continue": { + "defaultMessage": "続行しますか?" + }, + "confirmation_modal.default.title.confirm_action": { + "defaultMessage": "操作の確認" + }, + "confirmation_modal.remove_cart_item.action.no": { + "defaultMessage": "いいえ、商品をキープします" + }, + "confirmation_modal.remove_cart_item.action.remove": { + "defaultMessage": "削除" + }, + "confirmation_modal.remove_cart_item.action.yes": { + "defaultMessage": "はい、商品を削除します" + }, + "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": { + "defaultMessage": "一部の商品がオンラインで入手できなくなったため、買い物カゴから削除されます。" + }, + "confirmation_modal.remove_cart_item.message.sure_to_remove": { + "defaultMessage": "この商品を買い物カゴから削除しますか?" + }, + "confirmation_modal.remove_cart_item.title.confirm_remove": { + "defaultMessage": "商品の削除の確認" + }, + "confirmation_modal.remove_cart_item.title.items_unavailable": { + "defaultMessage": "入手不可商品" + }, + "confirmation_modal.remove_wishlist_item.action.no": { + "defaultMessage": "いいえ、商品をキープします" + }, + "confirmation_modal.remove_wishlist_item.action.yes": { + "defaultMessage": "はい、商品を削除します" + }, + "confirmation_modal.remove_wishlist_item.message.sure_to_remove": { + "defaultMessage": "この商品をほしい物リストから削除しますか?" + }, + "confirmation_modal.remove_wishlist_item.title.confirm_remove": { + "defaultMessage": "商品の削除の確認" + }, + "contact_info.action.sign_out": { + "defaultMessage": "サインアウト" + }, + "contact_info.button.already_have_account": { + "defaultMessage": "すでにアカウントをお持ちですか?ログイン" + }, + "contact_info.button.checkout_as_guest": { + "defaultMessage": "ゲストとして注文手続きへ進む" + }, + "contact_info.button.login": { + "defaultMessage": "ログイン" + }, + "contact_info.error.incorrect_username_or_password": { + "defaultMessage": "ユーザー名またはパスワードが間違っています。もう一度お試しください。" + }, + "contact_info.link.forgot_password": { + "defaultMessage": "パスワードを忘れましたか?" + }, + "contact_info.title.contact_info": { + "defaultMessage": "連絡先情報" + }, + "credit_card_fields.tool_tip.security_code": { + "defaultMessage": "この 3 桁のコードはカードの裏面に記載されています。", + "description": "Generic credit card security code help text" + }, + "credit_card_fields.tool_tip.security_code.american_express": { + "defaultMessage": "この 4 桁のコードはカードの表面に記載されています。", + "description": "American Express security code help text" + }, + "credit_card_fields.tool_tip.security_code_aria_label": { + "defaultMessage": "セキュリティコード情報" + }, + "drawer_menu.button.account_details": { + "defaultMessage": "アカウントの詳細" + }, + "drawer_menu.button.addresses": { + "defaultMessage": "住所" + }, + "drawer_menu.button.log_out": { + "defaultMessage": "ログアウト" + }, + "drawer_menu.button.my_account": { + "defaultMessage": "マイアカウント" + }, + "drawer_menu.button.order_history": { + "defaultMessage": "注文履歴" + }, + "drawer_menu.link.about_us": { + "defaultMessage": "企業情報" + }, + "drawer_menu.link.customer_support": { + "defaultMessage": "カスタマーサポート" + }, + "drawer_menu.link.customer_support.contact_us": { + "defaultMessage": "お問い合わせ" + }, + "drawer_menu.link.customer_support.shipping_and_returns": { + "defaultMessage": "配送と返品" + }, + "drawer_menu.link.our_company": { + "defaultMessage": "当社について" + }, + "drawer_menu.link.privacy_and_security": { + "defaultMessage": "プライバシー & セキュリティ" + }, + "drawer_menu.link.privacy_policy": { + "defaultMessage": "プライバシーポリシー" + }, + "drawer_menu.link.shop_all": { + "defaultMessage": "すべての商品" + }, + "drawer_menu.link.sign_in": { + "defaultMessage": "サインイン" + }, + "drawer_menu.link.site_map": { + "defaultMessage": "サイトマップ" + }, + "drawer_menu.link.store_locator": { + "defaultMessage": "店舗検索" + }, + "drawer_menu.link.terms_and_conditions": { + "defaultMessage": "使用条件" + }, + "empty_cart.description.empty_cart": { + "defaultMessage": "買い物カゴは空です。" + }, + "empty_cart.link.continue_shopping": { + "defaultMessage": "買い物を続ける" + }, + "empty_cart.link.sign_in": { + "defaultMessage": "サインイン" + }, + "empty_cart.message.continue_shopping": { + "defaultMessage": "買い物を続けて、買い物カゴに商品を追加してください。" + }, + "empty_cart.message.sign_in_or_continue_shopping": { + "defaultMessage": "サインインして保存された商品を取得するか、買い物を続けてください。" + }, + "empty_search_results.info.cant_find_anything_for_category": { + "defaultMessage": "{category}では該当する商品が見つかりませんでした。商品を検索してみるか、または{link}ください。" + }, + "empty_search_results.info.cant_find_anything_for_query": { + "defaultMessage": "\"{searchQuery}\" では該当する商品が見つかりませんでした。" + }, + "empty_search_results.info.double_check_spelling": { + "defaultMessage": "入力内容に間違いがないか再度ご確認の上、もう一度やり直すか、または{link}ください。" + }, + "empty_search_results.link.contact_us": { + "defaultMessage": "お問い合わせ" + }, + "empty_search_results.recommended_products.title.most_viewed": { + "defaultMessage": "最も閲覧された商品" + }, + "empty_search_results.recommended_products.title.top_sellers": { + "defaultMessage": "売れ筋商品" + }, + "field.password.assistive_msg.hide_password": { + "defaultMessage": "パスワードを非表示" + }, + "field.password.assistive_msg.show_password": { + "defaultMessage": "パスワードを表示" + }, + "footer.column.account": { + "defaultMessage": "アカウント" + }, + "footer.column.customer_support": { + "defaultMessage": "カスタマーサポート" + }, + "footer.column.our_company": { + "defaultMessage": "当社について" + }, + "footer.link.about_us": { + "defaultMessage": "企業情報" + }, + "footer.link.contact_us": { + "defaultMessage": "お問い合わせ" + }, + "footer.link.order_status": { + "defaultMessage": "注文ステータス" + }, + "footer.link.privacy_policy": { + "defaultMessage": "プライバシーポリシー" + }, + "footer.link.shipping": { + "defaultMessage": "配送" + }, + "footer.link.signin_create_account": { + "defaultMessage": "サインインするかアカウントを作成してください" + }, + "footer.link.site_map": { + "defaultMessage": "サイトマップ" + }, + "footer.link.store_locator": { + "defaultMessage": "店舗検索" + }, + "footer.link.terms_conditions": { + "defaultMessage": "使用条件" + }, + "footer.message.copyright": { + "defaultMessage": "Salesforce またはその系列会社。All Rights Reserved. これはデモのみを目的とするストアです。注文を確定しても処理されません。" + }, + "footer.subscribe.button.sign_up": { + "defaultMessage": "サインアップ" + }, + "footer.subscribe.description.sign_up": { + "defaultMessage": "サインアップすると人気のお買い得商品について最新情報を入手できます" + }, + "footer.subscribe.heading.first_to_know": { + "defaultMessage": "最新情報を誰よりも早く入手" + }, + "form_action_buttons.button.cancel": { + "defaultMessage": "キャンセル" + }, + "form_action_buttons.button.save": { + "defaultMessage": "保存" + }, + "global.account.link.account_details": { + "defaultMessage": "アカウントの詳細" + }, + "global.account.link.addresses": { + "defaultMessage": "住所" + }, + "global.account.link.order_history": { + "defaultMessage": "注文履歴" + }, + "global.account.link.wishlist": { + "defaultMessage": "ほしい物リスト" + }, + "global.error.something_went_wrong": { + "defaultMessage": "問題が発生しました。もう一度お試しください!" + }, + "global.info.added_to_wishlist": { + "defaultMessage": "{quantity} {quantity, plural, one { 個の商品} other { 個の商品}}がほしい物リストに追加されました" + }, + "global.info.already_in_wishlist": { + "defaultMessage": "商品はすでにほしい物リストに追加されています" + }, + "global.info.removed_from_wishlist": { + "defaultMessage": "ほしい物リストから商品が削除されました" + }, + "global.link.added_to_wishlist.view_wishlist": { + "defaultMessage": "表示" + }, + "header.button.assistive_msg.logo": { + "defaultMessage": "ロゴ" + }, + "header.button.assistive_msg.menu": { + "defaultMessage": "メニュー" + }, + "header.button.assistive_msg.my_account": { + "defaultMessage": "マイアカウント" + }, + "header.button.assistive_msg.my_account_menu": { + "defaultMessage": "アカウントメニューを開く" + }, + "header.button.assistive_msg.my_cart_with_num_items": { + "defaultMessage": "マイ買い物カゴ、商品数: {numItems}" + }, + "header.button.assistive_msg.wishlist": { + "defaultMessage": "ほしい物リスト" + }, + "header.field.placeholder.search_for_products": { + "defaultMessage": "商品の検索..." + }, + "header.popover.action.log_out": { + "defaultMessage": "ログアウト" + }, + "header.popover.title.my_account": { + "defaultMessage": "マイアカウント" + }, + "home.description.features": { + "defaultMessage": "すぐに使える機能が用意されているため、機能の強化のみに注力できます。" + }, + "home.description.here_to_help": { + "defaultMessage": "サポート担当者にご連絡ください。" + }, + "home.description.here_to_help_line_2": { + "defaultMessage": "適切な部門におつなげします。" + }, + "home.description.shop_products": { + "defaultMessage": "このセクションには、カタログからのコンテンツが含まれています。カタログの置き換え方法に関する{docLink}。", + "description": "{docLink} is a html button that links the user to https://sfdc.co/business-manager-manage-catalogs" + }, + "home.features.description.cart_checkout": { + "defaultMessage": "eコマースの買い物客の買い物カゴと注文手続き体験のベストプラクティス。" + }, + "home.features.description.components": { + "defaultMessage": "Chakra UI を使用して構築された、シンプルなモジュラー型のアクセシブルな React コンポーネントライブラリ。" + }, + "home.features.description.einstein_recommendations": { + "defaultMessage": "商品レコメンデーションにより、次善の商品やオファーをすべての買い物客に提示します。" + }, + "home.features.description.my_account": { + "defaultMessage": "買い物客は、プロフィール、住所、支払、注文などのアカウント情報を管理できます。" + }, + "home.features.description.shopper_login": { + "defaultMessage": "買い物客がより簡単にログインし、よりパーソナル化された買い物体験を得られるようにします。" + }, + "home.features.description.wishlist": { + "defaultMessage": "登録済みの買い物客は商品をほしい物リストに追加し、あとで購入できるようにしておけます。" + }, + "home.features.heading.cart_checkout": { + "defaultMessage": "買い物カゴ & 注文手続き" + }, + "home.features.heading.components": { + "defaultMessage": "コンポーネント & 設計キット" + }, + "home.features.heading.einstein_recommendations": { + "defaultMessage": "Einstein レコメンデーション" + }, + "home.features.heading.my_account": { + "defaultMessage": "マイアカウント" + }, + "home.features.heading.shopper_login": { + "defaultMessage": "Shopper Login and API Access Service (SLAS)" + }, + "home.features.heading.wishlist": { + "defaultMessage": "ほしい物リスト" + }, + "home.heading.features": { + "defaultMessage": "機能" + }, + "home.heading.here_to_help": { + "defaultMessage": "弊社にお任せください" + }, + "home.heading.shop_products": { + "defaultMessage": "ショップの商品" + }, + "home.hero_features.link.design_kit": { + "defaultMessage": "Figma PWA Design Kit で作成" + }, + "home.hero_features.link.on_github": { + "defaultMessage": "Github でダウンロード" + }, + "home.hero_features.link.on_managed_runtime": { + "defaultMessage": "Managed Runtime でデプロイ" + }, + "home.link.contact_us": { + "defaultMessage": "お問い合わせ" + }, + "home.link.get_started": { + "defaultMessage": "開始する" + }, + "home.link.read_docs": { + "defaultMessage": "ドキュメントを読む" + }, + "home.title.react_starter_store": { + "defaultMessage": "リテール用 React PWA Starter Store" + }, + "icons.assistive_msg.lock": { + "defaultMessage": "セキュア" + }, + "item_attributes.label.promotions": { + "defaultMessage": "プロモーション" + }, + "item_attributes.label.quantity": { + "defaultMessage": "数量: {quantity}" + }, + "item_image.label.sale": { + "defaultMessage": "セール", + "description": "A sale badge placed on top of a product image" + }, + "item_image.label.unavailable": { + "defaultMessage": "入手不可", + "description": "A unavailable badge placed on top of a product image" + }, + "item_price.label.starting_at": { + "defaultMessage": "最低価格" + }, + "lCPCxk": { + "defaultMessage": "上記のすべてのオプションを選択してください" + }, + "list_menu.nav.assistive_msg": { + "defaultMessage": "メインナビゲーション" + }, + "locale_text.message.ar-SA": { + "defaultMessage": "アラビア語 (サウジアラビア)" + }, + "locale_text.message.bn-BD": { + "defaultMessage": "バングラ語 (バングラデシュ)" + }, + "locale_text.message.bn-IN": { + "defaultMessage": "バングラ語 (インド)" + }, + "locale_text.message.cs-CZ": { + "defaultMessage": "チェコ語 (チェコ共和国)" + }, + "locale_text.message.da-DK": { + "defaultMessage": "デンマーク語 (デンマーク)" + }, + "locale_text.message.de-AT": { + "defaultMessage": "ドイツ語 (オーストリア)" + }, + "locale_text.message.de-CH": { + "defaultMessage": "ドイツ語 (スイス)" + }, + "locale_text.message.de-DE": { + "defaultMessage": "ドイツ語 (ドイツ)" + }, + "locale_text.message.el-GR": { + "defaultMessage": "ギリシャ語 (ギリシャ)" + }, + "locale_text.message.en-AU": { + "defaultMessage": "英語 (オーストラリア)" + }, + "locale_text.message.en-CA": { + "defaultMessage": "英語 (カナダ)" + }, + "locale_text.message.en-GB": { + "defaultMessage": "英語 (英国)" + }, + "locale_text.message.en-IE": { + "defaultMessage": "英語 (アイルランド)" + }, + "locale_text.message.en-IN": { + "defaultMessage": "英語 (インド)" + }, + "locale_text.message.en-NZ": { + "defaultMessage": "英語 (ニュージーランド)" + }, + "locale_text.message.en-US": { + "defaultMessage": "英語 (米国)" + }, + "locale_text.message.en-ZA": { + "defaultMessage": "英語 (南アフリカ)" + }, + "locale_text.message.es-AR": { + "defaultMessage": "スペイン語 (アルゼンチン)" + }, + "locale_text.message.es-CL": { + "defaultMessage": "スペイン語 (チリ)" + }, + "locale_text.message.es-CO": { + "defaultMessage": "スペイン語 (コロンビア)" + }, + "locale_text.message.es-ES": { + "defaultMessage": "スペイン語 (スペイン)" + }, + "locale_text.message.es-MX": { + "defaultMessage": "スペイン語 (メキシコ)" + }, + "locale_text.message.es-US": { + "defaultMessage": "スペイン語 (米国)" + }, + "locale_text.message.fi-FI": { + "defaultMessage": "フィンランド語 (フィンランド)" + }, + "locale_text.message.fr-BE": { + "defaultMessage": "フランス語 (ベルギー)" + }, + "locale_text.message.fr-CA": { + "defaultMessage": "フランス語 (カナダ)" + }, + "locale_text.message.fr-CH": { + "defaultMessage": "フランス語 (スイス)" + }, + "locale_text.message.fr-FR": { + "defaultMessage": "フランス語 (フランス)" + }, + "locale_text.message.he-IL": { + "defaultMessage": "ヘブライ語 (イスラエル)" + }, + "locale_text.message.hi-IN": { + "defaultMessage": "ヒンディー語 (インド)" + }, + "locale_text.message.hu-HU": { + "defaultMessage": "ハンガリー語 (ハンガリー)" + }, + "locale_text.message.id-ID": { + "defaultMessage": "インドネシア語 (インドネシア)" + }, + "locale_text.message.it-CH": { + "defaultMessage": "イタリア語 (スイス)" + }, + "locale_text.message.it-IT": { + "defaultMessage": "イタリア語 (イタリア)" + }, + "locale_text.message.ja-JP": { + "defaultMessage": "日本語 (日本)" + }, + "locale_text.message.ko-KR": { + "defaultMessage": "韓国語 (韓国)" + }, + "locale_text.message.nl-BE": { + "defaultMessage": "オランダ語 (ベルギー)" + }, + "locale_text.message.nl-NL": { + "defaultMessage": "オランダ語 (オランダ)" + }, + "locale_text.message.no-NO": { + "defaultMessage": "ノルウェー語 (ノルウェー)" + }, + "locale_text.message.pl-PL": { + "defaultMessage": "ポーランド語 (ポーランド)" + }, + "locale_text.message.pt-BR": { + "defaultMessage": "ポルトガル語 (ブラジル)" + }, + "locale_text.message.pt-PT": { + "defaultMessage": "ポルトガル語 (ポルトガル)" + }, + "locale_text.message.ro-RO": { + "defaultMessage": "ルーマニア語 (ルーマニア)" + }, + "locale_text.message.ru-RU": { + "defaultMessage": "ロシア語 (ロシア連邦)" + }, + "locale_text.message.sk-SK": { + "defaultMessage": "スロバキア語 (スロバキア)" + }, + "locale_text.message.sv-SE": { + "defaultMessage": "スウェーデン語 (スウェーデン)" + }, + "locale_text.message.ta-IN": { + "defaultMessage": "タミール語 (インド)" + }, + "locale_text.message.ta-LK": { + "defaultMessage": "タミール語 (スリランカ)" + }, + "locale_text.message.th-TH": { + "defaultMessage": "タイ語 (タイ)" + }, + "locale_text.message.tr-TR": { + "defaultMessage": "トルコ語 (トルコ)" + }, + "locale_text.message.zh-CN": { + "defaultMessage": "中国語 (中国)" + }, + "locale_text.message.zh-HK": { + "defaultMessage": "中国語 (香港)" + }, + "locale_text.message.zh-TW": { + "defaultMessage": "中国語 (台湾)" + }, + "login_form.action.create_account": { + "defaultMessage": "アカウントの作成" + }, + "login_form.button.sign_in": { + "defaultMessage": "サインイン" + }, + "login_form.link.forgot_password": { + "defaultMessage": "パスワードを忘れましたか?" + }, + "login_form.message.dont_have_account": { + "defaultMessage": "アカウントをお持ちではありませんか?" + }, + "login_form.message.welcome_back": { + "defaultMessage": "お帰りなさい" + }, + "login_page.error.incorrect_username_or_password": { + "defaultMessage": "ユーザー名またはパスワードが間違っています。もう一度お試しください。" + }, + "offline_banner.description.browsing_offline_mode": { + "defaultMessage": "現在オフラインモードで閲覧しています" + }, + "order_summary.action.remove_promo": { + "defaultMessage": "削除" + }, + "order_summary.cart_items.action.num_of_items_in_cart": { + "defaultMessage": "{itemCount, plural, =0 {0 個の商品} one {# 個の商品} other {# 個の商品}}が買い物カゴに入っています", + "description": "clicking it would expand/show the items in cart" + }, + "order_summary.cart_items.link.edit_cart": { + "defaultMessage": "買い物カゴを編集する" + }, + "order_summary.heading.order_summary": { + "defaultMessage": "注文の概要" + }, + "order_summary.label.estimated_total": { + "defaultMessage": "見積合計金額" + }, + "order_summary.label.free": { + "defaultMessage": "無料" + }, + "order_summary.label.order_total": { + "defaultMessage": "ご注文金額合計" + }, + "order_summary.label.promo_applied": { + "defaultMessage": "プロモーションが適用されました" + }, + "order_summary.label.promotions_applied": { + "defaultMessage": "プロモーションが適用されました" + }, + "order_summary.label.shipping": { + "defaultMessage": "配送" + }, + "order_summary.label.subtotal": { + "defaultMessage": "小計" + }, + "order_summary.label.tax": { + "defaultMessage": "税金" + }, + "page_not_found.action.go_back": { + "defaultMessage": "前のページに戻る" + }, + "page_not_found.link.homepage": { + "defaultMessage": "ホームページに移動する" + }, + "page_not_found.message.suggestion_to_try": { + "defaultMessage": "アドレスを再入力するか、前のページに戻るか、ホームページに移動してください。" + }, + "page_not_found.title.page_cant_be_found": { + "defaultMessage": "お探しのページが見つかりません。" + }, + "pagination.field.num_of_pages": { + "defaultMessage": "/{numOfPages}" + }, + "pagination.link.next": { + "defaultMessage": "次へ" + }, + "pagination.link.next.assistive_msg": { + "defaultMessage": "次のページ" + }, + "pagination.link.prev": { + "defaultMessage": "前へ" + }, + "pagination.link.prev.assistive_msg": { + "defaultMessage": "前のページ" + }, + "password_card.info.password_updated": { + "defaultMessage": "パスワードが更新されました" + }, + "password_card.label.password": { + "defaultMessage": "パスワード" + }, + "password_card.title.password": { + "defaultMessage": "パスワード" + }, + "password_requirements.error.eight_letter_minimum": { + "defaultMessage": "最低 8 文字", + "description": "Password requirement" + }, + "password_requirements.error.one_lowercase_letter": { + "defaultMessage": "小文字 1 個", + "description": "Password requirement" + }, + "password_requirements.error.one_number": { + "defaultMessage": "数字 1 個", + "description": "Password requirement" + }, + "password_requirements.error.one_special_character": { + "defaultMessage": "特殊文字 (例: , S ! % #) 1 個", + "description": "Password requirement" + }, + "password_requirements.error.one_uppercase_letter": { + "defaultMessage": "大文字 1 個", + "description": "Password requirement" + }, + "payment_selection.heading.credit_card": { + "defaultMessage": "クレジットカード" + }, + "payment_selection.tooltip.secure_payment": { + "defaultMessage": "これは SSL 暗号化によるセキュアな支払方法です。" + }, + "price_per_item.label.each": { + "defaultMessage": "単価", + "description": "Abbreviated 'each', follows price per item, like $10/ea" + }, + "product_detail.accordion.button.product_detail": { + "defaultMessage": "商品の詳細" + }, + "product_detail.accordion.button.questions": { + "defaultMessage": "質問" + }, + "product_detail.accordion.button.reviews": { + "defaultMessage": "レビュー" + }, + "product_detail.accordion.button.size_fit": { + "defaultMessage": "サイズとフィット" + }, + "product_detail.accordion.message.coming_soon": { + "defaultMessage": "準備中" + }, + "product_detail.recommended_products.title.complete_set": { + "defaultMessage": "セットを完成" + }, + "product_detail.recommended_products.title.might_also_like": { + "defaultMessage": "こちらもどうぞ" + }, + "product_detail.recommended_products.title.recently_viewed": { + "defaultMessage": "最近見た商品" + }, + "product_item.label.quantity": { + "defaultMessage": "数量: " + }, + "product_list.button.filter": { + "defaultMessage": "フィルター" + }, + "product_list.button.sort_by": { + "defaultMessage": "並べ替え順: {sortOption}" + }, + "product_list.drawer.title.sort_by": { + "defaultMessage": "並べ替え順" + }, + "product_list.modal.button.clear_filters": { + "defaultMessage": "フィルターのクリア" + }, + "product_list.modal.button.view_items": { + "defaultMessage": "{prroductCount} 個の商品を表示" + }, + "product_list.modal.title.filter": { + "defaultMessage": "フィルター" + }, + "product_list.refinements.button.assistive_msg.add_filter": { + "defaultMessage": "フィルターの追加: {label}" + }, + "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": { + "defaultMessage": "フィルターの追加: {label} ({hitCount})" + }, + "product_list.refinements.button.assistive_msg.remove_filter": { + "defaultMessage": "フィルターの削除: {label}" + }, + "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": { + "defaultMessage": "フィルターの削除: {label} ({hitCount})" + }, + "product_list.select.sort_by": { + "defaultMessage": "並べ替え順: {sortOption}" + }, + "product_scroller.assistive_msg.scroll_left": { + "defaultMessage": "商品を左へスクロール" + }, + "product_scroller.assistive_msg.scroll_right": { + "defaultMessage": "商品を右へスクロール" + }, + "product_tile.assistive_msg.add_to_wishlist": { + "defaultMessage": "{product} をほしい物リストに追加" + }, + "product_tile.assistive_msg.remove_from_wishlist": { + "defaultMessage": "{product} をほしい物リストから削除" + }, + "product_tile.label.starting_at_price": { + "defaultMessage": "最低価格: {price}" + }, + "product_view.button.add_set_to_cart": { + "defaultMessage": "セットを買い物カゴに追加" + }, + "product_view.button.add_set_to_wishlist": { + "defaultMessage": "セットをほしい物リストに追加" + }, + "product_view.button.add_to_cart": { + "defaultMessage": "買い物カゴに追加" + }, + "product_view.button.add_to_wishlist": { + "defaultMessage": "ほしい物リストに追加" + }, + "product_view.button.update": { + "defaultMessage": "更新" + }, + "product_view.label.assistive_msg.quantity_decrement": { + "defaultMessage": "数量を減らす" + }, + "product_view.label.assistive_msg.quantity_increment": { + "defaultMessage": "数量を増やす" + }, + "product_view.label.quantity": { + "defaultMessage": "数量" + }, + "product_view.label.quantity_decrement": { + "defaultMessage": "−" + }, + "product_view.label.quantity_increment": { + "defaultMessage": "+" + }, + "product_view.label.starting_at_price": { + "defaultMessage": "最低価格" + }, + "product_view.label.variant_type": { + "defaultMessage": "{variantType}" + }, + "product_view.link.full_details": { + "defaultMessage": "すべての情報を表示" + }, + "profile_card.info.profile_updated": { + "defaultMessage": "プロフィールが更新されました" + }, + "profile_card.label.email": { + "defaultMessage": "Eメール" + }, + "profile_card.label.full_name": { + "defaultMessage": "氏名" + }, + "profile_card.label.phone": { + "defaultMessage": "電話番号" + }, + "profile_card.message.not_provided": { + "defaultMessage": "指定されていません" + }, + "profile_card.title.my_profile": { + "defaultMessage": "マイプロフィール" + }, + "promo_code_fields.button.apply": { + "defaultMessage": "適用" + }, + "promo_popover.assistive_msg.info": { + "defaultMessage": "情報" + }, + "promo_popover.heading.promo_applied": { + "defaultMessage": "プロモーションが適用されました" + }, + "promocode.accordion.button.have_promocode": { + "defaultMessage": "プロモーションコードをお持ちですか?" + }, + "recent_searches.action.clear_searches": { + "defaultMessage": "最近の検索をクリア" + }, + "recent_searches.heading.recent_searches": { + "defaultMessage": "最近の検索" + }, + "register_form.action.sign_in": { + "defaultMessage": "サインイン" + }, + "register_form.button.create_account": { + "defaultMessage": "アカウントの作成" + }, + "register_form.heading.lets_get_started": { + "defaultMessage": "さあ、始めましょう!" + }, + "register_form.message.agree_to_policy_terms": { + "defaultMessage": "アカウントを作成した場合、Salesforce のプライバシーポリシー使用条件にご同意いただいたものと見なされます" + }, + "register_form.message.already_have_account": { + "defaultMessage": "すでにアカウントをお持ちですか?" + }, + "register_form.message.create_an_account": { + "defaultMessage": "アカウントを作成すると、売れ筋商品、インスピレーション、コミュニティに最初にアクセスできます。" + }, + "reset_password.button.back_to_sign_in": { + "defaultMessage": "サインインに戻る" + }, + "reset_password.info.receive_email_shortly": { + "defaultMessage": "パスワードリセットのリンクが記載された Eメールがまもなく {email} に届きます。" + }, + "reset_password.title.password_reset": { + "defaultMessage": "パスワードのリセット" + }, + "reset_password_form.action.sign_in": { + "defaultMessage": "サインイン" + }, + "reset_password_form.button.reset_password": { + "defaultMessage": "パスワードのリセット" + }, + "reset_password_form.message.enter_your_email": { + "defaultMessage": "パスワードのリセット方法を受け取るには Eメールを入力してください" + }, + "reset_password_form.message.return_to_sign_in": { + "defaultMessage": "または次のリンクをクリックしてください: ", + "description": "Precedes link to return to sign in" + }, + "reset_password_form.title.reset_password": { + "defaultMessage": "パスワードのリセット" + }, + "search.action.cancel": { + "defaultMessage": "キャンセル" + }, + "selected_refinements.action.assistive_msg.clear_all": { + "defaultMessage": "すべてのフィルターをクリア" + }, + "selected_refinements.action.clear_all": { + "defaultMessage": "すべてクリア" + }, + "shipping_address.button.continue_to_shipping": { + "defaultMessage": "配送方法に進む" + }, + "shipping_address.title.shipping_address": { + "defaultMessage": "配送先住所" + }, + "shipping_address_edit_form.button.save_and_continue": { + "defaultMessage": "保存して配送方法に進む" + }, + "shipping_address_form.heading.edit_address": { + "defaultMessage": "住所を編集する" + }, + "shipping_address_form.heading.new_address": { + "defaultMessage": "新しい住所の追加" + }, + "shipping_address_selection.button.add_address": { + "defaultMessage": "新しい住所の追加" + }, + "shipping_address_selection.button.submit": { + "defaultMessage": "送信" + }, + "shipping_address_selection.title.add_address": { + "defaultMessage": "新しい住所の追加" + }, + "shipping_address_selection.title.edit_shipping": { + "defaultMessage": "配送先住所の編集" + }, + "shipping_options.action.send_as_a_gift": { + "defaultMessage": "ギフトとして発送しますか?" + }, + "shipping_options.button.continue_to_payment": { + "defaultMessage": "支払に進む" + }, + "shipping_options.title.shipping_gift_options": { + "defaultMessage": "配送とギフトのオプション" + }, + "signout_confirmation_dialog.button.cancel": { + "defaultMessage": "キャンセル" + }, + "signout_confirmation_dialog.button.sign_out": { + "defaultMessage": "サインアウト" + }, + "signout_confirmation_dialog.heading.sign_out": { + "defaultMessage": "サインアウト" + }, + "signout_confirmation_dialog.message.sure_to_sign_out": { + "defaultMessage": "サインアウトしますか?現在のご注文を処理するには、再度サインインする必要があります。" + }, + "swatch_group.selected.label": { + "defaultMessage": "{label}: " + }, + "toggle_card.action.edit": { + "defaultMessage": "編集" + }, + "update_password_fields.button.forgot_password": { + "defaultMessage": "パスワードを忘れましたか?" + }, + "use_address_fields.error.please_enter_first_name": { + "defaultMessage": "名を入力してください。" + }, + "use_address_fields.error.please_enter_last_name": { + "defaultMessage": "姓を入力してください。" + }, + "use_address_fields.error.please_enter_phone_number": { + "defaultMessage": "電話番号を入力してください。" + }, + "use_address_fields.error.please_enter_your_postal_or_zip": { + "defaultMessage": "郵便番号を入力してください。" + }, + "use_address_fields.error.please_select_your_address": { + "defaultMessage": "住所を入力してください。" + }, + "use_address_fields.error.please_select_your_city": { + "defaultMessage": "市区町村を入力してください。" + }, + "use_address_fields.error.please_select_your_country": { + "defaultMessage": "国を選択してください。" + }, + "use_address_fields.error.please_select_your_state_or_province": { + "defaultMessage": "州を選択してください。" + }, + "use_address_fields.error.required": { + "defaultMessage": "必須" + }, + "use_address_fields.error.state_code_invalid": { + "defaultMessage": "2 文字の州コードを入力してください。" + }, + "use_address_fields.label.address": { + "defaultMessage": "住所" + }, + "use_address_fields.label.address_form": { + "defaultMessage": "住所フォーム" + }, + "use_address_fields.label.city": { + "defaultMessage": "市区町村" + }, + "use_address_fields.label.country": { + "defaultMessage": "国" + }, + "use_address_fields.label.first_name": { + "defaultMessage": "名" + }, + "use_address_fields.label.last_name": { + "defaultMessage": "姓" + }, + "use_address_fields.label.phone": { + "defaultMessage": "電話" + }, + "use_address_fields.label.postal_code": { + "defaultMessage": "郵便番号" + }, + "use_address_fields.label.preferred": { + "defaultMessage": "デフォルトとして設定" + }, + "use_address_fields.label.province": { + "defaultMessage": "州" + }, + "use_address_fields.label.state": { + "defaultMessage": "州" + }, + "use_address_fields.label.zipCode": { + "defaultMessage": "郵便番号" + }, + "use_credit_card_fields.error.required": { + "defaultMessage": "必須" + }, + "use_credit_card_fields.error.required_card_number": { + "defaultMessage": "カード番号を入力してください" + }, + "use_credit_card_fields.error.required_expiry": { + "defaultMessage": "有効期限を入力してください。" + }, + "use_credit_card_fields.error.required_name": { + "defaultMessage": "カードに記載されている名前を入力してください。" + }, + "use_credit_card_fields.error.required_security_code": { + "defaultMessage": "セキュリティコードを入力してください。" + }, + "use_credit_card_fields.error.valid_card_number": { + "defaultMessage": "有効なカード番号を入力してください。" + }, + "use_credit_card_fields.error.valid_date": { + "defaultMessage": "有効な日付を入力してください。" + }, + "use_credit_card_fields.error.valid_name": { + "defaultMessage": "有効な名前を入力してください。" + }, + "use_credit_card_fields.error.valid_security_code": { + "defaultMessage": "有効なセキュリティコードを入力してください。" + }, + "use_credit_card_fields.label.card_number": { + "defaultMessage": "カード番号" + }, + "use_credit_card_fields.label.card_type": { + "defaultMessage": "カードタイプ" + }, + "use_credit_card_fields.label.expiry": { + "defaultMessage": "有効期限" + }, + "use_credit_card_fields.label.name": { + "defaultMessage": "カードに記載されている名前" + }, + "use_credit_card_fields.label.security_code": { + "defaultMessage": "セキュリティコード" + }, + "use_login_fields.error.required_email": { + "defaultMessage": "Eメールアドレスを入力してください。" + }, + "use_login_fields.error.required_password": { + "defaultMessage": "パスワードを入力してください。" + }, + "use_login_fields.label.email": { + "defaultMessage": "Eメール" + }, + "use_login_fields.label.password": { + "defaultMessage": "パスワード" + }, + "use_product.message.inventory_remaining": { + "defaultMessage": "残り {stockLevel} 点!" + }, + "use_product.message.out_of_stock": { + "defaultMessage": "在庫切れ" + }, + "use_profile_fields.error.required_email": { + "defaultMessage": "有効な Eメールアドレスを入力してください。" + }, + "use_profile_fields.error.required_first_name": { + "defaultMessage": "名を入力してください。" + }, + "use_profile_fields.error.required_last_name": { + "defaultMessage": "姓を入力してください。" + }, + "use_profile_fields.error.required_phone": { + "defaultMessage": "電話番号を入力してください。" + }, + "use_profile_fields.label.email": { + "defaultMessage": "Eメール" + }, + "use_profile_fields.label.first_name": { + "defaultMessage": "名" + }, + "use_profile_fields.label.last_name": { + "defaultMessage": "姓" + }, + "use_profile_fields.label.phone": { + "defaultMessage": "電話番号" + }, + "use_promo_code_fields.error.required_promo_code": { + "defaultMessage": "有効なプロモーションコードを入力してください。" + }, + "use_promo_code_fields.label.promo_code": { + "defaultMessage": "プロモーションコード" + }, + "use_promocode.error.check_the_code": { + "defaultMessage": "コードを確認してもう一度お試しください。コードはすでに使用済みか、または有効期限が切れている可能性があります。" + }, + "use_promocode.info.promo_applied": { + "defaultMessage": "プロモーションが適用されました" + }, + "use_promocode.info.promo_removed": { + "defaultMessage": "プロモーションが削除されました" + }, + "use_registration_fields.error.contain_number": { + "defaultMessage": "パスワードには、少なくとも 1 個の数字を含める必要があります。" + }, + "use_registration_fields.error.lowercase_letter": { + "defaultMessage": "パスワードには、少なくとも 1 個の小文字を含める必要があります。" + }, + "use_registration_fields.error.minimum_characters": { + "defaultMessage": "パスワードには、少なくとも 8 文字を含める必要があります。" + }, + "use_registration_fields.error.required_email": { + "defaultMessage": "有効な Eメールアドレスを入力してください。" + }, + "use_registration_fields.error.required_first_name": { + "defaultMessage": "名を入力してください。" + }, + "use_registration_fields.error.required_last_name": { + "defaultMessage": "姓を入力してください。" + }, + "use_registration_fields.error.required_password": { + "defaultMessage": "パスワードを作成してください。" + }, + "use_registration_fields.error.special_character": { + "defaultMessage": "パスワードには、少なくとも 1 個の特殊文字を含める必要があります。" + }, + "use_registration_fields.error.uppercase_letter": { + "defaultMessage": "パスワードには、少なくとも 1 個の大文字を含める必要があります。" + }, + "use_registration_fields.label.email": { + "defaultMessage": "Eメール" + }, + "use_registration_fields.label.first_name": { + "defaultMessage": "名" + }, + "use_registration_fields.label.last_name": { + "defaultMessage": "姓" + }, + "use_registration_fields.label.password": { + "defaultMessage": "パスワード" + }, + "use_registration_fields.label.sign_up_to_emails": { + "defaultMessage": "Salesforce Eメールにサインアップする (購読はいつでも解除できます)" + }, + "use_reset_password_fields.error.required_email": { + "defaultMessage": "有効な Eメールアドレスを入力してください。" + }, + "use_reset_password_fields.label.email": { + "defaultMessage": "Eメール" + }, + "use_update_password_fields.error.contain_number": { + "defaultMessage": "パスワードには、少なくとも 1 個の数字を含める必要があります。" + }, + "use_update_password_fields.error.lowercase_letter": { + "defaultMessage": "パスワードには、少なくとも 1 個の小文字を含める必要があります。" + }, + "use_update_password_fields.error.minimum_characters": { + "defaultMessage": "パスワードには、少なくとも 8 文字を含める必要があります。" + }, + "use_update_password_fields.error.required_new_password": { + "defaultMessage": "新しいパスワードを入力してください。" + }, + "use_update_password_fields.error.required_password": { + "defaultMessage": "パスワードを入力してください。" + }, + "use_update_password_fields.error.special_character": { + "defaultMessage": "パスワードには、少なくとも 1 個の特殊文字を含める必要があります。" + }, + "use_update_password_fields.error.uppercase_letter": { + "defaultMessage": "パスワードには、少なくとも 1 個の大文字を含める必要があります。" + }, + "use_update_password_fields.label.current_password": { + "defaultMessage": "現在のパスワード" + }, + "use_update_password_fields.label.new_password": { + "defaultMessage": "新しいパスワード:" + }, + "wishlist_primary_action.button.add_set_to_cart": { + "defaultMessage": "セットを買い物カゴに追加" + }, + "wishlist_primary_action.button.add_to_cart": { + "defaultMessage": "買い物カゴに追加" + }, + "wishlist_primary_action.button.view_full_details": { + "defaultMessage": "すべての情報を表示" + }, + "wishlist_primary_action.button.view_options": { + "defaultMessage": "オプションを表示" + }, + "wishlist_primary_action.info.added_to_cart": { + "defaultMessage": "{quantity} {quantity, plural, one { 個の商品} other { 個の商品}}が買い物カゴに追加されました" + }, + "wishlist_secondary_button_group.action.remove": { + "defaultMessage": "削除" + }, + "wishlist_secondary_button_group.info.item_removed": { + "defaultMessage": "ほしい物リストから商品が削除されました" + }, + "with_registration.info.please_sign_in": { + "defaultMessage": "先に進むにはサインインしてください!" + } +} diff --git a/my-test-project/translations/ko-KR.json b/my-test-project/translations/ko-KR.json new file mode 100644 index 0000000000..65edc6a05d --- /dev/null +++ b/my-test-project/translations/ko-KR.json @@ -0,0 +1,1517 @@ +{ + "account.accordion.button.my_account": { + "defaultMessage": "내 계정" + }, + "account.heading.my_account": { + "defaultMessage": "내 계정" + }, + "account.logout_button.button.log_out": { + "defaultMessage": "로그아웃" + }, + "account_addresses.badge.default": { + "defaultMessage": "기본값" + }, + "account_addresses.button.add_address": { + "defaultMessage": "주소 추가" + }, + "account_addresses.info.address_removed": { + "defaultMessage": "주소가 제거됨" + }, + "account_addresses.info.address_updated": { + "defaultMessage": "주소가 업데이트됨" + }, + "account_addresses.info.new_address_saved": { + "defaultMessage": "새 주소가 저장됨" + }, + "account_addresses.page_action_placeholder.button.add_address": { + "defaultMessage": "주소 추가" + }, + "account_addresses.page_action_placeholder.heading.no_saved_addresses": { + "defaultMessage": "저장된 주소 없음" + }, + "account_addresses.page_action_placeholder.message.add_new_address": { + "defaultMessage": "빠른 체크아웃을 위해 새 주소를 추가합니다." + }, + "account_addresses.title.addresses": { + "defaultMessage": "주소" + }, + "account_detail.title.account_details": { + "defaultMessage": "계정 세부 정보" + }, + "account_order_detail.heading.billing_address": { + "defaultMessage": "청구 주소" + }, + "account_order_detail.heading.num_of_items": { + "defaultMessage": "{count}개 항목" + }, + "account_order_detail.heading.payment_method": { + "defaultMessage": "결제 방법" + }, + "account_order_detail.heading.shipping_address": { + "defaultMessage": "배송 주소" + }, + "account_order_detail.heading.shipping_method": { + "defaultMessage": "배송 방법" + }, + "account_order_detail.label.order_number": { + "defaultMessage": "주문 번호: {orderNumber}" + }, + "account_order_detail.label.ordered_date": { + "defaultMessage": "주문 날짜: {date}" + }, + "account_order_detail.label.pending_tracking_number": { + "defaultMessage": "대기 중" + }, + "account_order_detail.label.tracking_number": { + "defaultMessage": "추적 번호" + }, + "account_order_detail.link.back_to_history": { + "defaultMessage": "주문 내역으로 돌아가기" + }, + "account_order_detail.shipping_status.not_shipped": { + "defaultMessage": "출고되지 않음" + }, + "account_order_detail.shipping_status.part_shipped": { + "defaultMessage": "부분 출고됨" + }, + "account_order_detail.shipping_status.shipped": { + "defaultMessage": "출고됨" + }, + "account_order_detail.title.order_details": { + "defaultMessage": "주문 세부 정보" + }, + "account_order_history.button.continue_shopping": { + "defaultMessage": "계속 쇼핑하기" + }, + "account_order_history.description.once_you_place_order": { + "defaultMessage": "주문을 하면 여기에 세부 정보가 표시됩니다." + }, + "account_order_history.heading.no_order_yet": { + "defaultMessage": "아직 주문한 내역이 없습니다." + }, + "account_order_history.label.num_of_items": { + "defaultMessage": "{count}개 항목", + "description": "Number of items in order" + }, + "account_order_history.label.order_number": { + "defaultMessage": "주문 번호: {orderNumber}" + }, + "account_order_history.label.ordered_date": { + "defaultMessage": "주문 날짜: {date}" + }, + "account_order_history.label.shipped_to": { + "defaultMessage": "받는 사람: {name}" + }, + "account_order_history.link.view_details": { + "defaultMessage": "세부 정보 보기" + }, + "account_order_history.title.order_history": { + "defaultMessage": "주문 내역" + }, + "account_wishlist.button.continue_shopping": { + "defaultMessage": "계속 쇼핑하기" + }, + "account_wishlist.description.continue_shopping": { + "defaultMessage": "계속 쇼핑하면서 위시리스트에 항목을 추가합니다." + }, + "account_wishlist.heading.no_wishlist": { + "defaultMessage": "위시리스트 항목 없음" + }, + "account_wishlist.title.wishlist": { + "defaultMessage": "위시리스트" + }, + "action_card.action.edit": { + "defaultMessage": "편집" + }, + "action_card.action.remove": { + "defaultMessage": "제거" + }, + "add_to_cart_modal.info.added_to_cart": { + "defaultMessage": "{quantity} {quantity, plural, one {개 항목} other {개 항목}}이 카트에 추가됨" + }, + "add_to_cart_modal.label.cart_subtotal": { + "defaultMessage": "카트 소계({itemAccumulatedCount}개 항목)" + }, + "add_to_cart_modal.label.quantity": { + "defaultMessage": "수량" + }, + "add_to_cart_modal.link.checkout": { + "defaultMessage": "체크아웃 진행" + }, + "add_to_cart_modal.link.view_cart": { + "defaultMessage": "카트 보기" + }, + "add_to_cart_modal.recommended_products.title.might_also_like": { + "defaultMessage": "추천 상품" + }, + "auth_modal.button.close.assistive_msg": { + "defaultMessage": "로그인 양식 닫기" + }, + "auth_modal.description.now_signed_in": { + "defaultMessage": "이제 로그인되었습니다." + }, + "auth_modal.error.incorrect_email_or_password": { + "defaultMessage": "이메일 또는 암호가 잘못되었습니다. 다시 시도하십시오." + }, + "auth_modal.info.welcome_user": { + "defaultMessage": "{name} 님 안녕하세요." + }, + "auth_modal.password_reset_success.button.back_to_sign_in": { + "defaultMessage": "로그인 페이지로 돌아가기" + }, + "auth_modal.password_reset_success.info.will_email_shortly": { + "defaultMessage": "{email}(으)로 암호 재설정 링크가 포함된 이메일이 곧 발송됩니다." + }, + "auth_modal.password_reset_success.title.password_reset": { + "defaultMessage": "암호 재설정" + }, + "carousel.button.scroll_left.assistive_msg": { + "defaultMessage": "회전식 보기 왼쪽으로 스크롤" + }, + "carousel.button.scroll_right.assistive_msg": { + "defaultMessage": "회전식 보기 오른쪽으로 스크롤" + }, + "cart.info.removed_from_cart": { + "defaultMessage": "항목이 카트에서 제거됨" + }, + "cart.recommended_products.title.may_also_like": { + "defaultMessage": "추천 상품" + }, + "cart.recommended_products.title.recently_viewed": { + "defaultMessage": "최근에 봄" + }, + "cart_cta.link.checkout": { + "defaultMessage": "체크아웃 진행" + }, + "cart_secondary_button_group.action.added_to_wishlist": { + "defaultMessage": "위시리스트에 추가" + }, + "cart_secondary_button_group.action.edit": { + "defaultMessage": "편집" + }, + "cart_secondary_button_group.action.remove": { + "defaultMessage": "제거" + }, + "cart_secondary_button_group.label.this_is_gift": { + "defaultMessage": "선물로 구매" + }, + "cart_skeleton.heading.order_summary": { + "defaultMessage": "주문 요약" + }, + "cart_skeleton.title.cart": { + "defaultMessage": "카트" + }, + "cart_title.title.cart_num_of_items": { + "defaultMessage": "카트({itemCount, plural, =0 {0개 항목} one {#개 항목} other {#개 항목}})" + }, + "cc_radio_group.action.remove": { + "defaultMessage": "제거" + }, + "cc_radio_group.button.add_new_card": { + "defaultMessage": "새 카드 추가" + }, + "checkout.button.place_order": { + "defaultMessage": "주문하기" + }, + "checkout.message.generic_error": { + "defaultMessage": "체크아웃하는 중에 예상치 못한 오류가 발생했습니다. " + }, + "checkout_confirmation.button.create_account": { + "defaultMessage": "계정 생성" + }, + "checkout_confirmation.heading.billing_address": { + "defaultMessage": "청구 주소" + }, + "checkout_confirmation.heading.create_account": { + "defaultMessage": "빠른 체크아웃을 위해 계정을 만듭니다." + }, + "checkout_confirmation.heading.credit_card": { + "defaultMessage": "신용카드" + }, + "checkout_confirmation.heading.delivery_details": { + "defaultMessage": "배송 세부 정보" + }, + "checkout_confirmation.heading.order_summary": { + "defaultMessage": "주문 요약" + }, + "checkout_confirmation.heading.payment_details": { + "defaultMessage": "결제 세부 정보" + }, + "checkout_confirmation.heading.shipping_address": { + "defaultMessage": "배송 주소" + }, + "checkout_confirmation.heading.shipping_method": { + "defaultMessage": "배송 방법" + }, + "checkout_confirmation.heading.thank_you_for_order": { + "defaultMessage": "주문해 주셔서 감사합니다." + }, + "checkout_confirmation.label.free": { + "defaultMessage": "무료" + }, + "checkout_confirmation.label.order_number": { + "defaultMessage": "주문 번호" + }, + "checkout_confirmation.label.order_total": { + "defaultMessage": "주문 합계" + }, + "checkout_confirmation.label.promo_applied": { + "defaultMessage": "프로모션이 적용됨" + }, + "checkout_confirmation.label.shipping": { + "defaultMessage": "배송" + }, + "checkout_confirmation.label.subtotal": { + "defaultMessage": "소계" + }, + "checkout_confirmation.label.tax": { + "defaultMessage": "세금" + }, + "checkout_confirmation.link.continue_shopping": { + "defaultMessage": "계속 쇼핑하기" + }, + "checkout_confirmation.link.login": { + "defaultMessage": "여기서 로그인하십시오." + }, + "checkout_confirmation.message.already_has_account": { + "defaultMessage": "이 이메일을 사용한 계정이 이미 있습니다." + }, + "checkout_confirmation.message.num_of_items_in_order": { + "defaultMessage": "{itemCount, plural, =0 {0개 항목} one {#개 항목} other {#개 항목}}", + "description": "# item(s) in order" + }, + "checkout_confirmation.message.will_email_shortly": { + "defaultMessage": "{email}(으)로 확인 번호와 영수증이 포함된 이메일을 곧 보내드리겠습니다." + }, + "checkout_footer.link.privacy_policy": { + "defaultMessage": "개인정보보호 정책" + }, + "checkout_footer.link.returns_exchanges": { + "defaultMessage": "반품 및 교환" + }, + "checkout_footer.link.shipping": { + "defaultMessage": "배송" + }, + "checkout_footer.link.site_map": { + "defaultMessage": "사이트 맵" + }, + "checkout_footer.link.terms_conditions": { + "defaultMessage": "이용 약관" + }, + "checkout_footer.message.copyright": { + "defaultMessage": "Salesforce or its affiliates. All rights reserved. 데모용 매장입니다. 주문이 처리되지 않습니다." + }, + "checkout_header.link.assistive_msg.cart": { + "defaultMessage": "카트로 돌아가기, 품목 수: {numItems}" + }, + "checkout_header.link.cart": { + "defaultMessage": "카트로 돌아가기" + }, + "checkout_payment.action.remove": { + "defaultMessage": "제거" + }, + "checkout_payment.button.review_order": { + "defaultMessage": "주문 검토" + }, + "checkout_payment.heading.billing_address": { + "defaultMessage": "청구 주소" + }, + "checkout_payment.heading.credit_card": { + "defaultMessage": "신용카드" + }, + "checkout_payment.label.same_as_shipping": { + "defaultMessage": "배송 주소와 동일" + }, + "checkout_payment.title.payment": { + "defaultMessage": "결제" + }, + "colorRefinements.label.hitCount": { + "defaultMessage": "{colorLabel}({colorHitCount})" + }, + "confirmation_modal.default.action.no": { + "defaultMessage": "아니요" + }, + "confirmation_modal.default.action.yes": { + "defaultMessage": "예" + }, + "confirmation_modal.default.message.you_want_to_continue": { + "defaultMessage": "계속하시겠습니까?" + }, + "confirmation_modal.default.title.confirm_action": { + "defaultMessage": "작업 확인" + }, + "confirmation_modal.remove_cart_item.action.no": { + "defaultMessage": "아니요. 항목을 그대로 둡니다." + }, + "confirmation_modal.remove_cart_item.action.remove": { + "defaultMessage": "제거" + }, + "confirmation_modal.remove_cart_item.action.yes": { + "defaultMessage": "예. 항목을 제거합니다." + }, + "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": { + "defaultMessage": "더 이상 온라인으로 구매할 수 없는 일부 품목이 카트에서 제거됩니다." + }, + "confirmation_modal.remove_cart_item.message.sure_to_remove": { + "defaultMessage": "이 항목을 카트에서 제거하시겠습니까?" + }, + "confirmation_modal.remove_cart_item.title.confirm_remove": { + "defaultMessage": "항목 제거 확인" + }, + "confirmation_modal.remove_cart_item.title.items_unavailable": { + "defaultMessage": "품목 구매 불가" + }, + "confirmation_modal.remove_wishlist_item.action.no": { + "defaultMessage": "아니요. 항목을 그대로 둡니다." + }, + "confirmation_modal.remove_wishlist_item.action.yes": { + "defaultMessage": "예. 항목을 제거합니다." + }, + "confirmation_modal.remove_wishlist_item.message.sure_to_remove": { + "defaultMessage": "이 항목을 위시리스트에서 제거하시겠습니까?" + }, + "confirmation_modal.remove_wishlist_item.title.confirm_remove": { + "defaultMessage": "항목 제거 확인" + }, + "contact_info.action.sign_out": { + "defaultMessage": "로그아웃" + }, + "contact_info.button.already_have_account": { + "defaultMessage": "계정이 이미 있습니까? 로그인" + }, + "contact_info.button.checkout_as_guest": { + "defaultMessage": "비회원으로 체크아웃" + }, + "contact_info.button.login": { + "defaultMessage": "로그인" + }, + "contact_info.error.incorrect_username_or_password": { + "defaultMessage": "사용자 이름 또는 암호가 올바르지 않습니다. 다시 시도하십시오." + }, + "contact_info.link.forgot_password": { + "defaultMessage": "암호가 기억나지 않습니까?" + }, + "contact_info.title.contact_info": { + "defaultMessage": "연락처 정보" + }, + "credit_card_fields.tool_tip.security_code": { + "defaultMessage": "이 3자리 코드는 카드의 뒷면에서 확인할 수 있습니다.", + "description": "Generic credit card security code help text" + }, + "credit_card_fields.tool_tip.security_code.american_express": { + "defaultMessage": "이 4자리 코드는 카드의 전면에서 확인할 수 있습니다.", + "description": "American Express security code help text" + }, + "credit_card_fields.tool_tip.security_code_aria_label": { + "defaultMessage": "보안 코드 정보" + }, + "drawer_menu.button.account_details": { + "defaultMessage": "계정 세부 정보" + }, + "drawer_menu.button.addresses": { + "defaultMessage": "주소" + }, + "drawer_menu.button.log_out": { + "defaultMessage": "로그아웃" + }, + "drawer_menu.button.my_account": { + "defaultMessage": "내 계정" + }, + "drawer_menu.button.order_history": { + "defaultMessage": "주문 내역" + }, + "drawer_menu.link.about_us": { + "defaultMessage": "회사 정보" + }, + "drawer_menu.link.customer_support": { + "defaultMessage": "고객 지원" + }, + "drawer_menu.link.customer_support.contact_us": { + "defaultMessage": "문의" + }, + "drawer_menu.link.customer_support.shipping_and_returns": { + "defaultMessage": "배송 및 반품" + }, + "drawer_menu.link.our_company": { + "defaultMessage": "회사" + }, + "drawer_menu.link.privacy_and_security": { + "defaultMessage": "개인정보보호 및 보안" + }, + "drawer_menu.link.privacy_policy": { + "defaultMessage": "개인정보보호 정책" + }, + "drawer_menu.link.shop_all": { + "defaultMessage": "모두 구매" + }, + "drawer_menu.link.sign_in": { + "defaultMessage": "로그인" + }, + "drawer_menu.link.site_map": { + "defaultMessage": "사이트 맵" + }, + "drawer_menu.link.store_locator": { + "defaultMessage": "매장 찾기" + }, + "drawer_menu.link.terms_and_conditions": { + "defaultMessage": "이용 약관" + }, + "empty_cart.description.empty_cart": { + "defaultMessage": "카트가 비어 있습니다." + }, + "empty_cart.link.continue_shopping": { + "defaultMessage": "계속 쇼핑하기" + }, + "empty_cart.link.sign_in": { + "defaultMessage": "로그인" + }, + "empty_cart.message.continue_shopping": { + "defaultMessage": "계속 쇼핑하면서 카트에 항목을 추가합니다." + }, + "empty_cart.message.sign_in_or_continue_shopping": { + "defaultMessage": "로그인하여 저장된 항목을 검색하거나 쇼핑을 계속하십시오." + }, + "empty_search_results.info.cant_find_anything_for_category": { + "defaultMessage": "{category}에 해당하는 항목을 찾을 수 없습니다. 제품을 검색하거나 {link}을(를) 클릭해 보십시오." + }, + "empty_search_results.info.cant_find_anything_for_query": { + "defaultMessage": "'{searchQuery}'에 해당하는 항목을 찾을 수 없습니다." + }, + "empty_search_results.info.double_check_spelling": { + "defaultMessage": "철자를 다시 확인하고 다시 시도하거나 {link}을(를) 클릭해 보십시오." + }, + "empty_search_results.link.contact_us": { + "defaultMessage": "문의" + }, + "empty_search_results.recommended_products.title.most_viewed": { + "defaultMessage": "가장 많이 본 항목" + }, + "empty_search_results.recommended_products.title.top_sellers": { + "defaultMessage": "탑셀러" + }, + "field.password.assistive_msg.hide_password": { + "defaultMessage": "암호 숨기기" + }, + "field.password.assistive_msg.show_password": { + "defaultMessage": "암호 표시" + }, + "footer.column.account": { + "defaultMessage": "계정" + }, + "footer.column.customer_support": { + "defaultMessage": "고객 지원" + }, + "footer.column.our_company": { + "defaultMessage": "회사" + }, + "footer.link.about_us": { + "defaultMessage": "회사 정보" + }, + "footer.link.contact_us": { + "defaultMessage": "문의" + }, + "footer.link.order_status": { + "defaultMessage": "주문 상태" + }, + "footer.link.privacy_policy": { + "defaultMessage": "개인정보보호 정책" + }, + "footer.link.shipping": { + "defaultMessage": "배송" + }, + "footer.link.signin_create_account": { + "defaultMessage": "로그인 또는 계정 생성" + }, + "footer.link.site_map": { + "defaultMessage": "사이트 맵" + }, + "footer.link.store_locator": { + "defaultMessage": "매장 찾기" + }, + "footer.link.terms_conditions": { + "defaultMessage": "이용 약관" + }, + "footer.message.copyright": { + "defaultMessage": "Salesforce or its affiliates. All rights reserved. 데모용 매장입니다. 주문이 처리되지 않습니다." + }, + "footer.subscribe.button.sign_up": { + "defaultMessage": "가입하기" + }, + "footer.subscribe.description.sign_up": { + "defaultMessage": "특별한 구매 기회를 놓치지 않으려면 가입하세요." + }, + "footer.subscribe.heading.first_to_know": { + "defaultMessage": "최신 정보를 누구보다 빨리 받아보세요." + }, + "form_action_buttons.button.cancel": { + "defaultMessage": "취소" + }, + "form_action_buttons.button.save": { + "defaultMessage": "저장" + }, + "global.account.link.account_details": { + "defaultMessage": "계정 세부 정보" + }, + "global.account.link.addresses": { + "defaultMessage": "주소" + }, + "global.account.link.order_history": { + "defaultMessage": "주문 내역" + }, + "global.account.link.wishlist": { + "defaultMessage": "위시리스트" + }, + "global.error.something_went_wrong": { + "defaultMessage": "문제가 발생했습니다. 다시 시도하십시오." + }, + "global.info.added_to_wishlist": { + "defaultMessage": "{quantity} {quantity, plural, one {개 항목} other {개 항목}}이 위시리스트에 추가됨" + }, + "global.info.already_in_wishlist": { + "defaultMessage": "이미 위시리스트에 추가한 품목" + }, + "global.info.removed_from_wishlist": { + "defaultMessage": "항목이 위시리스트에서 제거됨" + }, + "global.link.added_to_wishlist.view_wishlist": { + "defaultMessage": "보기" + }, + "header.button.assistive_msg.logo": { + "defaultMessage": "로고" + }, + "header.button.assistive_msg.menu": { + "defaultMessage": "메뉴" + }, + "header.button.assistive_msg.my_account": { + "defaultMessage": "내 계정" + }, + "header.button.assistive_msg.my_account_menu": { + "defaultMessage": "계정 메뉴 열기" + }, + "header.button.assistive_msg.my_cart_with_num_items": { + "defaultMessage": "내 카트, 품목 수: {numItems}" + }, + "header.button.assistive_msg.wishlist": { + "defaultMessage": "위시리스트" + }, + "header.field.placeholder.search_for_products": { + "defaultMessage": "제품 검색..." + }, + "header.popover.action.log_out": { + "defaultMessage": "로그아웃" + }, + "header.popover.title.my_account": { + "defaultMessage": "내 계정" + }, + "home.description.features": { + "defaultMessage": "향상된 기능을 추가하는 데 집중할 수 있도록 기본 기능을 제공합니다." + }, + "home.description.here_to_help": { + "defaultMessage": "지원 담당자에게 문의하세요." + }, + "home.description.here_to_help_line_2": { + "defaultMessage": "올바른 위치로 안내해 드립니다." + }, + "home.description.shop_products": { + "defaultMessage": "이 섹션에는 카탈로그의 컨텐츠가 포함되어 있습니다. 대체하는 방법은 {docLink}에서 확인하세요.", + "description": "{docLink} is a html button that links the user to https://sfdc.co/business-manager-manage-catalogs" + }, + "home.features.description.cart_checkout": { + "defaultMessage": "구매자의 카트 및 체크아웃 경험에 대한 이커머스 모범 사례입니다." + }, + "home.features.description.components": { + "defaultMessage": "이용이 간편한 모듈식 React 구성요소 라이브러리인 Chakra UI를 사용하여 구축되었습니다." + }, + "home.features.description.einstein_recommendations": { + "defaultMessage": "권장 제품을 통해 모든 구매자에게 다른 추천 제품이나 오퍼를 제공합니다." + }, + "home.features.description.my_account": { + "defaultMessage": "구매자가 프로필, 주소, 결제, 주문 등의 계정 정보를 관리할 수 있습니다." + }, + "home.features.description.shopper_login": { + "defaultMessage": "구매자가 보다 개인화된 쇼핑 경험을 통해 편리하게 로그인할 수 있습니다." + }, + "home.features.description.wishlist": { + "defaultMessage": "등록된 구매자가 나중에 구매할 제품 항목을 위시리스트에 추가할 수 있습니다." + }, + "home.features.heading.cart_checkout": { + "defaultMessage": "카트 및 체크아웃" + }, + "home.features.heading.components": { + "defaultMessage": "구성요소 및 디자인 키트" + }, + "home.features.heading.einstein_recommendations": { + "defaultMessage": "Einstein 제품 추천" + }, + "home.features.heading.my_account": { + "defaultMessage": "내 계정" + }, + "home.features.heading.shopper_login": { + "defaultMessage": "Shopper Login and API Access Service(SLAS)" + }, + "home.features.heading.wishlist": { + "defaultMessage": "위시리스트" + }, + "home.heading.features": { + "defaultMessage": "기능" + }, + "home.heading.here_to_help": { + "defaultMessage": "도움 받기" + }, + "home.heading.shop_products": { + "defaultMessage": "제품 쇼핑" + }, + "home.hero_features.link.design_kit": { + "defaultMessage": "Figma PWA Design Kit를 사용하여 생성" + }, + "home.hero_features.link.on_github": { + "defaultMessage": "Github에서 다운로드" + }, + "home.hero_features.link.on_managed_runtime": { + "defaultMessage": "Managed Runtime에서 배포" + }, + "home.link.contact_us": { + "defaultMessage": "문의" + }, + "home.link.get_started": { + "defaultMessage": "시작하기" + }, + "home.link.read_docs": { + "defaultMessage": "문서 읽기" + }, + "home.title.react_starter_store": { + "defaultMessage": "소매점용 React PWA Starter Store" + }, + "icons.assistive_msg.lock": { + "defaultMessage": "보안" + }, + "item_attributes.label.promotions": { + "defaultMessage": "프로모션" + }, + "item_attributes.label.quantity": { + "defaultMessage": "수량: {quantity}" + }, + "item_image.label.sale": { + "defaultMessage": "판매", + "description": "A sale badge placed on top of a product image" + }, + "item_image.label.unavailable": { + "defaultMessage": "사용 불가", + "description": "A unavailable badge placed on top of a product image" + }, + "item_price.label.starting_at": { + "defaultMessage": "시작가" + }, + "lCPCxk": { + "defaultMessage": "위에서 옵션을 모두 선택하세요." + }, + "list_menu.nav.assistive_msg": { + "defaultMessage": "기본 탐색 메뉴" + }, + "locale_text.message.ar-SA": { + "defaultMessage": "아랍어(사우디아라비아)" + }, + "locale_text.message.bn-BD": { + "defaultMessage": "벵골어(방글라데시)" + }, + "locale_text.message.bn-IN": { + "defaultMessage": "벵골어(인도)" + }, + "locale_text.message.cs-CZ": { + "defaultMessage": "체코어(체코)" + }, + "locale_text.message.da-DK": { + "defaultMessage": "덴마크어(덴마크)" + }, + "locale_text.message.de-AT": { + "defaultMessage": "독일어(오스트리아)" + }, + "locale_text.message.de-CH": { + "defaultMessage": "독일어(스위스)" + }, + "locale_text.message.de-DE": { + "defaultMessage": "독일어(독일)" + }, + "locale_text.message.el-GR": { + "defaultMessage": "그리스어(그리스)" + }, + "locale_text.message.en-AU": { + "defaultMessage": "영어(오스트레일리아)" + }, + "locale_text.message.en-CA": { + "defaultMessage": "영어(캐나다)" + }, + "locale_text.message.en-GB": { + "defaultMessage": "영어(영국)" + }, + "locale_text.message.en-IE": { + "defaultMessage": "영어(아일랜드)" + }, + "locale_text.message.en-IN": { + "defaultMessage": "영어(인도)" + }, + "locale_text.message.en-NZ": { + "defaultMessage": "영어(뉴질랜드)" + }, + "locale_text.message.en-US": { + "defaultMessage": "영어(미국)" + }, + "locale_text.message.en-ZA": { + "defaultMessage": "영어(남아프리카공화국)" + }, + "locale_text.message.es-AR": { + "defaultMessage": "스페인어(아르헨티나)" + }, + "locale_text.message.es-CL": { + "defaultMessage": "스페인어(칠레)" + }, + "locale_text.message.es-CO": { + "defaultMessage": "스페인어(콜롬비아)" + }, + "locale_text.message.es-ES": { + "defaultMessage": "스페인어(스페인)" + }, + "locale_text.message.es-MX": { + "defaultMessage": "스페인어(멕시코)" + }, + "locale_text.message.es-US": { + "defaultMessage": "스페인어(미국)" + }, + "locale_text.message.fi-FI": { + "defaultMessage": "핀란드어(핀란드)" + }, + "locale_text.message.fr-BE": { + "defaultMessage": "프랑스어(벨기에)" + }, + "locale_text.message.fr-CA": { + "defaultMessage": "프랑스어(캐나다)" + }, + "locale_text.message.fr-CH": { + "defaultMessage": "프랑스어(스위스)" + }, + "locale_text.message.fr-FR": { + "defaultMessage": "프랑스어(프랑스)" + }, + "locale_text.message.he-IL": { + "defaultMessage": "히브리어(이스라엘)" + }, + "locale_text.message.hi-IN": { + "defaultMessage": "힌디어(인도)" + }, + "locale_text.message.hu-HU": { + "defaultMessage": "헝가리어(헝가리)" + }, + "locale_text.message.id-ID": { + "defaultMessage": "인도네시아어(인도네시아)" + }, + "locale_text.message.it-CH": { + "defaultMessage": "이탈리아어(스위스)" + }, + "locale_text.message.it-IT": { + "defaultMessage": "이탈리아어(이탈리아)" + }, + "locale_text.message.ja-JP": { + "defaultMessage": "일본어(일본)" + }, + "locale_text.message.ko-KR": { + "defaultMessage": "한국어(대한민국)" + }, + "locale_text.message.nl-BE": { + "defaultMessage": "네덜란드어(벨기에)" + }, + "locale_text.message.nl-NL": { + "defaultMessage": "네덜란드어(네덜란드)" + }, + "locale_text.message.no-NO": { + "defaultMessage": "노르웨이어(노르웨이)" + }, + "locale_text.message.pl-PL": { + "defaultMessage": "폴란드어(폴란드)" + }, + "locale_text.message.pt-BR": { + "defaultMessage": "포르투갈어(브라질)" + }, + "locale_text.message.pt-PT": { + "defaultMessage": "포르투갈어(포르투갈)" + }, + "locale_text.message.ro-RO": { + "defaultMessage": "루마니아어(루마니아)" + }, + "locale_text.message.ru-RU": { + "defaultMessage": "러시아어(러시아)" + }, + "locale_text.message.sk-SK": { + "defaultMessage": "슬로바키아어(슬로바키아)" + }, + "locale_text.message.sv-SE": { + "defaultMessage": "스웨덴어(스웨덴)" + }, + "locale_text.message.ta-IN": { + "defaultMessage": "타밀어(인도)" + }, + "locale_text.message.ta-LK": { + "defaultMessage": "타밀어(스리랑카)" + }, + "locale_text.message.th-TH": { + "defaultMessage": "태국어(태국)" + }, + "locale_text.message.tr-TR": { + "defaultMessage": "터키어(터키)" + }, + "locale_text.message.zh-CN": { + "defaultMessage": "중국어(중국)" + }, + "locale_text.message.zh-HK": { + "defaultMessage": "중국어(홍콩)" + }, + "locale_text.message.zh-TW": { + "defaultMessage": "중국어(타이완)" + }, + "login_form.action.create_account": { + "defaultMessage": "계정 생성" + }, + "login_form.button.sign_in": { + "defaultMessage": "로그인" + }, + "login_form.link.forgot_password": { + "defaultMessage": "암호가 기억나지 않습니까?" + }, + "login_form.message.dont_have_account": { + "defaultMessage": "계정이 없습니까?" + }, + "login_form.message.welcome_back": { + "defaultMessage": "다시 오신 것을 환영합니다." + }, + "login_page.error.incorrect_username_or_password": { + "defaultMessage": "사용자 이름 또는 암호가 올바르지 않습니다. 다시 시도하십시오." + }, + "offline_banner.description.browsing_offline_mode": { + "defaultMessage": "현재 오프라인 모드로 검색 중입니다." + }, + "order_summary.action.remove_promo": { + "defaultMessage": "제거" + }, + "order_summary.cart_items.action.num_of_items_in_cart": { + "defaultMessage": "카트에 {itemCount, plural, =0 {0개 항목} one {#개 항목} other {#개 항목}}이 있음", + "description": "clicking it would expand/show the items in cart" + }, + "order_summary.cart_items.link.edit_cart": { + "defaultMessage": "카트 편집" + }, + "order_summary.heading.order_summary": { + "defaultMessage": "주문 요약" + }, + "order_summary.label.estimated_total": { + "defaultMessage": "예상 합계" + }, + "order_summary.label.free": { + "defaultMessage": "무료" + }, + "order_summary.label.order_total": { + "defaultMessage": "주문 합계" + }, + "order_summary.label.promo_applied": { + "defaultMessage": "프로모션이 적용됨" + }, + "order_summary.label.promotions_applied": { + "defaultMessage": "프로모션이 적용됨" + }, + "order_summary.label.shipping": { + "defaultMessage": "배송" + }, + "order_summary.label.subtotal": { + "defaultMessage": "소계" + }, + "order_summary.label.tax": { + "defaultMessage": "세금" + }, + "page_not_found.action.go_back": { + "defaultMessage": "이전 페이지로 돌아가기" + }, + "page_not_found.link.homepage": { + "defaultMessage": "홈 페이지로 이동" + }, + "page_not_found.message.suggestion_to_try": { + "defaultMessage": "이 주소로 다시 시도해보거나 이전 페이지로 돌아가거나 홈 페이지로 돌아가십시오." + }, + "page_not_found.title.page_cant_be_found": { + "defaultMessage": "해당 페이지를 찾을 수 없습니다." + }, + "pagination.field.num_of_pages": { + "defaultMessage": "/{numOfPages}" + }, + "pagination.link.next": { + "defaultMessage": "다음" + }, + "pagination.link.next.assistive_msg": { + "defaultMessage": "다음 페이지" + }, + "pagination.link.prev": { + "defaultMessage": "이전" + }, + "pagination.link.prev.assistive_msg": { + "defaultMessage": "이전 페이지" + }, + "password_card.info.password_updated": { + "defaultMessage": "암호가 업데이트됨" + }, + "password_card.label.password": { + "defaultMessage": "암호" + }, + "password_card.title.password": { + "defaultMessage": "암호" + }, + "password_requirements.error.eight_letter_minimum": { + "defaultMessage": "최소 8자", + "description": "Password requirement" + }, + "password_requirements.error.one_lowercase_letter": { + "defaultMessage": "소문자 1개", + "description": "Password requirement" + }, + "password_requirements.error.one_number": { + "defaultMessage": "숫자 1개", + "description": "Password requirement" + }, + "password_requirements.error.one_special_character": { + "defaultMessage": "특수 문자 1개(예: , S ! % #)", + "description": "Password requirement" + }, + "password_requirements.error.one_uppercase_letter": { + "defaultMessage": "대문자 1개", + "description": "Password requirement" + }, + "payment_selection.heading.credit_card": { + "defaultMessage": "신용카드" + }, + "payment_selection.tooltip.secure_payment": { + "defaultMessage": "안전한 SSL 암호화 결제입니다." + }, + "price_per_item.label.each": { + "defaultMessage": "개", + "description": "Abbreviated 'each', follows price per item, like $10/ea" + }, + "product_detail.accordion.button.product_detail": { + "defaultMessage": "제품 세부 정보" + }, + "product_detail.accordion.button.questions": { + "defaultMessage": "문의" + }, + "product_detail.accordion.button.reviews": { + "defaultMessage": "리뷰" + }, + "product_detail.accordion.button.size_fit": { + "defaultMessage": "사이즈와 핏" + }, + "product_detail.accordion.message.coming_soon": { + "defaultMessage": "제공 예정" + }, + "product_detail.recommended_products.title.complete_set": { + "defaultMessage": "세트 완성" + }, + "product_detail.recommended_products.title.might_also_like": { + "defaultMessage": "추천 상품" + }, + "product_detail.recommended_products.title.recently_viewed": { + "defaultMessage": "최근에 봄" + }, + "product_item.label.quantity": { + "defaultMessage": "수량:" + }, + "product_list.button.filter": { + "defaultMessage": "필터" + }, + "product_list.button.sort_by": { + "defaultMessage": "정렬 기준: {sortOption}" + }, + "product_list.drawer.title.sort_by": { + "defaultMessage": "정렬 기준" + }, + "product_list.modal.button.clear_filters": { + "defaultMessage": "필터 지우기" + }, + "product_list.modal.button.view_items": { + "defaultMessage": "{prroductCount}개 항목 보기" + }, + "product_list.modal.title.filter": { + "defaultMessage": "필터" + }, + "product_list.refinements.button.assistive_msg.add_filter": { + "defaultMessage": "필터 추가: {label}" + }, + "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": { + "defaultMessage": "필터 추가: {label}({hitCount})" + }, + "product_list.refinements.button.assistive_msg.remove_filter": { + "defaultMessage": "필터 제거: {label}" + }, + "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": { + "defaultMessage": "필터 제거: {label}({hitCount})" + }, + "product_list.select.sort_by": { + "defaultMessage": "정렬 기준: {sortOption}" + }, + "product_scroller.assistive_msg.scroll_left": { + "defaultMessage": "제품 왼쪽으로 스크롤" + }, + "product_scroller.assistive_msg.scroll_right": { + "defaultMessage": "제품 오른쪽으로 스크롤" + }, + "product_tile.assistive_msg.add_to_wishlist": { + "defaultMessage": "위시리스트에 {product} 추가" + }, + "product_tile.assistive_msg.remove_from_wishlist": { + "defaultMessage": "위시리스트에서 {product} 제거" + }, + "product_tile.label.starting_at_price": { + "defaultMessage": "시작가: {price}" + }, + "product_view.button.add_set_to_cart": { + "defaultMessage": "카트에 세트 추가" + }, + "product_view.button.add_set_to_wishlist": { + "defaultMessage": "위시리스트에 세트 추가" + }, + "product_view.button.add_to_cart": { + "defaultMessage": "카트에 추가" + }, + "product_view.button.add_to_wishlist": { + "defaultMessage": "위시리스트에 추가" + }, + "product_view.button.update": { + "defaultMessage": "업데이트" + }, + "product_view.label.assistive_msg.quantity_decrement": { + "defaultMessage": "수량 줄이기" + }, + "product_view.label.assistive_msg.quantity_increment": { + "defaultMessage": "수량 늘리기" + }, + "product_view.label.quantity": { + "defaultMessage": "수량" + }, + "product_view.label.quantity_decrement": { + "defaultMessage": "−" + }, + "product_view.label.quantity_increment": { + "defaultMessage": "+" + }, + "product_view.label.starting_at_price": { + "defaultMessage": "시작가" + }, + "product_view.label.variant_type": { + "defaultMessage": "{variantType}" + }, + "product_view.link.full_details": { + "defaultMessage": "전체 세부 정보 보기" + }, + "profile_card.info.profile_updated": { + "defaultMessage": "프로필이 업데이트됨" + }, + "profile_card.label.email": { + "defaultMessage": "이메일" + }, + "profile_card.label.full_name": { + "defaultMessage": "성명" + }, + "profile_card.label.phone": { + "defaultMessage": "전화번호" + }, + "profile_card.message.not_provided": { + "defaultMessage": "제공되지 않음" + }, + "profile_card.title.my_profile": { + "defaultMessage": "내 프로필" + }, + "promo_code_fields.button.apply": { + "defaultMessage": "적용" + }, + "promo_popover.assistive_msg.info": { + "defaultMessage": "정보" + }, + "promo_popover.heading.promo_applied": { + "defaultMessage": "프로모션이 적용됨" + }, + "promocode.accordion.button.have_promocode": { + "defaultMessage": "프로모션 코드가 있습니까?" + }, + "recent_searches.action.clear_searches": { + "defaultMessage": "최근 검색 지우기" + }, + "recent_searches.heading.recent_searches": { + "defaultMessage": "최근 검색" + }, + "register_form.action.sign_in": { + "defaultMessage": "로그인" + }, + "register_form.button.create_account": { + "defaultMessage": "계정 생성" + }, + "register_form.heading.lets_get_started": { + "defaultMessage": "이제 시작하세요!" + }, + "register_form.message.agree_to_policy_terms": { + "defaultMessage": "계정을 만들면 Salesforce 개인정보보호 정책이용 약관에 동의한 것으로 간주됩니다." + }, + "register_form.message.already_have_account": { + "defaultMessage": "계정이 이미 있습니까?" + }, + "register_form.message.create_an_account": { + "defaultMessage": "계정을 만들고 최고의 제품, 아이디어, 커뮤니티를 누구보다 빨리 이용해 보세요." + }, + "reset_password.button.back_to_sign_in": { + "defaultMessage": "로그인 페이지로 돌아가기" + }, + "reset_password.info.receive_email_shortly": { + "defaultMessage": "{email}(으)로 암호 재설정 링크가 포함된 이메일이 곧 발송됩니다." + }, + "reset_password.title.password_reset": { + "defaultMessage": "암호 재설정" + }, + "reset_password_form.action.sign_in": { + "defaultMessage": "로그인" + }, + "reset_password_form.button.reset_password": { + "defaultMessage": "암호 재설정" + }, + "reset_password_form.message.enter_your_email": { + "defaultMessage": "암호를 재설정하는 방법에 대한 지침을 안내받으려면 이메일을 입력하십시오." + }, + "reset_password_form.message.return_to_sign_in": { + "defaultMessage": "돌아가기", + "description": "Precedes link to return to sign in" + }, + "reset_password_form.title.reset_password": { + "defaultMessage": "암호 재설정" + }, + "search.action.cancel": { + "defaultMessage": "취소" + }, + "selected_refinements.action.assistive_msg.clear_all": { + "defaultMessage": "필터 모두 지우기" + }, + "selected_refinements.action.clear_all": { + "defaultMessage": "모두 지우기" + }, + "shipping_address.button.continue_to_shipping": { + "defaultMessage": "배송 방법으로 계속 진행하기" + }, + "shipping_address.title.shipping_address": { + "defaultMessage": "배송 주소" + }, + "shipping_address_edit_form.button.save_and_continue": { + "defaultMessage": "저장하고 배송 방법으로 계속 진행하기" + }, + "shipping_address_form.heading.edit_address": { + "defaultMessage": "주소 편집" + }, + "shipping_address_form.heading.new_address": { + "defaultMessage": "새 주소 추가" + }, + "shipping_address_selection.button.add_address": { + "defaultMessage": "새 주소 추가" + }, + "shipping_address_selection.button.submit": { + "defaultMessage": "제출" + }, + "shipping_address_selection.title.add_address": { + "defaultMessage": "새 주소 추가" + }, + "shipping_address_selection.title.edit_shipping": { + "defaultMessage": "배송 주소 편집" + }, + "shipping_options.action.send_as_a_gift": { + "defaultMessage": "이 제품을 선물로 보내시겠습니까?" + }, + "shipping_options.button.continue_to_payment": { + "defaultMessage": "결제로 계속 진행하기" + }, + "shipping_options.title.shipping_gift_options": { + "defaultMessage": "배송 및 선물 옵션" + }, + "signout_confirmation_dialog.button.cancel": { + "defaultMessage": "취소" + }, + "signout_confirmation_dialog.button.sign_out": { + "defaultMessage": "로그아웃" + }, + "signout_confirmation_dialog.heading.sign_out": { + "defaultMessage": "로그아웃" + }, + "signout_confirmation_dialog.message.sure_to_sign_out": { + "defaultMessage": "로그아웃하시겠습니까? 현재 주문을 처리하려면 다시 로그인해야 합니다." + }, + "swatch_group.selected.label": { + "defaultMessage": "{label}:" + }, + "toggle_card.action.edit": { + "defaultMessage": "편집" + }, + "update_password_fields.button.forgot_password": { + "defaultMessage": "암호가 기억나지 않습니까?" + }, + "use_address_fields.error.please_enter_first_name": { + "defaultMessage": "이름을 입력하십시오." + }, + "use_address_fields.error.please_enter_last_name": { + "defaultMessage": "성을 입력하십시오." + }, + "use_address_fields.error.please_enter_phone_number": { + "defaultMessage": "전화번호를 입력하십시오." + }, + "use_address_fields.error.please_enter_your_postal_or_zip": { + "defaultMessage": "우편번호를 입력하십시오." + }, + "use_address_fields.error.please_select_your_address": { + "defaultMessage": "주소를 입력하십시오." + }, + "use_address_fields.error.please_select_your_city": { + "defaultMessage": "구/군/시를 입력하십시오." + }, + "use_address_fields.error.please_select_your_country": { + "defaultMessage": "국가를 선택하십시오." + }, + "use_address_fields.error.please_select_your_state_or_province": { + "defaultMessage": "시/도를 선택하십시오." + }, + "use_address_fields.error.required": { + "defaultMessage": "필수" + }, + "use_address_fields.error.state_code_invalid": { + "defaultMessage": "2자리 시/도를 입력하십시오." + }, + "use_address_fields.label.address": { + "defaultMessage": "주소" + }, + "use_address_fields.label.address_form": { + "defaultMessage": "주소 양식" + }, + "use_address_fields.label.city": { + "defaultMessage": "구/군/시" + }, + "use_address_fields.label.country": { + "defaultMessage": "국가" + }, + "use_address_fields.label.first_name": { + "defaultMessage": "이름" + }, + "use_address_fields.label.last_name": { + "defaultMessage": "성" + }, + "use_address_fields.label.phone": { + "defaultMessage": "전화번호" + }, + "use_address_fields.label.postal_code": { + "defaultMessage": "우편번호" + }, + "use_address_fields.label.preferred": { + "defaultMessage": "기본값으로 설정" + }, + "use_address_fields.label.province": { + "defaultMessage": "시/도" + }, + "use_address_fields.label.state": { + "defaultMessage": "시/도" + }, + "use_address_fields.label.zipCode": { + "defaultMessage": "우편번호" + }, + "use_credit_card_fields.error.required": { + "defaultMessage": "필수" + }, + "use_credit_card_fields.error.required_card_number": { + "defaultMessage": "카드 번호를 입력하십시오." + }, + "use_credit_card_fields.error.required_expiry": { + "defaultMessage": "만료 날짜를 입력하십시오." + }, + "use_credit_card_fields.error.required_name": { + "defaultMessage": "카드에 표시된 대로 이름을 입력하십시오." + }, + "use_credit_card_fields.error.required_security_code": { + "defaultMessage": "보안 코드를 입력하십시오." + }, + "use_credit_card_fields.error.valid_card_number": { + "defaultMessage": "유효한 카드 번호를 입력하십시오." + }, + "use_credit_card_fields.error.valid_date": { + "defaultMessage": "유효한 날짜를 입력하십시오." + }, + "use_credit_card_fields.error.valid_name": { + "defaultMessage": "올바른 이름을 입력하십시오." + }, + "use_credit_card_fields.error.valid_security_code": { + "defaultMessage": "유효한 보안 코드를 입력하십시오." + }, + "use_credit_card_fields.label.card_number": { + "defaultMessage": "카드 번호" + }, + "use_credit_card_fields.label.card_type": { + "defaultMessage": "카드 유형" + }, + "use_credit_card_fields.label.expiry": { + "defaultMessage": "만료 날짜" + }, + "use_credit_card_fields.label.name": { + "defaultMessage": "카드에 표시된 이름" + }, + "use_credit_card_fields.label.security_code": { + "defaultMessage": "보안 코드" + }, + "use_login_fields.error.required_email": { + "defaultMessage": "이메일 주소를 입력하십시오." + }, + "use_login_fields.error.required_password": { + "defaultMessage": "암호를 입력하십시오." + }, + "use_login_fields.label.email": { + "defaultMessage": "이메일" + }, + "use_login_fields.label.password": { + "defaultMessage": "암호" + }, + "use_product.message.inventory_remaining": { + "defaultMessage": "품절 임박({stockLevel}개 남음)" + }, + "use_product.message.out_of_stock": { + "defaultMessage": "품절" + }, + "use_profile_fields.error.required_email": { + "defaultMessage": "유효한 이메일 주소를 입력하십시오." + }, + "use_profile_fields.error.required_first_name": { + "defaultMessage": "이름을 입력하십시오." + }, + "use_profile_fields.error.required_last_name": { + "defaultMessage": "성을 입력하십시오." + }, + "use_profile_fields.error.required_phone": { + "defaultMessage": "전화번호를 입력하십시오." + }, + "use_profile_fields.label.email": { + "defaultMessage": "이메일" + }, + "use_profile_fields.label.first_name": { + "defaultMessage": "이름" + }, + "use_profile_fields.label.last_name": { + "defaultMessage": "성" + }, + "use_profile_fields.label.phone": { + "defaultMessage": "전화번호" + }, + "use_promo_code_fields.error.required_promo_code": { + "defaultMessage": "유효한 프로모션 코드를 제공하십시오." + }, + "use_promo_code_fields.label.promo_code": { + "defaultMessage": "프로모션 코드" + }, + "use_promocode.error.check_the_code": { + "defaultMessage": "코드를 확인하고 다시 시도하십시오. 이미 적용되었거나 프로모션이 만료되었을 수 있습니다." + }, + "use_promocode.info.promo_applied": { + "defaultMessage": "프로모션이 적용됨" + }, + "use_promocode.info.promo_removed": { + "defaultMessage": "프로모션이 제거됨" + }, + "use_registration_fields.error.contain_number": { + "defaultMessage": "암호에는 숫자가 하나 이상 포함되어야 합니다." + }, + "use_registration_fields.error.lowercase_letter": { + "defaultMessage": "암호에는 소문자가 하나 이상 포함되어야 합니다." + }, + "use_registration_fields.error.minimum_characters": { + "defaultMessage": "암호는 8자 이상이어야 합니다." + }, + "use_registration_fields.error.required_email": { + "defaultMessage": "유효한 이메일 주소를 입력하십시오." + }, + "use_registration_fields.error.required_first_name": { + "defaultMessage": "이름을 입력하십시오." + }, + "use_registration_fields.error.required_last_name": { + "defaultMessage": "성을 입력하십시오." + }, + "use_registration_fields.error.required_password": { + "defaultMessage": "암호를 생성하십시오." + }, + "use_registration_fields.error.special_character": { + "defaultMessage": "암호에는 특수 문자가 하나 이상 포함되어야 합니다." + }, + "use_registration_fields.error.uppercase_letter": { + "defaultMessage": "암호에는 대문자가 하나 이상 포함되어야 합니다." + }, + "use_registration_fields.label.email": { + "defaultMessage": "이메일" + }, + "use_registration_fields.label.first_name": { + "defaultMessage": "이름" + }, + "use_registration_fields.label.last_name": { + "defaultMessage": "성" + }, + "use_registration_fields.label.password": { + "defaultMessage": "암호" + }, + "use_registration_fields.label.sign_up_to_emails": { + "defaultMessage": "Salesforce 이메일 가입(언제든지 탈퇴 가능)" + }, + "use_reset_password_fields.error.required_email": { + "defaultMessage": "유효한 이메일 주소를 입력하십시오." + }, + "use_reset_password_fields.label.email": { + "defaultMessage": "이메일" + }, + "use_update_password_fields.error.contain_number": { + "defaultMessage": "암호에는 숫자가 하나 이상 포함되어야 합니다." + }, + "use_update_password_fields.error.lowercase_letter": { + "defaultMessage": "암호에는 소문자가 하나 이상 포함되어야 합니다." + }, + "use_update_password_fields.error.minimum_characters": { + "defaultMessage": "암호는 8자 이상이어야 합니다." + }, + "use_update_password_fields.error.required_new_password": { + "defaultMessage": "새 암호를 제공하십시오." + }, + "use_update_password_fields.error.required_password": { + "defaultMessage": "암호를 입력하십시오." + }, + "use_update_password_fields.error.special_character": { + "defaultMessage": "암호에는 특수 문자가 하나 이상 포함되어야 합니다." + }, + "use_update_password_fields.error.uppercase_letter": { + "defaultMessage": "암호에는 대문자가 하나 이상 포함되어야 합니다." + }, + "use_update_password_fields.label.current_password": { + "defaultMessage": "현재 암호" + }, + "use_update_password_fields.label.new_password": { + "defaultMessage": "새 암호" + }, + "wishlist_primary_action.button.add_set_to_cart": { + "defaultMessage": "카트에 세트 추가" + }, + "wishlist_primary_action.button.add_to_cart": { + "defaultMessage": "카트에 추가" + }, + "wishlist_primary_action.button.view_full_details": { + "defaultMessage": "전체 세부 정보 보기" + }, + "wishlist_primary_action.button.view_options": { + "defaultMessage": "옵션 보기" + }, + "wishlist_primary_action.info.added_to_cart": { + "defaultMessage": "{quantity} {quantity, plural, one {개 항목} other {개 항목}}이 카트에 추가됨" + }, + "wishlist_secondary_button_group.action.remove": { + "defaultMessage": "제거" + }, + "wishlist_secondary_button_group.info.item_removed": { + "defaultMessage": "항목이 위시리스트에서 제거됨" + }, + "with_registration.info.please_sign_in": { + "defaultMessage": "계속하려면 로그인하십시오." + } +} diff --git a/my-test-project/translations/pt-BR.json b/my-test-project/translations/pt-BR.json new file mode 100644 index 0000000000..ea6935042b --- /dev/null +++ b/my-test-project/translations/pt-BR.json @@ -0,0 +1,1517 @@ +{ + "account.accordion.button.my_account": { + "defaultMessage": "Minha conta" + }, + "account.heading.my_account": { + "defaultMessage": "Minha conta" + }, + "account.logout_button.button.log_out": { + "defaultMessage": "Sair" + }, + "account_addresses.badge.default": { + "defaultMessage": "Padrão" + }, + "account_addresses.button.add_address": { + "defaultMessage": "Adicionar endereço" + }, + "account_addresses.info.address_removed": { + "defaultMessage": "Endereço removido" + }, + "account_addresses.info.address_updated": { + "defaultMessage": "Endereço atualizado" + }, + "account_addresses.info.new_address_saved": { + "defaultMessage": "Novo endereço salvo" + }, + "account_addresses.page_action_placeholder.button.add_address": { + "defaultMessage": "Adicionar endereço" + }, + "account_addresses.page_action_placeholder.heading.no_saved_addresses": { + "defaultMessage": "Não há endereços salvos" + }, + "account_addresses.page_action_placeholder.message.add_new_address": { + "defaultMessage": "Adicione um novo método de endereço para agilizar o checkout." + }, + "account_addresses.title.addresses": { + "defaultMessage": "Endereços" + }, + "account_detail.title.account_details": { + "defaultMessage": "Detalhes da conta" + }, + "account_order_detail.heading.billing_address": { + "defaultMessage": "Endereço de cobrança" + }, + "account_order_detail.heading.num_of_items": { + "defaultMessage": "{count} itens" + }, + "account_order_detail.heading.payment_method": { + "defaultMessage": "Método de pagamento" + }, + "account_order_detail.heading.shipping_address": { + "defaultMessage": "Endereço de entrega" + }, + "account_order_detail.heading.shipping_method": { + "defaultMessage": "Método de entrega" + }, + "account_order_detail.label.order_number": { + "defaultMessage": "Número do pedido: {orderNumber}" + }, + "account_order_detail.label.ordered_date": { + "defaultMessage": "Pedido: {date}" + }, + "account_order_detail.label.pending_tracking_number": { + "defaultMessage": "Pendente" + }, + "account_order_detail.label.tracking_number": { + "defaultMessage": "Número de controle" + }, + "account_order_detail.link.back_to_history": { + "defaultMessage": "Voltar a Histórico de pedidos" + }, + "account_order_detail.shipping_status.not_shipped": { + "defaultMessage": "Não enviado" + }, + "account_order_detail.shipping_status.part_shipped": { + "defaultMessage": "Parcialmente enviado" + }, + "account_order_detail.shipping_status.shipped": { + "defaultMessage": "Enviado" + }, + "account_order_detail.title.order_details": { + "defaultMessage": "Detalhes do pedido" + }, + "account_order_history.button.continue_shopping": { + "defaultMessage": "Continuar comprando" + }, + "account_order_history.description.once_you_place_order": { + "defaultMessage": "Quando você faz um pedido, os detalhes aparecem aqui." + }, + "account_order_history.heading.no_order_yet": { + "defaultMessage": "Você ainda não fez um pedido." + }, + "account_order_history.label.num_of_items": { + "defaultMessage": "{count} itens", + "description": "Number of items in order" + }, + "account_order_history.label.order_number": { + "defaultMessage": "Número do pedido: {orderNumber}" + }, + "account_order_history.label.ordered_date": { + "defaultMessage": "Pedido: {date}" + }, + "account_order_history.label.shipped_to": { + "defaultMessage": "Enviado para: {name}" + }, + "account_order_history.link.view_details": { + "defaultMessage": "Ver detalhes" + }, + "account_order_history.title.order_history": { + "defaultMessage": "Histórico de pedidos" + }, + "account_wishlist.button.continue_shopping": { + "defaultMessage": "Continuar comprando" + }, + "account_wishlist.description.continue_shopping": { + "defaultMessage": "Continue comprando e adicionando itens na sua lista de desejos." + }, + "account_wishlist.heading.no_wishlist": { + "defaultMessage": "Não há itens na lista de desejos" + }, + "account_wishlist.title.wishlist": { + "defaultMessage": "Lista de desejos" + }, + "action_card.action.edit": { + "defaultMessage": "Editar" + }, + "action_card.action.remove": { + "defaultMessage": "Remover" + }, + "add_to_cart_modal.info.added_to_cart": { + "defaultMessage": "{quantity} {quantity, plural, one {item} other {itens}} adicionado(s) ao carrinho" + }, + "add_to_cart_modal.label.cart_subtotal": { + "defaultMessage": "Subtotal do carrinho ({itemAccumulatedCount} item/itens)" + }, + "add_to_cart_modal.label.quantity": { + "defaultMessage": "Qtd." + }, + "add_to_cart_modal.link.checkout": { + "defaultMessage": "Pagar" + }, + "add_to_cart_modal.link.view_cart": { + "defaultMessage": "Ver carrinho" + }, + "add_to_cart_modal.recommended_products.title.might_also_like": { + "defaultMessage": "Talvez você também queira" + }, + "auth_modal.button.close.assistive_msg": { + "defaultMessage": "Fechar formulário de logon" + }, + "auth_modal.description.now_signed_in": { + "defaultMessage": "Agora você fez login na sua conta." + }, + "auth_modal.error.incorrect_email_or_password": { + "defaultMessage": "Há algo errado com seu e-mail ou senha. Tente novamente." + }, + "auth_modal.info.welcome_user": { + "defaultMessage": "Olá {name}," + }, + "auth_modal.password_reset_success.button.back_to_sign_in": { + "defaultMessage": "Fazer login novamente" + }, + "auth_modal.password_reset_success.info.will_email_shortly": { + "defaultMessage": "Em breve, você receberá um e-mail em {email} com um link para redefinir a senha." + }, + "auth_modal.password_reset_success.title.password_reset": { + "defaultMessage": "Redefinição de senha" + }, + "carousel.button.scroll_left.assistive_msg": { + "defaultMessage": "Rolar o carrossel para a esquerda" + }, + "carousel.button.scroll_right.assistive_msg": { + "defaultMessage": "Rolar o carrossel para a direita" + }, + "cart.info.removed_from_cart": { + "defaultMessage": "Item removido do carrinho" + }, + "cart.recommended_products.title.may_also_like": { + "defaultMessage": "Talvez você também queira" + }, + "cart.recommended_products.title.recently_viewed": { + "defaultMessage": "Recentemente visualizados" + }, + "cart_cta.link.checkout": { + "defaultMessage": "Pagar" + }, + "cart_secondary_button_group.action.added_to_wishlist": { + "defaultMessage": "Adicionar à lista de desejos" + }, + "cart_secondary_button_group.action.edit": { + "defaultMessage": "Editar" + }, + "cart_secondary_button_group.action.remove": { + "defaultMessage": "Remover" + }, + "cart_secondary_button_group.label.this_is_gift": { + "defaultMessage": "É um presente." + }, + "cart_skeleton.heading.order_summary": { + "defaultMessage": "Resumo do pedido" + }, + "cart_skeleton.title.cart": { + "defaultMessage": "Carrinho" + }, + "cart_title.title.cart_num_of_items": { + "defaultMessage": "Carrinho ({itemCount, plural, =0 {0 itens} one {# item} other {# itens}})" + }, + "cc_radio_group.action.remove": { + "defaultMessage": "Remover" + }, + "cc_radio_group.button.add_new_card": { + "defaultMessage": "Adicionar novo cartão" + }, + "checkout.button.place_order": { + "defaultMessage": "Fazer pedido" + }, + "checkout.message.generic_error": { + "defaultMessage": "Ocorreu um erro inesperado durante o checkout." + }, + "checkout_confirmation.button.create_account": { + "defaultMessage": "Criar conta" + }, + "checkout_confirmation.heading.billing_address": { + "defaultMessage": "Endereço de cobrança" + }, + "checkout_confirmation.heading.create_account": { + "defaultMessage": "Criar uma conta para agilizar o checkout" + }, + "checkout_confirmation.heading.credit_card": { + "defaultMessage": "Cartão de crédito" + }, + "checkout_confirmation.heading.delivery_details": { + "defaultMessage": "Detalhes da entrega" + }, + "checkout_confirmation.heading.order_summary": { + "defaultMessage": "Resumo do pedido" + }, + "checkout_confirmation.heading.payment_details": { + "defaultMessage": "Detalhes do pagamento" + }, + "checkout_confirmation.heading.shipping_address": { + "defaultMessage": "Endereço de entrega" + }, + "checkout_confirmation.heading.shipping_method": { + "defaultMessage": "Método de entrega" + }, + "checkout_confirmation.heading.thank_you_for_order": { + "defaultMessage": "Agradecemos o seu pedido!" + }, + "checkout_confirmation.label.free": { + "defaultMessage": "Gratuito" + }, + "checkout_confirmation.label.order_number": { + "defaultMessage": "Número do pedido" + }, + "checkout_confirmation.label.order_total": { + "defaultMessage": "Total do pedido" + }, + "checkout_confirmation.label.promo_applied": { + "defaultMessage": "Promoção aplicada" + }, + "checkout_confirmation.label.shipping": { + "defaultMessage": "Frete" + }, + "checkout_confirmation.label.subtotal": { + "defaultMessage": "Subtotal" + }, + "checkout_confirmation.label.tax": { + "defaultMessage": "Imposto" + }, + "checkout_confirmation.link.continue_shopping": { + "defaultMessage": "Continuar comprando" + }, + "checkout_confirmation.link.login": { + "defaultMessage": "Fazer logon aqui" + }, + "checkout_confirmation.message.already_has_account": { + "defaultMessage": "Já há uma conta com este mesmo endereço de e-mail." + }, + "checkout_confirmation.message.num_of_items_in_order": { + "defaultMessage": "{itemCount, plural, =0 {0 itens} one {# item} other {# itens}})", + "description": "# item(s) in order" + }, + "checkout_confirmation.message.will_email_shortly": { + "defaultMessage": "Em breve, enviaremos um e-mail para {email} com seu número de confirmação e recibo." + }, + "checkout_footer.link.privacy_policy": { + "defaultMessage": "Política de privacidade" + }, + "checkout_footer.link.returns_exchanges": { + "defaultMessage": "Devoluções e trocas" + }, + "checkout_footer.link.shipping": { + "defaultMessage": "Frete" + }, + "checkout_footer.link.site_map": { + "defaultMessage": "Mapa do site" + }, + "checkout_footer.link.terms_conditions": { + "defaultMessage": "Termos e condições" + }, + "checkout_footer.message.copyright": { + "defaultMessage": "Salesforce ou suas afiliadas. Todos os direitos reservados. Esta é apenas uma loja de demonstração. Os pedidos feitos NÃO SERÃO processados." + }, + "checkout_header.link.assistive_msg.cart": { + "defaultMessage": "Voltar ao carrinho, número de itens: {numItems}" + }, + "checkout_header.link.cart": { + "defaultMessage": "Voltar ao carrinho" + }, + "checkout_payment.action.remove": { + "defaultMessage": "Remover" + }, + "checkout_payment.button.review_order": { + "defaultMessage": "Rever pedido" + }, + "checkout_payment.heading.billing_address": { + "defaultMessage": "Endereço de cobrança" + }, + "checkout_payment.heading.credit_card": { + "defaultMessage": "Cartão de crédito" + }, + "checkout_payment.label.same_as_shipping": { + "defaultMessage": "Igual ao endereço de entrega" + }, + "checkout_payment.title.payment": { + "defaultMessage": "Pagamento" + }, + "colorRefinements.label.hitCount": { + "defaultMessage": "{colorLabel} ({colorHitCount})" + }, + "confirmation_modal.default.action.no": { + "defaultMessage": "Não" + }, + "confirmation_modal.default.action.yes": { + "defaultMessage": "Sim" + }, + "confirmation_modal.default.message.you_want_to_continue": { + "defaultMessage": "Tem certeza de que deseja continuar?" + }, + "confirmation_modal.default.title.confirm_action": { + "defaultMessage": "Confirmar ação" + }, + "confirmation_modal.remove_cart_item.action.no": { + "defaultMessage": "Não, manter item" + }, + "confirmation_modal.remove_cart_item.action.remove": { + "defaultMessage": "Remover" + }, + "confirmation_modal.remove_cart_item.action.yes": { + "defaultMessage": "Sim, remover item" + }, + "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": { + "defaultMessage": "Alguns itens não estão mais disponíveis online e serão removidos de seu carrinho." + }, + "confirmation_modal.remove_cart_item.message.sure_to_remove": { + "defaultMessage": "Tem certeza de que deseja remover este item do carrinho?" + }, + "confirmation_modal.remove_cart_item.title.confirm_remove": { + "defaultMessage": "Confirmar remoção do item" + }, + "confirmation_modal.remove_cart_item.title.items_unavailable": { + "defaultMessage": "Itens indisponíveis" + }, + "confirmation_modal.remove_wishlist_item.action.no": { + "defaultMessage": "Não, manter item" + }, + "confirmation_modal.remove_wishlist_item.action.yes": { + "defaultMessage": "Sim, remover item" + }, + "confirmation_modal.remove_wishlist_item.message.sure_to_remove": { + "defaultMessage": "Tem certeza de que deseja remover este item da lista de desejos?" + }, + "confirmation_modal.remove_wishlist_item.title.confirm_remove": { + "defaultMessage": "Confirmar remoção do item" + }, + "contact_info.action.sign_out": { + "defaultMessage": "Fazer logoff" + }, + "contact_info.button.already_have_account": { + "defaultMessage": "Já tem uma conta? Fazer logon" + }, + "contact_info.button.checkout_as_guest": { + "defaultMessage": "Pagar como convidado" + }, + "contact_info.button.login": { + "defaultMessage": "Fazer logon" + }, + "contact_info.error.incorrect_username_or_password": { + "defaultMessage": "Nome de usuário ou senha incorreta. Tente novamente." + }, + "contact_info.link.forgot_password": { + "defaultMessage": "Esqueceu a senha?" + }, + "contact_info.title.contact_info": { + "defaultMessage": "Informações de contato" + }, + "credit_card_fields.tool_tip.security_code": { + "defaultMessage": "Este código de 3 dígitos pode ser encontrado no verso do seu cartão.", + "description": "Generic credit card security code help text" + }, + "credit_card_fields.tool_tip.security_code.american_express": { + "defaultMessage": "Este código de 4 dígitos pode ser encontrado na frente do seu cartão.", + "description": "American Express security code help text" + }, + "credit_card_fields.tool_tip.security_code_aria_label": { + "defaultMessage": "Informações do código de segurança" + }, + "drawer_menu.button.account_details": { + "defaultMessage": "Detalhes da conta" + }, + "drawer_menu.button.addresses": { + "defaultMessage": "Endereços" + }, + "drawer_menu.button.log_out": { + "defaultMessage": "Sair" + }, + "drawer_menu.button.my_account": { + "defaultMessage": "Minha conta" + }, + "drawer_menu.button.order_history": { + "defaultMessage": "Histórico de pedidos" + }, + "drawer_menu.link.about_us": { + "defaultMessage": "Sobre nós" + }, + "drawer_menu.link.customer_support": { + "defaultMessage": "Suporte ao cliente" + }, + "drawer_menu.link.customer_support.contact_us": { + "defaultMessage": "Entrar em contato" + }, + "drawer_menu.link.customer_support.shipping_and_returns": { + "defaultMessage": "Frete e devoluções" + }, + "drawer_menu.link.our_company": { + "defaultMessage": "Nossa empresa" + }, + "drawer_menu.link.privacy_and_security": { + "defaultMessage": "Privacidade e segurança" + }, + "drawer_menu.link.privacy_policy": { + "defaultMessage": "Política de privacidade" + }, + "drawer_menu.link.shop_all": { + "defaultMessage": "Ver tudo" + }, + "drawer_menu.link.sign_in": { + "defaultMessage": "Fazer logon" + }, + "drawer_menu.link.site_map": { + "defaultMessage": "Mapa do site" + }, + "drawer_menu.link.store_locator": { + "defaultMessage": "Localizador de lojas" + }, + "drawer_menu.link.terms_and_conditions": { + "defaultMessage": "Termos e condições" + }, + "empty_cart.description.empty_cart": { + "defaultMessage": "Seu carrinho está vazio." + }, + "empty_cart.link.continue_shopping": { + "defaultMessage": "Continuar comprando" + }, + "empty_cart.link.sign_in": { + "defaultMessage": "Fazer logon" + }, + "empty_cart.message.continue_shopping": { + "defaultMessage": "Continue comprando e adicione itens ao seu carrinho." + }, + "empty_cart.message.sign_in_or_continue_shopping": { + "defaultMessage": "Faça logon para recuperar seus itens salvos ou continuar a compra." + }, + "empty_search_results.info.cant_find_anything_for_category": { + "defaultMessage": "Não encontramos resultados para {category}. Tente pesquisar um produto ou {link}." + }, + "empty_search_results.info.cant_find_anything_for_query": { + "defaultMessage": "Não encontramos resultados para \"{searchQuery}\"." + }, + "empty_search_results.info.double_check_spelling": { + "defaultMessage": "Confira a ortografia e tente novamente ou {link}." + }, + "empty_search_results.link.contact_us": { + "defaultMessage": "Entre em contato" + }, + "empty_search_results.recommended_products.title.most_viewed": { + "defaultMessage": "Mais visto" + }, + "empty_search_results.recommended_products.title.top_sellers": { + "defaultMessage": "Mais vendidos" + }, + "field.password.assistive_msg.hide_password": { + "defaultMessage": "Ocultar senha" + }, + "field.password.assistive_msg.show_password": { + "defaultMessage": "Mostrar senha" + }, + "footer.column.account": { + "defaultMessage": "Conta" + }, + "footer.column.customer_support": { + "defaultMessage": "Suporte ao cliente" + }, + "footer.column.our_company": { + "defaultMessage": "Nossa empresa" + }, + "footer.link.about_us": { + "defaultMessage": "Sobre nós" + }, + "footer.link.contact_us": { + "defaultMessage": "Entre em contato" + }, + "footer.link.order_status": { + "defaultMessage": "Estado dos pedidos" + }, + "footer.link.privacy_policy": { + "defaultMessage": "Política de privacidade" + }, + "footer.link.shipping": { + "defaultMessage": "Frete" + }, + "footer.link.signin_create_account": { + "defaultMessage": "Fazer logon ou criar conta" + }, + "footer.link.site_map": { + "defaultMessage": "Mapa do site" + }, + "footer.link.store_locator": { + "defaultMessage": "Localizador de lojas" + }, + "footer.link.terms_conditions": { + "defaultMessage": "Termos e condições" + }, + "footer.message.copyright": { + "defaultMessage": "Salesforce ou suas afiliadas. Todos os direitos reservados. Esta é apenas uma loja de demonstração. Os pedidos feitos NÃO SERÃO processados." + }, + "footer.subscribe.button.sign_up": { + "defaultMessage": "Cadastro" + }, + "footer.subscribe.description.sign_up": { + "defaultMessage": "Registre-se para ficar por dentro de todas as ofertas" + }, + "footer.subscribe.heading.first_to_know": { + "defaultMessage": "Seja o primeiro a saber" + }, + "form_action_buttons.button.cancel": { + "defaultMessage": "Cancelar" + }, + "form_action_buttons.button.save": { + "defaultMessage": "Salvar" + }, + "global.account.link.account_details": { + "defaultMessage": "Detalhes da conta" + }, + "global.account.link.addresses": { + "defaultMessage": "Endereços" + }, + "global.account.link.order_history": { + "defaultMessage": "Histórico de pedidos" + }, + "global.account.link.wishlist": { + "defaultMessage": "Lista de desejos" + }, + "global.error.something_went_wrong": { + "defaultMessage": "Ocorreu um erro. Tente novamente." + }, + "global.info.added_to_wishlist": { + "defaultMessage": "{quantity} {quantity, plural, one {item} other {itens}} adicionado(s) à lista de desejos" + }, + "global.info.already_in_wishlist": { + "defaultMessage": "O item já está na lista de desejos" + }, + "global.info.removed_from_wishlist": { + "defaultMessage": "Item removido da lista de desejos" + }, + "global.link.added_to_wishlist.view_wishlist": { + "defaultMessage": "Ver" + }, + "header.button.assistive_msg.logo": { + "defaultMessage": "Logotipo" + }, + "header.button.assistive_msg.menu": { + "defaultMessage": "Menu" + }, + "header.button.assistive_msg.my_account": { + "defaultMessage": "Minha conta" + }, + "header.button.assistive_msg.my_account_menu": { + "defaultMessage": "Abrir menu de conta" + }, + "header.button.assistive_msg.my_cart_with_num_items": { + "defaultMessage": "Meu carrinho, número de itens: {numItems}" + }, + "header.button.assistive_msg.wishlist": { + "defaultMessage": "Lista de desejos" + }, + "header.field.placeholder.search_for_products": { + "defaultMessage": "Pesquisar produtos..." + }, + "header.popover.action.log_out": { + "defaultMessage": "Sair" + }, + "header.popover.title.my_account": { + "defaultMessage": "Minha conta" + }, + "home.description.features": { + "defaultMessage": "Recursos prontos para uso, para que você só precise adicionar melhorias." + }, + "home.description.here_to_help": { + "defaultMessage": "Entre em contato com nossa equipe de suporte." + }, + "home.description.here_to_help_line_2": { + "defaultMessage": "Eles vão levar você ao lugar certo." + }, + "home.description.shop_products": { + "defaultMessage": "Esta seção tem conteúdo do catálogo. {docLink} sobre como substitui-lo.", + "description": "{docLink} is a html button that links the user to https://sfdc.co/business-manager-manage-catalogs" + }, + "home.features.description.cart_checkout": { + "defaultMessage": "Práticas recomendadas de comércio eletrônico para a experiência de carrinho e checkout do comprador." + }, + "home.features.description.components": { + "defaultMessage": "Criado com Chakra UI, uma biblioteca de componentes de React simples, modulares e acessíveis." + }, + "home.features.description.einstein_recommendations": { + "defaultMessage": "Entregue o próximo melhor produto ou oferta a cada comprador por meio de recomendações de produto." + }, + "home.features.description.my_account": { + "defaultMessage": "Os compradores podem gerenciar as informações da conta, como perfil, endereços, pagamentos e pedidos." + }, + "home.features.description.shopper_login": { + "defaultMessage": "Permite que os compradores façam logon com uma experiência de compra mais personalizada." + }, + "home.features.description.wishlist": { + "defaultMessage": "Os compradores registrados podem adicionar itens de produtos à lista de desejos para comprá-los mais tarde." + }, + "home.features.heading.cart_checkout": { + "defaultMessage": "Carrinho e Checkout" + }, + "home.features.heading.components": { + "defaultMessage": "Componentes e Kit de design" + }, + "home.features.heading.einstein_recommendations": { + "defaultMessage": "Recomendações do Einstein" + }, + "home.features.heading.my_account": { + "defaultMessage": "Minha conta" + }, + "home.features.heading.shopper_login": { + "defaultMessage": "Shopper Login and API Access Service (SLAS)" + }, + "home.features.heading.wishlist": { + "defaultMessage": "Lista de desejos" + }, + "home.heading.features": { + "defaultMessage": "Recursos" + }, + "home.heading.here_to_help": { + "defaultMessage": "Estamos aqui para ajudar" + }, + "home.heading.shop_products": { + "defaultMessage": "Comprar produtos" + }, + "home.hero_features.link.design_kit": { + "defaultMessage": "Criar com o Figma PWA Design Kit" + }, + "home.hero_features.link.on_github": { + "defaultMessage": "Baixar no Github" + }, + "home.hero_features.link.on_managed_runtime": { + "defaultMessage": "Implantar no Managed Runtime" + }, + "home.link.contact_us": { + "defaultMessage": "Entre em contato" + }, + "home.link.get_started": { + "defaultMessage": "Começar" + }, + "home.link.read_docs": { + "defaultMessage": "Leia os documentos" + }, + "home.title.react_starter_store": { + "defaultMessage": "React PWA Starter Store para varejo" + }, + "icons.assistive_msg.lock": { + "defaultMessage": "Seguro" + }, + "item_attributes.label.promotions": { + "defaultMessage": "Promoções" + }, + "item_attributes.label.quantity": { + "defaultMessage": "Quantidade: {quantity}" + }, + "item_image.label.sale": { + "defaultMessage": "Promoção", + "description": "A sale badge placed on top of a product image" + }, + "item_image.label.unavailable": { + "defaultMessage": "Indisponível", + "description": "A unavailable badge placed on top of a product image" + }, + "item_price.label.starting_at": { + "defaultMessage": "A partir de" + }, + "lCPCxk": { + "defaultMessage": "Selecione todas as opções acima" + }, + "list_menu.nav.assistive_msg": { + "defaultMessage": "Navegação principal" + }, + "locale_text.message.ar-SA": { + "defaultMessage": "Árabe (Arábia Saudita)" + }, + "locale_text.message.bn-BD": { + "defaultMessage": "Bengali (Bangladesh)" + }, + "locale_text.message.bn-IN": { + "defaultMessage": "Bengali (Índia)" + }, + "locale_text.message.cs-CZ": { + "defaultMessage": "Tcheco (República Tcheca)" + }, + "locale_text.message.da-DK": { + "defaultMessage": "Dinamarquês (Dinamarca)" + }, + "locale_text.message.de-AT": { + "defaultMessage": "Alemão (Áustria)" + }, + "locale_text.message.de-CH": { + "defaultMessage": "Alemão (Suíça)" + }, + "locale_text.message.de-DE": { + "defaultMessage": "Alemão (Alemanha)" + }, + "locale_text.message.el-GR": { + "defaultMessage": "Grego (Grécia)" + }, + "locale_text.message.en-AU": { + "defaultMessage": "Inglês (Austrália)" + }, + "locale_text.message.en-CA": { + "defaultMessage": "Inglês (Canadá)" + }, + "locale_text.message.en-GB": { + "defaultMessage": "Inglês (Reino Unido)" + }, + "locale_text.message.en-IE": { + "defaultMessage": "Inglês (Irlanda)" + }, + "locale_text.message.en-IN": { + "defaultMessage": "Inglês (Índia)" + }, + "locale_text.message.en-NZ": { + "defaultMessage": "Inglês (Nova Zelândia)" + }, + "locale_text.message.en-US": { + "defaultMessage": "Inglês (Estados Unidos)" + }, + "locale_text.message.en-ZA": { + "defaultMessage": "Inglês (África do Sul)" + }, + "locale_text.message.es-AR": { + "defaultMessage": "Espanhol (Argentina)" + }, + "locale_text.message.es-CL": { + "defaultMessage": "Espanhol (Chile)" + }, + "locale_text.message.es-CO": { + "defaultMessage": "Espanhol (Colômbia)" + }, + "locale_text.message.es-ES": { + "defaultMessage": "Espanhol (Espanha)" + }, + "locale_text.message.es-MX": { + "defaultMessage": "Espanhol (México)" + }, + "locale_text.message.es-US": { + "defaultMessage": "Espanhol (Estados Unidos)" + }, + "locale_text.message.fi-FI": { + "defaultMessage": "Finlandês (Finlândia)" + }, + "locale_text.message.fr-BE": { + "defaultMessage": "Francês (Bélgica)" + }, + "locale_text.message.fr-CA": { + "defaultMessage": "Francês (Canadá)" + }, + "locale_text.message.fr-CH": { + "defaultMessage": "Francês (Suíça)" + }, + "locale_text.message.fr-FR": { + "defaultMessage": "Francês (França)" + }, + "locale_text.message.he-IL": { + "defaultMessage": "Hebreu (Israel)" + }, + "locale_text.message.hi-IN": { + "defaultMessage": "Hindi (Índia)" + }, + "locale_text.message.hu-HU": { + "defaultMessage": "Húngaro (Hungria)" + }, + "locale_text.message.id-ID": { + "defaultMessage": "Indonésio (Indonésia)" + }, + "locale_text.message.it-CH": { + "defaultMessage": "Italiano (Suíça)" + }, + "locale_text.message.it-IT": { + "defaultMessage": "Italiano (Itália)" + }, + "locale_text.message.ja-JP": { + "defaultMessage": "Japonês (Japão)" + }, + "locale_text.message.ko-KR": { + "defaultMessage": "Coreano (Coreia do Sul)" + }, + "locale_text.message.nl-BE": { + "defaultMessage": "Holandês (Bélgica)" + }, + "locale_text.message.nl-NL": { + "defaultMessage": "Holandês (Países Baixos)" + }, + "locale_text.message.no-NO": { + "defaultMessage": "Norueguês (Noruega)" + }, + "locale_text.message.pl-PL": { + "defaultMessage": "Polonês (Polônia)" + }, + "locale_text.message.pt-BR": { + "defaultMessage": "Português (Brasil)" + }, + "locale_text.message.pt-PT": { + "defaultMessage": "Português (Portugal)" + }, + "locale_text.message.ro-RO": { + "defaultMessage": "Romeno (Romênia)" + }, + "locale_text.message.ru-RU": { + "defaultMessage": "Russo (Rússia)" + }, + "locale_text.message.sk-SK": { + "defaultMessage": "Eslovaco (Eslováquia)" + }, + "locale_text.message.sv-SE": { + "defaultMessage": "Sueco (Suécia)" + }, + "locale_text.message.ta-IN": { + "defaultMessage": "Tâmil (Índia)" + }, + "locale_text.message.ta-LK": { + "defaultMessage": "Tâmil (Sri Lanka)" + }, + "locale_text.message.th-TH": { + "defaultMessage": "Tailandês (Tailândia)" + }, + "locale_text.message.tr-TR": { + "defaultMessage": "Turco (Turquia)" + }, + "locale_text.message.zh-CN": { + "defaultMessage": "Chinês (China)" + }, + "locale_text.message.zh-HK": { + "defaultMessage": "Chinês (Hong Kong)" + }, + "locale_text.message.zh-TW": { + "defaultMessage": "Chinês (Taiwan)" + }, + "login_form.action.create_account": { + "defaultMessage": "Criar conta" + }, + "login_form.button.sign_in": { + "defaultMessage": "Fazer logon" + }, + "login_form.link.forgot_password": { + "defaultMessage": "Esqueceu a senha?" + }, + "login_form.message.dont_have_account": { + "defaultMessage": "Não tem uma conta?" + }, + "login_form.message.welcome_back": { + "defaultMessage": "Olá novamente" + }, + "login_page.error.incorrect_username_or_password": { + "defaultMessage": "Nome de usuário ou senha incorreta. Tente novamente." + }, + "offline_banner.description.browsing_offline_mode": { + "defaultMessage": "Você está navegando no modo offline" + }, + "order_summary.action.remove_promo": { + "defaultMessage": "Remover" + }, + "order_summary.cart_items.action.num_of_items_in_cart": { + "defaultMessage": "{itemCount, plural, =0 {0 itens} one {# item} other {# itens}} no carrinho", + "description": "clicking it would expand/show the items in cart" + }, + "order_summary.cart_items.link.edit_cart": { + "defaultMessage": "Editar carrinho" + }, + "order_summary.heading.order_summary": { + "defaultMessage": "Resumo do pedido" + }, + "order_summary.label.estimated_total": { + "defaultMessage": "Total estimado" + }, + "order_summary.label.free": { + "defaultMessage": "Gratuito" + }, + "order_summary.label.order_total": { + "defaultMessage": "Total do pedido" + }, + "order_summary.label.promo_applied": { + "defaultMessage": "Promoção aplicada" + }, + "order_summary.label.promotions_applied": { + "defaultMessage": "Promoções aplicadas" + }, + "order_summary.label.shipping": { + "defaultMessage": "Frete" + }, + "order_summary.label.subtotal": { + "defaultMessage": "Subtotal" + }, + "order_summary.label.tax": { + "defaultMessage": "Imposto" + }, + "page_not_found.action.go_back": { + "defaultMessage": "Voltar à página anterior" + }, + "page_not_found.link.homepage": { + "defaultMessage": "Ir à página inicial" + }, + "page_not_found.message.suggestion_to_try": { + "defaultMessage": "Tente digitar o endereço novamente, voltar à página anterior ou à página inicial." + }, + "page_not_found.title.page_cant_be_found": { + "defaultMessage": "A página buscada não pôde ser encontrada." + }, + "pagination.field.num_of_pages": { + "defaultMessage": "de {numOfPages}" + }, + "pagination.link.next": { + "defaultMessage": "Próximo" + }, + "pagination.link.next.assistive_msg": { + "defaultMessage": "Próxima página" + }, + "pagination.link.prev": { + "defaultMessage": "Ant" + }, + "pagination.link.prev.assistive_msg": { + "defaultMessage": "Página anterior" + }, + "password_card.info.password_updated": { + "defaultMessage": "Senha atualizada" + }, + "password_card.label.password": { + "defaultMessage": "Senha" + }, + "password_card.title.password": { + "defaultMessage": "Senha" + }, + "password_requirements.error.eight_letter_minimum": { + "defaultMessage": "Mínimo de 8 caracteres", + "description": "Password requirement" + }, + "password_requirements.error.one_lowercase_letter": { + "defaultMessage": "1 letra minúscula", + "description": "Password requirement" + }, + "password_requirements.error.one_number": { + "defaultMessage": "1 número", + "description": "Password requirement" + }, + "password_requirements.error.one_special_character": { + "defaultMessage": "1 caractere especial (exemplo: , $ ! % #)", + "description": "Password requirement" + }, + "password_requirements.error.one_uppercase_letter": { + "defaultMessage": "1 letra maiúscula", + "description": "Password requirement" + }, + "payment_selection.heading.credit_card": { + "defaultMessage": "Cartão de crédito" + }, + "payment_selection.tooltip.secure_payment": { + "defaultMessage": "Este é um pagamento protegido com criptografia SSL." + }, + "price_per_item.label.each": { + "defaultMessage": "cada", + "description": "Abbreviated 'each', follows price per item, like $10/ea" + }, + "product_detail.accordion.button.product_detail": { + "defaultMessage": "Detalhe do produto" + }, + "product_detail.accordion.button.questions": { + "defaultMessage": "Perguntas" + }, + "product_detail.accordion.button.reviews": { + "defaultMessage": "Avaliações" + }, + "product_detail.accordion.button.size_fit": { + "defaultMessage": "Tamanho" + }, + "product_detail.accordion.message.coming_soon": { + "defaultMessage": "Em breve" + }, + "product_detail.recommended_products.title.complete_set": { + "defaultMessage": "Completar o conjunto" + }, + "product_detail.recommended_products.title.might_also_like": { + "defaultMessage": "Talvez você também queira" + }, + "product_detail.recommended_products.title.recently_viewed": { + "defaultMessage": "Recentemente visualizados" + }, + "product_item.label.quantity": { + "defaultMessage": "Quantidade:" + }, + "product_list.button.filter": { + "defaultMessage": "Filtrar" + }, + "product_list.button.sort_by": { + "defaultMessage": "Ordenar por: {sortOption}" + }, + "product_list.drawer.title.sort_by": { + "defaultMessage": "Ordenar por" + }, + "product_list.modal.button.clear_filters": { + "defaultMessage": "Limpar filtros" + }, + "product_list.modal.button.view_items": { + "defaultMessage": "Ver {prroductCount} itens" + }, + "product_list.modal.title.filter": { + "defaultMessage": "Filtrar" + }, + "product_list.refinements.button.assistive_msg.add_filter": { + "defaultMessage": "Adicionar filtro: {label}" + }, + "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": { + "defaultMessage": "Adicionar filtro: {label} ({hitCount})" + }, + "product_list.refinements.button.assistive_msg.remove_filter": { + "defaultMessage": "Remover filtro: {label}" + }, + "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": { + "defaultMessage": "Remover filtro: {label} ({hitCount})" + }, + "product_list.select.sort_by": { + "defaultMessage": "Ordenar por: {sortOption}" + }, + "product_scroller.assistive_msg.scroll_left": { + "defaultMessage": "Rolar os produtos para a esquerda" + }, + "product_scroller.assistive_msg.scroll_right": { + "defaultMessage": "Rolar os produtos para a direita" + }, + "product_tile.assistive_msg.add_to_wishlist": { + "defaultMessage": "Adicionar {product} à lista de desejos" + }, + "product_tile.assistive_msg.remove_from_wishlist": { + "defaultMessage": "Remover {product} da lista de desejos" + }, + "product_tile.label.starting_at_price": { + "defaultMessage": "A partir de {price}" + }, + "product_view.button.add_set_to_cart": { + "defaultMessage": "Adicionar conjunto ao carrinho" + }, + "product_view.button.add_set_to_wishlist": { + "defaultMessage": "Adicionar conjunto à lista de desejos" + }, + "product_view.button.add_to_cart": { + "defaultMessage": "Adicionar ao carrinho" + }, + "product_view.button.add_to_wishlist": { + "defaultMessage": "Adicionar à lista de desejos" + }, + "product_view.button.update": { + "defaultMessage": "Atualizar" + }, + "product_view.label.assistive_msg.quantity_decrement": { + "defaultMessage": "Quantidade de decremento" + }, + "product_view.label.assistive_msg.quantity_increment": { + "defaultMessage": "Quantidade de incremento" + }, + "product_view.label.quantity": { + "defaultMessage": "Quantidade" + }, + "product_view.label.quantity_decrement": { + "defaultMessage": "−" + }, + "product_view.label.quantity_increment": { + "defaultMessage": "+" + }, + "product_view.label.starting_at_price": { + "defaultMessage": "A partir de" + }, + "product_view.label.variant_type": { + "defaultMessage": "{variantType}" + }, + "product_view.link.full_details": { + "defaultMessage": "Ver detalhes completos" + }, + "profile_card.info.profile_updated": { + "defaultMessage": "Perfil atualizado" + }, + "profile_card.label.email": { + "defaultMessage": "E-mail" + }, + "profile_card.label.full_name": { + "defaultMessage": "Nome" + }, + "profile_card.label.phone": { + "defaultMessage": "Número de telefone" + }, + "profile_card.message.not_provided": { + "defaultMessage": "Não fornecido" + }, + "profile_card.title.my_profile": { + "defaultMessage": "Meu perfil" + }, + "promo_code_fields.button.apply": { + "defaultMessage": "Aplicar" + }, + "promo_popover.assistive_msg.info": { + "defaultMessage": "Informações" + }, + "promo_popover.heading.promo_applied": { + "defaultMessage": "Promoções aplicadas" + }, + "promocode.accordion.button.have_promocode": { + "defaultMessage": "Você tem um código promocional?" + }, + "recent_searches.action.clear_searches": { + "defaultMessage": "Apagar pesquisas recentes" + }, + "recent_searches.heading.recent_searches": { + "defaultMessage": "Pesquisas recentes" + }, + "register_form.action.sign_in": { + "defaultMessage": "Fazer logon" + }, + "register_form.button.create_account": { + "defaultMessage": "Criar conta" + }, + "register_form.heading.lets_get_started": { + "defaultMessage": "Vamos começar!" + }, + "register_form.message.agree_to_policy_terms": { + "defaultMessage": "Ao criar uma conta, você concorda com a Política de privacidade e os Termos e condições da Salesforce" + }, + "register_form.message.already_have_account": { + "defaultMessage": "Já tem uma conta?" + }, + "register_form.message.create_an_account": { + "defaultMessage": "Crie uma conta e tenha acesso aos melhores produtos, ideias e comunidade." + }, + "reset_password.button.back_to_sign_in": { + "defaultMessage": "Fazer login novamente" + }, + "reset_password.info.receive_email_shortly": { + "defaultMessage": "Em breve, você receberá um e-mail em {email} com um link para redefinir a senha." + }, + "reset_password.title.password_reset": { + "defaultMessage": "Redefinição de senha" + }, + "reset_password_form.action.sign_in": { + "defaultMessage": "Fazer logon" + }, + "reset_password_form.button.reset_password": { + "defaultMessage": "Redefinir senha" + }, + "reset_password_form.message.enter_your_email": { + "defaultMessage": "Digite seu e-mail para receber instruções sobre como redefinir sua senha" + }, + "reset_password_form.message.return_to_sign_in": { + "defaultMessage": "Ou voltar para", + "description": "Precedes link to return to sign in" + }, + "reset_password_form.title.reset_password": { + "defaultMessage": "Redefinir senha" + }, + "search.action.cancel": { + "defaultMessage": "Cancelar" + }, + "selected_refinements.action.assistive_msg.clear_all": { + "defaultMessage": "Apagar todos os filtros" + }, + "selected_refinements.action.clear_all": { + "defaultMessage": "Apagar tudo" + }, + "shipping_address.button.continue_to_shipping": { + "defaultMessage": "Ir ao método de entrega" + }, + "shipping_address.title.shipping_address": { + "defaultMessage": "Endereço de entrega" + }, + "shipping_address_edit_form.button.save_and_continue": { + "defaultMessage": "Salvar e ir ao método de entrega" + }, + "shipping_address_form.heading.edit_address": { + "defaultMessage": "Editar endereço" + }, + "shipping_address_form.heading.new_address": { + "defaultMessage": "Adicionar novo endereço" + }, + "shipping_address_selection.button.add_address": { + "defaultMessage": "Adicionar novo endereço" + }, + "shipping_address_selection.button.submit": { + "defaultMessage": "Enviar" + }, + "shipping_address_selection.title.add_address": { + "defaultMessage": "Adicionar novo endereço" + }, + "shipping_address_selection.title.edit_shipping": { + "defaultMessage": "Editar endereço de entrega" + }, + "shipping_options.action.send_as_a_gift": { + "defaultMessage": "Deseja enviar esse item como presente?" + }, + "shipping_options.button.continue_to_payment": { + "defaultMessage": "Ir ao Pagamento" + }, + "shipping_options.title.shipping_gift_options": { + "defaultMessage": "Opções de frete e presente" + }, + "signout_confirmation_dialog.button.cancel": { + "defaultMessage": "Cancelar" + }, + "signout_confirmation_dialog.button.sign_out": { + "defaultMessage": "Fazer logoff" + }, + "signout_confirmation_dialog.heading.sign_out": { + "defaultMessage": "Fazer logoff" + }, + "signout_confirmation_dialog.message.sure_to_sign_out": { + "defaultMessage": "Tem certeza de que deseja fazer logout? Será preciso fazer logon novamente para dar continuidade ao seu pedido atual." + }, + "swatch_group.selected.label": { + "defaultMessage": "{label}:" + }, + "toggle_card.action.edit": { + "defaultMessage": "Editar" + }, + "update_password_fields.button.forgot_password": { + "defaultMessage": "Esqueceu a senha?" + }, + "use_address_fields.error.please_enter_first_name": { + "defaultMessage": "Insira seu nome." + }, + "use_address_fields.error.please_enter_last_name": { + "defaultMessage": "Insira seu sobrenome." + }, + "use_address_fields.error.please_enter_phone_number": { + "defaultMessage": "Insira seu telefone." + }, + "use_address_fields.error.please_enter_your_postal_or_zip": { + "defaultMessage": "Insira seu código postal." + }, + "use_address_fields.error.please_select_your_address": { + "defaultMessage": "Insira seu endereço." + }, + "use_address_fields.error.please_select_your_city": { + "defaultMessage": "Insira sua cidade." + }, + "use_address_fields.error.please_select_your_country": { + "defaultMessage": "Selecione o país." + }, + "use_address_fields.error.please_select_your_state_or_province": { + "defaultMessage": "Selecione estado/província." + }, + "use_address_fields.error.required": { + "defaultMessage": "Requerido" + }, + "use_address_fields.error.state_code_invalid": { + "defaultMessage": "Insira 2 letras para estado/município." + }, + "use_address_fields.label.address": { + "defaultMessage": "Endereço" + }, + "use_address_fields.label.address_form": { + "defaultMessage": "Formulário de endereço" + }, + "use_address_fields.label.city": { + "defaultMessage": "Cidade" + }, + "use_address_fields.label.country": { + "defaultMessage": "País" + }, + "use_address_fields.label.first_name": { + "defaultMessage": "Nome" + }, + "use_address_fields.label.last_name": { + "defaultMessage": "Sobrenome" + }, + "use_address_fields.label.phone": { + "defaultMessage": "Telefone" + }, + "use_address_fields.label.postal_code": { + "defaultMessage": "Código postal" + }, + "use_address_fields.label.preferred": { + "defaultMessage": "Definir como padrão" + }, + "use_address_fields.label.province": { + "defaultMessage": "Município" + }, + "use_address_fields.label.state": { + "defaultMessage": "Estado" + }, + "use_address_fields.label.zipCode": { + "defaultMessage": "Código postal" + }, + "use_credit_card_fields.error.required": { + "defaultMessage": "Requerido" + }, + "use_credit_card_fields.error.required_card_number": { + "defaultMessage": "Insira o número de seu cartão." + }, + "use_credit_card_fields.error.required_expiry": { + "defaultMessage": "Insira a data de expiração." + }, + "use_credit_card_fields.error.required_name": { + "defaultMessage": "Insira seu nome exatamente como aparece no cartão." + }, + "use_credit_card_fields.error.required_security_code": { + "defaultMessage": "Insira seu código de segurança." + }, + "use_credit_card_fields.error.valid_card_number": { + "defaultMessage": "Insira um número de cartão válido." + }, + "use_credit_card_fields.error.valid_date": { + "defaultMessage": "Insira uma data válida." + }, + "use_credit_card_fields.error.valid_name": { + "defaultMessage": "Insira um nome válido." + }, + "use_credit_card_fields.error.valid_security_code": { + "defaultMessage": "Insira um código de segurança válido." + }, + "use_credit_card_fields.label.card_number": { + "defaultMessage": "Número de cartão" + }, + "use_credit_card_fields.label.card_type": { + "defaultMessage": "Tipo de cartão" + }, + "use_credit_card_fields.label.expiry": { + "defaultMessage": "Data de expiração" + }, + "use_credit_card_fields.label.name": { + "defaultMessage": "Nome no cartão" + }, + "use_credit_card_fields.label.security_code": { + "defaultMessage": "Código de segurança" + }, + "use_login_fields.error.required_email": { + "defaultMessage": "Insira seu endereço de e-mail." + }, + "use_login_fields.error.required_password": { + "defaultMessage": "Insira sua senha." + }, + "use_login_fields.label.email": { + "defaultMessage": "E-mail" + }, + "use_login_fields.label.password": { + "defaultMessage": "Senha" + }, + "use_product.message.inventory_remaining": { + "defaultMessage": "Somente {stockLevel} restante(s)!" + }, + "use_product.message.out_of_stock": { + "defaultMessage": "Fora de estoque" + }, + "use_profile_fields.error.required_email": { + "defaultMessage": "Insira um endereço de e-mail válido." + }, + "use_profile_fields.error.required_first_name": { + "defaultMessage": "Insira seu nome." + }, + "use_profile_fields.error.required_last_name": { + "defaultMessage": "Insira seu sobrenome." + }, + "use_profile_fields.error.required_phone": { + "defaultMessage": "Insira seu telefone." + }, + "use_profile_fields.label.email": { + "defaultMessage": "E-mail" + }, + "use_profile_fields.label.first_name": { + "defaultMessage": "Nome" + }, + "use_profile_fields.label.last_name": { + "defaultMessage": "Sobrenome" + }, + "use_profile_fields.label.phone": { + "defaultMessage": "Número de telefone" + }, + "use_promo_code_fields.error.required_promo_code": { + "defaultMessage": "Forneça um código promocional válido." + }, + "use_promo_code_fields.label.promo_code": { + "defaultMessage": "Código promocional" + }, + "use_promocode.error.check_the_code": { + "defaultMessage": "Verifique o código e tente novamente. Talvez ele já tenha sido utilizado ou a promoção já não é mais válida." + }, + "use_promocode.info.promo_applied": { + "defaultMessage": "Promoção aplicada" + }, + "use_promocode.info.promo_removed": { + "defaultMessage": "Promoção removida" + }, + "use_registration_fields.error.contain_number": { + "defaultMessage": "A senha deve conter pelo menos 1 número." + }, + "use_registration_fields.error.lowercase_letter": { + "defaultMessage": "A senha deve conter pelo menos 1 letra minúscula." + }, + "use_registration_fields.error.minimum_characters": { + "defaultMessage": "A senha deve conter pelo menos 8 caracteres." + }, + "use_registration_fields.error.required_email": { + "defaultMessage": "Insira um endereço de e-mail válido." + }, + "use_registration_fields.error.required_first_name": { + "defaultMessage": "Insira seu nome." + }, + "use_registration_fields.error.required_last_name": { + "defaultMessage": "Insira seu sobrenome." + }, + "use_registration_fields.error.required_password": { + "defaultMessage": "Crie uma senha." + }, + "use_registration_fields.error.special_character": { + "defaultMessage": "A senha deve conter pelo menos 1 caractere especial." + }, + "use_registration_fields.error.uppercase_letter": { + "defaultMessage": "A senha deve conter pelo menos 1 letra maiúscula." + }, + "use_registration_fields.label.email": { + "defaultMessage": "E-mail" + }, + "use_registration_fields.label.first_name": { + "defaultMessage": "Nome" + }, + "use_registration_fields.label.last_name": { + "defaultMessage": "Sobrenome" + }, + "use_registration_fields.label.password": { + "defaultMessage": "Senha" + }, + "use_registration_fields.label.sign_up_to_emails": { + "defaultMessage": "Fazer o meu registro para receber e-mails da Salesforce (você pode cancelar sua inscrição quando quiser)" + }, + "use_reset_password_fields.error.required_email": { + "defaultMessage": "Insira um endereço de e-mail válido." + }, + "use_reset_password_fields.label.email": { + "defaultMessage": "E-mail" + }, + "use_update_password_fields.error.contain_number": { + "defaultMessage": "A senha deve conter pelo menos 1 número." + }, + "use_update_password_fields.error.lowercase_letter": { + "defaultMessage": "A senha deve conter pelo menos 1 letra minúscula." + }, + "use_update_password_fields.error.minimum_characters": { + "defaultMessage": "A senha deve conter pelo menos 8 caracteres." + }, + "use_update_password_fields.error.required_new_password": { + "defaultMessage": "Forneça uma nova senha." + }, + "use_update_password_fields.error.required_password": { + "defaultMessage": "Insira sua senha." + }, + "use_update_password_fields.error.special_character": { + "defaultMessage": "A senha deve conter pelo menos 1 caractere especial." + }, + "use_update_password_fields.error.uppercase_letter": { + "defaultMessage": "A senha deve conter pelo menos 1 letra maiúscula." + }, + "use_update_password_fields.label.current_password": { + "defaultMessage": "Senha atual" + }, + "use_update_password_fields.label.new_password": { + "defaultMessage": "Nova senha" + }, + "wishlist_primary_action.button.add_set_to_cart": { + "defaultMessage": "Adicionar conjunto ao carrinho" + }, + "wishlist_primary_action.button.add_to_cart": { + "defaultMessage": "Adicionar ao carrinho" + }, + "wishlist_primary_action.button.view_full_details": { + "defaultMessage": "Ver detalhes completos" + }, + "wishlist_primary_action.button.view_options": { + "defaultMessage": "Ver opções" + }, + "wishlist_primary_action.info.added_to_cart": { + "defaultMessage": "{quantity} {quantity, plural, one {item} other {itens}} adicionado(s) ao carrinho" + }, + "wishlist_secondary_button_group.action.remove": { + "defaultMessage": "Remover" + }, + "wishlist_secondary_button_group.info.item_removed": { + "defaultMessage": "Item removido da lista de desejos" + }, + "with_registration.info.please_sign_in": { + "defaultMessage": "Faça logon para continuar!" + } +} diff --git a/my-test-project/translations/zh-CN.json b/my-test-project/translations/zh-CN.json new file mode 100644 index 0000000000..dbd4f6d9d8 --- /dev/null +++ b/my-test-project/translations/zh-CN.json @@ -0,0 +1,1517 @@ +{ + "account.accordion.button.my_account": { + "defaultMessage": "我的账户" + }, + "account.heading.my_account": { + "defaultMessage": "我的账户" + }, + "account.logout_button.button.log_out": { + "defaultMessage": "登出" + }, + "account_addresses.badge.default": { + "defaultMessage": "默认" + }, + "account_addresses.button.add_address": { + "defaultMessage": "添加地址" + }, + "account_addresses.info.address_removed": { + "defaultMessage": "已删除地址" + }, + "account_addresses.info.address_updated": { + "defaultMessage": "已更新地址" + }, + "account_addresses.info.new_address_saved": { + "defaultMessage": "已保存新地址" + }, + "account_addresses.page_action_placeholder.button.add_address": { + "defaultMessage": "添加地址" + }, + "account_addresses.page_action_placeholder.heading.no_saved_addresses": { + "defaultMessage": "没有保存的地址" + }, + "account_addresses.page_action_placeholder.message.add_new_address": { + "defaultMessage": "添加新地址方式,加快结账速度。" + }, + "account_addresses.title.addresses": { + "defaultMessage": "地址" + }, + "account_detail.title.account_details": { + "defaultMessage": "账户详情" + }, + "account_order_detail.heading.billing_address": { + "defaultMessage": "账单地址" + }, + "account_order_detail.heading.num_of_items": { + "defaultMessage": "{count} 件商品" + }, + "account_order_detail.heading.payment_method": { + "defaultMessage": "付款方式" + }, + "account_order_detail.heading.shipping_address": { + "defaultMessage": "送货地址" + }, + "account_order_detail.heading.shipping_method": { + "defaultMessage": "送货方式" + }, + "account_order_detail.label.order_number": { + "defaultMessage": "订单编号:{orderNumber}" + }, + "account_order_detail.label.ordered_date": { + "defaultMessage": "下单日期:{date}" + }, + "account_order_detail.label.pending_tracking_number": { + "defaultMessage": "待处理" + }, + "account_order_detail.label.tracking_number": { + "defaultMessage": "跟踪编号" + }, + "account_order_detail.link.back_to_history": { + "defaultMessage": "返回订单记录" + }, + "account_order_detail.shipping_status.not_shipped": { + "defaultMessage": "未发货" + }, + "account_order_detail.shipping_status.part_shipped": { + "defaultMessage": "部分已发货" + }, + "account_order_detail.shipping_status.shipped": { + "defaultMessage": "已发货" + }, + "account_order_detail.title.order_details": { + "defaultMessage": "订单详情" + }, + "account_order_history.button.continue_shopping": { + "defaultMessage": "继续购物" + }, + "account_order_history.description.once_you_place_order": { + "defaultMessage": "下订单后,详细信息将显示在此处。" + }, + "account_order_history.heading.no_order_yet": { + "defaultMessage": "您尚未下订单。" + }, + "account_order_history.label.num_of_items": { + "defaultMessage": "{count} 件商品", + "description": "Number of items in order" + }, + "account_order_history.label.order_number": { + "defaultMessage": "订单编号:{orderNumber}" + }, + "account_order_history.label.ordered_date": { + "defaultMessage": "下单日期:{date}" + }, + "account_order_history.label.shipped_to": { + "defaultMessage": "送货至:{name}" + }, + "account_order_history.link.view_details": { + "defaultMessage": "查看详情" + }, + "account_order_history.title.order_history": { + "defaultMessage": "订单记录" + }, + "account_wishlist.button.continue_shopping": { + "defaultMessage": "继续购物" + }, + "account_wishlist.description.continue_shopping": { + "defaultMessage": "继续购物并将商品加入愿望清单。" + }, + "account_wishlist.heading.no_wishlist": { + "defaultMessage": "没有愿望清单商品" + }, + "account_wishlist.title.wishlist": { + "defaultMessage": "愿望清单" + }, + "action_card.action.edit": { + "defaultMessage": "编辑" + }, + "action_card.action.remove": { + "defaultMessage": "移除" + }, + "add_to_cart_modal.info.added_to_cart": { + "defaultMessage": "{quantity} {quantity, plural, one { 件商品} other { 件商品}}已添加至购物车" + }, + "add_to_cart_modal.label.cart_subtotal": { + "defaultMessage": "购物车小计({itemAccumulatedCount} 件商品)" + }, + "add_to_cart_modal.label.quantity": { + "defaultMessage": "数量" + }, + "add_to_cart_modal.link.checkout": { + "defaultMessage": "继续以结账" + }, + "add_to_cart_modal.link.view_cart": { + "defaultMessage": "查看购物车" + }, + "add_to_cart_modal.recommended_products.title.might_also_like": { + "defaultMessage": "您可能还喜欢" + }, + "auth_modal.button.close.assistive_msg": { + "defaultMessage": "关闭登录表单" + }, + "auth_modal.description.now_signed_in": { + "defaultMessage": "您现在已登录。" + }, + "auth_modal.error.incorrect_email_or_password": { + "defaultMessage": "您的电子邮件或密码有问题。重试" + }, + "auth_modal.info.welcome_user": { + "defaultMessage": "欢迎 {name}," + }, + "auth_modal.password_reset_success.button.back_to_sign_in": { + "defaultMessage": "返回登录" + }, + "auth_modal.password_reset_success.info.will_email_shortly": { + "defaultMessage": "您将通过 {email} 收到包含重置密码链接的电子邮件。" + }, + "auth_modal.password_reset_success.title.password_reset": { + "defaultMessage": "密码重置" + }, + "carousel.button.scroll_left.assistive_msg": { + "defaultMessage": "向左滚动转盘" + }, + "carousel.button.scroll_right.assistive_msg": { + "defaultMessage": "向右滚动转盘" + }, + "cart.info.removed_from_cart": { + "defaultMessage": "从购物车中移除商品" + }, + "cart.recommended_products.title.may_also_like": { + "defaultMessage": "您可能还喜欢" + }, + "cart.recommended_products.title.recently_viewed": { + "defaultMessage": "最近查看" + }, + "cart_cta.link.checkout": { + "defaultMessage": "继续以结账" + }, + "cart_secondary_button_group.action.added_to_wishlist": { + "defaultMessage": "添加到愿望清单" + }, + "cart_secondary_button_group.action.edit": { + "defaultMessage": "编辑" + }, + "cart_secondary_button_group.action.remove": { + "defaultMessage": "移除" + }, + "cart_secondary_button_group.label.this_is_gift": { + "defaultMessage": "这是礼品。" + }, + "cart_skeleton.heading.order_summary": { + "defaultMessage": "订单摘要" + }, + "cart_skeleton.title.cart": { + "defaultMessage": "购物车" + }, + "cart_title.title.cart_num_of_items": { + "defaultMessage": "购物车({itemCount, plural, =0 {0 件商品} one {# 件商品} other {# 件商品}})" + }, + "cc_radio_group.action.remove": { + "defaultMessage": "移除" + }, + "cc_radio_group.button.add_new_card": { + "defaultMessage": "添加新卡" + }, + "checkout.button.place_order": { + "defaultMessage": "下订单" + }, + "checkout.message.generic_error": { + "defaultMessage": "结账时发生意外错误。" + }, + "checkout_confirmation.button.create_account": { + "defaultMessage": "创建账户" + }, + "checkout_confirmation.heading.billing_address": { + "defaultMessage": "账单地址" + }, + "checkout_confirmation.heading.create_account": { + "defaultMessage": "创建账户,加快结账速度" + }, + "checkout_confirmation.heading.credit_card": { + "defaultMessage": "信用卡" + }, + "checkout_confirmation.heading.delivery_details": { + "defaultMessage": "交货详情" + }, + "checkout_confirmation.heading.order_summary": { + "defaultMessage": "订单摘要" + }, + "checkout_confirmation.heading.payment_details": { + "defaultMessage": "付款详情" + }, + "checkout_confirmation.heading.shipping_address": { + "defaultMessage": "送货地址" + }, + "checkout_confirmation.heading.shipping_method": { + "defaultMessage": "送货方式" + }, + "checkout_confirmation.heading.thank_you_for_order": { + "defaultMessage": "感谢您订购商品!" + }, + "checkout_confirmation.label.free": { + "defaultMessage": "免费" + }, + "checkout_confirmation.label.order_number": { + "defaultMessage": "订单编号" + }, + "checkout_confirmation.label.order_total": { + "defaultMessage": "订单总额" + }, + "checkout_confirmation.label.promo_applied": { + "defaultMessage": "已应用促销" + }, + "checkout_confirmation.label.shipping": { + "defaultMessage": "送货" + }, + "checkout_confirmation.label.subtotal": { + "defaultMessage": "小计" + }, + "checkout_confirmation.label.tax": { + "defaultMessage": "税项" + }, + "checkout_confirmation.link.continue_shopping": { + "defaultMessage": "继续购物" + }, + "checkout_confirmation.link.login": { + "defaultMessage": "在此处登录" + }, + "checkout_confirmation.message.already_has_account": { + "defaultMessage": "此电子邮件地址已注册账户。" + }, + "checkout_confirmation.message.num_of_items_in_order": { + "defaultMessage": "{itemCount, plural, =0 {0 件商品} one {# 件商品} other {# 件商品}}", + "description": "# item(s) in order" + }, + "checkout_confirmation.message.will_email_shortly": { + "defaultMessage": "我们会尽快向 {email} 发送带有您的确认号码和收据的电子邮件。" + }, + "checkout_footer.link.privacy_policy": { + "defaultMessage": "隐私政策" + }, + "checkout_footer.link.returns_exchanges": { + "defaultMessage": "退货与换货" + }, + "checkout_footer.link.shipping": { + "defaultMessage": "送货" + }, + "checkout_footer.link.site_map": { + "defaultMessage": "站点地图" + }, + "checkout_footer.link.terms_conditions": { + "defaultMessage": "条款与条件" + }, + "checkout_footer.message.copyright": { + "defaultMessage": "Salesforce 或其附属公司。保留所有权利。此仅为示范商店。所下订单不会被处理。" + }, + "checkout_header.link.assistive_msg.cart": { + "defaultMessage": "返回购物车,商品数量:{numItems}" + }, + "checkout_header.link.cart": { + "defaultMessage": "返回购物车" + }, + "checkout_payment.action.remove": { + "defaultMessage": "移除" + }, + "checkout_payment.button.review_order": { + "defaultMessage": "检查订单" + }, + "checkout_payment.heading.billing_address": { + "defaultMessage": "账单地址" + }, + "checkout_payment.heading.credit_card": { + "defaultMessage": "信用卡" + }, + "checkout_payment.label.same_as_shipping": { + "defaultMessage": "与送货地址相同" + }, + "checkout_payment.title.payment": { + "defaultMessage": "付款" + }, + "colorRefinements.label.hitCount": { + "defaultMessage": "{colorLabel} ({colorHitCount})" + }, + "confirmation_modal.default.action.no": { + "defaultMessage": "否" + }, + "confirmation_modal.default.action.yes": { + "defaultMessage": "是" + }, + "confirmation_modal.default.message.you_want_to_continue": { + "defaultMessage": "是否确定要继续?" + }, + "confirmation_modal.default.title.confirm_action": { + "defaultMessage": "确认操作" + }, + "confirmation_modal.remove_cart_item.action.no": { + "defaultMessage": "否,保留商品" + }, + "confirmation_modal.remove_cart_item.action.remove": { + "defaultMessage": "移除" + }, + "confirmation_modal.remove_cart_item.action.yes": { + "defaultMessage": "是,移除商品" + }, + "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": { + "defaultMessage": "某些商品不再在线销售,并将从您的购物车中删除。" + }, + "confirmation_modal.remove_cart_item.message.sure_to_remove": { + "defaultMessage": "是否确定要从购物车移除此商品?" + }, + "confirmation_modal.remove_cart_item.title.confirm_remove": { + "defaultMessage": "确认移除商品" + }, + "confirmation_modal.remove_cart_item.title.items_unavailable": { + "defaultMessage": "商品缺货" + }, + "confirmation_modal.remove_wishlist_item.action.no": { + "defaultMessage": "否,保留商品" + }, + "confirmation_modal.remove_wishlist_item.action.yes": { + "defaultMessage": "是,移除商品" + }, + "confirmation_modal.remove_wishlist_item.message.sure_to_remove": { + "defaultMessage": "是否确定要从愿望清单移除此商品?" + }, + "confirmation_modal.remove_wishlist_item.title.confirm_remove": { + "defaultMessage": "确认移除商品" + }, + "contact_info.action.sign_out": { + "defaultMessage": "注销" + }, + "contact_info.button.already_have_account": { + "defaultMessage": "已有账户?登录" + }, + "contact_info.button.checkout_as_guest": { + "defaultMessage": "以访客身份结账" + }, + "contact_info.button.login": { + "defaultMessage": "登录" + }, + "contact_info.error.incorrect_username_or_password": { + "defaultMessage": "用户名或密码错误,请重试。" + }, + "contact_info.link.forgot_password": { + "defaultMessage": "忘记密码?" + }, + "contact_info.title.contact_info": { + "defaultMessage": "联系信息" + }, + "credit_card_fields.tool_tip.security_code": { + "defaultMessage": "此 3 位数字码可以在卡的背面找到。", + "description": "Generic credit card security code help text" + }, + "credit_card_fields.tool_tip.security_code.american_express": { + "defaultMessage": "此 4 位数字码可以在卡的正找到。", + "description": "American Express security code help text" + }, + "credit_card_fields.tool_tip.security_code_aria_label": { + "defaultMessage": "安全码信息" + }, + "drawer_menu.button.account_details": { + "defaultMessage": "账户详情" + }, + "drawer_menu.button.addresses": { + "defaultMessage": "地址" + }, + "drawer_menu.button.log_out": { + "defaultMessage": "登出" + }, + "drawer_menu.button.my_account": { + "defaultMessage": "我的账户" + }, + "drawer_menu.button.order_history": { + "defaultMessage": "订单记录" + }, + "drawer_menu.link.about_us": { + "defaultMessage": "关于我们" + }, + "drawer_menu.link.customer_support": { + "defaultMessage": "客户支持" + }, + "drawer_menu.link.customer_support.contact_us": { + "defaultMessage": "联系我们" + }, + "drawer_menu.link.customer_support.shipping_and_returns": { + "defaultMessage": "送货与退货" + }, + "drawer_menu.link.our_company": { + "defaultMessage": "我们的公司" + }, + "drawer_menu.link.privacy_and_security": { + "defaultMessage": "隐私及安全" + }, + "drawer_menu.link.privacy_policy": { + "defaultMessage": "隐私政策" + }, + "drawer_menu.link.shop_all": { + "defaultMessage": "购买全部" + }, + "drawer_menu.link.sign_in": { + "defaultMessage": "登录" + }, + "drawer_menu.link.site_map": { + "defaultMessage": "站点地图" + }, + "drawer_menu.link.store_locator": { + "defaultMessage": "实体店地址搜索" + }, + "drawer_menu.link.terms_and_conditions": { + "defaultMessage": "条款与条件" + }, + "empty_cart.description.empty_cart": { + "defaultMessage": "购物车内没有商品。" + }, + "empty_cart.link.continue_shopping": { + "defaultMessage": "继续购物" + }, + "empty_cart.link.sign_in": { + "defaultMessage": "登录" + }, + "empty_cart.message.continue_shopping": { + "defaultMessage": "继续购物并将商品加入购物车。" + }, + "empty_cart.message.sign_in_or_continue_shopping": { + "defaultMessage": "登录以检索您保存的商品或继续购物。" + }, + "empty_search_results.info.cant_find_anything_for_category": { + "defaultMessage": "我们找不到{category}的任何内容。尝试搜索产品或{link}。" + }, + "empty_search_results.info.cant_find_anything_for_query": { + "defaultMessage": "我们找不到“{searchQuery}”的任何内容。" + }, + "empty_search_results.info.double_check_spelling": { + "defaultMessage": "请仔细检查您的拼写并重试或{link}。" + }, + "empty_search_results.link.contact_us": { + "defaultMessage": "联系我们" + }, + "empty_search_results.recommended_products.title.most_viewed": { + "defaultMessage": "查看最多的商品" + }, + "empty_search_results.recommended_products.title.top_sellers": { + "defaultMessage": "最畅销" + }, + "field.password.assistive_msg.hide_password": { + "defaultMessage": "隐藏密码" + }, + "field.password.assistive_msg.show_password": { + "defaultMessage": "显示密码" + }, + "footer.column.account": { + "defaultMessage": "账户" + }, + "footer.column.customer_support": { + "defaultMessage": "客户支持" + }, + "footer.column.our_company": { + "defaultMessage": "我们的公司" + }, + "footer.link.about_us": { + "defaultMessage": "关于我们" + }, + "footer.link.contact_us": { + "defaultMessage": "联系我们" + }, + "footer.link.order_status": { + "defaultMessage": "订单状态" + }, + "footer.link.privacy_policy": { + "defaultMessage": "隐私政策" + }, + "footer.link.shipping": { + "defaultMessage": "送货" + }, + "footer.link.signin_create_account": { + "defaultMessage": "登录或创建账户" + }, + "footer.link.site_map": { + "defaultMessage": "站点地图" + }, + "footer.link.store_locator": { + "defaultMessage": "实体店地址搜索" + }, + "footer.link.terms_conditions": { + "defaultMessage": "条款与条件" + }, + "footer.message.copyright": { + "defaultMessage": "Salesforce 或其附属公司。保留所有权利。此仅为示范商店。所下订单不会被处理。" + }, + "footer.subscribe.button.sign_up": { + "defaultMessage": "注册" + }, + "footer.subscribe.description.sign_up": { + "defaultMessage": "注册以随时了解最热门的交易" + }, + "footer.subscribe.heading.first_to_know": { + "defaultMessage": "率先了解" + }, + "form_action_buttons.button.cancel": { + "defaultMessage": "取消" + }, + "form_action_buttons.button.save": { + "defaultMessage": "保存" + }, + "global.account.link.account_details": { + "defaultMessage": "账户详情" + }, + "global.account.link.addresses": { + "defaultMessage": "地址" + }, + "global.account.link.order_history": { + "defaultMessage": "订单记录" + }, + "global.account.link.wishlist": { + "defaultMessage": "愿望清单" + }, + "global.error.something_went_wrong": { + "defaultMessage": "出现错误。重试。" + }, + "global.info.added_to_wishlist": { + "defaultMessage": "{quantity} {quantity, plural, one { 件商品} other { 件商品}}已添加至愿望清单" + }, + "global.info.already_in_wishlist": { + "defaultMessage": "商品已在愿望清单中" + }, + "global.info.removed_from_wishlist": { + "defaultMessage": "从愿望清单中移除商品" + }, + "global.link.added_to_wishlist.view_wishlist": { + "defaultMessage": "查看" + }, + "header.button.assistive_msg.logo": { + "defaultMessage": "标志" + }, + "header.button.assistive_msg.menu": { + "defaultMessage": "菜单" + }, + "header.button.assistive_msg.my_account": { + "defaultMessage": "我的账户" + }, + "header.button.assistive_msg.my_account_menu": { + "defaultMessage": "打开账户菜单" + }, + "header.button.assistive_msg.my_cart_with_num_items": { + "defaultMessage": "我的购物车,商品数量:{numItems}" + }, + "header.button.assistive_msg.wishlist": { + "defaultMessage": "愿望清单" + }, + "header.field.placeholder.search_for_products": { + "defaultMessage": "搜索产品..." + }, + "header.popover.action.log_out": { + "defaultMessage": "登出" + }, + "header.popover.title.my_account": { + "defaultMessage": "我的账户" + }, + "home.description.features": { + "defaultMessage": "开箱即用的功能,让您只需专注于添加增强功能。" + }, + "home.description.here_to_help": { + "defaultMessage": "联系我们的支持人员。" + }, + "home.description.here_to_help_line_2": { + "defaultMessage": "他们将向您提供适当指导。" + }, + "home.description.shop_products": { + "defaultMessage": "本节包含目录中的内容。{docLink}了解如何进行更换。", + "description": "{docLink} is a html button that links the user to https://sfdc.co/business-manager-manage-catalogs" + }, + "home.features.description.cart_checkout": { + "defaultMessage": "购物者购物车和结账体验的电子商务最佳实践。" + }, + "home.features.description.components": { + "defaultMessage": "使用 Chakra UI 构建,Chakra UI 是一个简单、模块化且可访问的 React 组件库。" + }, + "home.features.description.einstein_recommendations": { + "defaultMessage": "通过产品推荐向每位购物者提供下一个最佳产品或优惠。" + }, + "home.features.description.my_account": { + "defaultMessage": "购物者可以管理账户信息,例如个人概况、地址、付款和订单。" + }, + "home.features.description.shopper_login": { + "defaultMessage": "使购物者能够轻松登录并获得更加个性化的购物体验。" + }, + "home.features.description.wishlist": { + "defaultMessage": "已注册的购物者可以将产品添加到愿望清单,以便日后购买。" + }, + "home.features.heading.cart_checkout": { + "defaultMessage": "购物车和结账" + }, + "home.features.heading.components": { + "defaultMessage": "组件和设计套件" + }, + "home.features.heading.einstein_recommendations": { + "defaultMessage": "Einstein 推荐" + }, + "home.features.heading.my_account": { + "defaultMessage": "我的账户" + }, + "home.features.heading.shopper_login": { + "defaultMessage": "Shopper Login and API Access Service (SLAS)" + }, + "home.features.heading.wishlist": { + "defaultMessage": "愿望清单" + }, + "home.heading.features": { + "defaultMessage": "功能" + }, + "home.heading.here_to_help": { + "defaultMessage": "我们随时提供帮助" + }, + "home.heading.shop_products": { + "defaultMessage": "购买产品" + }, + "home.hero_features.link.design_kit": { + "defaultMessage": "采用 Figma PWA Design Kit 创建" + }, + "home.hero_features.link.on_github": { + "defaultMessage": "在 Github 下载" + }, + "home.hero_features.link.on_managed_runtime": { + "defaultMessage": "在 Managed Runtime 中部署" + }, + "home.link.contact_us": { + "defaultMessage": "联系我们" + }, + "home.link.get_started": { + "defaultMessage": "入门指南" + }, + "home.link.read_docs": { + "defaultMessage": "阅读文档" + }, + "home.title.react_starter_store": { + "defaultMessage": "零售 React PWA Starter Store" + }, + "icons.assistive_msg.lock": { + "defaultMessage": "安全" + }, + "item_attributes.label.promotions": { + "defaultMessage": "促销" + }, + "item_attributes.label.quantity": { + "defaultMessage": "数量:{quantity}" + }, + "item_image.label.sale": { + "defaultMessage": "销售", + "description": "A sale badge placed on top of a product image" + }, + "item_image.label.unavailable": { + "defaultMessage": "不可用", + "description": "A unavailable badge placed on top of a product image" + }, + "item_price.label.starting_at": { + "defaultMessage": "起价:" + }, + "lCPCxk": { + "defaultMessage": "请在上方选择您的所有选项" + }, + "list_menu.nav.assistive_msg": { + "defaultMessage": "主导航" + }, + "locale_text.message.ar-SA": { + "defaultMessage": "阿拉伯语(沙特阿拉伯)" + }, + "locale_text.message.bn-BD": { + "defaultMessage": "孟加拉语(孟加拉国)" + }, + "locale_text.message.bn-IN": { + "defaultMessage": "孟加拉语(印度)" + }, + "locale_text.message.cs-CZ": { + "defaultMessage": "捷克语(捷克共和国)" + }, + "locale_text.message.da-DK": { + "defaultMessage": "丹麦语(丹麦)" + }, + "locale_text.message.de-AT": { + "defaultMessage": "德语(奥地利)" + }, + "locale_text.message.de-CH": { + "defaultMessage": "德语(瑞士)" + }, + "locale_text.message.de-DE": { + "defaultMessage": "德语(德国)" + }, + "locale_text.message.el-GR": { + "defaultMessage": "希腊语(希腊)" + }, + "locale_text.message.en-AU": { + "defaultMessage": "英语(澳大利亚)" + }, + "locale_text.message.en-CA": { + "defaultMessage": "英语(加拿大)" + }, + "locale_text.message.en-GB": { + "defaultMessage": "英语(英国)" + }, + "locale_text.message.en-IE": { + "defaultMessage": "英语(爱尔兰)" + }, + "locale_text.message.en-IN": { + "defaultMessage": "英语(印度)" + }, + "locale_text.message.en-NZ": { + "defaultMessage": "英语(新西兰)" + }, + "locale_text.message.en-US": { + "defaultMessage": "英语(美国)" + }, + "locale_text.message.en-ZA": { + "defaultMessage": "英语(南非)" + }, + "locale_text.message.es-AR": { + "defaultMessage": "西班牙语(阿根廷)" + }, + "locale_text.message.es-CL": { + "defaultMessage": "西班牙语(智利)" + }, + "locale_text.message.es-CO": { + "defaultMessage": "西班牙语(哥伦比亚)" + }, + "locale_text.message.es-ES": { + "defaultMessage": "西班牙语(西班牙)" + }, + "locale_text.message.es-MX": { + "defaultMessage": "西班牙语(墨西哥)" + }, + "locale_text.message.es-US": { + "defaultMessage": "西班牙语(美国)" + }, + "locale_text.message.fi-FI": { + "defaultMessage": "芬兰语(芬兰)" + }, + "locale_text.message.fr-BE": { + "defaultMessage": "法语(比利时)" + }, + "locale_text.message.fr-CA": { + "defaultMessage": "法语(加拿大)" + }, + "locale_text.message.fr-CH": { + "defaultMessage": "法语(瑞士)" + }, + "locale_text.message.fr-FR": { + "defaultMessage": "法语(法国)" + }, + "locale_text.message.he-IL": { + "defaultMessage": "希伯来语(以色列)" + }, + "locale_text.message.hi-IN": { + "defaultMessage": "印地语(印度)" + }, + "locale_text.message.hu-HU": { + "defaultMessage": "匈牙利语(匈牙利)" + }, + "locale_text.message.id-ID": { + "defaultMessage": "印尼语(印度尼西亚)" + }, + "locale_text.message.it-CH": { + "defaultMessage": "意大利语(瑞士)" + }, + "locale_text.message.it-IT": { + "defaultMessage": "意大利语(意大利)" + }, + "locale_text.message.ja-JP": { + "defaultMessage": "日语(日本)" + }, + "locale_text.message.ko-KR": { + "defaultMessage": "韩语(韩国)" + }, + "locale_text.message.nl-BE": { + "defaultMessage": "荷兰语(比利时)" + }, + "locale_text.message.nl-NL": { + "defaultMessage": "荷兰语(荷兰)" + }, + "locale_text.message.no-NO": { + "defaultMessage": "挪威语(挪威)" + }, + "locale_text.message.pl-PL": { + "defaultMessage": "波兰语(波兰)" + }, + "locale_text.message.pt-BR": { + "defaultMessage": "葡萄牙语(巴西)" + }, + "locale_text.message.pt-PT": { + "defaultMessage": "葡萄牙语(葡萄牙)" + }, + "locale_text.message.ro-RO": { + "defaultMessage": "罗马尼亚语(罗马尼亚)" + }, + "locale_text.message.ru-RU": { + "defaultMessage": "俄语(俄罗斯联邦)" + }, + "locale_text.message.sk-SK": { + "defaultMessage": "斯洛伐克语(斯洛伐克)" + }, + "locale_text.message.sv-SE": { + "defaultMessage": "瑞典语(瑞典)" + }, + "locale_text.message.ta-IN": { + "defaultMessage": "泰米尔语(印度)" + }, + "locale_text.message.ta-LK": { + "defaultMessage": "泰米尔语(斯里兰卡)" + }, + "locale_text.message.th-TH": { + "defaultMessage": "泰语(泰国)" + }, + "locale_text.message.tr-TR": { + "defaultMessage": "土耳其语(土耳其)" + }, + "locale_text.message.zh-CN": { + "defaultMessage": "中文(中国)" + }, + "locale_text.message.zh-HK": { + "defaultMessage": "中文(香港)" + }, + "locale_text.message.zh-TW": { + "defaultMessage": "中文(台湾)" + }, + "login_form.action.create_account": { + "defaultMessage": "创建账户" + }, + "login_form.button.sign_in": { + "defaultMessage": "登录" + }, + "login_form.link.forgot_password": { + "defaultMessage": "忘记密码?" + }, + "login_form.message.dont_have_account": { + "defaultMessage": "没有账户?" + }, + "login_form.message.welcome_back": { + "defaultMessage": "欢迎回来" + }, + "login_page.error.incorrect_username_or_password": { + "defaultMessage": "用户名或密码错误,请重试。" + }, + "offline_banner.description.browsing_offline_mode": { + "defaultMessage": "您正在离线模式下浏览" + }, + "order_summary.action.remove_promo": { + "defaultMessage": "移除" + }, + "order_summary.cart_items.action.num_of_items_in_cart": { + "defaultMessage": "购物车内有 {itemCount, plural, =0 {0 件商品} one {# 件商品} other {# 件商品}}", + "description": "clicking it would expand/show the items in cart" + }, + "order_summary.cart_items.link.edit_cart": { + "defaultMessage": "编辑购物车" + }, + "order_summary.heading.order_summary": { + "defaultMessage": "订单摘要" + }, + "order_summary.label.estimated_total": { + "defaultMessage": "预计总数" + }, + "order_summary.label.free": { + "defaultMessage": "免费" + }, + "order_summary.label.order_total": { + "defaultMessage": "订单总额" + }, + "order_summary.label.promo_applied": { + "defaultMessage": "已应用促销" + }, + "order_summary.label.promotions_applied": { + "defaultMessage": "已应用促销" + }, + "order_summary.label.shipping": { + "defaultMessage": "送货" + }, + "order_summary.label.subtotal": { + "defaultMessage": "小计" + }, + "order_summary.label.tax": { + "defaultMessage": "税项" + }, + "page_not_found.action.go_back": { + "defaultMessage": "返回上一页" + }, + "page_not_found.link.homepage": { + "defaultMessage": "返回主页" + }, + "page_not_found.message.suggestion_to_try": { + "defaultMessage": "请尝试重新输入地址、返回上一页或返回主页。" + }, + "page_not_found.title.page_cant_be_found": { + "defaultMessage": "找不到您要查找的页面。" + }, + "pagination.field.num_of_pages": { + "defaultMessage": "/ {numOfPages}" + }, + "pagination.link.next": { + "defaultMessage": "下一步" + }, + "pagination.link.next.assistive_msg": { + "defaultMessage": "下一页" + }, + "pagination.link.prev": { + "defaultMessage": "上一步" + }, + "pagination.link.prev.assistive_msg": { + "defaultMessage": "上一页" + }, + "password_card.info.password_updated": { + "defaultMessage": "密码已更新" + }, + "password_card.label.password": { + "defaultMessage": "密码" + }, + "password_card.title.password": { + "defaultMessage": "密码" + }, + "password_requirements.error.eight_letter_minimum": { + "defaultMessage": "最短 8 个字符", + "description": "Password requirement" + }, + "password_requirements.error.one_lowercase_letter": { + "defaultMessage": "1 个小写字母", + "description": "Password requirement" + }, + "password_requirements.error.one_number": { + "defaultMessage": "1 个数字", + "description": "Password requirement" + }, + "password_requirements.error.one_special_character": { + "defaultMessage": "1 个特殊字符(例如:, S ! %)", + "description": "Password requirement" + }, + "password_requirements.error.one_uppercase_letter": { + "defaultMessage": "1 个大写字母", + "description": "Password requirement" + }, + "payment_selection.heading.credit_card": { + "defaultMessage": "信用卡" + }, + "payment_selection.tooltip.secure_payment": { + "defaultMessage": "这是一种安全的 SSL 加密支付。" + }, + "price_per_item.label.each": { + "defaultMessage": "每件", + "description": "Abbreviated 'each', follows price per item, like $10/ea" + }, + "product_detail.accordion.button.product_detail": { + "defaultMessage": "产品详情" + }, + "product_detail.accordion.button.questions": { + "defaultMessage": "问题" + }, + "product_detail.accordion.button.reviews": { + "defaultMessage": "点评" + }, + "product_detail.accordion.button.size_fit": { + "defaultMessage": "尺寸与合身" + }, + "product_detail.accordion.message.coming_soon": { + "defaultMessage": "即将到货" + }, + "product_detail.recommended_products.title.complete_set": { + "defaultMessage": "Complete the Set(完成组合)" + }, + "product_detail.recommended_products.title.might_also_like": { + "defaultMessage": "您可能还喜欢" + }, + "product_detail.recommended_products.title.recently_viewed": { + "defaultMessage": "最近查看" + }, + "product_item.label.quantity": { + "defaultMessage": "数量:" + }, + "product_list.button.filter": { + "defaultMessage": "筛选器" + }, + "product_list.button.sort_by": { + "defaultMessage": "排序标准:{sortOption}" + }, + "product_list.drawer.title.sort_by": { + "defaultMessage": "排序标准" + }, + "product_list.modal.button.clear_filters": { + "defaultMessage": "清除筛选器" + }, + "product_list.modal.button.view_items": { + "defaultMessage": "查看 {prroductCount} 件商品" + }, + "product_list.modal.title.filter": { + "defaultMessage": "筛选器" + }, + "product_list.refinements.button.assistive_msg.add_filter": { + "defaultMessage": "添加筛选器:{label}" + }, + "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": { + "defaultMessage": "添加筛选器:{label} ({hitCount})" + }, + "product_list.refinements.button.assistive_msg.remove_filter": { + "defaultMessage": "删除筛选器:{label}" + }, + "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": { + "defaultMessage": "删除筛选器:{label} ({hitCount})" + }, + "product_list.select.sort_by": { + "defaultMessage": "排序标准:{sortOption}" + }, + "product_scroller.assistive_msg.scroll_left": { + "defaultMessage": "向左滚动产品" + }, + "product_scroller.assistive_msg.scroll_right": { + "defaultMessage": "向右滚动产品" + }, + "product_tile.assistive_msg.add_to_wishlist": { + "defaultMessage": "添加 {product} 到愿望清单" + }, + "product_tile.assistive_msg.remove_from_wishlist": { + "defaultMessage": "从愿望清单删除 {product}" + }, + "product_tile.label.starting_at_price": { + "defaultMessage": "起价:{price}" + }, + "product_view.button.add_set_to_cart": { + "defaultMessage": "将套装添加到购物车" + }, + "product_view.button.add_set_to_wishlist": { + "defaultMessage": "将套装添加到愿望清单" + }, + "product_view.button.add_to_cart": { + "defaultMessage": "添加到购物车" + }, + "product_view.button.add_to_wishlist": { + "defaultMessage": "添加到愿望清单" + }, + "product_view.button.update": { + "defaultMessage": "更新" + }, + "product_view.label.assistive_msg.quantity_decrement": { + "defaultMessage": "递减数量" + }, + "product_view.label.assistive_msg.quantity_increment": { + "defaultMessage": "递增数量" + }, + "product_view.label.quantity": { + "defaultMessage": "数量" + }, + "product_view.label.quantity_decrement": { + "defaultMessage": "−" + }, + "product_view.label.quantity_increment": { + "defaultMessage": "+" + }, + "product_view.label.starting_at_price": { + "defaultMessage": "起价:" + }, + "product_view.label.variant_type": { + "defaultMessage": "{variantType}" + }, + "product_view.link.full_details": { + "defaultMessage": "查看完整详情" + }, + "profile_card.info.profile_updated": { + "defaultMessage": "已更新概况" + }, + "profile_card.label.email": { + "defaultMessage": "电子邮件" + }, + "profile_card.label.full_name": { + "defaultMessage": "全名" + }, + "profile_card.label.phone": { + "defaultMessage": "电话号码" + }, + "profile_card.message.not_provided": { + "defaultMessage": "未提供" + }, + "profile_card.title.my_profile": { + "defaultMessage": "我的概况" + }, + "promo_code_fields.button.apply": { + "defaultMessage": "确定" + }, + "promo_popover.assistive_msg.info": { + "defaultMessage": "Info" + }, + "promo_popover.heading.promo_applied": { + "defaultMessage": "已应用促销" + }, + "promocode.accordion.button.have_promocode": { + "defaultMessage": "您是否有促销码?" + }, + "recent_searches.action.clear_searches": { + "defaultMessage": "清除最近搜索" + }, + "recent_searches.heading.recent_searches": { + "defaultMessage": "最近搜索" + }, + "register_form.action.sign_in": { + "defaultMessage": "登录" + }, + "register_form.button.create_account": { + "defaultMessage": "创建账户" + }, + "register_form.heading.lets_get_started": { + "defaultMessage": "开始使用!" + }, + "register_form.message.agree_to_policy_terms": { + "defaultMessage": "创建账户即表明您同意 Salesforce 隐私政策以及条款与条件" + }, + "register_form.message.already_have_account": { + "defaultMessage": "已有账户?" + }, + "register_form.message.create_an_account": { + "defaultMessage": "创建账户并首先查看最佳产品、妙招和虚拟社区。" + }, + "reset_password.button.back_to_sign_in": { + "defaultMessage": "返回登录" + }, + "reset_password.info.receive_email_shortly": { + "defaultMessage": "您将通过 {email} 收到包含重置密码链接的电子邮件。" + }, + "reset_password.title.password_reset": { + "defaultMessage": "密码重置" + }, + "reset_password_form.action.sign_in": { + "defaultMessage": "登录" + }, + "reset_password_form.button.reset_password": { + "defaultMessage": "重置密码" + }, + "reset_password_form.message.enter_your_email": { + "defaultMessage": "进入您的电子邮件,获取重置密码说明" + }, + "reset_password_form.message.return_to_sign_in": { + "defaultMessage": "或返回", + "description": "Precedes link to return to sign in" + }, + "reset_password_form.title.reset_password": { + "defaultMessage": "重置密码" + }, + "search.action.cancel": { + "defaultMessage": "取消" + }, + "selected_refinements.action.assistive_msg.clear_all": { + "defaultMessage": "清除所有筛选器" + }, + "selected_refinements.action.clear_all": { + "defaultMessage": "全部清除" + }, + "shipping_address.button.continue_to_shipping": { + "defaultMessage": "继续并选择送货方式" + }, + "shipping_address.title.shipping_address": { + "defaultMessage": "送货地址" + }, + "shipping_address_edit_form.button.save_and_continue": { + "defaultMessage": "保存并继续选择送货方式" + }, + "shipping_address_form.heading.edit_address": { + "defaultMessage": "编辑地址" + }, + "shipping_address_form.heading.new_address": { + "defaultMessage": "添加新地址" + }, + "shipping_address_selection.button.add_address": { + "defaultMessage": "添加新地址" + }, + "shipping_address_selection.button.submit": { + "defaultMessage": "提交" + }, + "shipping_address_selection.title.add_address": { + "defaultMessage": "添加新地址" + }, + "shipping_address_selection.title.edit_shipping": { + "defaultMessage": "编辑送货地址" + }, + "shipping_options.action.send_as_a_gift": { + "defaultMessage": "您想将此作为礼品发送吗?" + }, + "shipping_options.button.continue_to_payment": { + "defaultMessage": "继续并选择付款" + }, + "shipping_options.title.shipping_gift_options": { + "defaultMessage": "送货与礼品选项" + }, + "signout_confirmation_dialog.button.cancel": { + "defaultMessage": "取消" + }, + "signout_confirmation_dialog.button.sign_out": { + "defaultMessage": "注销" + }, + "signout_confirmation_dialog.heading.sign_out": { + "defaultMessage": "注销" + }, + "signout_confirmation_dialog.message.sure_to_sign_out": { + "defaultMessage": "是否确定要注销?您需要重新登录才能继续处理当前订单。" + }, + "swatch_group.selected.label": { + "defaultMessage": "{label}:" + }, + "toggle_card.action.edit": { + "defaultMessage": "编辑" + }, + "update_password_fields.button.forgot_password": { + "defaultMessage": "忘记密码?" + }, + "use_address_fields.error.please_enter_first_name": { + "defaultMessage": "请输入您的名字。" + }, + "use_address_fields.error.please_enter_last_name": { + "defaultMessage": "请输入您的姓氏。" + }, + "use_address_fields.error.please_enter_phone_number": { + "defaultMessage": "请输入您的电话号码。" + }, + "use_address_fields.error.please_enter_your_postal_or_zip": { + "defaultMessage": "请输入您的邮政编码。" + }, + "use_address_fields.error.please_select_your_address": { + "defaultMessage": "请输入您的地址。" + }, + "use_address_fields.error.please_select_your_city": { + "defaultMessage": "请输入您所在城市。" + }, + "use_address_fields.error.please_select_your_country": { + "defaultMessage": "请输入您所在国家/地区。" + }, + "use_address_fields.error.please_select_your_state_or_province": { + "defaultMessage": "请选择您所在的州/省。" + }, + "use_address_fields.error.required": { + "defaultMessage": "必填" + }, + "use_address_fields.error.state_code_invalid": { + "defaultMessage": "请输入两个字母的州/省名称。" + }, + "use_address_fields.label.address": { + "defaultMessage": "地址" + }, + "use_address_fields.label.address_form": { + "defaultMessage": "地址表格" + }, + "use_address_fields.label.city": { + "defaultMessage": "城市" + }, + "use_address_fields.label.country": { + "defaultMessage": "国家" + }, + "use_address_fields.label.first_name": { + "defaultMessage": "名字" + }, + "use_address_fields.label.last_name": { + "defaultMessage": "姓氏" + }, + "use_address_fields.label.phone": { + "defaultMessage": "电话" + }, + "use_address_fields.label.postal_code": { + "defaultMessage": "邮政编码" + }, + "use_address_fields.label.preferred": { + "defaultMessage": "设为默认值" + }, + "use_address_fields.label.province": { + "defaultMessage": "省" + }, + "use_address_fields.label.state": { + "defaultMessage": "州/省" + }, + "use_address_fields.label.zipCode": { + "defaultMessage": "邮政编码" + }, + "use_credit_card_fields.error.required": { + "defaultMessage": "必填" + }, + "use_credit_card_fields.error.required_card_number": { + "defaultMessage": "请输入您的卡号。" + }, + "use_credit_card_fields.error.required_expiry": { + "defaultMessage": "请输入卡的到期日期。" + }, + "use_credit_card_fields.error.required_name": { + "defaultMessage": "请输入卡上显示的名字。" + }, + "use_credit_card_fields.error.required_security_code": { + "defaultMessage": "请输入您的安全码。" + }, + "use_credit_card_fields.error.valid_card_number": { + "defaultMessage": "请输入有效的卡号。" + }, + "use_credit_card_fields.error.valid_date": { + "defaultMessage": "请输入有效的日期。" + }, + "use_credit_card_fields.error.valid_name": { + "defaultMessage": "请输入有效的名称。" + }, + "use_credit_card_fields.error.valid_security_code": { + "defaultMessage": "请输入有效的安全码。" + }, + "use_credit_card_fields.label.card_number": { + "defaultMessage": "卡号" + }, + "use_credit_card_fields.label.card_type": { + "defaultMessage": "卡类型" + }, + "use_credit_card_fields.label.expiry": { + "defaultMessage": "到期日期" + }, + "use_credit_card_fields.label.name": { + "defaultMessage": "持卡人姓名" + }, + "use_credit_card_fields.label.security_code": { + "defaultMessage": "安全码" + }, + "use_login_fields.error.required_email": { + "defaultMessage": "请输入您的电子邮件地址。" + }, + "use_login_fields.error.required_password": { + "defaultMessage": "请输入您的密码。" + }, + "use_login_fields.label.email": { + "defaultMessage": "电子邮件" + }, + "use_login_fields.label.password": { + "defaultMessage": "密码" + }, + "use_product.message.inventory_remaining": { + "defaultMessage": "仅剩 {stockLevel} 件!" + }, + "use_product.message.out_of_stock": { + "defaultMessage": "无库存" + }, + "use_profile_fields.error.required_email": { + "defaultMessage": "请输入有效的电子邮件地址。" + }, + "use_profile_fields.error.required_first_name": { + "defaultMessage": "请输入您的名字。" + }, + "use_profile_fields.error.required_last_name": { + "defaultMessage": "请输入您的姓氏。" + }, + "use_profile_fields.error.required_phone": { + "defaultMessage": "请输入您的电话号码。" + }, + "use_profile_fields.label.email": { + "defaultMessage": "电子邮件" + }, + "use_profile_fields.label.first_name": { + "defaultMessage": "名字" + }, + "use_profile_fields.label.last_name": { + "defaultMessage": "姓氏" + }, + "use_profile_fields.label.phone": { + "defaultMessage": "电话号码" + }, + "use_promo_code_fields.error.required_promo_code": { + "defaultMessage": "请提供有效的促销码。" + }, + "use_promo_code_fields.label.promo_code": { + "defaultMessage": "促销码" + }, + "use_promocode.error.check_the_code": { + "defaultMessage": "检查促销码并重试,该促销码可能已被使用或促销已过期。" + }, + "use_promocode.info.promo_applied": { + "defaultMessage": "已应用促销" + }, + "use_promocode.info.promo_removed": { + "defaultMessage": "已删除促销" + }, + "use_registration_fields.error.contain_number": { + "defaultMessage": "密码必须至少包含一个数字。" + }, + "use_registration_fields.error.lowercase_letter": { + "defaultMessage": "密码必须至少包含一个小写字母。" + }, + "use_registration_fields.error.minimum_characters": { + "defaultMessage": "密码必须至少包含 8 个字符。" + }, + "use_registration_fields.error.required_email": { + "defaultMessage": "请输入有效的电子邮件地址。" + }, + "use_registration_fields.error.required_first_name": { + "defaultMessage": "请输入您的名字。" + }, + "use_registration_fields.error.required_last_name": { + "defaultMessage": "请输入您的姓氏。" + }, + "use_registration_fields.error.required_password": { + "defaultMessage": "请创建密码。" + }, + "use_registration_fields.error.special_character": { + "defaultMessage": "密码必须至少包含一个特殊字符。" + }, + "use_registration_fields.error.uppercase_letter": { + "defaultMessage": "密码必须至少包含一个大写字母。" + }, + "use_registration_fields.label.email": { + "defaultMessage": "电子邮件" + }, + "use_registration_fields.label.first_name": { + "defaultMessage": "名字" + }, + "use_registration_fields.label.last_name": { + "defaultMessage": "姓氏" + }, + "use_registration_fields.label.password": { + "defaultMessage": "密码" + }, + "use_registration_fields.label.sign_up_to_emails": { + "defaultMessage": "为我注册 Salesforce 电子邮件(您可以随时取消订阅)" + }, + "use_reset_password_fields.error.required_email": { + "defaultMessage": "请输入有效的电子邮件地址。" + }, + "use_reset_password_fields.label.email": { + "defaultMessage": "电子邮件" + }, + "use_update_password_fields.error.contain_number": { + "defaultMessage": "密码必须至少包含一个数字。" + }, + "use_update_password_fields.error.lowercase_letter": { + "defaultMessage": "密码必须至少包含一个小写字母。" + }, + "use_update_password_fields.error.minimum_characters": { + "defaultMessage": "密码必须至少包含 8 个字符。" + }, + "use_update_password_fields.error.required_new_password": { + "defaultMessage": "请提供新密码。" + }, + "use_update_password_fields.error.required_password": { + "defaultMessage": "请输入您的密码。" + }, + "use_update_password_fields.error.special_character": { + "defaultMessage": "密码必须至少包含一个特殊字符。" + }, + "use_update_password_fields.error.uppercase_letter": { + "defaultMessage": "密码必须至少包含一个大写字母。" + }, + "use_update_password_fields.label.current_password": { + "defaultMessage": "当前密码" + }, + "use_update_password_fields.label.new_password": { + "defaultMessage": "新密码" + }, + "wishlist_primary_action.button.add_set_to_cart": { + "defaultMessage": "将套装添加到购物车" + }, + "wishlist_primary_action.button.add_to_cart": { + "defaultMessage": "添加到购物车" + }, + "wishlist_primary_action.button.view_full_details": { + "defaultMessage": "查看完整详情" + }, + "wishlist_primary_action.button.view_options": { + "defaultMessage": "查看选项" + }, + "wishlist_primary_action.info.added_to_cart": { + "defaultMessage": "{quantity} {quantity, plural, one { 件商品} other { 件商品}}已添加至购物车" + }, + "wishlist_secondary_button_group.action.remove": { + "defaultMessage": "移除" + }, + "wishlist_secondary_button_group.info.item_removed": { + "defaultMessage": "从愿望清单中移除商品" + }, + "with_registration.info.please_sign_in": { + "defaultMessage": "请登录以继续!" + } +} diff --git a/my-test-project/translations/zh-TW.json b/my-test-project/translations/zh-TW.json new file mode 100644 index 0000000000..ef358ce253 --- /dev/null +++ b/my-test-project/translations/zh-TW.json @@ -0,0 +1,1517 @@ +{ + "account.accordion.button.my_account": { + "defaultMessage": "我的帳戶" + }, + "account.heading.my_account": { + "defaultMessage": "我的帳戶" + }, + "account.logout_button.button.log_out": { + "defaultMessage": "登出" + }, + "account_addresses.badge.default": { + "defaultMessage": "預設" + }, + "account_addresses.button.add_address": { + "defaultMessage": "新增地址" + }, + "account_addresses.info.address_removed": { + "defaultMessage": "已移除地址" + }, + "account_addresses.info.address_updated": { + "defaultMessage": "地址已更新" + }, + "account_addresses.info.new_address_saved": { + "defaultMessage": "新地址已儲存" + }, + "account_addresses.page_action_placeholder.button.add_address": { + "defaultMessage": "新增地址" + }, + "account_addresses.page_action_placeholder.heading.no_saved_addresses": { + "defaultMessage": "沒有已儲存的地址" + }, + "account_addresses.page_action_placeholder.message.add_new_address": { + "defaultMessage": "新增地址,加快結帳流程。" + }, + "account_addresses.title.addresses": { + "defaultMessage": "地址" + }, + "account_detail.title.account_details": { + "defaultMessage": "帳戶詳細資料" + }, + "account_order_detail.heading.billing_address": { + "defaultMessage": "帳單地址" + }, + "account_order_detail.heading.num_of_items": { + "defaultMessage": "{count} 件商品" + }, + "account_order_detail.heading.payment_method": { + "defaultMessage": "付款方式" + }, + "account_order_detail.heading.shipping_address": { + "defaultMessage": "運送地址" + }, + "account_order_detail.heading.shipping_method": { + "defaultMessage": "運送方式" + }, + "account_order_detail.label.order_number": { + "defaultMessage": "訂單編號:{orderNumber}" + }, + "account_order_detail.label.ordered_date": { + "defaultMessage": "下單日期:{date}" + }, + "account_order_detail.label.pending_tracking_number": { + "defaultMessage": "待處理" + }, + "account_order_detail.label.tracking_number": { + "defaultMessage": "追蹤編號" + }, + "account_order_detail.link.back_to_history": { + "defaultMessage": "返回訂單記錄" + }, + "account_order_detail.shipping_status.not_shipped": { + "defaultMessage": "未出貨" + }, + "account_order_detail.shipping_status.part_shipped": { + "defaultMessage": "已部分出貨" + }, + "account_order_detail.shipping_status.shipped": { + "defaultMessage": "已出貨" + }, + "account_order_detail.title.order_details": { + "defaultMessage": "訂單詳細資料" + }, + "account_order_history.button.continue_shopping": { + "defaultMessage": "繼續選購" + }, + "account_order_history.description.once_you_place_order": { + "defaultMessage": "下訂單後,詳細資料將會在這裡顯示。" + }, + "account_order_history.heading.no_order_yet": { + "defaultMessage": "您尚未下訂單。" + }, + "account_order_history.label.num_of_items": { + "defaultMessage": "{count} 件商品", + "description": "Number of items in order" + }, + "account_order_history.label.order_number": { + "defaultMessage": "訂單編號:{orderNumber}" + }, + "account_order_history.label.ordered_date": { + "defaultMessage": "下單日期:{date}" + }, + "account_order_history.label.shipped_to": { + "defaultMessage": "已出貨至:{name}" + }, + "account_order_history.link.view_details": { + "defaultMessage": "檢視詳細資料" + }, + "account_order_history.title.order_history": { + "defaultMessage": "訂單記錄" + }, + "account_wishlist.button.continue_shopping": { + "defaultMessage": "繼續選購" + }, + "account_wishlist.description.continue_shopping": { + "defaultMessage": "繼續選購,並將商品新增至願望清單。" + }, + "account_wishlist.heading.no_wishlist": { + "defaultMessage": "沒有願望清單商品" + }, + "account_wishlist.title.wishlist": { + "defaultMessage": "願望清單" + }, + "action_card.action.edit": { + "defaultMessage": "編輯" + }, + "action_card.action.remove": { + "defaultMessage": "移除" + }, + "add_to_cart_modal.info.added_to_cart": { + "defaultMessage": "{quantity} {quantity, plural, one {件商品} other {件商品}}已新增至購物車" + }, + "add_to_cart_modal.label.cart_subtotal": { + "defaultMessage": "購物車小計 ({itemAccumulatedCount} 件商品)" + }, + "add_to_cart_modal.label.quantity": { + "defaultMessage": "數量" + }, + "add_to_cart_modal.link.checkout": { + "defaultMessage": "繼續以結帳" + }, + "add_to_cart_modal.link.view_cart": { + "defaultMessage": "檢視購物車" + }, + "add_to_cart_modal.recommended_products.title.might_also_like": { + "defaultMessage": "您可能也喜歡" + }, + "auth_modal.button.close.assistive_msg": { + "defaultMessage": "關閉登入表單" + }, + "auth_modal.description.now_signed_in": { + "defaultMessage": "您現在已登入。" + }, + "auth_modal.error.incorrect_email_or_password": { + "defaultMessage": "您的電子郵件或密碼不正確。請再試一次。" + }, + "auth_modal.info.welcome_user": { + "defaultMessage": "{name},歡迎:" + }, + "auth_modal.password_reset_success.button.back_to_sign_in": { + "defaultMessage": "返回登入" + }, + "auth_modal.password_reset_success.info.will_email_shortly": { + "defaultMessage": "您很快就會在 {email} 收到一封電子郵件,內含重設密碼的連結。" + }, + "auth_modal.password_reset_success.title.password_reset": { + "defaultMessage": "重設密碼" + }, + "carousel.button.scroll_left.assistive_msg": { + "defaultMessage": "向左捲動輪播" + }, + "carousel.button.scroll_right.assistive_msg": { + "defaultMessage": "向右捲動輪播" + }, + "cart.info.removed_from_cart": { + "defaultMessage": "已從購物車移除商品" + }, + "cart.recommended_products.title.may_also_like": { + "defaultMessage": "您可能也喜歡" + }, + "cart.recommended_products.title.recently_viewed": { + "defaultMessage": "最近檢視" + }, + "cart_cta.link.checkout": { + "defaultMessage": "繼續以結帳" + }, + "cart_secondary_button_group.action.added_to_wishlist": { + "defaultMessage": "新增至願望清單" + }, + "cart_secondary_button_group.action.edit": { + "defaultMessage": "編輯" + }, + "cart_secondary_button_group.action.remove": { + "defaultMessage": "移除" + }, + "cart_secondary_button_group.label.this_is_gift": { + "defaultMessage": "這是禮物。" + }, + "cart_skeleton.heading.order_summary": { + "defaultMessage": "訂單摘要" + }, + "cart_skeleton.title.cart": { + "defaultMessage": "購物車" + }, + "cart_title.title.cart_num_of_items": { + "defaultMessage": "購物車 ({itemCount, plural, =0 {0 件商品} one {# 件商品} other {# 件商品}})" + }, + "cc_radio_group.action.remove": { + "defaultMessage": "移除" + }, + "cc_radio_group.button.add_new_card": { + "defaultMessage": "新增卡片" + }, + "checkout.button.place_order": { + "defaultMessage": "送出訂單" + }, + "checkout.message.generic_error": { + "defaultMessage": "結帳時發生意外錯誤。" + }, + "checkout_confirmation.button.create_account": { + "defaultMessage": "建立帳戶" + }, + "checkout_confirmation.heading.billing_address": { + "defaultMessage": "帳單地址" + }, + "checkout_confirmation.heading.create_account": { + "defaultMessage": "建立帳戶,加快結帳流程" + }, + "checkout_confirmation.heading.credit_card": { + "defaultMessage": "信用卡" + }, + "checkout_confirmation.heading.delivery_details": { + "defaultMessage": "運送詳細資料" + }, + "checkout_confirmation.heading.order_summary": { + "defaultMessage": "訂單摘要" + }, + "checkout_confirmation.heading.payment_details": { + "defaultMessage": "付款詳細資料" + }, + "checkout_confirmation.heading.shipping_address": { + "defaultMessage": "運送地址" + }, + "checkout_confirmation.heading.shipping_method": { + "defaultMessage": "運送方式" + }, + "checkout_confirmation.heading.thank_you_for_order": { + "defaultMessage": "感謝您的訂購!" + }, + "checkout_confirmation.label.free": { + "defaultMessage": "免費" + }, + "checkout_confirmation.label.order_number": { + "defaultMessage": "訂單編號" + }, + "checkout_confirmation.label.order_total": { + "defaultMessage": "訂單總計" + }, + "checkout_confirmation.label.promo_applied": { + "defaultMessage": "已套用促銷" + }, + "checkout_confirmation.label.shipping": { + "defaultMessage": "運送" + }, + "checkout_confirmation.label.subtotal": { + "defaultMessage": "小計" + }, + "checkout_confirmation.label.tax": { + "defaultMessage": "稅項" + }, + "checkout_confirmation.link.continue_shopping": { + "defaultMessage": "繼續選購" + }, + "checkout_confirmation.link.login": { + "defaultMessage": "於此處登入" + }, + "checkout_confirmation.message.already_has_account": { + "defaultMessage": "此電子郵件已擁有帳戶。" + }, + "checkout_confirmation.message.num_of_items_in_order": { + "defaultMessage": "{itemCount, plural, =0 {0 件商品} one {# 件商品} other {# 件商品}}", + "description": "# item(s) in order" + }, + "checkout_confirmation.message.will_email_shortly": { + "defaultMessage": "我們很快就會寄送電子郵件至 {email},內含您的確認號碼和收據。" + }, + "checkout_footer.link.privacy_policy": { + "defaultMessage": "隱私政策" + }, + "checkout_footer.link.returns_exchanges": { + "defaultMessage": "退貨與換貨" + }, + "checkout_footer.link.shipping": { + "defaultMessage": "運送" + }, + "checkout_footer.link.site_map": { + "defaultMessage": "網站地圖" + }, + "checkout_footer.link.terms_conditions": { + "defaultMessage": "條款與條件" + }, + "checkout_footer.message.copyright": { + "defaultMessage": "Salesforce 或相關企業。保留一切權利。這只是一個示範商店。在此下單將「不會」進行處理。" + }, + "checkout_header.link.assistive_msg.cart": { + "defaultMessage": "返回購物車,商品數量:{numItems}" + }, + "checkout_header.link.cart": { + "defaultMessage": "返回購物車" + }, + "checkout_payment.action.remove": { + "defaultMessage": "移除" + }, + "checkout_payment.button.review_order": { + "defaultMessage": "檢查訂單" + }, + "checkout_payment.heading.billing_address": { + "defaultMessage": "帳單地址" + }, + "checkout_payment.heading.credit_card": { + "defaultMessage": "信用卡" + }, + "checkout_payment.label.same_as_shipping": { + "defaultMessage": "與運送地址相同" + }, + "checkout_payment.title.payment": { + "defaultMessage": "付款" + }, + "colorRefinements.label.hitCount": { + "defaultMessage": "{colorLabel} ({colorHitCount})" + }, + "confirmation_modal.default.action.no": { + "defaultMessage": "否" + }, + "confirmation_modal.default.action.yes": { + "defaultMessage": "是" + }, + "confirmation_modal.default.message.you_want_to_continue": { + "defaultMessage": "確定要繼續嗎?" + }, + "confirmation_modal.default.title.confirm_action": { + "defaultMessage": "確認動作" + }, + "confirmation_modal.remove_cart_item.action.no": { + "defaultMessage": "否,保留商品" + }, + "confirmation_modal.remove_cart_item.action.remove": { + "defaultMessage": "移除" + }, + "confirmation_modal.remove_cart_item.action.yes": { + "defaultMessage": "是,移除商品" + }, + "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": { + "defaultMessage": "有些商品已無法再於線上取得,因此將從您的購物車中移除。" + }, + "confirmation_modal.remove_cart_item.message.sure_to_remove": { + "defaultMessage": "確定要將商品從購物車中移除嗎?" + }, + "confirmation_modal.remove_cart_item.title.confirm_remove": { + "defaultMessage": "確認移除商品" + }, + "confirmation_modal.remove_cart_item.title.items_unavailable": { + "defaultMessage": "商品不可用" + }, + "confirmation_modal.remove_wishlist_item.action.no": { + "defaultMessage": "否,保留商品" + }, + "confirmation_modal.remove_wishlist_item.action.yes": { + "defaultMessage": "是,移除商品" + }, + "confirmation_modal.remove_wishlist_item.message.sure_to_remove": { + "defaultMessage": "確定要將商品從願望清單中移除嗎?" + }, + "confirmation_modal.remove_wishlist_item.title.confirm_remove": { + "defaultMessage": "確認移除商品" + }, + "contact_info.action.sign_out": { + "defaultMessage": "登出" + }, + "contact_info.button.already_have_account": { + "defaultMessage": "已經有帳戶了?登入" + }, + "contact_info.button.checkout_as_guest": { + "defaultMessage": "以訪客身份結帳" + }, + "contact_info.button.login": { + "defaultMessage": "登入" + }, + "contact_info.error.incorrect_username_or_password": { + "defaultMessage": "使用者名稱或密碼不正確,請再試一次。" + }, + "contact_info.link.forgot_password": { + "defaultMessage": "忘記密碼了嗎?" + }, + "contact_info.title.contact_info": { + "defaultMessage": "聯絡資訊" + }, + "credit_card_fields.tool_tip.security_code": { + "defaultMessage": "此 3 位數代碼可在您卡片的背面找到。", + "description": "Generic credit card security code help text" + }, + "credit_card_fields.tool_tip.security_code.american_express": { + "defaultMessage": "此 4 位數代碼可在您卡片的正面找到。", + "description": "American Express security code help text" + }, + "credit_card_fields.tool_tip.security_code_aria_label": { + "defaultMessage": "安全碼資訊" + }, + "drawer_menu.button.account_details": { + "defaultMessage": "帳戶詳細資料" + }, + "drawer_menu.button.addresses": { + "defaultMessage": "地址" + }, + "drawer_menu.button.log_out": { + "defaultMessage": "登出" + }, + "drawer_menu.button.my_account": { + "defaultMessage": "我的帳戶" + }, + "drawer_menu.button.order_history": { + "defaultMessage": "訂單記錄" + }, + "drawer_menu.link.about_us": { + "defaultMessage": "關於我們" + }, + "drawer_menu.link.customer_support": { + "defaultMessage": "客戶支援" + }, + "drawer_menu.link.customer_support.contact_us": { + "defaultMessage": "聯絡我們" + }, + "drawer_menu.link.customer_support.shipping_and_returns": { + "defaultMessage": "運送與退貨" + }, + "drawer_menu.link.our_company": { + "defaultMessage": "我們的公司" + }, + "drawer_menu.link.privacy_and_security": { + "defaultMessage": "隱私與安全" + }, + "drawer_menu.link.privacy_policy": { + "defaultMessage": "隱私政策" + }, + "drawer_menu.link.shop_all": { + "defaultMessage": "選購全部" + }, + "drawer_menu.link.sign_in": { + "defaultMessage": "登入" + }, + "drawer_menu.link.site_map": { + "defaultMessage": "網站地圖" + }, + "drawer_menu.link.store_locator": { + "defaultMessage": "商店位置搜尋" + }, + "drawer_menu.link.terms_and_conditions": { + "defaultMessage": "條款與條件" + }, + "empty_cart.description.empty_cart": { + "defaultMessage": "您的購物車是空的。" + }, + "empty_cart.link.continue_shopping": { + "defaultMessage": "繼續選購" + }, + "empty_cart.link.sign_in": { + "defaultMessage": "登入" + }, + "empty_cart.message.continue_shopping": { + "defaultMessage": "繼續選購,並將商品新增至購物車。" + }, + "empty_cart.message.sign_in_or_continue_shopping": { + "defaultMessage": "登入來存取您所儲存的商品,或繼續選購。" + }, + "empty_search_results.info.cant_find_anything_for_category": { + "defaultMessage": "我們找不到{category}的結果。請嘗試搜尋產品或{link}。" + }, + "empty_search_results.info.cant_find_anything_for_query": { + "defaultMessage": "我們找不到「{searchQuery}」的結果。" + }, + "empty_search_results.info.double_check_spelling": { + "defaultMessage": "請確認拼字並再試一次,或{link}。" + }, + "empty_search_results.link.contact_us": { + "defaultMessage": "聯絡我們" + }, + "empty_search_results.recommended_products.title.most_viewed": { + "defaultMessage": "最多檢視" + }, + "empty_search_results.recommended_products.title.top_sellers": { + "defaultMessage": "最暢銷產品" + }, + "field.password.assistive_msg.hide_password": { + "defaultMessage": "隱藏密碼" + }, + "field.password.assistive_msg.show_password": { + "defaultMessage": "顯示密碼" + }, + "footer.column.account": { + "defaultMessage": "帳戶" + }, + "footer.column.customer_support": { + "defaultMessage": "客戶支援" + }, + "footer.column.our_company": { + "defaultMessage": "我們的公司" + }, + "footer.link.about_us": { + "defaultMessage": "關於我們" + }, + "footer.link.contact_us": { + "defaultMessage": "聯絡我們" + }, + "footer.link.order_status": { + "defaultMessage": "訂單狀態" + }, + "footer.link.privacy_policy": { + "defaultMessage": "隱私政策" + }, + "footer.link.shipping": { + "defaultMessage": "運送" + }, + "footer.link.signin_create_account": { + "defaultMessage": "登入或建立帳戶" + }, + "footer.link.site_map": { + "defaultMessage": "網站地圖" + }, + "footer.link.store_locator": { + "defaultMessage": "商店位置搜尋" + }, + "footer.link.terms_conditions": { + "defaultMessage": "條款與條件" + }, + "footer.message.copyright": { + "defaultMessage": "Salesforce 或相關企業。保留一切權利。這只是一個示範商店。在此下單將「不會」進行處理。" + }, + "footer.subscribe.button.sign_up": { + "defaultMessage": "註冊" + }, + "footer.subscribe.description.sign_up": { + "defaultMessage": "註冊來獲得最熱門的優惠消息" + }, + "footer.subscribe.heading.first_to_know": { + "defaultMessage": "搶先獲得消息" + }, + "form_action_buttons.button.cancel": { + "defaultMessage": "取消" + }, + "form_action_buttons.button.save": { + "defaultMessage": "儲存" + }, + "global.account.link.account_details": { + "defaultMessage": "帳戶詳細資料" + }, + "global.account.link.addresses": { + "defaultMessage": "地址" + }, + "global.account.link.order_history": { + "defaultMessage": "訂單記錄" + }, + "global.account.link.wishlist": { + "defaultMessage": "願望清單" + }, + "global.error.something_went_wrong": { + "defaultMessage": "發生錯誤。請再試一次。" + }, + "global.info.added_to_wishlist": { + "defaultMessage": "{quantity} {quantity, plural, one {件商品} other {件商品}}已新增至願望清單" + }, + "global.info.already_in_wishlist": { + "defaultMessage": "商品已在願望清單中" + }, + "global.info.removed_from_wishlist": { + "defaultMessage": "已從願望清單移除商品" + }, + "global.link.added_to_wishlist.view_wishlist": { + "defaultMessage": "檢視" + }, + "header.button.assistive_msg.logo": { + "defaultMessage": "標誌" + }, + "header.button.assistive_msg.menu": { + "defaultMessage": "選單" + }, + "header.button.assistive_msg.my_account": { + "defaultMessage": "我的帳戶" + }, + "header.button.assistive_msg.my_account_menu": { + "defaultMessage": "開啟帳戶選單" + }, + "header.button.assistive_msg.my_cart_with_num_items": { + "defaultMessage": "我的購物車,商品數量:{numItems}" + }, + "header.button.assistive_msg.wishlist": { + "defaultMessage": "願望清單" + }, + "header.field.placeholder.search_for_products": { + "defaultMessage": "搜尋產品..." + }, + "header.popover.action.log_out": { + "defaultMessage": "登出" + }, + "header.popover.title.my_account": { + "defaultMessage": "我的帳戶" + }, + "home.description.features": { + "defaultMessage": "功能皆可立即使用,您只需專注於如何精益求精。" + }, + "home.description.here_to_help": { + "defaultMessage": "聯絡我們的支援人員," + }, + "home.description.here_to_help_line_2": { + "defaultMessage": "讓他們為您指點迷津。" + }, + "home.description.shop_products": { + "defaultMessage": "此區塊包含來自目錄的內容。{docLink}來了解如何取代。", + "description": "{docLink} is a html button that links the user to https://sfdc.co/business-manager-manage-catalogs" + }, + "home.features.description.cart_checkout": { + "defaultMessage": "為購物者提供購物車和結帳體驗的電子商務最佳做法。" + }, + "home.features.description.components": { + "defaultMessage": "以簡單、模組化、無障礙設計的 React 元件庫 Chakra UI 打造而成。" + }, + "home.features.description.einstein_recommendations": { + "defaultMessage": "透過產品推薦,向每位購物者傳遞下一個最佳產品或優惠。" + }, + "home.features.description.my_account": { + "defaultMessage": "購物者可管理帳戶資訊,例如個人資料、地址、付款和訂單。" + }, + "home.features.description.shopper_login": { + "defaultMessage": "讓購物者能夠輕鬆登入,享受更加個人化的購物體驗。" + }, + "home.features.description.wishlist": { + "defaultMessage": "已註冊的購物者可以新增產品至願望清單,留待日後購買。" + }, + "home.features.heading.cart_checkout": { + "defaultMessage": "購物車與結帳" + }, + "home.features.heading.components": { + "defaultMessage": "元件與設計套件" + }, + "home.features.heading.einstein_recommendations": { + "defaultMessage": "Einstein 推薦" + }, + "home.features.heading.my_account": { + "defaultMessage": "我的帳戶" + }, + "home.features.heading.shopper_login": { + "defaultMessage": "Shopper Login and API Access Service (SLAS)" + }, + "home.features.heading.wishlist": { + "defaultMessage": "願望清單" + }, + "home.heading.features": { + "defaultMessage": "功能" + }, + "home.heading.here_to_help": { + "defaultMessage": "我們很樂意隨時提供協助" + }, + "home.heading.shop_products": { + "defaultMessage": "選購產品" + }, + "home.hero_features.link.design_kit": { + "defaultMessage": "使用 Figma PWA Design Kit 揮灑創意" + }, + "home.hero_features.link.on_github": { + "defaultMessage": "前往 Github 下載" + }, + "home.hero_features.link.on_managed_runtime": { + "defaultMessage": "在 Managed Runtime 上部署" + }, + "home.link.contact_us": { + "defaultMessage": "聯絡我們" + }, + "home.link.get_started": { + "defaultMessage": "開始使用" + }, + "home.link.read_docs": { + "defaultMessage": "閱讀文件" + }, + "home.title.react_starter_store": { + "defaultMessage": "零售型 React PWA Starter Store" + }, + "icons.assistive_msg.lock": { + "defaultMessage": "安全" + }, + "item_attributes.label.promotions": { + "defaultMessage": "促銷" + }, + "item_attributes.label.quantity": { + "defaultMessage": "數量:{quantity}" + }, + "item_image.label.sale": { + "defaultMessage": "特價", + "description": "A sale badge placed on top of a product image" + }, + "item_image.label.unavailable": { + "defaultMessage": "不可用", + "description": "A unavailable badge placed on top of a product image" + }, + "item_price.label.starting_at": { + "defaultMessage": "起始" + }, + "lCPCxk": { + "defaultMessage": "請在上方選擇所有選項" + }, + "list_menu.nav.assistive_msg": { + "defaultMessage": "主導覽選單" + }, + "locale_text.message.ar-SA": { + "defaultMessage": "阿拉伯文 (沙烏地阿拉伯)" + }, + "locale_text.message.bn-BD": { + "defaultMessage": "孟加拉文 (孟加拉)" + }, + "locale_text.message.bn-IN": { + "defaultMessage": "孟加拉文 (印度)" + }, + "locale_text.message.cs-CZ": { + "defaultMessage": "捷克文 (捷克)" + }, + "locale_text.message.da-DK": { + "defaultMessage": "丹麥文 (丹麥)" + }, + "locale_text.message.de-AT": { + "defaultMessage": "德文 (奧地利)" + }, + "locale_text.message.de-CH": { + "defaultMessage": "德文 (瑞士)" + }, + "locale_text.message.de-DE": { + "defaultMessage": "德文 (德國)" + }, + "locale_text.message.el-GR": { + "defaultMessage": "希臘文 (希臘)" + }, + "locale_text.message.en-AU": { + "defaultMessage": "英文 (澳洲)" + }, + "locale_text.message.en-CA": { + "defaultMessage": "英文 (加拿大)" + }, + "locale_text.message.en-GB": { + "defaultMessage": "英文 (英國)" + }, + "locale_text.message.en-IE": { + "defaultMessage": "英文 (愛爾蘭)" + }, + "locale_text.message.en-IN": { + "defaultMessage": "英文 (印度)" + }, + "locale_text.message.en-NZ": { + "defaultMessage": "英文 (紐西蘭)" + }, + "locale_text.message.en-US": { + "defaultMessage": "英文 (美國)" + }, + "locale_text.message.en-ZA": { + "defaultMessage": "英文 (南非)" + }, + "locale_text.message.es-AR": { + "defaultMessage": "西班牙文 (阿根廷)" + }, + "locale_text.message.es-CL": { + "defaultMessage": "西班牙文 (智利)" + }, + "locale_text.message.es-CO": { + "defaultMessage": "西班牙文 (哥倫比亞)" + }, + "locale_text.message.es-ES": { + "defaultMessage": "西班牙文 (西班牙)" + }, + "locale_text.message.es-MX": { + "defaultMessage": "西班牙文 (墨西哥)" + }, + "locale_text.message.es-US": { + "defaultMessage": "西班牙文 (美國)" + }, + "locale_text.message.fi-FI": { + "defaultMessage": "芬蘭文 (芬蘭)" + }, + "locale_text.message.fr-BE": { + "defaultMessage": "法文 (比利時)" + }, + "locale_text.message.fr-CA": { + "defaultMessage": "法文 (加拿大)" + }, + "locale_text.message.fr-CH": { + "defaultMessage": "法文 (瑞士)" + }, + "locale_text.message.fr-FR": { + "defaultMessage": "法文 (法國)" + }, + "locale_text.message.he-IL": { + "defaultMessage": "希伯來文 (以色列)" + }, + "locale_text.message.hi-IN": { + "defaultMessage": "印度文 (印度)" + }, + "locale_text.message.hu-HU": { + "defaultMessage": "匈牙利文 (匈牙利)" + }, + "locale_text.message.id-ID": { + "defaultMessage": "印尼文 (印尼)" + }, + "locale_text.message.it-CH": { + "defaultMessage": "義大利文 (瑞士)" + }, + "locale_text.message.it-IT": { + "defaultMessage": "義大利文 (義大利)" + }, + "locale_text.message.ja-JP": { + "defaultMessage": "日文 (日本)" + }, + "locale_text.message.ko-KR": { + "defaultMessage": "韓文 (韓國)" + }, + "locale_text.message.nl-BE": { + "defaultMessage": "荷蘭文 (比利時)" + }, + "locale_text.message.nl-NL": { + "defaultMessage": "荷蘭文 (荷蘭)" + }, + "locale_text.message.no-NO": { + "defaultMessage": "挪威文 (挪威)" + }, + "locale_text.message.pl-PL": { + "defaultMessage": "波蘭文 (波蘭)" + }, + "locale_text.message.pt-BR": { + "defaultMessage": "葡萄牙文 (巴西)" + }, + "locale_text.message.pt-PT": { + "defaultMessage": "葡萄牙文 (葡萄牙)" + }, + "locale_text.message.ro-RO": { + "defaultMessage": "羅馬尼亞文 (羅馬尼亞)" + }, + "locale_text.message.ru-RU": { + "defaultMessage": "俄文 (俄羅斯聯邦)" + }, + "locale_text.message.sk-SK": { + "defaultMessage": "斯洛伐克文 (斯洛伐克)" + }, + "locale_text.message.sv-SE": { + "defaultMessage": "瑞典文 (瑞典)" + }, + "locale_text.message.ta-IN": { + "defaultMessage": "泰米爾文 (印度)" + }, + "locale_text.message.ta-LK": { + "defaultMessage": "泰米爾文 (斯里蘭卡)" + }, + "locale_text.message.th-TH": { + "defaultMessage": "泰文 (泰國)" + }, + "locale_text.message.tr-TR": { + "defaultMessage": "土耳其文 (土耳其)" + }, + "locale_text.message.zh-CN": { + "defaultMessage": "中文 (中國)" + }, + "locale_text.message.zh-HK": { + "defaultMessage": "中文 (香港)" + }, + "locale_text.message.zh-TW": { + "defaultMessage": "中文 (台灣)" + }, + "login_form.action.create_account": { + "defaultMessage": "建立帳戶" + }, + "login_form.button.sign_in": { + "defaultMessage": "登入" + }, + "login_form.link.forgot_password": { + "defaultMessage": "忘記密碼了嗎?" + }, + "login_form.message.dont_have_account": { + "defaultMessage": "沒有帳戶嗎?" + }, + "login_form.message.welcome_back": { + "defaultMessage": "歡迎回來" + }, + "login_page.error.incorrect_username_or_password": { + "defaultMessage": "使用者名稱或密碼不正確,請再試一次。" + }, + "offline_banner.description.browsing_offline_mode": { + "defaultMessage": "您目前正以離線模式瀏覽" + }, + "order_summary.action.remove_promo": { + "defaultMessage": "移除" + }, + "order_summary.cart_items.action.num_of_items_in_cart": { + "defaultMessage": "購物車有 {itemCount, plural, =0 {0 件商品} one {# 件商品} other {# 件商品}}", + "description": "clicking it would expand/show the items in cart" + }, + "order_summary.cart_items.link.edit_cart": { + "defaultMessage": "編輯購物車" + }, + "order_summary.heading.order_summary": { + "defaultMessage": "訂單摘要" + }, + "order_summary.label.estimated_total": { + "defaultMessage": "預估總計" + }, + "order_summary.label.free": { + "defaultMessage": "免費" + }, + "order_summary.label.order_total": { + "defaultMessage": "訂單總計" + }, + "order_summary.label.promo_applied": { + "defaultMessage": "已套用促銷" + }, + "order_summary.label.promotions_applied": { + "defaultMessage": "已套用促銷" + }, + "order_summary.label.shipping": { + "defaultMessage": "運送" + }, + "order_summary.label.subtotal": { + "defaultMessage": "小計" + }, + "order_summary.label.tax": { + "defaultMessage": "稅項" + }, + "page_not_found.action.go_back": { + "defaultMessage": "返回上一頁" + }, + "page_not_found.link.homepage": { + "defaultMessage": "前往首頁" + }, + "page_not_found.message.suggestion_to_try": { + "defaultMessage": "請嘗試重新輸入地址、返回上一頁或前往首頁。" + }, + "page_not_found.title.page_cant_be_found": { + "defaultMessage": "找不到您在尋找的頁面。" + }, + "pagination.field.num_of_pages": { + "defaultMessage": "{numOfPages} 頁" + }, + "pagination.link.next": { + "defaultMessage": "下一頁" + }, + "pagination.link.next.assistive_msg": { + "defaultMessage": "下一頁" + }, + "pagination.link.prev": { + "defaultMessage": "上一頁" + }, + "pagination.link.prev.assistive_msg": { + "defaultMessage": "上一頁" + }, + "password_card.info.password_updated": { + "defaultMessage": "密碼已更新" + }, + "password_card.label.password": { + "defaultMessage": "密碼" + }, + "password_card.title.password": { + "defaultMessage": "密碼" + }, + "password_requirements.error.eight_letter_minimum": { + "defaultMessage": "最少 8 個字元", + "description": "Password requirement" + }, + "password_requirements.error.one_lowercase_letter": { + "defaultMessage": "1 個小寫字母", + "description": "Password requirement" + }, + "password_requirements.error.one_number": { + "defaultMessage": "1 個數字", + "description": "Password requirement" + }, + "password_requirements.error.one_special_character": { + "defaultMessage": "1 個特殊字元 (例如:, $ ! % #)", + "description": "Password requirement" + }, + "password_requirements.error.one_uppercase_letter": { + "defaultMessage": "1 個大寫字母", + "description": "Password requirement" + }, + "payment_selection.heading.credit_card": { + "defaultMessage": "信用卡" + }, + "payment_selection.tooltip.secure_payment": { + "defaultMessage": "此為安全 SSL 加密付款。" + }, + "price_per_item.label.each": { + "defaultMessage": "每件", + "description": "Abbreviated 'each', follows price per item, like $10/ea" + }, + "product_detail.accordion.button.product_detail": { + "defaultMessage": "產品詳細資料" + }, + "product_detail.accordion.button.questions": { + "defaultMessage": "問題" + }, + "product_detail.accordion.button.reviews": { + "defaultMessage": "評價" + }, + "product_detail.accordion.button.size_fit": { + "defaultMessage": "尺寸與版型" + }, + "product_detail.accordion.message.coming_soon": { + "defaultMessage": "即將推出" + }, + "product_detail.recommended_products.title.complete_set": { + "defaultMessage": "完成組合" + }, + "product_detail.recommended_products.title.might_also_like": { + "defaultMessage": "您可能也喜歡" + }, + "product_detail.recommended_products.title.recently_viewed": { + "defaultMessage": "最近檢視" + }, + "product_item.label.quantity": { + "defaultMessage": "數量:" + }, + "product_list.button.filter": { + "defaultMessage": "篩選條件" + }, + "product_list.button.sort_by": { + "defaultMessage": "排序方式:{sortOption}" + }, + "product_list.drawer.title.sort_by": { + "defaultMessage": "排序方式" + }, + "product_list.modal.button.clear_filters": { + "defaultMessage": "清除篩選條件" + }, + "product_list.modal.button.view_items": { + "defaultMessage": "檢視 {prroductCount} 件商品" + }, + "product_list.modal.title.filter": { + "defaultMessage": "篩選條件" + }, + "product_list.refinements.button.assistive_msg.add_filter": { + "defaultMessage": "新增篩選條件:{label}" + }, + "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": { + "defaultMessage": "新增篩選條件:{label} ({hitCount})" + }, + "product_list.refinements.button.assistive_msg.remove_filter": { + "defaultMessage": "移除篩選條件:{label}" + }, + "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": { + "defaultMessage": "移除篩選條件:{label} ({hitCount})" + }, + "product_list.select.sort_by": { + "defaultMessage": "排序方式:{sortOption}" + }, + "product_scroller.assistive_msg.scroll_left": { + "defaultMessage": "向左捲動產品" + }, + "product_scroller.assistive_msg.scroll_right": { + "defaultMessage": "向右捲動產品" + }, + "product_tile.assistive_msg.add_to_wishlist": { + "defaultMessage": "將 {product} 新增至願望清單" + }, + "product_tile.assistive_msg.remove_from_wishlist": { + "defaultMessage": "從願望清單移除 {product}" + }, + "product_tile.label.starting_at_price": { + "defaultMessage": "{price} 起" + }, + "product_view.button.add_set_to_cart": { + "defaultMessage": "新增組合至購物車" + }, + "product_view.button.add_set_to_wishlist": { + "defaultMessage": "新增組合至願望清單" + }, + "product_view.button.add_to_cart": { + "defaultMessage": "新增至購物車" + }, + "product_view.button.add_to_wishlist": { + "defaultMessage": "新增至願望清單" + }, + "product_view.button.update": { + "defaultMessage": "更新" + }, + "product_view.label.assistive_msg.quantity_decrement": { + "defaultMessage": "遞減數量" + }, + "product_view.label.assistive_msg.quantity_increment": { + "defaultMessage": "遞增數量" + }, + "product_view.label.quantity": { + "defaultMessage": "數量" + }, + "product_view.label.quantity_decrement": { + "defaultMessage": "−" + }, + "product_view.label.quantity_increment": { + "defaultMessage": "+" + }, + "product_view.label.starting_at_price": { + "defaultMessage": "起始" + }, + "product_view.label.variant_type": { + "defaultMessage": "{variantType}" + }, + "product_view.link.full_details": { + "defaultMessage": "檢視完整詳細資料" + }, + "profile_card.info.profile_updated": { + "defaultMessage": "個人資料已更新" + }, + "profile_card.label.email": { + "defaultMessage": "電子郵件" + }, + "profile_card.label.full_name": { + "defaultMessage": "全名" + }, + "profile_card.label.phone": { + "defaultMessage": "電話號碼" + }, + "profile_card.message.not_provided": { + "defaultMessage": "未提供" + }, + "profile_card.title.my_profile": { + "defaultMessage": "我的個人資料" + }, + "promo_code_fields.button.apply": { + "defaultMessage": "套用" + }, + "promo_popover.assistive_msg.info": { + "defaultMessage": "資訊" + }, + "promo_popover.heading.promo_applied": { + "defaultMessage": "已套用促銷" + }, + "promocode.accordion.button.have_promocode": { + "defaultMessage": "您有促銷代碼嗎?" + }, + "recent_searches.action.clear_searches": { + "defaultMessage": "清除最近搜尋" + }, + "recent_searches.heading.recent_searches": { + "defaultMessage": "最近搜尋" + }, + "register_form.action.sign_in": { + "defaultMessage": "登入" + }, + "register_form.button.create_account": { + "defaultMessage": "建立帳戶" + }, + "register_form.heading.lets_get_started": { + "defaultMessage": "讓我們開始吧!" + }, + "register_form.message.agree_to_policy_terms": { + "defaultMessage": "建立帳戶即代表您同意 Salesforce 隱私權政策條款與條件" + }, + "register_form.message.already_have_account": { + "defaultMessage": "已經有帳戶了?" + }, + "register_form.message.create_an_account": { + "defaultMessage": "建立帳戶,就能搶先獲得最棒產品、靈感來源和社群最新消息。" + }, + "reset_password.button.back_to_sign_in": { + "defaultMessage": "返回登入" + }, + "reset_password.info.receive_email_shortly": { + "defaultMessage": "您很快就會在 {email} 收到一封電子郵件,內含重設密碼的連結。" + }, + "reset_password.title.password_reset": { + "defaultMessage": "重設密碼" + }, + "reset_password_form.action.sign_in": { + "defaultMessage": "登入" + }, + "reset_password_form.button.reset_password": { + "defaultMessage": "重設密碼" + }, + "reset_password_form.message.enter_your_email": { + "defaultMessage": "請輸入您的電子郵件,以便接收重設密碼的說明" + }, + "reset_password_form.message.return_to_sign_in": { + "defaultMessage": "或返回", + "description": "Precedes link to return to sign in" + }, + "reset_password_form.title.reset_password": { + "defaultMessage": "重設密碼" + }, + "search.action.cancel": { + "defaultMessage": "取消" + }, + "selected_refinements.action.assistive_msg.clear_all": { + "defaultMessage": "清除所有篩選條件" + }, + "selected_refinements.action.clear_all": { + "defaultMessage": "全部清除" + }, + "shipping_address.button.continue_to_shipping": { + "defaultMessage": "繼續前往運送方式" + }, + "shipping_address.title.shipping_address": { + "defaultMessage": "運送地址" + }, + "shipping_address_edit_form.button.save_and_continue": { + "defaultMessage": "儲存並繼續前往運送方式" + }, + "shipping_address_form.heading.edit_address": { + "defaultMessage": "編輯地址" + }, + "shipping_address_form.heading.new_address": { + "defaultMessage": "新增地址" + }, + "shipping_address_selection.button.add_address": { + "defaultMessage": "新增地址" + }, + "shipping_address_selection.button.submit": { + "defaultMessage": "提交" + }, + "shipping_address_selection.title.add_address": { + "defaultMessage": "新增地址" + }, + "shipping_address_selection.title.edit_shipping": { + "defaultMessage": "編輯運送地址" + }, + "shipping_options.action.send_as_a_gift": { + "defaultMessage": "您想以禮品方式寄送嗎?" + }, + "shipping_options.button.continue_to_payment": { + "defaultMessage": "繼續前往付款" + }, + "shipping_options.title.shipping_gift_options": { + "defaultMessage": "運送與禮品選項" + }, + "signout_confirmation_dialog.button.cancel": { + "defaultMessage": "取消" + }, + "signout_confirmation_dialog.button.sign_out": { + "defaultMessage": "登出" + }, + "signout_confirmation_dialog.heading.sign_out": { + "defaultMessage": "登出" + }, + "signout_confirmation_dialog.message.sure_to_sign_out": { + "defaultMessage": "確定要登出嗎?您必須重新登入,才能繼續目前的訂單流程。" + }, + "swatch_group.selected.label": { + "defaultMessage": "{label}:" + }, + "toggle_card.action.edit": { + "defaultMessage": "編輯" + }, + "update_password_fields.button.forgot_password": { + "defaultMessage": "忘記密碼了嗎?" + }, + "use_address_fields.error.please_enter_first_name": { + "defaultMessage": "請輸入您的名字。" + }, + "use_address_fields.error.please_enter_last_name": { + "defaultMessage": "請輸入您的姓氏。" + }, + "use_address_fields.error.please_enter_phone_number": { + "defaultMessage": "請輸入您的電話號碼。" + }, + "use_address_fields.error.please_enter_your_postal_or_zip": { + "defaultMessage": "請輸入您的郵遞區號。" + }, + "use_address_fields.error.please_select_your_address": { + "defaultMessage": "請輸入您的地址。" + }, + "use_address_fields.error.please_select_your_city": { + "defaultMessage": "請輸入您的城市。" + }, + "use_address_fields.error.please_select_your_country": { + "defaultMessage": "請選擇您的國家/地區。" + }, + "use_address_fields.error.please_select_your_state_or_province": { + "defaultMessage": "請選擇您的州/省。" + }, + "use_address_fields.error.required": { + "defaultMessage": "必填" + }, + "use_address_fields.error.state_code_invalid": { + "defaultMessage": "請輸入 2 個字母的州/省名。" + }, + "use_address_fields.label.address": { + "defaultMessage": "地址" + }, + "use_address_fields.label.address_form": { + "defaultMessage": "地址表單" + }, + "use_address_fields.label.city": { + "defaultMessage": "城市" + }, + "use_address_fields.label.country": { + "defaultMessage": "國家/地區" + }, + "use_address_fields.label.first_name": { + "defaultMessage": "名字" + }, + "use_address_fields.label.last_name": { + "defaultMessage": "姓氏" + }, + "use_address_fields.label.phone": { + "defaultMessage": "電話" + }, + "use_address_fields.label.postal_code": { + "defaultMessage": "郵遞區號" + }, + "use_address_fields.label.preferred": { + "defaultMessage": "設為預設" + }, + "use_address_fields.label.province": { + "defaultMessage": "省" + }, + "use_address_fields.label.state": { + "defaultMessage": "州" + }, + "use_address_fields.label.zipCode": { + "defaultMessage": "郵遞區號" + }, + "use_credit_card_fields.error.required": { + "defaultMessage": "必填" + }, + "use_credit_card_fields.error.required_card_number": { + "defaultMessage": "請輸入您的卡片號碼。" + }, + "use_credit_card_fields.error.required_expiry": { + "defaultMessage": "請輸入您的到期日。" + }, + "use_credit_card_fields.error.required_name": { + "defaultMessage": "請輸入您卡片上的姓名。" + }, + "use_credit_card_fields.error.required_security_code": { + "defaultMessage": "請輸入您的安全碼。" + }, + "use_credit_card_fields.error.valid_card_number": { + "defaultMessage": "請輸入有效的卡片號碼。" + }, + "use_credit_card_fields.error.valid_date": { + "defaultMessage": "請輸入有效的日期。" + }, + "use_credit_card_fields.error.valid_name": { + "defaultMessage": "請輸入有效的姓名。" + }, + "use_credit_card_fields.error.valid_security_code": { + "defaultMessage": "請輸入有效的安全碼。" + }, + "use_credit_card_fields.label.card_number": { + "defaultMessage": "卡片號碼" + }, + "use_credit_card_fields.label.card_type": { + "defaultMessage": "卡片類型" + }, + "use_credit_card_fields.label.expiry": { + "defaultMessage": "到期日" + }, + "use_credit_card_fields.label.name": { + "defaultMessage": "持卡人姓名" + }, + "use_credit_card_fields.label.security_code": { + "defaultMessage": "安全碼" + }, + "use_login_fields.error.required_email": { + "defaultMessage": "請輸入您的電子郵件地址。" + }, + "use_login_fields.error.required_password": { + "defaultMessage": "請輸入您的密碼。" + }, + "use_login_fields.label.email": { + "defaultMessage": "電子郵件" + }, + "use_login_fields.label.password": { + "defaultMessage": "密碼" + }, + "use_product.message.inventory_remaining": { + "defaultMessage": "只剩 {stockLevel} 個!" + }, + "use_product.message.out_of_stock": { + "defaultMessage": "缺貨" + }, + "use_profile_fields.error.required_email": { + "defaultMessage": "請輸入有效的電子郵件地址。" + }, + "use_profile_fields.error.required_first_name": { + "defaultMessage": "請輸入您的名字。" + }, + "use_profile_fields.error.required_last_name": { + "defaultMessage": "請輸入您的姓氏。" + }, + "use_profile_fields.error.required_phone": { + "defaultMessage": "請輸入您的電話號碼。" + }, + "use_profile_fields.label.email": { + "defaultMessage": "電子郵件" + }, + "use_profile_fields.label.first_name": { + "defaultMessage": "名字" + }, + "use_profile_fields.label.last_name": { + "defaultMessage": "姓氏" + }, + "use_profile_fields.label.phone": { + "defaultMessage": "電話號碼" + }, + "use_promo_code_fields.error.required_promo_code": { + "defaultMessage": "請提供有效的促銷代碼。" + }, + "use_promo_code_fields.label.promo_code": { + "defaultMessage": "促銷代碼" + }, + "use_promocode.error.check_the_code": { + "defaultMessage": "請檢查代碼並再試一次,代碼可能已套用過或促銷已過期。" + }, + "use_promocode.info.promo_applied": { + "defaultMessage": "已套用促銷" + }, + "use_promocode.info.promo_removed": { + "defaultMessage": "已移除促銷" + }, + "use_registration_fields.error.contain_number": { + "defaultMessage": "密碼必須包含至少 1 個數字。" + }, + "use_registration_fields.error.lowercase_letter": { + "defaultMessage": "密碼必須包含至少 1 個小寫字母。" + }, + "use_registration_fields.error.minimum_characters": { + "defaultMessage": "密碼必須包含至少 8 個字元。" + }, + "use_registration_fields.error.required_email": { + "defaultMessage": "請輸入有效的電子郵件地址。" + }, + "use_registration_fields.error.required_first_name": { + "defaultMessage": "請輸入您的名字。" + }, + "use_registration_fields.error.required_last_name": { + "defaultMessage": "請輸入您的姓氏。" + }, + "use_registration_fields.error.required_password": { + "defaultMessage": "請建立密碼。" + }, + "use_registration_fields.error.special_character": { + "defaultMessage": "密碼必須包含至少 1 個特殊字元。" + }, + "use_registration_fields.error.uppercase_letter": { + "defaultMessage": "密碼必須包含至少 1 個大寫字母。" + }, + "use_registration_fields.label.email": { + "defaultMessage": "電子郵件" + }, + "use_registration_fields.label.first_name": { + "defaultMessage": "名字" + }, + "use_registration_fields.label.last_name": { + "defaultMessage": "姓氏" + }, + "use_registration_fields.label.password": { + "defaultMessage": "密碼" + }, + "use_registration_fields.label.sign_up_to_emails": { + "defaultMessage": "我要訂閱 Salesforce 電子報 (可以隨時取消訂閱)" + }, + "use_reset_password_fields.error.required_email": { + "defaultMessage": "請輸入有效的電子郵件地址。" + }, + "use_reset_password_fields.label.email": { + "defaultMessage": "電子郵件" + }, + "use_update_password_fields.error.contain_number": { + "defaultMessage": "密碼必須包含至少 1 個數字。" + }, + "use_update_password_fields.error.lowercase_letter": { + "defaultMessage": "密碼必須包含至少 1 個小寫字母。" + }, + "use_update_password_fields.error.minimum_characters": { + "defaultMessage": "密碼必須包含至少 8 個字元。" + }, + "use_update_password_fields.error.required_new_password": { + "defaultMessage": "請提供新密碼。" + }, + "use_update_password_fields.error.required_password": { + "defaultMessage": "請輸入您的密碼。" + }, + "use_update_password_fields.error.special_character": { + "defaultMessage": "密碼必須包含至少 1 個特殊字元。" + }, + "use_update_password_fields.error.uppercase_letter": { + "defaultMessage": "密碼必須包含至少 1 個大寫字母。" + }, + "use_update_password_fields.label.current_password": { + "defaultMessage": "目前密碼" + }, + "use_update_password_fields.label.new_password": { + "defaultMessage": "新密碼" + }, + "wishlist_primary_action.button.add_set_to_cart": { + "defaultMessage": "新增組合至購物車" + }, + "wishlist_primary_action.button.add_to_cart": { + "defaultMessage": "新增至購物車" + }, + "wishlist_primary_action.button.view_full_details": { + "defaultMessage": "檢視完整詳細資料" + }, + "wishlist_primary_action.button.view_options": { + "defaultMessage": "檢視選項" + }, + "wishlist_primary_action.info.added_to_cart": { + "defaultMessage": "{quantity} {quantity, plural, one {件商品} other {件商品}}已新增至購物車" + }, + "wishlist_secondary_button_group.action.remove": { + "defaultMessage": "移除" + }, + "wishlist_secondary_button_group.info.item_removed": { + "defaultMessage": "已從願望清單移除商品" + }, + "with_registration.info.please_sign_in": { + "defaultMessage": "請登入以繼續。" + } +} diff --git a/my-test-project/worker/main.js b/my-test-project/worker/main.js new file mode 100644 index 0000000000..e4e291ff34 --- /dev/null +++ b/my-test-project/worker/main.js @@ -0,0 +1,6 @@ +/* + * Copyright (c) 2023, Salesforce, Inc. + * All rights reserved. + * SPDX-License-Identifier: BSD-3-Clause + * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause + */ From c9b5e619c1483f0af390fb5df04885b81ea92bf2 Mon Sep 17 00:00:00 2001 From: snilakandan Date: Sun, 8 Jun 2025 22:49:50 -0500 Subject: [PATCH 07/20] Remove my-test-project from repository and add to .gitignore --- .gitignore | 3 +- my-test-project/.eslintignore | 4 - my-test-project/.eslintrc.js | 10 - my-test-project/.prettierrc.yaml | 7 - my-test-project/README.MD | 56 - my-test-project/babel.config.js | 7 - my-test-project/build/loadable-stats.json | 1319 - my-test-project/config/default.js | 120 - my-test-project/config/sites.js | 26 - my-test-project/jest.config.js | 22 - .../overrides/app/assets/svg/brand-logo.svg | 5 - .../app/components/_app-config/index.jsx | 133 - my-test-project/overrides/app/constants.js | 29 - my-test-project/overrides/app/main.jsx | 14 - .../overrides/app/pages/home/index.jsx | 167 - .../app/pages/my-new-route/index.jsx | 14 - .../overrides/app/request-processor.js | 118 - my-test-project/overrides/app/routes.jsx | 42 - my-test-project/overrides/app/ssr.js | 362 - .../overrides/app/static/dwac-21.7.js | 475 - .../overrides/app/static/dwanalytics-22.2.js | 502 - .../overrides/app/static/head-active_data.js | 43 - .../overrides/app/static/ico/favicon.ico | Bin 15406 -> 0 bytes .../app/static/img/global/app-icon-192.png | Bin 10234 -> 0 bytes .../app/static/img/global/app-icon-512.png | Bin 29962 -> 0 bytes .../static/img/global/apple-touch-icon.png | Bin 9171 -> 0 bytes .../overrides/app/static/img/hero.png | Bin 54741 -> 0 bytes .../overrides/app/static/manifest.json | 19 - .../overrides/app/static/robots.txt | 2 - .../static/translations/compiled/de-DE.json | 3470 --- .../static/translations/compiled/en-GB.json | 4200 --- .../static/translations/compiled/en-US.json | 4200 --- .../static/translations/compiled/en-XA.json | 8952 ------ .../static/translations/compiled/es-MX.json | 3482 --- .../static/translations/compiled/fr-FR.json | 3482 --- .../static/translations/compiled/it-IT.json | 3454 --- .../static/translations/compiled/ja-JP.json | 3466 --- .../static/translations/compiled/ko-KR.json | 3454 --- .../static/translations/compiled/pt-BR.json | 3486 --- .../static/translations/compiled/zh-CN.json | 3474 --- .../static/translations/compiled/zh-TW.json | 3470 --- my-test-project/package-lock.json | 23144 ---------------- my-test-project/package.json | 52 - my-test-project/translations/README.md | 127 - my-test-project/translations/de-DE.json | 1517 - my-test-project/translations/en-GB.json | 1801 -- my-test-project/translations/en-US.json | 1801 -- my-test-project/translations/es-MX.json | 1517 - my-test-project/translations/fr-FR.json | 1517 - my-test-project/translations/it-IT.json | 1517 - my-test-project/translations/ja-JP.json | 1517 - my-test-project/translations/ko-KR.json | 1517 - my-test-project/translations/pt-BR.json | 1517 - my-test-project/translations/zh-CN.json | 1517 - my-test-project/translations/zh-TW.json | 1517 - my-test-project/worker/main.js | 6 - 56 files changed, 1 insertion(+), 92672 deletions(-) delete mode 100644 my-test-project/.eslintignore delete mode 100644 my-test-project/.eslintrc.js delete mode 100644 my-test-project/.prettierrc.yaml delete mode 100644 my-test-project/README.MD delete mode 100644 my-test-project/babel.config.js delete mode 100644 my-test-project/build/loadable-stats.json delete mode 100644 my-test-project/config/default.js delete mode 100644 my-test-project/config/sites.js delete mode 100644 my-test-project/jest.config.js delete mode 100644 my-test-project/overrides/app/assets/svg/brand-logo.svg delete mode 100644 my-test-project/overrides/app/components/_app-config/index.jsx delete mode 100644 my-test-project/overrides/app/constants.js delete mode 100644 my-test-project/overrides/app/main.jsx delete mode 100644 my-test-project/overrides/app/pages/home/index.jsx delete mode 100644 my-test-project/overrides/app/pages/my-new-route/index.jsx delete mode 100644 my-test-project/overrides/app/request-processor.js delete mode 100644 my-test-project/overrides/app/routes.jsx delete mode 100644 my-test-project/overrides/app/ssr.js delete mode 100644 my-test-project/overrides/app/static/dwac-21.7.js delete mode 100644 my-test-project/overrides/app/static/dwanalytics-22.2.js delete mode 100644 my-test-project/overrides/app/static/head-active_data.js delete mode 100644 my-test-project/overrides/app/static/ico/favicon.ico delete mode 100644 my-test-project/overrides/app/static/img/global/app-icon-192.png delete mode 100644 my-test-project/overrides/app/static/img/global/app-icon-512.png delete mode 100644 my-test-project/overrides/app/static/img/global/apple-touch-icon.png delete mode 100644 my-test-project/overrides/app/static/img/hero.png delete mode 100644 my-test-project/overrides/app/static/manifest.json delete mode 100644 my-test-project/overrides/app/static/robots.txt delete mode 100644 my-test-project/overrides/app/static/translations/compiled/de-DE.json delete mode 100644 my-test-project/overrides/app/static/translations/compiled/en-GB.json delete mode 100644 my-test-project/overrides/app/static/translations/compiled/en-US.json delete mode 100644 my-test-project/overrides/app/static/translations/compiled/en-XA.json delete mode 100644 my-test-project/overrides/app/static/translations/compiled/es-MX.json delete mode 100644 my-test-project/overrides/app/static/translations/compiled/fr-FR.json delete mode 100644 my-test-project/overrides/app/static/translations/compiled/it-IT.json delete mode 100644 my-test-project/overrides/app/static/translations/compiled/ja-JP.json delete mode 100644 my-test-project/overrides/app/static/translations/compiled/ko-KR.json delete mode 100644 my-test-project/overrides/app/static/translations/compiled/pt-BR.json delete mode 100644 my-test-project/overrides/app/static/translations/compiled/zh-CN.json delete mode 100644 my-test-project/overrides/app/static/translations/compiled/zh-TW.json delete mode 100644 my-test-project/package-lock.json delete mode 100644 my-test-project/package.json delete mode 100644 my-test-project/translations/README.md delete mode 100644 my-test-project/translations/de-DE.json delete mode 100644 my-test-project/translations/en-GB.json delete mode 100644 my-test-project/translations/en-US.json delete mode 100644 my-test-project/translations/es-MX.json delete mode 100644 my-test-project/translations/fr-FR.json delete mode 100644 my-test-project/translations/it-IT.json delete mode 100644 my-test-project/translations/ja-JP.json delete mode 100644 my-test-project/translations/ko-KR.json delete mode 100644 my-test-project/translations/pt-BR.json delete mode 100644 my-test-project/translations/zh-CN.json delete mode 100644 my-test-project/translations/zh-TW.json delete mode 100644 my-test-project/worker/main.js diff --git a/.gitignore b/.gitignore index 2321d42bb5..c5c757b815 100644 --- a/.gitignore +++ b/.gitignore @@ -14,5 +14,4 @@ lerna-debug.log /test-results/ /playwright-report/ /playwright/.cache/ - - +/my-test-project/ diff --git a/my-test-project/.eslintignore b/my-test-project/.eslintignore deleted file mode 100644 index 971b77621c..0000000000 --- a/my-test-project/.eslintignore +++ /dev/null @@ -1,4 +0,0 @@ -build -coverage -docs -overrides/app/static diff --git a/my-test-project/.eslintrc.js b/my-test-project/.eslintrc.js deleted file mode 100644 index 6cb29a9bcd..0000000000 --- a/my-test-project/.eslintrc.js +++ /dev/null @@ -1,10 +0,0 @@ -/* - * Copyright (c) 2023, Salesforce, Inc. - * All rights reserved. - * SPDX-License-Identifier: BSD-3-Clause - * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause - */ - -module.exports = { - extends: [require.resolve('@salesforce/pwa-kit-dev/configs/eslint')] -} diff --git a/my-test-project/.prettierrc.yaml b/my-test-project/.prettierrc.yaml deleted file mode 100644 index 33069bf2b2..0000000000 --- a/my-test-project/.prettierrc.yaml +++ /dev/null @@ -1,7 +0,0 @@ -printWidth: 100 -singleQuote: true -semi: false -bracketSpacing: false -tabWidth: 4 -arrowParens: 'always' -trailingComma: 'none' diff --git a/my-test-project/README.MD b/my-test-project/README.MD deleted file mode 100644 index 0ca39c236c..0000000000 --- a/my-test-project/README.MD +++ /dev/null @@ -1,56 +0,0 @@ -# PWA Kit Generated App - -Welcome to the PWA Kit! - -## Getting Started - -### Requirements - -- Node 18 or later -- npm 9 or later - -### Run the Project Locally - -```bash -npm start -``` - -This will open a browser and your storefront will be running on http://localhost:3000 - -### Deploy to Managed Runtime - -``` -npm run push -- -m "Message to help you recognize this bundle" -``` - -**Note**: This command will push to the MRT project that matches the name field in `package.json`. To push to a different project, include the `-s` argument. - -**Important**: Access to the [Runtime Admin](https://runtime.commercecloud.com/) application is required to deploy bundles. To learn more, read our guide to [Push and Deploy Bundles](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/guide/pushing-and-deploying-bundles.html). - -## Customizing the application - -This version of the application uses [Template Extensibility](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/guide/template-extensibility.html) to empower you to more easily customize base templates. Please refer to our documentation for more information. - -## 🌍 Localization - -See the [Localization README.md](./packages/template-retail-react-app/translations/README.md) for important setup instructions for localization. - -## 📖 Documentation - -The full documentation for PWA Kit and Managed Runtime is hosted on the [Salesforce Developers](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/overview) portal. - -## Further documentation - -For more information on working with the PWA Kit, refer to: - -- [Get Started](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/guide/getting-started.html) -- [Skills for Success](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/guide/skills-for-success.html) -- [Set Up API Access](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/guide/setting-up-api-access.html) -- [Configuration Options](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/guide/configuration-options.html) -- [Proxy Requests](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/guide/proxying-requests.html) -- [Push and Deploy Bundles](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/guide/pushing-and-deploying-bundles.html) -- [The Retail React App](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/guide/retail-react-app.html) -- [Rendering](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/guide/rendering.html) -- [Routing](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/guide/routing.html) -- [Phased Headless Rollouts](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/guide/phased-headless-rollouts.html) -- [Launch Your Storefront](https://developer.salesforce.com/docs/commerce/pwa-kit-managed-runtime/guide/launching-your-storefront.html) diff --git a/my-test-project/babel.config.js b/my-test-project/babel.config.js deleted file mode 100644 index 7ae21dc25b..0000000000 --- a/my-test-project/babel.config.js +++ /dev/null @@ -1,7 +0,0 @@ -/* - * Copyright (c) 2023, Salesforce, Inc. - * All rights reserved. - * SPDX-License-Identifier: BSD-3-Clause - * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause - */ -module.exports = require('@salesforce/pwa-kit-dev/configs/babel/babel-config') diff --git a/my-test-project/build/loadable-stats.json b/my-test-project/build/loadable-stats.json deleted file mode 100644 index 4cb847b5e7..0000000000 --- a/my-test-project/build/loadable-stats.json +++ /dev/null @@ -1,1319 +0,0 @@ -{ - "name": "client", - "hash": "e085b83fe420a61a35ae", - "publicPath": "", - "outputPath": "/Users/snilakandan/dev/git-repos/ecom/pwa-kit/my-test-project/build", - "assetsByChunkName": { - "main": [ - "main.js" - ], - "pages-home": [ - "pages-home.js" - ], - "pages-my-new-route": [ - "pages-my-new-route.js" - ], - "pages-login": [ - "pages-login.js" - ], - "pages-registration": [ - "pages-registration.js" - ], - "pages-reset-password": [ - "pages-reset-password.js" - ], - "pages-account": [ - "pages-account.js" - ], - "pages-cart": [ - "pages-cart.js" - ], - "pages-checkout": [ - "pages-checkout.js" - ], - "pages-checkout-confirmation": [ - "pages-checkout-confirmation.js" - ], - "pages-social-login-redirect": [ - "pages-social-login-redirect.js" - ], - "pages-login-redirect": [ - "pages-login-redirect.js" - ], - "pages-product-detail": [ - "pages-product-detail.js" - ], - "pages-product-search": [ - "pages-product-search.js" - ], - "pages-product-list": [ - "pages-product-list.js" - ], - "pages-store-locator": [ - "pages-store-locator.js" - ], - "pages-account-wishlist": [ - "pages-account-wishlist.js" - ], - "pages-page-not-found": [ - "pages-page-not-found.js" - ], - "vendor": [ - "vendor.js" - ] - }, - "assets": [ - { - "type": "asset", - "name": "vendor.js", - "size": 6102840, - "emitted": false, - "comparedForEmit": false, - "cached": true, - "info": { - "javascriptModule": false, - "related": { - "sourceMap": "vendor.js.map" - } - }, - "chunkNames": [ - "vendor" - ], - "chunkIdHints": [ - "vendor" - ], - "auxiliaryChunkNames": [], - "auxiliaryChunkIdHints": [], - "filteredRelated": 1, - "chunks": [ - "vendor" - ], - "auxiliaryChunks": [] - }, - { - "type": "asset", - "name": "main.js", - "size": 1270989, - "emitted": false, - "comparedForEmit": false, - "cached": true, - "info": { - "javascriptModule": false, - "related": { - "sourceMap": "main.js.map" - } - }, - "chunkNames": [ - "main" - ], - "chunkIdHints": [], - "auxiliaryChunkNames": [], - "auxiliaryChunkIdHints": [], - "filteredRelated": 1, - "chunks": [ - "main" - ], - "auxiliaryChunks": [] - }, - { - "type": "asset", - "name": "pages-product-list.js", - "size": 197026, - "emitted": false, - "comparedForEmit": false, - "cached": true, - "info": { - "javascriptModule": false, - "related": { - "sourceMap": "pages-product-list.js.map" - } - }, - "chunkNames": [ - "pages-product-list" - ], - "chunkIdHints": [ - "vendors" - ], - "auxiliaryChunkNames": [], - "auxiliaryChunkIdHints": [], - "filteredRelated": 1, - "chunks": [ - "pages-product-list" - ], - "auxiliaryChunks": [] - }, - { - "type": "asset", - "name": "pages-checkout.js", - "size": 186272, - "emitted": false, - "comparedForEmit": false, - "cached": true, - "info": { - "javascriptModule": false, - "related": { - "sourceMap": "pages-checkout.js.map" - } - }, - "chunkNames": [ - "pages-checkout" - ], - "chunkIdHints": [ - "vendors" - ], - "auxiliaryChunkNames": [], - "auxiliaryChunkIdHints": [], - "filteredRelated": 1, - "chunks": [ - "pages-checkout" - ], - "auxiliaryChunks": [] - }, - { - "type": "asset", - "name": "pages-account.js", - "size": 165823, - "emitted": false, - "comparedForEmit": false, - "cached": true, - "info": { - "javascriptModule": false, - "related": { - "sourceMap": "pages-account.js.map" - } - }, - "chunkNames": [ - "pages-account" - ], - "chunkIdHints": [ - "vendors" - ], - "auxiliaryChunkNames": [], - "auxiliaryChunkIdHints": [], - "filteredRelated": 1, - "chunks": [ - "pages-account" - ], - "auxiliaryChunks": [] - }, - { - "type": "asset", - "name": "pages-cart.js", - "size": 93569, - "emitted": false, - "comparedForEmit": false, - "cached": true, - "info": { - "javascriptModule": false, - "related": { - "sourceMap": "pages-cart.js.map" - } - }, - "chunkNames": [ - "pages-cart" - ], - "chunkIdHints": [ - "vendors" - ], - "auxiliaryChunkNames": [], - "auxiliaryChunkIdHints": [], - "filteredRelated": 1, - "chunks": [ - "pages-cart" - ], - "auxiliaryChunks": [] - }, - { - "type": "asset", - "name": "vendors-node_modules_salesforce_retail-react-app_app_components_product-view_index_jsx.js", - "size": 65787, - "emitted": false, - "comparedForEmit": false, - "cached": true, - "info": { - "javascriptModule": false, - "related": { - "sourceMap": "vendors-node_modules_salesforce_retail-react-app_app_components_product-view_index_jsx.js.map" - } - }, - "chunkNames": [], - "chunkIdHints": [ - "vendors" - ], - "auxiliaryChunkNames": [], - "auxiliaryChunkIdHints": [], - "filteredRelated": 1, - "chunks": [ - "vendors-node_modules_salesforce_retail-react-app_app_components_product-view_index_jsx" - ], - "auxiliaryChunks": [] - }, - { - "type": "asset", - "name": "vendors-node_modules_salesforce_retail-react-app_app_components_order-summary_index_jsx-node_-51813b.js", - "size": 65513, - "emitted": false, - "comparedForEmit": false, - "cached": true, - "info": { - "javascriptModule": false, - "related": { - "sourceMap": "vendors-node_modules_salesforce_retail-react-app_app_components_order-summary_index_jsx-node_-51813b.js.map" - } - }, - "chunkNames": [], - "chunkIdHints": [ - "vendors" - ], - "auxiliaryChunkNames": [], - "auxiliaryChunkIdHints": [], - "filteredRelated": 1, - "chunks": [ - "vendors-node_modules_salesforce_retail-react-app_app_components_order-summary_index_jsx-node_-51813b" - ], - "auxiliaryChunks": [] - }, - { - "type": "asset", - "name": "pages-checkout-confirmation.js", - "size": 58682, - "emitted": false, - "comparedForEmit": false, - "cached": true, - "info": { - "javascriptModule": false, - "related": { - "sourceMap": "pages-checkout-confirmation.js.map" - } - }, - "chunkNames": [ - "pages-checkout-confirmation" - ], - "chunkIdHints": [ - "vendors" - ], - "auxiliaryChunkNames": [], - "auxiliaryChunkIdHints": [], - "filteredRelated": 1, - "chunks": [ - "pages-checkout-confirmation" - ], - "auxiliaryChunks": [] - }, - { - "type": "asset", - "name": "vendors-node_modules_salesforce_retail-react-app_app_components_action-card_index_jsx-node_mo-cf7e9f.js", - "size": 54076, - "emitted": false, - "comparedForEmit": false, - "cached": true, - "info": { - "javascriptModule": false, - "related": { - "sourceMap": "vendors-node_modules_salesforce_retail-react-app_app_components_action-card_index_jsx-node_mo-cf7e9f.js.map" - } - }, - "chunkNames": [], - "chunkIdHints": [ - "vendors" - ], - "auxiliaryChunkNames": [], - "auxiliaryChunkIdHints": [], - "filteredRelated": 1, - "chunks": [ - "vendors-node_modules_salesforce_retail-react-app_app_components_action-card_index_jsx-node_mo-cf7e9f" - ], - "auxiliaryChunks": [] - }, - { - "type": "asset", - "name": "vendors-node_modules_salesforce_retail-react-app_app_pages_account_wishlist_index_jsx.js", - "size": 51699, - "emitted": false, - "comparedForEmit": false, - "cached": true, - "info": { - "javascriptModule": false, - "related": { - "sourceMap": "vendors-node_modules_salesforce_retail-react-app_app_pages_account_wishlist_index_jsx.js.map" - } - }, - "chunkNames": [], - "chunkIdHints": [ - "vendors" - ], - "auxiliaryChunkNames": [], - "auxiliaryChunkIdHints": [], - "filteredRelated": 1, - "chunks": [ - "vendors-node_modules_salesforce_retail-react-app_app_pages_account_wishlist_index_jsx" - ], - "auxiliaryChunks": [] - }, - { - "type": "asset", - "name": "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a.js", - "size": 47418, - "emitted": false, - "comparedForEmit": false, - "cached": true, - "info": { - "javascriptModule": false, - "related": { - "sourceMap": "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a.js.map" - } - }, - "chunkNames": [], - "chunkIdHints": [ - "vendors" - ], - "auxiliaryChunkNames": [], - "auxiliaryChunkIdHints": [], - "filteredRelated": 1, - "chunks": [ - "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a" - ], - "auxiliaryChunks": [] - }, - { - "type": "asset", - "name": "pages-product-detail.js", - "size": 47362, - "emitted": false, - "comparedForEmit": false, - "cached": true, - "info": { - "javascriptModule": false, - "related": { - "sourceMap": "pages-product-detail.js.map" - } - }, - "chunkNames": [ - "pages-product-detail" - ], - "chunkIdHints": [ - "vendors" - ], - "auxiliaryChunkNames": [], - "auxiliaryChunkIdHints": [], - "filteredRelated": 1, - "chunks": [ - "pages-product-detail" - ], - "auxiliaryChunks": [] - }, - { - "type": "asset", - "name": "vendors-node_modules_salesforce_retail-react-app_app_pages_home_index_jsx.js", - "size": 44344, - "emitted": false, - "comparedForEmit": false, - "cached": true, - "info": { - "javascriptModule": false, - "related": { - "sourceMap": "vendors-node_modules_salesforce_retail-react-app_app_pages_home_index_jsx.js.map" - } - }, - "chunkNames": [], - "chunkIdHints": [ - "vendors" - ], - "auxiliaryChunkNames": [], - "auxiliaryChunkIdHints": [], - "filteredRelated": 1, - "chunks": [ - "vendors-node_modules_salesforce_retail-react-app_app_pages_home_index_jsx" - ], - "auxiliaryChunks": [] - }, - { - "type": "asset", - "name": "vendors-node_modules_salesforce_retail-react-app_app_components_product-item_index_jsx-node_m-ba5a5b.js", - "size": 29023, - "emitted": false, - "comparedForEmit": false, - "cached": true, - "info": { - "javascriptModule": false, - "related": { - "sourceMap": "vendors-node_modules_salesforce_retail-react-app_app_components_product-item_index_jsx-node_m-ba5a5b.js.map" - } - }, - "chunkNames": [], - "chunkIdHints": [ - "vendors" - ], - "auxiliaryChunkNames": [], - "auxiliaryChunkIdHints": [], - "filteredRelated": 1, - "chunks": [ - "vendors-node_modules_salesforce_retail-react-app_app_components_product-item_index_jsx-node_m-ba5a5b" - ], - "auxiliaryChunks": [] - }, - { - "type": "asset", - "name": "pages-reset-password.js", - "size": 26943, - "emitted": false, - "comparedForEmit": false, - "cached": true, - "info": { - "javascriptModule": false, - "related": { - "sourceMap": "pages-reset-password.js.map" - } - }, - "chunkNames": [ - "pages-reset-password" - ], - "chunkIdHints": [ - "vendors" - ], - "auxiliaryChunkNames": [], - "auxiliaryChunkIdHints": [], - "filteredRelated": 1, - "chunks": [ - "pages-reset-password" - ], - "auxiliaryChunks": [] - }, - { - "type": "asset", - "name": "pages-login.js", - "size": 19947, - "emitted": false, - "comparedForEmit": false, - "cached": true, - "info": { - "javascriptModule": false, - "related": { - "sourceMap": "pages-login.js.map" - } - }, - "chunkNames": [ - "pages-login" - ], - "chunkIdHints": [ - "vendors" - ], - "auxiliaryChunkNames": [], - "auxiliaryChunkIdHints": [], - "filteredRelated": 1, - "chunks": [ - "pages-login" - ], - "auxiliaryChunks": [] - }, - { - "type": "asset", - "name": "pages-account-wishlist.js", - "size": 17941, - "emitted": false, - "comparedForEmit": false, - "cached": true, - "info": { - "javascriptModule": false, - "related": { - "sourceMap": "pages-account-wishlist.js.map" - } - }, - "chunkNames": [ - "pages-account-wishlist" - ], - "chunkIdHints": [], - "auxiliaryChunkNames": [], - "auxiliaryChunkIdHints": [], - "filteredRelated": 1, - "chunks": [ - "pages-account-wishlist" - ], - "auxiliaryChunks": [] - }, - { - "type": "asset", - "name": "pages-social-login-redirect.js", - "size": 13238, - "emitted": false, - "comparedForEmit": false, - "cached": true, - "info": { - "javascriptModule": false, - "related": { - "sourceMap": "pages-social-login-redirect.js.map" - } - }, - "chunkNames": [ - "pages-social-login-redirect" - ], - "chunkIdHints": [], - "auxiliaryChunkNames": [], - "auxiliaryChunkIdHints": [], - "filteredRelated": 1, - "chunks": [ - "pages-social-login-redirect" - ], - "auxiliaryChunks": [] - }, - { - "type": "asset", - "name": "pages-home.js", - "size": 12173, - "emitted": false, - "comparedForEmit": false, - "cached": true, - "info": { - "javascriptModule": false, - "related": { - "sourceMap": "pages-home.js.map" - } - }, - "chunkNames": [ - "pages-home" - ], - "chunkIdHints": [], - "auxiliaryChunkNames": [], - "auxiliaryChunkIdHints": [], - "filteredRelated": 1, - "chunks": [ - "pages-home" - ], - "auxiliaryChunks": [] - }, - { - "type": "asset", - "name": "pages-product-search.js", - "size": 11434, - "emitted": false, - "comparedForEmit": false, - "cached": true, - "info": { - "javascriptModule": false, - "related": { - "sourceMap": "pages-product-search.js.map" - } - }, - "chunkNames": [ - "pages-product-search" - ], - "chunkIdHints": [], - "auxiliaryChunkNames": [], - "auxiliaryChunkIdHints": [], - "filteredRelated": 1, - "chunks": [ - "pages-product-search" - ], - "auxiliaryChunks": [] - }, - { - "type": "asset", - "name": "pages-registration.js", - "size": 8757, - "emitted": false, - "comparedForEmit": false, - "cached": true, - "info": { - "javascriptModule": false, - "related": { - "sourceMap": "pages-registration.js.map" - } - }, - "chunkNames": [ - "pages-registration" - ], - "chunkIdHints": [], - "auxiliaryChunkNames": [], - "auxiliaryChunkIdHints": [], - "filteredRelated": 1, - "chunks": [ - "pages-registration" - ], - "auxiliaryChunks": [] - }, - { - "type": "asset", - "name": "pages-page-not-found.js", - "size": 7198, - "emitted": false, - "comparedForEmit": false, - "cached": true, - "info": { - "javascriptModule": false, - "related": { - "sourceMap": "pages-page-not-found.js.map" - } - }, - "chunkNames": [ - "pages-page-not-found" - ], - "chunkIdHints": [], - "auxiliaryChunkNames": [], - "auxiliaryChunkIdHints": [], - "filteredRelated": 1, - "chunks": [ - "pages-page-not-found" - ], - "auxiliaryChunks": [] - }, - { - "type": "asset", - "name": "pages-store-locator.js", - "size": 4526, - "emitted": false, - "comparedForEmit": false, - "cached": true, - "info": { - "javascriptModule": false, - "related": { - "sourceMap": "pages-store-locator.js.map" - } - }, - "chunkNames": [ - "pages-store-locator" - ], - "chunkIdHints": [], - "auxiliaryChunkNames": [], - "auxiliaryChunkIdHints": [], - "filteredRelated": 1, - "chunks": [ - "pages-store-locator" - ], - "auxiliaryChunks": [] - }, - { - "type": "asset", - "name": "pages-my-new-route.js", - "size": 2742, - "emitted": false, - "comparedForEmit": false, - "cached": true, - "info": { - "javascriptModule": false, - "related": { - "sourceMap": "pages-my-new-route.js.map" - } - }, - "chunkNames": [ - "pages-my-new-route" - ], - "chunkIdHints": [], - "auxiliaryChunkNames": [], - "auxiliaryChunkIdHints": [], - "filteredRelated": 1, - "chunks": [ - "pages-my-new-route" - ], - "auxiliaryChunks": [] - }, - { - "type": "asset", - "name": "pages-login-redirect.js", - "size": 2018, - "emitted": false, - "comparedForEmit": false, - "cached": true, - "info": { - "javascriptModule": false, - "related": { - "sourceMap": "pages-login-redirect.js.map" - } - }, - "chunkNames": [ - "pages-login-redirect" - ], - "chunkIdHints": [], - "auxiliaryChunkNames": [], - "auxiliaryChunkIdHints": [], - "filteredRelated": 1, - "chunks": [ - "pages-login-redirect" - ], - "auxiliaryChunks": [] - }, - { - "type": "asset", - "name": "_1242.js", - "size": 284, - "emitted": false, - "comparedForEmit": false, - "cached": true, - "info": { - "javascriptModule": false, - "related": { - "sourceMap": "_1242.js.map" - } - }, - "chunkNames": [], - "chunkIdHints": [], - "auxiliaryChunkNames": [], - "auxiliaryChunkIdHints": [], - "filteredRelated": 1, - "chunks": [ - "_1242" - ], - "auxiliaryChunks": [] - } - ], - "namedChunkGroups": { - "main": { - "name": "main", - "chunks": [ - "vendor", - "main" - ], - "assets": [ - { - "name": "vendor.js" - }, - { - "name": "main.js" - } - ], - "filteredAssets": 0, - "assetsSize": null, - "filteredAuxiliaryAssets": 2, - "auxiliaryAssetsSize": null, - "children": {}, - "childAssets": {} - }, - "pages-home": { - "name": "pages-home", - "chunks": [ - "vendors-node_modules_salesforce_retail-react-app_app_pages_home_index_jsx", - "pages-home" - ], - "assets": [ - { - "name": "vendors-node_modules_salesforce_retail-react-app_app_pages_home_index_jsx.js" - }, - { - "name": "pages-home.js" - } - ], - "filteredAssets": 0, - "assetsSize": null, - "filteredAuxiliaryAssets": 2, - "auxiliaryAssetsSize": null, - "children": {}, - "childAssets": {} - }, - "pages-my-new-route": { - "name": "pages-my-new-route", - "chunks": [ - "pages-my-new-route" - ], - "assets": [ - { - "name": "pages-my-new-route.js" - } - ], - "filteredAssets": 0, - "assetsSize": null, - "filteredAuxiliaryAssets": 1, - "auxiliaryAssetsSize": null, - "children": {}, - "childAssets": {} - }, - "pages-login": { - "name": "pages-login", - "chunks": [ - "pages-login" - ], - "assets": [ - { - "name": "pages-login.js" - } - ], - "filteredAssets": 0, - "assetsSize": null, - "filteredAuxiliaryAssets": 1, - "auxiliaryAssetsSize": null, - "children": {}, - "childAssets": {} - }, - "pages-registration": { - "name": "pages-registration", - "chunks": [ - "pages-registration" - ], - "assets": [ - { - "name": "pages-registration.js" - } - ], - "filteredAssets": 0, - "assetsSize": null, - "filteredAuxiliaryAssets": 1, - "auxiliaryAssetsSize": null, - "children": {}, - "childAssets": {} - }, - "pages-reset-password": { - "name": "pages-reset-password", - "chunks": [ - "pages-reset-password" - ], - "assets": [ - { - "name": "pages-reset-password.js" - } - ], - "filteredAssets": 0, - "assetsSize": null, - "filteredAuxiliaryAssets": 1, - "auxiliaryAssetsSize": null, - "children": {}, - "childAssets": {} - }, - "pages-account": { - "name": "pages-account", - "chunks": [ - "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a", - "vendors-node_modules_salesforce_retail-react-app_app_components_product-view_index_jsx", - "vendors-node_modules_salesforce_retail-react-app_app_components_order-summary_index_jsx-node_-51813b", - "vendors-node_modules_salesforce_retail-react-app_app_components_product-item_index_jsx-node_m-ba5a5b", - "vendors-node_modules_salesforce_retail-react-app_app_components_action-card_index_jsx-node_mo-cf7e9f", - "vendors-node_modules_salesforce_retail-react-app_app_pages_account_wishlist_index_jsx", - "pages-account" - ], - "assets": [ - { - "name": "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a.js" - }, - { - "name": "vendors-node_modules_salesforce_retail-react-app_app_components_product-view_index_jsx.js" - }, - { - "name": "vendors-node_modules_salesforce_retail-react-app_app_components_order-summary_index_jsx-node_-51813b.js" - }, - { - "name": "vendors-node_modules_salesforce_retail-react-app_app_components_product-item_index_jsx-node_m-ba5a5b.js" - }, - { - "name": "vendors-node_modules_salesforce_retail-react-app_app_components_action-card_index_jsx-node_mo-cf7e9f.js" - }, - { - "name": "vendors-node_modules_salesforce_retail-react-app_app_pages_account_wishlist_index_jsx.js" - }, - { - "name": "pages-account.js" - } - ], - "filteredAssets": 0, - "assetsSize": null, - "filteredAuxiliaryAssets": 7, - "auxiliaryAssetsSize": null, - "children": {}, - "childAssets": {} - }, - "pages-cart": { - "name": "pages-cart", - "chunks": [ - "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a", - "vendors-node_modules_salesforce_retail-react-app_app_components_product-view_index_jsx", - "vendors-node_modules_salesforce_retail-react-app_app_components_order-summary_index_jsx-node_-51813b", - "vendors-node_modules_salesforce_retail-react-app_app_components_product-item_index_jsx-node_m-ba5a5b", - "pages-cart" - ], - "assets": [ - { - "name": "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a.js" - }, - { - "name": "vendors-node_modules_salesforce_retail-react-app_app_components_product-view_index_jsx.js" - }, - { - "name": "vendors-node_modules_salesforce_retail-react-app_app_components_order-summary_index_jsx-node_-51813b.js" - }, - { - "name": "vendors-node_modules_salesforce_retail-react-app_app_components_product-item_index_jsx-node_m-ba5a5b.js" - }, - { - "name": "pages-cart.js" - } - ], - "filteredAssets": 0, - "assetsSize": null, - "filteredAuxiliaryAssets": 5, - "auxiliaryAssetsSize": null, - "children": {}, - "childAssets": {} - }, - "pages-checkout": { - "name": "pages-checkout", - "chunks": [ - "vendor", - "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a", - "vendors-node_modules_salesforce_retail-react-app_app_components_order-summary_index_jsx-node_-51813b", - "vendors-node_modules_salesforce_retail-react-app_app_components_action-card_index_jsx-node_mo-cf7e9f", - "pages-checkout" - ], - "assets": [ - { - "name": "vendor.js" - }, - { - "name": "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a.js" - }, - { - "name": "vendors-node_modules_salesforce_retail-react-app_app_components_order-summary_index_jsx-node_-51813b.js" - }, - { - "name": "vendors-node_modules_salesforce_retail-react-app_app_components_action-card_index_jsx-node_mo-cf7e9f.js" - }, - { - "name": "pages-checkout.js" - } - ], - "filteredAssets": 0, - "assetsSize": null, - "filteredAuxiliaryAssets": 5, - "auxiliaryAssetsSize": null, - "children": {}, - "childAssets": {} - }, - "pages-checkout-confirmation": { - "name": "pages-checkout-confirmation", - "chunks": [ - "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a", - "pages-checkout-confirmation" - ], - "assets": [ - { - "name": "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a.js" - }, - { - "name": "pages-checkout-confirmation.js" - } - ], - "filteredAssets": 0, - "assetsSize": null, - "filteredAuxiliaryAssets": 2, - "auxiliaryAssetsSize": null, - "children": {}, - "childAssets": {} - }, - "pages-social-login-redirect": { - "name": "pages-social-login-redirect", - "chunks": [ - "pages-social-login-redirect" - ], - "assets": [ - { - "name": "pages-social-login-redirect.js" - } - ], - "filteredAssets": 0, - "assetsSize": null, - "filteredAuxiliaryAssets": 1, - "auxiliaryAssetsSize": null, - "children": {}, - "childAssets": {} - }, - "pages-login-redirect": { - "name": "pages-login-redirect", - "chunks": [ - "pages-login-redirect" - ], - "assets": [ - { - "name": "pages-login-redirect.js" - } - ], - "filteredAssets": 0, - "assetsSize": null, - "filteredAuxiliaryAssets": 1, - "auxiliaryAssetsSize": null, - "children": {}, - "childAssets": {} - }, - "pages-product-detail": { - "name": "pages-product-detail", - "chunks": [ - "vendors-node_modules_salesforce_retail-react-app_app_components_product-view_index_jsx", - "pages-product-detail" - ], - "assets": [ - { - "name": "vendors-node_modules_salesforce_retail-react-app_app_components_product-view_index_jsx.js" - }, - { - "name": "pages-product-detail.js" - } - ], - "filteredAssets": 0, - "assetsSize": null, - "filteredAuxiliaryAssets": 2, - "auxiliaryAssetsSize": null, - "children": {}, - "childAssets": {} - }, - "pages-product-search": { - "name": "pages-product-search", - "chunks": [ - "pages-product-search" - ], - "assets": [ - { - "name": "pages-product-search.js" - } - ], - "filteredAssets": 0, - "assetsSize": null, - "filteredAuxiliaryAssets": 1, - "auxiliaryAssetsSize": null, - "children": {}, - "childAssets": {} - }, - "pages-product-list": { - "name": "pages-product-list", - "chunks": [ - "pages-product-list" - ], - "assets": [ - { - "name": "pages-product-list.js" - } - ], - "filteredAssets": 0, - "assetsSize": null, - "filteredAuxiliaryAssets": 1, - "auxiliaryAssetsSize": null, - "children": {}, - "childAssets": {} - }, - "pages-store-locator": { - "name": "pages-store-locator", - "chunks": [ - "pages-store-locator" - ], - "assets": [ - { - "name": "pages-store-locator.js" - } - ], - "filteredAssets": 0, - "assetsSize": null, - "filteredAuxiliaryAssets": 1, - "auxiliaryAssetsSize": null, - "children": {}, - "childAssets": {} - }, - "pages-account-wishlist": { - "name": "pages-account-wishlist", - "chunks": [ - "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a", - "vendors-node_modules_salesforce_retail-react-app_app_components_product-view_index_jsx", - "vendors-node_modules_salesforce_retail-react-app_app_components_product-item_index_jsx-node_m-ba5a5b", - "vendors-node_modules_salesforce_retail-react-app_app_pages_account_wishlist_index_jsx", - "pages-account-wishlist" - ], - "assets": [ - { - "name": "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a.js" - }, - { - "name": "vendors-node_modules_salesforce_retail-react-app_app_components_product-view_index_jsx.js" - }, - { - "name": "vendors-node_modules_salesforce_retail-react-app_app_components_product-item_index_jsx-node_m-ba5a5b.js" - }, - { - "name": "vendors-node_modules_salesforce_retail-react-app_app_pages_account_wishlist_index_jsx.js" - }, - { - "name": "pages-account-wishlist.js" - } - ], - "filteredAssets": 0, - "assetsSize": null, - "filteredAuxiliaryAssets": 5, - "auxiliaryAssetsSize": null, - "children": {}, - "childAssets": {} - }, - "pages-page-not-found": { - "name": "pages-page-not-found", - "chunks": [ - "pages-page-not-found" - ], - "assets": [ - { - "name": "pages-page-not-found.js" - } - ], - "filteredAssets": 0, - "assetsSize": null, - "filteredAuxiliaryAssets": 1, - "auxiliaryAssetsSize": null, - "children": {}, - "childAssets": {} - } - }, - "generator": "loadable-components", - "chunks": [ - { - "id": "main", - "files": [ - "main.js" - ] - }, - { - "id": "_1242", - "files": [ - "_1242.js" - ] - }, - { - "id": "pages-home", - "files": [ - "pages-home.js" - ] - }, - { - "id": "pages-my-new-route", - "files": [ - "pages-my-new-route.js" - ] - }, - { - "id": "pages-login", - "files": [ - "pages-login.js" - ] - }, - { - "id": "pages-registration", - "files": [ - "pages-registration.js" - ] - }, - { - "id": "pages-reset-password", - "files": [ - "pages-reset-password.js" - ] - }, - { - "id": "pages-account", - "files": [ - "pages-account.js" - ] - }, - { - "id": "pages-cart", - "files": [ - "pages-cart.js" - ] - }, - { - "id": "pages-checkout", - "files": [ - "pages-checkout.js" - ] - }, - { - "id": "pages-checkout-confirmation", - "files": [ - "pages-checkout-confirmation.js" - ] - }, - { - "id": "pages-social-login-redirect", - "files": [ - "pages-social-login-redirect.js" - ] - }, - { - "id": "pages-login-redirect", - "files": [ - "pages-login-redirect.js" - ] - }, - { - "id": "pages-product-detail", - "files": [ - "pages-product-detail.js" - ] - }, - { - "id": "pages-product-search", - "files": [ - "pages-product-search.js" - ] - }, - { - "id": "pages-product-list", - "files": [ - "pages-product-list.js" - ] - }, - { - "id": "pages-store-locator", - "files": [ - "pages-store-locator.js" - ] - }, - { - "id": "pages-account-wishlist", - "files": [ - "pages-account-wishlist.js" - ] - }, - { - "id": "pages-page-not-found", - "files": [ - "pages-page-not-found.js" - ] - }, - { - "id": "vendor", - "files": [ - "vendor.js" - ] - }, - { - "id": "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a", - "files": [ - "vendors-node_modules_salesforce_retail-react-app_app_components_item-variant_item-attributes_-366c8a.js" - ] - }, - { - "id": "vendors-node_modules_salesforce_retail-react-app_app_components_product-view_index_jsx", - "files": [ - "vendors-node_modules_salesforce_retail-react-app_app_components_product-view_index_jsx.js" - ] - }, - { - "id": "vendors-node_modules_salesforce_retail-react-app_app_components_order-summary_index_jsx-node_-51813b", - "files": [ - "vendors-node_modules_salesforce_retail-react-app_app_components_order-summary_index_jsx-node_-51813b.js" - ] - }, - { - "id": "vendors-node_modules_salesforce_retail-react-app_app_components_product-item_index_jsx-node_m-ba5a5b", - "files": [ - "vendors-node_modules_salesforce_retail-react-app_app_components_product-item_index_jsx-node_m-ba5a5b.js" - ] - }, - { - "id": "vendors-node_modules_salesforce_retail-react-app_app_components_action-card_index_jsx-node_mo-cf7e9f", - "files": [ - "vendors-node_modules_salesforce_retail-react-app_app_components_action-card_index_jsx-node_mo-cf7e9f.js" - ] - }, - { - "id": "vendors-node_modules_salesforce_retail-react-app_app_pages_account_wishlist_index_jsx", - "files": [ - "vendors-node_modules_salesforce_retail-react-app_app_pages_account_wishlist_index_jsx.js" - ] - }, - { - "id": "vendors-node_modules_salesforce_retail-react-app_app_pages_home_index_jsx", - "files": [ - "vendors-node_modules_salesforce_retail-react-app_app_pages_home_index_jsx.js" - ] - } - ] -} \ No newline at end of file diff --git a/my-test-project/config/default.js b/my-test-project/config/default.js deleted file mode 100644 index 264854cd5e..0000000000 --- a/my-test-project/config/default.js +++ /dev/null @@ -1,120 +0,0 @@ -/* - * Copyright (c) 2023, Salesforce, Inc. - * All rights reserved. - * SPDX-License-Identifier: BSD-3-Clause - * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause - */ -/* eslint-disable @typescript-eslint/no-var-requires */ -const sites = require('./sites.js') -module.exports = { - app: { - // Customize how your 'site' and 'locale' are displayed in the url. - url: { - // Determine where the siteRef is located. Valid values include 'path|query_param|none'. Defaults to: 'none' - site: 'none', - // Determine where the localeRef is located. Valid values include 'path|query_param|none'. Defaults to: 'none' - locale: 'none', - // This boolean value dictates whether or not default site or locale values are shown in the url. Defaults to: false - showDefaults: false, - // This boolean value dictates whether the plus sign (+) is interpreted as space for query param string. Defaults to: false - interpretPlusSignAsSpace: false - }, - login: { - passwordless: { - // Enables or disables passwordless login for the site. Defaults to: false - enabled: false, - // The callback URI, which can be an absolute URL (including third-party URIs) or a relative path set up by the developer. - // Required in 'callback' mode; if missing, passwordless login defaults to 'sms' mode, which requires Marketing Cloud configuration. - // If the env var `PASSWORDLESS_LOGIN_CALLBACK_URI` is set, it will override the config value. - callbackURI: - process.env.PASSWORDLESS_LOGIN_CALLBACK_URI || '/passwordless-login-callback', - // The landing path for passwordless login - landingPath: '/passwordless-login-landing' - }, - social: { - // Enables or disables social login for the site. Defaults to: false - enabled: false, - // The third-party identity providers supported by your app. The PWA Kit supports Google and Apple by default. - // Additional IDPs will also need to be added to the IDP_CONFIG in the SocialLogin component. - idps: ['google', 'apple'], - // The redirect URI used after a successful social login authentication. - // This should be a relative path set up by the developer. - // If the env var `SOCIAL_LOGIN_REDIRECT_URI` is set, it will override the config value. - redirectURI: process.env.SOCIAL_LOGIN_REDIRECT_URI || '/social-callback' - }, - resetPassword: { - // The callback URI, which can be an absolute URL (including third-party URIs) or a relative path set up by the developer. - // If the env var `RESET_PASSWORD_CALLBACK_URI` is set, it will override the config value. - callbackURI: process.env.RESET_PASSWORD_CALLBACK_URI || '/reset-password-callback', - // The landing path for reset password - landingPath: '/reset-password-landing' - } - }, - // The default site for your app. This value will be used when a siteRef could not be determined from the url - defaultSite: 'RefArch', - // Provide aliases for your sites. These will be used in place of your site id when generating paths throughout the application. - // siteAliases: { - // RefArch: 'us', - // RefArchGlobal: 'global' - // }, - // The sites for your app, which is imported from sites.js - sites, - // Commerce api config - commerceAPI: { - proxyPath: '/mobify/proxy/api', - parameters: { - clientId: '1d763261-6522-4913-9d52-5d947d3b94c4', - organizationId: 'f_ecom_zzte_053', - shortCode: 'kv7kzm78', - siteId: 'RefArch' - } - }, - // Einstein api config - einsteinAPI: { - host: 'https://api.cquotient.com', - einsteinId: '1ea06c6e-c936-4324-bcf0-fada93f83bb1', - siteId: 'aaij-MobileFirst', - // Flag Einstein activities as coming from a production environment. - // By setting this to true, the Einstein activities generated by the environment will appear - // in production environment reports - isProduction: false - }, - // Datacloud api config - dataCloudAPI: { - appSourceId: 'fb81edab-24c6-4b40-8684-b67334dfdf32', - tenantId: 'mmyw8zrxhfsg09lfmzrd1zjqmg' - } - }, - // This list contains server-side only libraries that you don't want to be compiled by webpack - externals: [], - // Page not found url for your app - pageNotFoundURL: '/page-not-found', - // Enables or disables building the files necessary for server-side rendering. - ssrEnabled: true, - // This list determines which files are available exclusively to the server-side rendering system - // and are not available through the /mobify/bundle/ path. - ssrOnly: ['ssr.js', 'ssr.js.map', 'node_modules/**/*.*'], - // This list determines which files are available to the server-side rendering system - // and available through the /mobify/bundle/ path. - ssrShared: [ - 'static/ico/favicon.ico', - 'static/robots.txt', - '**/*.js', - '**/*.js.map', - '**/*.json' - ], - // Additional parameters that configure Express app behavior. - ssrParameters: { - ssrFunctionNodeVersion: '22.x', - proxyConfigs: [ - { - host: 'kv7kzm78.api.commercecloud.salesforce.com', - path: 'api' - }, - { - host: 'zzte-053.dx.commercecloud.salesforce.com', - path: 'ocapi' - } - ] - } -} diff --git a/my-test-project/config/sites.js b/my-test-project/config/sites.js deleted file mode 100644 index fcb5df92b0..0000000000 --- a/my-test-project/config/sites.js +++ /dev/null @@ -1,26 +0,0 @@ -/* - * Copyright (c) 2023, Salesforce, Inc. - * All rights reserved. - * SPDX-License-Identifier: BSD-3-Clause - * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause - */ - -// Provide the sites for your app. Each site includes site id, and its localization configuration. -// You can also provide aliases for your locale. They will be used in place of your locale id when generating paths across the app -module.exports = [ - { - id: 'RefArch', - l10n: { - supportedCurrencies: ['USD'], - defaultCurrency: 'USD', - defaultLocale: 'en-US', - supportedLocales: [ - { - id: 'en-US', - // alias: 'us', - preferredCurrency: 'USD' - } - ] - } - } -] diff --git a/my-test-project/jest.config.js b/my-test-project/jest.config.js deleted file mode 100644 index 8321585ec6..0000000000 --- a/my-test-project/jest.config.js +++ /dev/null @@ -1,22 +0,0 @@ -/* - * Copyright (c) 2024, Salesforce, Inc. - * All rights reserved. - * SPDX-License-Identifier: BSD-3-Clause - * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause - */ - -// eslint-disable-next-line @typescript-eslint/no-var-requires -const base = require('@salesforce/pwa-kit-dev/configs/jest/jest.config.js') - -module.exports = { - ...base, - // To support extensibility, jest needs to transform the underlying templates/extensions - transformIgnorePatterns: ['/node_modules/(?!@salesforce/retail-react-app/.*)'], - moduleNameMapper: { - ...base.moduleNameMapper, - // pulled from @salesforce/retail-react-app jest.config.js - // allows jest to resolve imports for these packages - '^is-what$': '/node_modules/is-what/dist/cjs/index.cjs', - '^copy-anything$': '/node_modules/copy-anything/dist/cjs/index.cjs' - } -} diff --git a/my-test-project/overrides/app/assets/svg/brand-logo.svg b/my-test-project/overrides/app/assets/svg/brand-logo.svg deleted file mode 100644 index 99970ffaf2..0000000000 --- a/my-test-project/overrides/app/assets/svg/brand-logo.svg +++ /dev/null @@ -1,5 +0,0 @@ - - - - - diff --git a/my-test-project/overrides/app/components/_app-config/index.jsx b/my-test-project/overrides/app/components/_app-config/index.jsx deleted file mode 100644 index 716651fcdd..0000000000 --- a/my-test-project/overrides/app/components/_app-config/index.jsx +++ /dev/null @@ -1,133 +0,0 @@ -/* - * Copyright (c) 2021, salesforce.com, inc. - * All rights reserved. - * SPDX-License-Identifier: BSD-3-Clause - * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause - */ -import React from 'react' -import PropTypes from 'prop-types' -import {ChakraProvider} from '@salesforce/retail-react-app/app/components/shared/ui' - -// Removes focus for non-keyboard interactions for the whole application -import 'focus-visible/dist/focus-visible' - -import theme from '@salesforce/retail-react-app/app/theme' -import {MultiSiteProvider} from '@salesforce/retail-react-app/app/contexts' -import { - resolveSiteFromUrl, - resolveLocaleFromUrl -} from '@salesforce/retail-react-app/app/utils/site-utils' -import {getConfig} from '@salesforce/pwa-kit-runtime/utils/ssr-config' -import {proxyBasePath} from '@salesforce/pwa-kit-runtime/utils/ssr-namespace-paths' -import {createUrlTemplate} from '@salesforce/retail-react-app/app/utils/url' -import createLogger from '@salesforce/pwa-kit-runtime/utils/logger-factory' - -import {CommerceApiProvider} from '@salesforce/commerce-sdk-react' -import {withReactQuery} from '@salesforce/pwa-kit-react-sdk/ssr/universal/components/with-react-query' -import {useCorrelationId} from '@salesforce/pwa-kit-react-sdk/ssr/universal/hooks' -import {getAppOrigin} from '@salesforce/pwa-kit-react-sdk/utils/url' -import {ReactQueryDevtools} from '@tanstack/react-query-devtools' -import {DEFAULT_DNT_STATE} from '@salesforce/retail-react-app/app/constants' - -/** - * Use the AppConfig component to inject extra arguments into the getProps - * methods for all Route Components in the app – typically you'd want to do this - * to inject a connector instance that can be used in all Pages. - * - * You can also use the AppConfig to configure a state-management library such - * as Redux, or Mobx, if you like. - */ -const AppConfig = ({children, locals = {}}) => { - const {correlationId} = useCorrelationId() - const headers = { - 'correlation-id': correlationId - } - - const commerceApiConfig = locals.appConfig.commerceAPI - - const appOrigin = getAppOrigin() - - const passwordlessCallback = locals.appConfig.login?.passwordless?.callbackURI - - return ( - - - {children} - - - - ) -} - -AppConfig.restore = (locals = {}) => { - const path = - typeof window === 'undefined' - ? locals.originalUrl - : `${window.location.pathname}${window.location.search}` - const site = resolveSiteFromUrl(path) - const locale = resolveLocaleFromUrl(path) - - const {app: appConfig} = getConfig() - const apiConfig = { - ...appConfig.commerceAPI, - einsteinConfig: appConfig.einsteinAPI - } - - apiConfig.parameters.siteId = site.id - - locals.buildUrl = createUrlTemplate(appConfig, site.alias || site.id, locale.id) - locals.site = site - locals.locale = locale - locals.appConfig = appConfig -} - -AppConfig.freeze = () => undefined - -AppConfig.extraGetPropsArgs = (locals = {}) => { - return { - buildUrl: locals.buildUrl, - site: locals.site, - locale: locals.locale - } -} - -AppConfig.propTypes = { - children: PropTypes.node, - locals: PropTypes.object -} - -const isServerSide = typeof window === 'undefined' - -// Recommended settings for PWA-Kit usages. -// NOTE: they will be applied on both server and client side. -// retry is always disabled on server side regardless of the value from the options -const options = { - queryClientConfig: { - defaultOptions: { - queries: { - retry: false, - refetchOnWindowFocus: false, - staleTime: 10 * 1000, - ...(isServerSide ? {retryOnMount: false} : {}) - }, - mutations: { - retry: false - } - } - } -} - -export default withReactQuery(AppConfig, options) diff --git a/my-test-project/overrides/app/constants.js b/my-test-project/overrides/app/constants.js deleted file mode 100644 index 5f200869a2..0000000000 --- a/my-test-project/overrides/app/constants.js +++ /dev/null @@ -1,29 +0,0 @@ -/* - * Copyright (c) 2023, Salesforce, Inc. - * All rights reserved. - * SPDX-License-Identifier: BSD-3-Clause - * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause - */ - -/* - Hello there! This is a demonstration of how to override a file from the base template. - - It's necessary that the module export interface remain consistent, - as other files in the base template rely on constants.js, thus we - import the underlying constants.js, modifies it and re-export it. -*/ - -import { - DEFAULT_LIMIT_VALUES, - DEFAULT_SEARCH_PARAMS -} from '@salesforce/retail-react-app/app/constants' - -// original value is 25 -DEFAULT_LIMIT_VALUES[0] = 3 -DEFAULT_SEARCH_PARAMS.limit = 3 - -export const CUSTOM_HOME_TITLE = '🎉 Hello Extensible React Template!' - -export {DEFAULT_LIMIT_VALUES, DEFAULT_SEARCH_PARAMS} - -export * from '@salesforce/retail-react-app/app/constants' diff --git a/my-test-project/overrides/app/main.jsx b/my-test-project/overrides/app/main.jsx deleted file mode 100644 index 596e6938e3..0000000000 --- a/my-test-project/overrides/app/main.jsx +++ /dev/null @@ -1,14 +0,0 @@ -/* - * Copyright (c) 2023, Salesforce, Inc. - * All rights reserved. - * SPDX-License-Identifier: BSD-3-Clause - * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause - */ -import {start, registerServiceWorker} from '@salesforce/pwa-kit-react-sdk/ssr/browser/main' - -const main = () => { - // The path to your service worker should match what is set up in ssr.js - return Promise.all([start(), registerServiceWorker('/worker.js')]) -} - -main() diff --git a/my-test-project/overrides/app/pages/home/index.jsx b/my-test-project/overrides/app/pages/home/index.jsx deleted file mode 100644 index 5f4c340343..0000000000 --- a/my-test-project/overrides/app/pages/home/index.jsx +++ /dev/null @@ -1,167 +0,0 @@ -/* - * Copyright (c) 2023, Salesforce, Inc. - * All rights reserved. - * SPDX-License-Identifier: BSD-3-Clause - * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause - */ -import React, {useEffect} from 'react' -import {useIntl, FormattedMessage} from 'react-intl' -import {useLocation} from 'react-router-dom' - -// Components -import {Box, Button, Stack, Link} from '@salesforce/retail-react-app/app/components/shared/ui' - -// Project Components -import Hero from '@salesforce/retail-react-app/app/components/hero' -import Seo from '@salesforce/retail-react-app/app/components/seo' -import Section from '@salesforce/retail-react-app/app/components/section' -import ProductScroller from '@salesforce/retail-react-app/app/components/product-scroller' - -// Others -import {getAssetUrl} from '@salesforce/pwa-kit-react-sdk/ssr/universal/utils' - -//Hooks -import useEinstein from '@salesforce/retail-react-app/app/hooks/use-einstein' - -// Constants -import { - CUSTOM_HOME_TITLE, - HOME_SHOP_PRODUCTS_CATEGORY_ID, - HOME_SHOP_PRODUCTS_LIMIT, - MAX_CACHE_AGE, - STALE_WHILE_REVALIDATE -} from '../../constants' - -import {useServerContext} from '@salesforce/pwa-kit-react-sdk/ssr/universal/hooks' -import {useProductSearch} from '@salesforce/commerce-sdk-react' - -/** - * This is the home page for Retail React App. - * The page is created for demonstration purposes. - * The page renders SEO metadata and a few promotion - * categories and products, data is from local file. - */ -const Home = () => { - const intl = useIntl() - const einstein = useEinstein() - const {pathname} = useLocation() - - // useServerContext is a special hook introduced in v3 PWA Kit SDK. - // It replaces the legacy `getProps` and provide a react hook interface for SSR. - // it returns the request and response objects on the server side, - // and these objects are undefined on the client side. - const {res} = useServerContext() - if (res) { - res.set( - 'Cache-Control', - `s-maxage=${MAX_CACHE_AGE}, stale-while-revalidate={STALE_WHILE_REVALIDATE}` - ) - } - - const {data: productSearchResult, isLoading} = useProductSearch({ - parameters: { - refine: [`cgid=${HOME_SHOP_PRODUCTS_CATEGORY_ID}`, 'htype=master'], - expand: ['promotions', 'variations', 'prices', 'images', 'custom_properties'], - perPricebook: true, - allVariationProperties: true, - limit: HOME_SHOP_PRODUCTS_LIMIT - } - }) - - /**************** Einstein ****************/ - useEffect(() => { - einstein.sendViewPage(pathname) - }, []) - - return ( - - - - - - - } - /> - - {productSearchResult && ( -

- {intl.formatMessage({ - defaultMessage: 'Read docs', - id: 'home.link.read_docs' - })} - - ) - } - )} - > - - - -
- )} - - ) -} - -Home.getTemplateName = () => 'home' - -export default Home diff --git a/my-test-project/overrides/app/pages/my-new-route/index.jsx b/my-test-project/overrides/app/pages/my-new-route/index.jsx deleted file mode 100644 index 053c6ac949..0000000000 --- a/my-test-project/overrides/app/pages/my-new-route/index.jsx +++ /dev/null @@ -1,14 +0,0 @@ -/* - * Copyright (c) 2023, salesforce.com, inc. - * All rights reserved. - * SPDX-License-Identifier: BSD-3-Clause - * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause - */ - -import React from 'react' - -const MyNewRoute = () => { - return

hello new route!

-} - -export default MyNewRoute diff --git a/my-test-project/overrides/app/request-processor.js b/my-test-project/overrides/app/request-processor.js deleted file mode 100644 index c6f07939be..0000000000 --- a/my-test-project/overrides/app/request-processor.js +++ /dev/null @@ -1,118 +0,0 @@ -/* - * Copyright (c) 2023, Salesforce, Inc. - * All rights reserved. - * SPDX-License-Identifier: BSD-3-Clause - * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause - */ - -// This is an EXAMPLE file. To enable request processing, rename it to -// 'request-processor.js' and update the processRequest function so that -// it processes requests in whatever way your project requires. - -// Uncomment the following line for the example code to work. -import {QueryParameters} from '@salesforce/pwa-kit-runtime/utils/ssr-request-processing' - -/** - * The processRequest function is called for *every* non-proxy, non-bundle - * request received. That is, all requests that will result in pages being - * rendered, or the Express app requestHook function being invoked. Because - * this function runs for every request, it is important that processing - * take as little time as possible. Do not make external requests from - * this code. Make your code error tolerant; throwing an error from - * this function will cause a 500 error response to be sent to the - * requesting client. - * - * The processRequest function is passed details of the incoming request, - * function to support request-class setting plus parameters that refer to - * the target for which this code is being run. - * - * The function must return an object with 'path' and 'querystring'. These - * may be the same values passed in, or modified values. - * - * Processing query strings can be challenging, because there are multiple - * formats in use, URL-quoting may be required, and the order of parameters - * in the URL may be important. To avoid issues, use the QueryParameters - * class from the SDK's 'utils/ssr-request-processing' module. This - * class will correctly preserve the order, case, values and encoding of - * the parameters. The QueryParameters class is documented in the SDK. - * - * @param path {String} the path part of the URL, beginning with a '/' - * @param querystring {String} the query string part of the URL, without - * any initial '?' - * @param headers {Headers} the headers of the incoming request. This should - * be considered read-only (although header values can be changed, most headers - * are not passed to the origin, so changes have no effect). - * @param setRequestClass {function} call this with a string to set the - * "class" of the incoming request. By default, requests have no class. - * @param parameters {Object} - * @param parameters.appHostname {String} the "application host name" is the - * hostname to which requests are sent for this target: the website's hostname. - * @param parameters.deployTarget {String} the target's id. Use this to have - * different processing for different targets. - * @param parameters.proxyConfigs {Object[]} an array of proxy configuration - * object, each one containing protocol, host and path for a proxy. Use this - * to have different processing for different backends. - * @returns {{path: String, querystring: String}} - */ -export const processRequest = ({ - // Uncomment the following lines for the example code to work. - // headers, - // setRequestClass, - // parameters, - path, - querystring -}) => { - // This is an EXAMPLE processRequest implementation. You should - // replace it with code that processes your requests as needed. - - // This example code will remove any of the parameters whose keys appear - // in the 'exclusions' array. - const exclusions = [ - // 'gclid', - // 'utm_campaign', - // 'utm_content', - // 'utm_medium', - // 'utm_source' - ] - - // This is a performance optimization for SLAS. - // On client side, browser always follow the redirect - // to /callback but the response is always the same. - // We strip out the unique query parameters so this - // endpoint is cached at the CDN level - if (path === '/callback') { - exclusions.push('usid') - exclusions.push('code') - } - - // Build a first QueryParameters object from the given querystring - const incomingParameters = new QueryParameters(querystring) - - // Build a second QueryParameters from the first, with all - // excluded parameters removed - const filteredParameters = QueryParameters.from( - incomingParameters.parameters.filter( - // parameter.key is always lower-case - (parameter) => !exclusions.includes(parameter.key) - ) - ) - - // Re-generate the querystring - querystring = filteredParameters.toString() - - /*************************************************************************** - // This example code will detect bots by examining the user-agent, - // and will set the request class to 'bot' for all such requests. - const ua = headers.getHeader('user-agent') - // This check - const botcheck = /bot|crawler|spider|crawling/i - if (botcheck.test(ua)) { - setRequestClass('bot') - } - ***************************************************************************/ - // Return the path unchanged, and the updated query string - return { - path, - querystring - } -} diff --git a/my-test-project/overrides/app/routes.jsx b/my-test-project/overrides/app/routes.jsx deleted file mode 100644 index 2efb84b269..0000000000 --- a/my-test-project/overrides/app/routes.jsx +++ /dev/null @@ -1,42 +0,0 @@ -/* - * Copyright (c) 2023, salesforce.com, inc. - * All rights reserved. - * SPDX-License-Identifier: BSD-3-Clause - * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause - */ - -import React from 'react' -import loadable from '@loadable/component' -import {getConfig} from '@salesforce/pwa-kit-runtime/utils/ssr-config' - -// Components -import {Skeleton} from '@salesforce/retail-react-app/app/components/shared/ui' -import {configureRoutes} from '@salesforce/retail-react-app/app/utils/routes-utils' -import {routes as _routes} from '@salesforce/retail-react-app/app/routes' - -const fallback = - -// Create your pages here and add them to the routes array -// Use loadable to split code into smaller js chunks -const Home = loadable(() => import('./pages/home'), {fallback}) -const MyNewRoute = loadable(() => import('./pages/my-new-route')) - -const routes = [ - { - path: '/', - component: Home, - exact: true - }, - { - path: '/my-new-route', - component: MyNewRoute - }, - ..._routes -] - -export default () => { - const config = getConfig() - return configureRoutes(routes, config, { - ignoredRoutes: ['/callback', '*'] - }) -} diff --git a/my-test-project/overrides/app/ssr.js b/my-test-project/overrides/app/ssr.js deleted file mode 100644 index c3121d818b..0000000000 --- a/my-test-project/overrides/app/ssr.js +++ /dev/null @@ -1,362 +0,0 @@ -/* - * Copyright (c) 2023, Salesforce, Inc. - * All rights reserved. - * SPDX-License-Identifier: BSD-3-Clause - * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause - */ - -'use strict' - -import crypto from 'crypto' -import express from 'express' -import helmet from 'helmet' -import {createRemoteJWKSet as joseCreateRemoteJWKSet, jwtVerify, decodeJwt} from 'jose' -import path from 'path' -import {getRuntime} from '@salesforce/pwa-kit-runtime/ssr/server/express' -import {defaultPwaKitSecurityHeaders} from '@salesforce/pwa-kit-runtime/utils/middleware' -import {getConfig} from '@salesforce/pwa-kit-runtime/utils/ssr-config' -import {getAppOrigin} from '@salesforce/pwa-kit-react-sdk/utils/url' - -const config = getConfig() - -const options = { - // The build directory (an absolute path) - buildDir: path.resolve(process.cwd(), 'build'), - - // The cache time for SSR'd pages (defaults to 600 seconds) - defaultCacheTimeSeconds: 600, - - // The contents of the config file for the current environment - mobify: config, - - // The port that the local dev server listens on - port: 3000, - - // The protocol on which the development Express app listens. - // Note that http://localhost is treated as a secure context for development, - // except by Safari. - protocol: 'http', - - // Option for whether to set up a special endpoint for handling - // private SLAS clients - // Set this to false if using a SLAS public client - // When setting this to true, make sure to also set the PWA_KIT_SLAS_CLIENT_SECRET - // environment variable as this endpoint will return HTTP 501 if it is not set - useSLASPrivateClient: false, - - // If this is enabled, any HTTP header that has a non ASCII value will be URI encoded - // If there any HTTP headers that have been encoded, an additional header will be - // passed, `x-encoded-headers`, containing a comma separated list - // of the keys of headers that have been encoded - // There may be a slight performance loss with requests/responses with large number - // of headers as we loop through all the headers to verify ASCII vs non ASCII - encodeNonAsciiHttpHeaders: true -} - -const runtime = getRuntime() - -/** - * Tokens are valid for 20 minutes. We store it at the top level scope to reuse - * it during the lambda invocation. We'll refresh it after 15 minutes. - */ -let marketingCloudToken = '' -let marketingCloudTokenExpiration = new Date() - -/** - * Generates a unique ID for the email message. - * - * @return {string} A unique ID for the email message. - */ -function generateUniqueId() { - return crypto.randomBytes(16).toString('hex') -} - -/** - * Sends an email to a specified contact using the Marketing Cloud API. The template email must have a - * `%%magic-link%%` personalization string inserted. - * https://help.salesforce.com/s/articleView?id=mktg.mc_es_personalization_strings.htm&type=5 - * - * @param {string} email - The email address of the contact to whom the email will be sent. - * @param {string} templateId - The ID of the email template to be used for the email. - * @param {string} magicLink - The magic link to be included in the email. - * - * @return {Promise} A promise that resolves to the response object received from the Marketing Cloud API. - */ -async function sendMarketingCloudEmail(emailId, marketingCloudConfig) { - // Refresh token if expired - if (new Date() > marketingCloudTokenExpiration) { - const {clientId, clientSecret, subdomain} = marketingCloudConfig - const tokenUrl = `https://${subdomain}.auth.marketingcloudapis.com/v2/token` - const tokenResponse = await fetch(tokenUrl, { - method: 'POST', - headers: {'Content-Type': 'application/json'}, - body: JSON.stringify({ - grant_type: 'client_credentials', - client_id: clientId, - client_secret: clientSecret - }) - }) - - if (!tokenResponse.ok) - throw new Error( - 'Failed to fetch Marketing Cloud access token. Check your Marketing Cloud credentials and try again.' - ) - - const {access_token} = await tokenResponse.json() - marketingCloudToken = access_token - // Set expiration to 15 mins - marketingCloudTokenExpiration = new Date(Date.now() + 15 * 60 * 1000) - } - - // Send the email - const emailUrl = `https://${ - marketingCloudConfig.subdomain - }.rest.marketingcloudapis.com/messaging/v1/email/messages/${generateUniqueId()}` - const emailResponse = await fetch(emailUrl, { - method: 'POST', - headers: { - Authorization: `Bearer ${marketingCloudToken}`, - 'Content-Type': 'application/json' - }, - body: JSON.stringify({ - definitionKey: marketingCloudConfig.templateId, - recipient: { - contactKey: emailId, - to: emailId, - attributes: {'magic-link': marketingCloudConfig.magicLink} - } - }) - }) - - if (!emailResponse.ok) throw new Error('Failed to send email to Marketing Cloud') - - return await emailResponse.json() -} - -/** - * Generates a unique ID, constructs an email message URL, and sends the email to the specified contact - * using the Marketing Cloud API. - * - * @param {string} email - The email address of the contact to whom the email will be sent. - * @param {string} templateId - The ID of the email template to be used for the email. - * @param {string} magicLink - The magic link to be included in the email. - * - * @return {Promise} A promise that resolves to the response object received from the Marketing Cloud API. - */ -export async function emailLink(emailId, templateId, magicLink) { - if (!process.env.MARKETING_CLOUD_CLIENT_ID) { - console.warn('MARKETING_CLOUD_CLIENT_ID is not set in the environment variables.') - } - - if (!process.env.MARKETING_CLOUD_CLIENT_SECRET) { - console.warn(' MARKETING_CLOUD_CLIENT_SECRET is not set in the environment variables.') - } - - if (!process.env.MARKETING_CLOUD_SUBDOMAIN) { - console.warn('MARKETING_CLOUD_SUBDOMAIN is not set in the environment variables.') - } - - const marketingCloudConfig = { - clientId: process.env.MARKETING_CLOUD_CLIENT_ID, - clientSecret: process.env.MARKETING_CLOUD_CLIENT_SECRET, - magicLink: magicLink, - subdomain: process.env.MARKETING_CLOUD_SUBDOMAIN, - templateId: templateId - } - return await sendMarketingCloudEmail(emailId, marketingCloudConfig) -} - -const resetPasswordCallback = - config.app.login?.resetPassword?.callbackURI || '/reset-password-callback' -const passwordlessLoginCallback = - config.app.login?.passwordless?.callbackURI || '/passwordless-login-callback' - -// Reusable function to handle sending a magic link email. -// By default, this implementation uses Marketing Cloud. -async function sendMagicLinkEmail(req, res, landingPath, emailTemplate, redirectUrl) { - // Extract the base URL from the request - const base = req.protocol + '://' + req.get('host') - - // Extract the email_id and token from the request body - const {email_id, token} = req.body - - // Construct the magic link URL - let magicLink = `${base}${landingPath}?token=${encodeURIComponent(token)}` - if (landingPath === config.app.login?.resetPassword?.landingPath) { - // Add email query parameter for reset password flow - magicLink += `&email=${encodeURIComponent(email_id)}` - } - if (landingPath === config.app.login?.passwordless?.landingPath && redirectUrl) { - magicLink += `&redirect_url=${encodeURIComponent(redirectUrl)}` - } - - // Call the emailLink function to send an email with the magic link using Marketing Cloud - const emailLinkResponse = await emailLink(email_id, emailTemplate, magicLink) - - // Send the response - res.send(emailLinkResponse) -} - -const CLAIM = { - ISSUER: 'iss' -} - -const DELIMITER = { - ISSUER: '/' -} - -const throwSlasTokenValidationError = (message, code) => { - throw new Error(`SLAS Token Validation Error: ${message}`, code) -} - -export const createRemoteJWKSet = (tenantId) => { - const appOrigin = getAppOrigin() - const {app: appConfig} = getConfig() - const shortCode = appConfig.commerceAPI.parameters.shortCode - const configTenantId = appConfig.commerceAPI.parameters.organizationId.replace(/^f_ecom_/, '') - if (tenantId !== configTenantId) { - throw new Error( - `The tenant ID in your PWA Kit configuration ("${configTenantId}") does not match the tenant ID in the SLAS callback token ("${tenantId}").` - ) - } - const JWKS_URI = `${appOrigin}/${shortCode}/${tenantId}/oauth2/jwks` - return joseCreateRemoteJWKSet(new URL(JWKS_URI)) -} - -export const validateSlasCallbackToken = async (token) => { - const payload = decodeJwt(token) - const subClaim = payload[CLAIM.ISSUER] - const tokens = subClaim.split(DELIMITER.ISSUER) - const tenantId = tokens[2] - try { - const jwks = createRemoteJWKSet(tenantId) - const {payload} = await jwtVerify(token, jwks, {}) - return payload - } catch (error) { - throwSlasTokenValidationError(error.message, 401) - } -} - -const tenantIdRegExp = /^[a-zA-Z]{4}_([0-9]{3}|s[0-9]{2}|stg|dev|prd)$/ -const shortCodeRegExp = /^[a-zA-Z0-9-]+$/ - -/** - * Handles JWKS (JSON Web Key Set) caching the JWKS response for 2 weeks. - * - * @param {object} req Express request object. - * @param {object} res Express response object. - * @param {object} options Options for fetching B2C Commerce API JWKS. - * @param {string} options.shortCode - The Short Code assigned to the realm. - * @param {string} options.tenantId - The Tenant ID for the ECOM instance. - * @returns {Promise<*>} Promise with the JWKS data. - */ -export async function jwksCaching(req, res, options) { - const {shortCode, tenantId} = options - - const isValidRequest = tenantIdRegExp.test(tenantId) && shortCodeRegExp.test(shortCode) - if (!isValidRequest) - return res - .status(400) - .json({error: 'Bad request parameters: Tenant ID or short code is invalid.'}) - try { - const JWKS_URI = `https://${shortCode}.api.commercecloud.salesforce.com/shopper/auth/v1/organizations/f_ecom_${tenantId}/oauth2/jwks` - const response = await fetch(JWKS_URI) - - if (!response.ok) { - throw new Error('Request failed with status: ' + response.status) - } - - // JWKS rotate every 30 days. For now, cache response for 14 days so that - // fetches only need to happen twice a month - res.set('Cache-Control', 'public, max-age=1209600, stale-while-revalidate=86400') - - return res.json(await response.json()) - } catch (error) { - res.status(400).json({error: `Error while fetching data: ${error.message}`}) - } -} - -const {handler} = runtime.createHandler(options, (app) => { - app.use(express.json()) // To parse JSON payloads - app.use(express.urlencoded({extended: true})) - // Set default HTTP security headers required by PWA Kit - app.use(defaultPwaKitSecurityHeaders) - // Set custom HTTP security headers - app.use( - helmet({ - contentSecurityPolicy: { - useDefaults: true, - directives: { - 'img-src': [ - // Default source for product images - replace with your CDN - '*.commercecloud.salesforce.com' - ], - 'script-src': [ - // Used by the service worker in /worker/main.js - 'storage.googleapis.com' - ], - 'connect-src': [ - // Connect to Einstein APIs - 'api.cquotient.com', - '*.c360a.salesforce.com' - ] - } - } - }) - ) - - // Handle the redirect from SLAS as to avoid error - app.get('/callback?*', (req, res) => { - // This endpoint does nothing and is not expected to change - // Thus we cache it for a year to maximize performance - res.set('Cache-Control', `max-age=31536000`) - res.send() - }) - - app.get('/:shortCode/:tenantId/oauth2/jwks', (req, res) => { - jwksCaching(req, res, {shortCode: req.params.shortCode, tenantId: req.params.tenantId}) - }) - - // Handles the passwordless login callback route. SLAS makes a POST request to this - // endpoint sending the email address and passwordless token. Then this endpoint calls - // the sendMagicLinkEmail function to send an email with the passwordless login magic link. - // https://developer.salesforce.com/docs/commerce/commerce-api/guide/slas-passwordless-login.html#receive-the-callback - app.post(passwordlessLoginCallback, (req, res) => { - const slasCallbackToken = req.headers['x-slas-callback-token'] - const redirectUrl = req.query.redirectUrl - validateSlasCallbackToken(slasCallbackToken).then(() => { - sendMagicLinkEmail( - req, - res, - config.app.login?.passwordless?.landingPath, - process.env.MARKETING_CLOUD_PASSWORDLESS_LOGIN_TEMPLATE, - redirectUrl - ) - }) - }) - - // Handles the reset password callback route. SLAS makes a POST request to this - // endpoint sending the email address and reset password token. Then this endpoint calls - // the sendMagicLinkEmail function to send an email with the reset password magic link. - // https://developer.salesforce.com/docs/commerce/commerce-api/guide/slas-password-reset.html#slas-password-reset-flow - app.post(resetPasswordCallback, (req, res) => { - const slasCallbackToken = req.headers['x-slas-callback-token'] - validateSlasCallbackToken(slasCallbackToken).then(() => { - sendMagicLinkEmail( - req, - res, - config.app.login?.resetPassword?.landingPath, - process.env.MARKETING_CLOUD_RESET_PASSWORD_TEMPLATE - ) - }) - }) - - app.get('/robots.txt', runtime.serveStaticFile('static/robots.txt')) - app.get('/favicon.ico', runtime.serveStaticFile('static/ico/favicon.ico')) - - app.get('/worker.js(.map)?', runtime.serveServiceWorker) - app.get('*', runtime.render) -}) -// SSR requires that we export a single handler function called 'get', that -// supports AWS use of the server that we created above. -export const get = handler diff --git a/my-test-project/overrides/app/static/dwac-21.7.js b/my-test-project/overrides/app/static/dwac-21.7.js deleted file mode 100644 index f2ad13696c..0000000000 --- a/my-test-project/overrides/app/static/dwac-21.7.js +++ /dev/null @@ -1,475 +0,0 @@ -// Enhance the dw.ac namespace -(function(dw) { - if (typeof dw.ac === "undefined") { - return; // don't do anything if there was no tag, that would create the ac namespace. - } - // Returns the value of the first cookie found whose name is accepted by the given function - function getCookieValue(/*function(x)*/ acceptFunction) { - var cookiePairs = document.cookie.split(';'); - for (var i = 0; i < cookiePairs.length; i++) - { - var index = cookiePairs[i].indexOf('='); - if (index != -1) { - var name = trim(cookiePairs[i].substring(0, index)); - if (acceptFunction(name)) { - return trim(unescape(cookiePairs[i].substring(index + 1))); - } - } - } - - return null; - }; - - // trims a string, replacing the jquery.trim - function trim(/*string*/value) { - return value.replace(/^\s\s*/, '').replace(/\s\s*$/, ''); - }; - - // Sets a cookie with the given name and value - function setCookieValue(/*string*/ name, /*string*/ value, /*integer*/ millisToExpiry) { - var cookie = name + '=' + escape(value) + ';path=/'; - if (millisToExpiry != -1) { - cookie += ";expires=" + expires.toGMTString(); - } - document.cookie = cookie; - }; - - // URL encodes the given string to match the Java URLEncoder class - function urlencode(/*string*/ value) { - var convertByte = function(code) { - if(code < 32) { - //numbers lower than 32 are control chars, not printable - return ''; - } else { - return '%' + new Number(code).toString(16).toUpperCase(); - } - }; - - var encoded = ''; - for (var i = 0; i < value.length; i++) { - var c = value.charCodeAt(i); - if (((c >= 97) && (c <= 122)) || ((c >= 65) && (c <= 90)) || ((c >= 48) && (c <= 57)) || (c == 46) || (c == 45) || (c == 42) || (c == 95)) { - encoded += value.charAt(i); // a-z A-z 0-9 . - * _ - } - else if (c == 32) { - encoded += '+'; // (space) - } - else if (c < 128) { - encoded += convertByte(c); - } - else if ((c >= 128) && (c < 2048)) { - encoded += convertByte((c >> 6) | 0xC0); - encoded += convertByte((c & 0x3F) | 0x80); - } - else if ((c >= 2048) && (c < 65536)) { - encoded += convertByte((c >> 12) | 0xE0); - encoded += convertByte(((c >> 6) & 0x3F) | 0x80); - encoded += convertByte((c & 0x3F) | 0x80); - } - else if (c >= 65536) { - encoded += convertByte((c >> 18) | 0xF0); - encoded += convertByte(((c >> 12) & 0x3F) | 0x80); - encoded += convertByte(((c >> 6) & 0x3F) | 0x80); - encoded += convertByte((c & 0x3F) | 0x80); - } - } - - return encoded; - } - - // Returns the value of the analytics cookie set on the server - function getAnalyticsCookieValue() { - var acceptFunction = function(name) { - return (name.length > 5) && (name.substring(0, 5) === 'dwac_'); - }; - return getCookieValue(acceptFunction); - }; - - // Contextual information retrieved from the server - var analyticsContext = (function() { - if (dw.ac._analytics_enabled === "false") { - return { - enabled: false, - dwEnabled: false - }; - } - var cookieValue = getAnalyticsCookieValue(); - if (cookieValue == null) { - return { - visitorID: '__ANNONYMOUS__', - customer: '__ANNONYMOUS__', - siteCurrency: '', - sourceCode: '', - enabled: "true", - timeZone: dw.ac._timeZone, - dwEnabled: "true", - encoding: 'ISO-8859-1' - }; - } - - var tokens = cookieValue.split('|'); - - return { - visitorID: tokens[0], - repository: tokens[1], - customer: tokens[2], - sourceCode: tokens[3], - siteCurrency: tokens[4], - enabled: tokens[5] == "true", - timeZone: tokens[6], - dwEnabled: tokens[7] == "true", - encoding: 'ISO-8859-1' - }; - }()); - - // Turn debugging on or off - var setDebugEnabled = function(enabled) { - if (typeof enabled != 'boolean') { - return; - } - - setCookieValue('dwacdebug', '' + enabled, -1); - }; - - // Returns true if debug is enabled, false otherwise - function isDebugEnabled() { - var acceptFunction = function(name) { - return name === 'dwacdebug'; - }; - return getCookieValue(acceptFunction) === 'true'; - }; - - // Map data structure - function Map() { - var data = []; - - // Returns an array containing the entries in this map - this.getEntries = function() { - return data; - }; - - // Puts the given value in this map under the given key - this.put = function(/*object*/ key, /*object*/ value) { - for (var i = 0; i < data.length; i++) { - if (data[i].key == key) { - data[i].value = value; - return; - } - } - - data.push({key: key, value: value}); - }; - - // Puts all the key value pairs in the given map into this map - this.putAll = function(/*Map*/ map) { - var entries = map.getEntries(); - for (var i = 0; i < entries.length; i++) { - this.put(entries[i].key, entries[i].value); - } - }; - - // Returns the value in this map under the given key, or null if there is no such value - this.get = function(/*object*/ key) { - for (var i = 0; i < data.length; i++) { - if (data[i].key == key) { - return data[i].value; - } - } - - return null; - }; - - // Clears this map of entries - this.clear = function() { - data.length = 0; - }; - - // Returns if this map is empty of values - this.isEmpty = function() { - return data.length == 0; - } - }; - - // Delay in milliseconds before actually submitting data once some is ready - var SUBMIT_DELAY_MILLIS = 500; - - // Set when the DOM is ready - var domReady = false; - - // Timeout to submit data after a delay - var submitTimeout = null; - - // Product impressions found on the page - var productImpressions = new Map(); - - // Product views found on the page - var productViews = new Map(); - - // Product recommendations found on the page - var productRecommendations = new Map(); - - // Applies values from the given source for fields defined in the given target - function applyFields(/*object*/ source, /*object*/ target) { - for (e in target) { - if (typeof source[e] != 'undefined') { - target[e] = source[e]; - } - } - return target; - }; - - // Collects the given product impression, and returns true if it is valid or false if it is not - var collectProductImpression = function(/*object*/ configs) { - if (typeof configs != 'object') { - return false; - } - - var pi = applyFields(configs, {id:null}); - - // Quit if no SKU provided or is invalid - if (typeof pi.id != 'string') { - return false; - } - - // Throw out the impression if SKU already seen - var previousImpression = productImpressions.get(pi.id); - if (previousImpression != null) { - return false; - } - - productImpressions.put(pi.id, pi); - return true; - }; - - // Collects the given product recommendation, and returns true if it is valid or false if it is not - var collectProductRecommendation = function(/*object*/ configs) { - if (typeof configs != 'object') { - return false; - } - - var pr = applyFields(configs, {id:null}); - - // Quit if no SKU provided or is invalid - if (typeof pr.id != 'string') { - return false; - } - - // Throw out the recommendation if SKU already seen - var previousRecommendation = productRecommendations.get(pr.id); - if (previousRecommendation != null) { - return false; - } - - productRecommendations.put(pr.id, pr); - return true; - }; - - // Collects the given product view, and returns true if it is valid or false if it is not - var collectProductView = function(/*object*/ configs) { - if (typeof configs != 'object') { - return false; - } - - var pv = applyFields(configs, {id:null}); - - // Quit if no SKU provided or is invalid - if (typeof pv.id != 'string') { - return false; - } - - // Throw out the view if SKU already seen - var previousView = productViews.get(pv.id); - if (previousView != null) { - return false; - } - - productViews.put(pv.id, pv); - return true; - }; - - // Returns a new Map with the same contents as the given Map, - // clearing the given Map in the process - function copyAndClearMap(/*Map*/ map) { - var copy = new Map(); - copy.putAll(map); - map.clear(); - return copy; - } - - // Returns if there are collected data to submit - function containsProductDataToSubmit() { - return !productImpressions.isEmpty() || !productRecommendations.isEmpty() - || !productViews.isEmpty(); - } - - // Performs the actual submission of collected data for analytics processing - var performDataSubmission = function() { - - if (dw.ac._analytics != null) - { - var collectedData = { - pageInfo: dw.ac._category, - productImpressions: productImpressions, - productViews: productViews, - productRecommendations: productRecommendations, - debugEnabled: isDebugEnabled() - }; - dw.ac._analytics.trackPageViewWithProducts(analyticsContext, collectedData, null); - productImpressions.clear(); - productViews.clear(); - productRecommendations.clear(); - dw.ac._events.length = 0; - } - }; - - // Submits the collected data for analytics processing after a short delay - function submitCollectedData() { - // don't submit the data before dom is ready, the data is still collected, - // when dom is ready, the onDocumentReady method will call this method again. - if(!domReady) { - return; - } - - if (submitTimeout) { - clearTimeout(submitTimeout); - } - - submitTimeout = setTimeout(performDataSubmission, SUBMIT_DELAY_MILLIS); - } - - // Returns an object with the same properties as the given object, but with string type properties - // in the given array of names set to the URL encoded form of their values using the escape function - function escapeProperties(/*object*/ o, /*Array*/ props) { - if (typeof o == 'undefined') { - return; - } - - var copy = {}; - for (e in o) { - var escapeProp = false; - for (var i = 0; (i < props.length) && !escapeProp; i++) { - var prop = props[i]; - if ((e === prop) && (typeof o[prop] == 'string')) { - escapeProp = true; - } - } - - copy[e] = escapeProp ? urlencode(o[e]) : o[e]; - } - - return copy; - } - - // Captures the given object data collected in subsequent events on the page, - // and returns true if the given object data is valid, or returns false if not - function captureObject(/*object*/ configs) { - if (typeof configs != 'object') { - return false; - } - - if ((configs.type === dw.ac.EV_PRD_SEARCHHIT) || (configs.type === dw.ac.EV_PRD_SETPRODUCT)) { - return collectProductImpression(escapeProperties(configs, ['id'])); - } - - if (configs.type === dw.ac.EV_PRD_DETAIL) { - return collectProductView(escapeProperties(configs, ['id'])); - } - - if (configs.type === dw.ac.EV_PRD_RECOMMENDATION) { - return collectProductRecommendation(escapeProperties(configs, ['id'])); - } - - return false; - } - - // Captures the given data collected in subsequent events on the page - function captureAndSend(/*object*/ configs) { - if (typeof configs == 'undefined') { - return; - } - - // Support both array and single object cases - if (typeof configs === 'object') { - if (configs instanceof Array) { - for (var i = 0; i < configs.length; i++) { - captureObject(configs[i]); - } - } - else { - if (configs[0] instanceof Object) { - captureObject(configs[0]); - } - else { - captureObject(configs); - } - } - } - - // Submit captured data if appropriate - if (domReady) { - submitCollectedData(); - } - }; - - // Enhance existing capture function with submission step - dw.ac.capture = captureAndSend; - - // expose debug API - dw.ac.setDebugEnabled = setDebugEnabled; - - dw.ac._handleCollectedData = function () { - domReady = false; - dw.ac._events.forEach(captureAndSend); - domReady = true; - submitCollectedData(); - }; - - dw.ac._scheduleDataSubmission = function () { - if (dw.ac._submitTimeout) { - clearTimeout(dw.ac._submitTimeout); - } - dw.ac._submitTimeout = setTimeout(dw.ac._handleCollectedData, 500); - }; - - // Added specifically for PWA kit to set currency for Analytics Context - dw.ac._setSiteCurrency = function setSiteCurrency(currency) { - analyticsContext.siteCurrency = currency; - }; - - // replace jQuery.ready() function - (function onDocumentReady(callback) { - // Catch cases where $(document).ready() is called after the browser event has already occurred. - if (document.readyState === "complete") { - // Handle it asynchronously to allow scripts the opportunity to delay ready - setTimeout(callback, 1); - } - - // Mozilla, Opera and webkit nightlies currently support this event - if (document.addEventListener) { - DOMContentLoaded = function() { - document.removeEventListener("DOMContentLoaded", DOMContentLoaded, false); - callback(); - }; - // Use the handy event callback - document.addEventListener("DOMContentLoaded", DOMContentLoaded, false); - // A fallback to window.onload, that will always work - window.addEventListener("load", callback, false); - // If IE event model is used - } else if (document.attachEvent) { - DOMContentLoaded = function() { - // Make sure body exists, at least, in case IE gets a little overzealous - if (document.readyState === "complete") { - document.detachEvent("onreadystatechange", DOMContentLoaded); - callback(); - } - }; - // ensure firing before onload, maybe late but safe also for iframes - document.attachEvent("onreadystatechange", DOMContentLoaded); - - // A fallback to window.onload, that will always work - window.attachEvent("onload", callback); - } - })(function() { - dw.ac._handleCollectedData(); - }); -}((window.dw||{}))); \ No newline at end of file diff --git a/my-test-project/overrides/app/static/dwanalytics-22.2.js b/my-test-project/overrides/app/static/dwanalytics-22.2.js deleted file mode 100644 index a1b0826e4e..0000000000 --- a/my-test-project/overrides/app/static/dwanalytics-22.2.js +++ /dev/null @@ -1,502 +0,0 @@ -/*! -* dwAnalytics - Web Analytics Tracking -* Based partially on Piwik -* -* @link http://piwik.org -* @license http://www.gnu.org/licenses/gpl-3.0.html Gpl v3 or later -*/ - -// Create dw namespace if necessary -if (typeof dw == 'undefined') { - var dw = {}; -} - -if (typeof dw.__dwAnalyticsLoaded == 'undefined') -{ - dw.__dwAnalyticsLoaded = true; - - // DWAnalytics singleton and namespace - dw.__dwAnalytics = function () { - /************************************************************ - * Private data - ************************************************************/ - - var MAX_URL_LENGTH = 2000; - - var expireDateTime, - - /* plugins */ - plugins = {}, - - /* alias frequently used globals for added minification */ - documentAlias = document, - navigatorAlias = navigator, - screenAlias = screen, - windowAlias = window, - hostnameAlias = windowAlias.location.hostname; - - /************************************************************ - * Private methods - ************************************************************/ - - /* - * Is property (or variable) defined? - */ - function isDefined(property) { - return typeof property !== 'undefined'; - } - - /* - * DWAnalytics Tracker class - * - * trackerUrl and trackerSiteId are optional arguments to the constructor - * - * See: Tracker.setTrackerUrl() and Tracker.setSiteId() - */ - function Tracker(trackerUrl, siteId) { - /************************************************************ - * Private members - ************************************************************/ - - var // Tracker URL - configTrackerUrl = trackerUrl + '?' || '?', - - // Document URL - configCustomUrl, - - // Document title - configTitle = documentAlias.title, - - // Client-side data collection - browserHasCookies = '0', - pageReferrer, - - // Plugin, Parameter name, MIME type, detected - pluginMap = { - // document types - pdf: ['pdf', 'application/pdf', '0'], - // media players - quicktime: ['qt', 'video/quicktime', '0'], - realplayer: ['realp', 'audio/x-pn-realaudio-plugin', '0'], - wma: ['wma', 'application/x-mplayer2', '0'], - // interactive multimedia - director: ['dir', 'application/x-director', '0'], - flash: ['fla', 'application/x-shockwave-flash', '0'], - // RIA - java: ['java', 'application/x-java-vm', '0'], - gears: ['gears', 'application/x-googlegears', '0'], - silverlight: ['ag', 'application/x-silverlight', '0'] - }, - - // Guard against installing the link tracker more than once per Tracker instance - linkTrackingInstalled = false, - - /* - * encode or escape - * - encodeURIComponent added in IE5.5 - */ - escapeWrapper = windowAlias.encodeURIComponent || escape, - - /* - * decode or unescape - * - decodeURIComponent added in IE5.5 - */ - unescapeWrapper = windowAlias.decodeURIComponent || unescape, - - /* - * registered (user-defined) hooks - */ - registeredHooks = {}; - - /* - * Set cookie value - */ - function setCookie(cookieName, value, daysToExpire, path, domain, secure) { - var expiryDate; - - if (daysToExpire) { - // time is in milliseconds - expiryDate = new Date(); - // there are 1000 * 60 * 60 * 24 milliseconds in a day (i.e., 86400000 or 8.64e7) - expiryDate.setTime(expiryDate.getTime() + daysToExpire * 8.64e7); - } - - documentAlias.cookie = cookieName + '=' + escapeWrapper(value) + - (daysToExpire ? ';expires=' + expiryDate.toGMTString() : '') + - ';path=' + (path ? path : '/') + - (domain ? ';domain=' + domain : '') + - (secure ? ';secure' : ''); - } - - /* - * Get cookie value - */ - function getCookie(cookieName) { - var cookiePattern = new RegExp('(^|;)[ ]*' + cookieName + '=([^;]*)'), - - cookieMatch = cookiePattern.exec(documentAlias.cookie); - - return cookieMatch ? unescapeWrapper(cookieMatch[2]) : 0; - } - - /* - * Send image request to DWAnalytics server using GET. - * The infamous web bug is a transparent, single pixel (1x1) image - * Async with a delay of 100ms. - */ - function getImage(urls) { - dw.__timeoutCallback = function() - { - for (var i = 0; i < urls.length; i++) - { - var image = new Image(1, 1); - image.onLoad = function () {}; - image.src = urls[i]; - } - }; - setTimeout(dw.__timeoutCallback, 100); - } - - /* - * Browser plugin tests - */ - function detectBrowserPlugins() { - var i, mimeType; - - // Safari and Opera - // IE6: typeof navigator.javaEnabled == 'unknown' - if (typeof navigatorAlias.javaEnabled !== 'undefined' && navigatorAlias.javaEnabled()) { - pluginMap.java[2] = '1'; - } - - // Firefox - if (typeof windowAlias.GearsFactory === 'function') { - pluginMap.gears[2] = '1'; - } - - if (navigatorAlias.mimeTypes && navigatorAlias.mimeTypes.length) { - for (i in pluginMap) { - mimeType = navigatorAlias.mimeTypes[pluginMap[i][1]]; - if (mimeType && mimeType.enabledPlugin) { - pluginMap[i][2] = '1'; - } - } - } - } - - /* - * Get page referrer - */ - function getReferrer() { - var referrer = ''; - try { - referrer = top.document.referrer; - } catch (e) { - if (parent) { - try { - referrer = parent.document.referrer; - } catch (e2) { - referrer = ''; - } - } - } - if (referrer === '') { - referrer = documentAlias.referrer; - } - - return referrer; - } - - /* - * Does browser have cookies enabled (for this site)? - */ - function hasCookies() { - var testCookieName = '_pk_testcookie'; - if (!isDefined(navigatorAlias.cookieEnabled)) { - setCookie(testCookieName, '1'); - return getCookie(testCookieName) == '1' ? '1' : '0'; - } - - return navigatorAlias.cookieEnabled ? '1' : '0'; - } - - /* - * Log the page view / visit - */ - function logPageView(analyticsContext, collectedData, customTitle) { - var id = Math.random(); - - var tuples = constructDataSet(analyticsContext, collectedData, customTitle, id); - - if (collectedData != null && collectedData.debugEnabled) { - var text = ''; - for (var i = 0; i < tuples.length; i++) - { - text += tuples[i][0] + '"=' + tuples[i][1] + '"\n'; - } - alert(text); - } - - - var urls = createUrls(analyticsContext, configTrackerUrl, tuples, id); - getImage(urls); - } - - /************************************************************ - * Constructor - ************************************************************/ - - /* - * initialize tracker - */ - pageReferrer = getReferrer(); - browserHasCookies = hasCookies(); - detectBrowserPlugins(); - - try { - process_anact_cookie(); - } catch (err) {}; - - /************************************************************ - * Public data and methods - ************************************************************/ - - return { - /* - * Log visit to this page (called from the bottom of the page). - */ - trackPageView: function (customTitle) { - logPageView(null, null, customTitle); - }, - /* - * Log visit to this page (called from the dwac script). - */ - trackPageViewWithProducts: function (analyticsContext, collectedData, customTitle) { - logPageView(analyticsContext, collectedData, customTitle); - } - }; - - - function appendToRequest(/*Array*/ tuple, /*string*/ request) { - - var beginningChar = request.charAt(request.length - 1) == '?' ? '' : '&'; - return request + beginningChar + tuple[0] + "=" + tuple[1]; - } - - function lengthOfTuple(/*Array*/ tuple) { - return tuple[0].length + tuple[1].length + 2; - } - - function constructDataSet(/*object*/ analyticsContext, collectedData, /*string*/ customTitle, /*number*/ id) { - var tuples = [ - ["url", escapeWrapper(isDefined(configCustomUrl) ? configCustomUrl : documentAlias.location.href)], - ["res", screenAlias.width + 'x' + screenAlias.height], - ["cookie", browserHasCookies], - ["ref", escapeWrapper(pageReferrer)], - ["title", escapeWrapper(isDefined(customTitle) && customTitle != null ? customTitle : configTitle)] - ]; - - // plugin data - for (var index in pluginMap) { - tuples.push([pluginMap[index][0], pluginMap[index][2]]) - } - - if (analyticsContext != null && analyticsContext.dwEnabled) - { - tuples.push(["dwac", id]); - tuples.push(["cmpn", analyticsContext.sourceCode]); - tuples.push(["tz", analyticsContext.timeZone]); - - analyticsContext.category = dw.ac._category; - if (dw.ac._searchData) { - analyticsContext.searchData = dw.ac._searchData; - } - - addProducts(analyticsContext, collectedData, tuples); - } - - return tuples; - } - - function addProducts(/*object*/ analyticsContext, /*object*/ collectedData, /*Array*/ tuples) - { - tuples.push(["pcc", analyticsContext.siteCurrency]); - tuples.push(["pct", analyticsContext.customer]); - tuples.push(["pcat", analyticsContext.category]); - if (analyticsContext.searchData) { - if (analyticsContext.searchData.q) tuples.push(["pst-q", analyticsContext.searchData.q]); - if (analyticsContext.searchData.searchID) tuples.push(["pst-id", analyticsContext.searchData.searchID]); - if (analyticsContext.searchData.refs) tuples.push(["pst-refs", analyticsContext.searchData.refs]); - if (analyticsContext.searchData.sort) tuples.push(["pst-sort", analyticsContext.searchData.sort]); - if (undefined != analyticsContext.searchData.persd) tuples.push(["pst-pers", analyticsContext.searchData.persd]); - if (analyticsContext.searchData.imageUUID) tuples.push(["pst-img", analyticsContext.searchData.imageUUID]); - if (analyticsContext.searchData.suggestedSearchText) tuples.push(["pst-sug", analyticsContext.searchData.suggestedSearchText]); - if (analyticsContext.searchData.locale) tuples.push(["pst-loc", analyticsContext.searchData.locale]); - if (analyticsContext.searchData.queryLocale) tuples.push(["pst-qloc", analyticsContext.searchData.queryLocale]); - if (undefined != analyticsContext.searchData.showProducts) tuples.push(["pst-show", analyticsContext.searchData.showProducts]); - } - - var pies = collectedData.productImpressions.getEntries(); - var pres = collectedData.productRecommendations.getEntries(); - var pves = collectedData.productViews.getEntries(); - - var count = 0; - for (var i = 0; i < pies.length; i++) { - tuples.push([("pid-" + count), pies[i].value.id]); - tuples.push([("pev-" + count), "event3"]); - count++; - } - - for (var j = 0; j < pres.length; j++) { - tuples.push([("pid-" + count), pres[j].value.id]); - tuples.push([("pev-" + count), "event3"]); - tuples.push([("evr4-" + count), 'Yes']); - count++; - } - - for (var k = 0; k < pves.length; k++) { - tuples.push([("pid-" + count), pves[k].value.id]); - tuples.push([("pev-" + count), "event4"]); - count++; - } - } - - function createUrls(analyticsContext, configTrackerUrl, tuples, id) { - var urls = []; - var request = configTrackerUrl; - for (var i = 0; i < tuples.length; i++) { - // we don't want to break up a product grouping, for example, - // ["pid-0","p1"],["pev-0","event3"],["evr4-0",'Yes'] should not be broken into two separate requests - var nextTupleIsProductAndWouldMakeRequestTooLong = (tuples[i][0].slice(0, "pid-".length) == "pid-") - && (lengthOfTuple(tuples[i]) - + ((i + 1) < tuples.length ? lengthOfTuple(tuples[i + 1]) : 0) - + ((i + 2) < tuples.length ? lengthOfTuple(tuples[i + 2]) : 0) - + request.length > MAX_URL_LENGTH); - - var nextTupleIsNotProductAndWouldMakeRequestTooLong = (tuples[i][0].slice(0, "pid-".length) != "pid-") - && (lengthOfTuple(tuples[i]) + request.length > MAX_URL_LENGTH); - - if (nextTupleIsProductAndWouldMakeRequestTooLong || nextTupleIsNotProductAndWouldMakeRequestTooLong) { - urls.push(request); - // close the current request and create a new one, - // the new request should have the basic dwac, cmpn,tz, pcc, pct, pcat values - request = appendToRequest(["dwac", id], configTrackerUrl); - if (analyticsContext != null && analyticsContext.dwEnabled) { - request = appendToRequest(["cmpn", analyticsContext.sourceCode], request); - request = appendToRequest(["tz", analyticsContext.timeZone], request); - request = appendToRequest(["pcc", analyticsContext.siteCurrency], request); - request = appendToRequest(["pct", analyticsContext.customer], request); - request = appendToRequest(["pcat", analyticsContext.category], request); - if (analyticsContext.searchData) { - if (analyticsContext.searchData.q) appendToRequest(["pst-q", analyticsContext.searchData.q], request); - if (analyticsContext.searchData.searchID) appendToRequest(["pst-id", analyticsContext.searchData.searchID], request); - if (analyticsContext.searchData.refs) appendToRequest(["pst-refs", JSON.stringify(analyticsContext.searchData.refs)], request); - if (analyticsContext.searchData.sort) appendToRequest(["pst-sort", JSON.stringify(analyticsContext.searchData.sort)], request); - if (undefined != analyticsContext.searchData.persd) appendToRequest(["pst-pers", analyticsContext.searchData.persd], request); - if (analyticsContext.searchData.imageUUID) appendToRequest(["pst-img", analyticsContext.searchData.imageUUID], request); - if (analyticsContext.searchData.suggestedSearchText) appendToRequest(["pst-sug", analyticsContext.searchData.suggestedSearchText], request); - if (analyticsContext.searchData.locale) appendToRequest(["pst-loc", analyticsContext.searchData.locale], request); - if (analyticsContext.searchData.queryLocale) appendToRequest(["pst-qloc", analyticsContext.searchData.queryLocale], request); - if (undefined != analyticsContext.searchData.showProducts) appendToRequest(["pst-show", analyticsContext.searchData.showProducts], request); - } - } - } - - request = appendToRequest(tuples[i], request); - } - - // Add the "do not follow" cookie in the URL as a query param - // The cookie is set per-site, and gets applied to all sub-sites, if present - var doNotFollowCookieValue = getCookie('dw_dnt'); - - // If cookie not found - if (doNotFollowCookieValue === 0 - || doNotFollowCookieValue === '' - || doNotFollowCookieValue === null - || doNotFollowCookieValue === false) { - // do nothing, meaning tracking is allowed - } - // Cookie found, i.e. value should be '0' or '1' (string values) - else { - // Set whatever the cookie value is - request = appendToRequest([ "dw_dnt", doNotFollowCookieValue ], request); - } - - urls.push(request); - return urls; - } - } - - function extractCookieValueAndRemoveCookie(cookieName) { - var cookieValue = extractEncodedCookieValue (cookieName); - if (cookieValue) { - document.cookie = cookieName + '=; path=/; expires=Thu, 01 Jan 1970 00:00:00 GMT;'; - } - return cookieValue; - }; - - function extractEncodedCookieValue (cookieName) { - return decodeURIComponent ( - document.cookie.replace( - new RegExp('(?:(?:^|.*;)\\s*' - + encodeURIComponent(cookieName).replace(/[\-\.\+\*]/g, '\\$&') - + '\\s*\\=\\s*([^;]*).*$)|^.*$') - , '$1').replace(/\+/g, '%20') - ) || null; - } - - function process_anact_cookie() { - if (dw.ac) { - dw.ac._anact=extractCookieValueAndRemoveCookie('__anact'); - if ( dw.ac._anact && !dw.ac.eventsIsEmpty() ) { - return; - } - if ( dw.ac._anact_nohit_tag || dw.ac._anact ) { - var unescaped = dw.ac._anact_nohit_tag ? dw.ac._anact_nohit_tag : dw.ac._anact; - var jsonPayload = JSON.parse(unescaped); - if (jsonPayload) { - var payload = Array.isArray(jsonPayload) ? jsonPayload[0] : jsonPayload; - if (payload - && 'viewSearch' == payload.activityType - && payload.parameters) { - var params = payload.parameters; - var search_params = {}; - search_params.q = params.searchText; - search_params.suggestedSearchText = params.suggestedSearchText; - search_params.persd = params.personalized; - search_params.refs = params.refinements; - search_params.sort = params.sorting_rule; - search_params.imageUUID = params.image_uuid; - search_params.showProducts = params.showProducts; - search_params.searchID = params.searchID; - search_params.locale = params.locale; - search_params.queryLocale = params.queryLocale; - dw.ac.applyContext({searchData: search_params}); - var products = params.products; - if (products && Array.isArray(products)) { - for (i = 0; i < products.length; i++) { - if (products[i]) { - dw.ac._capture({ id : products[i].id, type : dw.ac.EV_PRD_SEARCHHIT }); - } - } - } - } - } - } - } - }; - - /************************************************************ - * Public data and methods - ************************************************************/ - - return { - /* - * Get Tracker - */ - getTracker: function (analyticsUrl) { - return new Tracker(analyticsUrl); - } - }; - }(); -} \ No newline at end of file diff --git a/my-test-project/overrides/app/static/head-active_data.js b/my-test-project/overrides/app/static/head-active_data.js deleted file mode 100644 index e959d2d86f..0000000000 --- a/my-test-project/overrides/app/static/head-active_data.js +++ /dev/null @@ -1,43 +0,0 @@ -var dw = (window.dw || {}); -dw.ac = { - _analytics: null, - _events: [], - _category: "", - _searchData: "", - _anact: "", - _anact_nohit_tag: "", - _analytics_enabled: "true", - _timeZone: Intl.DateTimeFormat().resolvedOptions().timeZone, - _capture: function(configs) { - if (Object.prototype.toString.call(configs) === "[object Array]") { - configs.forEach(captureObject); - return; - } - dw.ac._events.push(configs); - }, - capture: function() { - dw.ac._capture(arguments); - // send to CQ as well: - if (window.CQuotient) { - window.CQuotient.trackEventsFromAC(arguments); - } - }, - EV_PRD_SEARCHHIT: "searchhit", - EV_PRD_DETAIL: "detail", - EV_PRD_RECOMMENDATION: "recommendation", - EV_PRD_SETPRODUCT: "setproduct", - applyContext: function(context) { - if (typeof context === "object" && context.hasOwnProperty("category")) { - dw.ac._category = context.category; - } - if (typeof context === "object" && context.hasOwnProperty("searchData")) { - dw.ac._searchData = context.searchData; - } - }, - setDWAnalytics: function(analytics) { - dw.ac._analytics = analytics; - }, - eventsIsEmpty: function() { - return 0 == dw.ac._events.length; - } -}; \ No newline at end of file diff --git a/my-test-project/overrides/app/static/ico/favicon.ico b/my-test-project/overrides/app/static/ico/favicon.ico deleted file mode 100644 index 2b5265a74b3fd093c4db7765f472f0f2e0349491..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 15406 zcmeHOYj6|S6<%J()~<|!CJ>TLJSj~mA%%uEeM~xmB+%(}3dORLNt*|m5{42WV2Mm1 znMN=)EnrE60UBdT1`nmJ7$8i5yb2DXFt+4`5)4?9AJ`J_G&H0<4A|;-R=Q?=wJYsP z&ObD>bNBAvbIy0qo_o%@4+%map`TDxB%mx7X7v|@hXp|>E>6@(4Hg6+o{bxqe1D%H z9K1~sMxhNzK#_Qk!q9K#uLM(BsmY;5)LbP#81aeEsJ*vY^G4gO;t^Y^7*~5A@tJ3Y zz0&1~*IdoNw^_vJZKbCF5iL)D&M!z2ue2%bHOJ{v(%UBsB4{@-I#x3NEtTT;K-0)* zmGlcN(gSFJl+m!V%wlRK`jAhW8TLt+m9&X_X{oKWpaktMF`ApDX@|#_e-G$3tI%C- z@=0@uH!xS=mFQDza#j(SYr2VFRY)?;pJ+AwH*TfjLl8gQ;u(i2|0rQk=mX=*5_e2Bkt6Z=L2s?H*J!hbU?hr9_cDiOIT#QLFe`!bVM6)Uy9Y1 zmxesj5}q#6cWD;!Zm(0|mFZmZSkQGWdeHTtEE_hcq=!v~!s|thro=BrE_8P0@Jf-r zCmXy;FKur03TF0>N(KF;_JHdJ0w)BWBfa+6Fqc(v@PIzK<$0VTlgH=w%R*- z2HK^EKe&lkt6jFw$B;Xyu9wMWrCxfB$JxB^ z(JS9(mAc~wlgr9X@*|su6v9va=jtyM)u$R)OF%eiUq$u`%aqs0z~(3j}v zPs{tRU8lZfd=_!v0&BsYMB7|t`XP9>=#?GvO0iIt`DaASehW&)$vXSpi9BYR)hhHu z^4JHqGaqt0^vcFK+zo$=3|Nkxk0O2^Y(KE#+dAc+rFKO7`MN=a!E3u-xgn34^!+Nu znt0sN7qR|z{jV9 zqCLLRJd}7DkbAAkYqpWT{eEk|Xwd11Y3Q5BK=Mf@`;qS87u)s9rf(CeD*Q3gpQv}= z5v_CXzr5GYRg9xEnz2{fm|c{-a)oW^e2O^C(!3JnzEAf3&s0T>@(+BqHS0! zNRYitZ=cbwgT^BHK%$S<%J$u<;Eg#D&4VRchSeCMWf4QnNa zmoL-FhYxKDA;$7F%DT3E_oWkcZK2#bQ+xhB z=J6fr)&cnTe4X;Zu&=PknC9E0tHqio-i|ERAR@s02%Ojrwf1i9j7TyJHIQH?I{5c-Ebg};RVeFxW~-tL2A zg3upxnU^r{ISuSxD6gyG$mUsVm5?9yiVNXW&L-pP{v(y*uxxm#(NJzo`Ud6><-AR; zt&wNshv0ihAh+=#*56<`0qzeptQChF;icA=_|Kn~{}?cT2>dsc*y&!4M(?xw3Sq!8 z*b6Y%GTf}}4g3zPkOzDDJ#fZ&+^nt_E8kAeeZA&|h<)dPxr^auWsdm!U~S`eyA^u@ zrQ$V)RjuT4WvbKnJpPxWV%iH}Sk=mG@zWRu_Q$Y?u~!W*|11+;{=Mv9VB5ggZR@>> z-)=Fz2#hC_{w3{t67_}0r&TBaf^{4R?BxqJy!~|B7rqUTnbi-vgaX*gVqhWvBCmTJDKp`xwMe_wv<`TB#3LSGraHsR zO5^~2Bb5br0XyyEbsE8}Y)kmD50?^uX`KhYWfFWN*-K|8eCgif+chxURK}C`f<1tG zC6+AiVQbPBejb>JN76iCI+YHWj(22hHMIWC@XPV2QhE(o&xd`+Y@P2P`o9-zkfVsF ztQYu~#ZQaFu->%>at)8sp8YX>jlGJEi>!$?WwMvBZ_vHa*ESwU7WE78Q%=7_$YXjT zdnqf)p9p{cNlzSx$13T((NN*4JmQ-er~k=9&prGRbiOm}%fC17Pw*!G?6=S= z4hQ}NTDWvPzla>pqnv9c?S;;Pq|E_z^y>m*+VY0Ax5?`s@wmTV^i$VJoQ0^wI`E4P zen(zz_)RV7`wZH1Cw(;dg}iW;R03Q9T!!Ki-xuT(hr>ScY04{zcRaFsATU3Jb(O}% z+KPK0&Q;u=HGZqOZ|>B*(Ui{-f7xEV(i^~`D}UkfD(aoEmv6~wKPAM^#cFWz_ruTN49*hSzvLK?FjskBjz>w}ZTr^^j@7x} z2JWwzzWLGse%OoXeF=V+aFc$T-!A+P^tw~0ZdJbr;zAdE%a_(mlSj1-VlY*mI3XM;g7-lfW*=I$EoY)w`a@I`J`H z*J|}l_~FwJluZ-IvUnu#=lIMkk-L1Ei{6v8+m2V|7yFa(i1uxOhy07Cz3_cVga0dF zUpIYv((fWSIwsqTv;}(4Egr#M8a;)}P9@j=XpFW5m*0#)eOm&8z))83l16v7~ zm59?FN$iws;Ed0c7+;^}qI0r!;vw@&<}a-^Rr#@ib2_j`GGSGF&+t>O1%E!9&Q+F8 z8+ad!M~AD2iC7C*Mq?}|?1^u-rO8t`lI;z));NIOy$<74x4rOvVEAcVDt}~?WShX8 zd%jD3$C#n9Lo(uif4|lPE5?y*9*@B~#e?@k_2u$81csm43$P!_MdzUHO!z3t!s11| zzGA>hoacnxqqtJykum)4gKgMbCVepM%Sja=`xu<{58L?$7gO_3U&n_xT)b z@6`t6{*0GenI(R*^?;ha@G=bJPn<#fxGh-TeFl=}sjO##A8V}mj|0|3lzg=AjpD}` z-4Lr?ei!pET721aBlyX`V66W!oxL!=tkj7gW5jtnTDNizqtjdJ#80_$ZDXZ*Dw~t) z<*yU}CnsSqaTWiPNsdnZ+sIzj{7WYO>F~o=uH%fv8k&dewHIEVCjP{n@I1!oYesdh zl%a(m@d)Q8o%15Qd&VOrt)6=={Io_4zdD81jP>x*YQy7)&gsnM9`Y~B{6&jC({mO4 zofxOphp|SVjlJ;lIQ$*>f6zMo7wAsDUAA?KzZjeQlkxW)urH>)k!<<#bY$b`Ll@3K zo^217FQ~7dnbY^=`O{nuxy$Roy%TF*Q{WqWl|S&W1$IC3mkGS=-m24FtL?9;X9#

$f#DX9TN=>P!2bb)$z?rxAyLApCdB&0za`FOt{ z&oe*f&z(DG=AL`bgsUjaU_B#!1^@t-oGe1^Y3%y%gQ7kC)mH4#p9YYNnv4WcIYzbz z091e+LR`bs=+M{8M`L#J@rvJrewZa3%4DX3gA=c1%vwp{Z)RU%Snoifm&7y(M-9N? z0VS!bTF8lsv9knf-7RfQwM@KwKRFlG-+=ZhI}8+`F%oP4J9FoXKMv7|NqaR$%jI$O z!1Zlsgn#|qXPo~^7j|j>GUhu}g>-y1vn2|!120I#%t6UAfDTRUbU!Qli+AKfEpyYwBOCydu+>lHCcEG;x@cb=Eqb0G_#Glv$jN+=Qk;t(Qz3E zK%%LTJK<+_kn?qt-IZU*xCsHj$OG7{+d};;D5vR(EHC#R{CW}N;6b4_W;7ZqmKpxD zlk4-=11g%kXYb(0d0Bu6;hOp|M)y6t*w{j6zcHS9rD)Nr873bG@eW6UrbpepR=L^t z?SbSA{h0ge&X)5|pUXl#?Hj%eNV0zBp3|@y7|Y>%l?KX1>Pt1=kH&t-4ymUd5At|W z{ECudda6If8|+ZQ{9ktiMibxqL|{J|d9$%_{`P_B;25mlV|E1LyC`}Oy^df@Ha=+iCmZ3ZhpOU@CHQ$9Dytz zM-Xs429-%j2IY+{&(@k2j4v0$9D&kfAamPBThL$Q`Lg4j0Zg74gl(XCO84hBCi~zo z_SvhIm4Jd_Zzo!0pdzOWZ0{oG@o$@huSo1(VBVw`eJ1c%JC~Kp2*>0bPLMZhB=+3r z!=H-4UtBckDO*5Mi_L)O`Q1egZ$=(enHiT#Adr-OZG!t@>>+6Ee(7_MorSU!gV+NV z@rWQvvZ|-}&SGOb)#XqB)`H zWx_5yTfG2i-{06a{DhJ0Ykz?L_=>s3PQ82@1W&9xA8*ootYMbI9B z+@&^D2sHX!ZKU$1dEUJY>Z-6a`3#~WPPsp9!V60sa1$y!i5;6|B`?xkcMt^od|^xo z`YRs5WKS+#kab)62I?4dA`QK$Kf>v7+R40+I+S+uL?k;IQ`NobQ$||7?>W8xCvJF^ zcF2;j)WiwG=Z0rrQEe+WnePm_&co@tVH3rTNN0?HNfhCj6+@zbmNnpJT;}#DU~Zp~ zNjBM$Zo*7MJ}TcTgq$Q2MWQb)KYugFezR$#uH&_88g90cZYka=C0)HY%8tiUVl?HT zoGg-&ppnDWlwJ0my)<-v1Uv1(emNdcg(G@#=K?rpAC)#7I=Ed-6t%#`QYEO@#(hhS zk1gDhok6^HuLpRR-Mc)-*xrlXQ=l)J1u*r2jhOah0g7V? zfO!-~IoJp5(Sp?cO=FXRXGc)3D#v%t)*4yro%J**YS92zM0G@f7xrd)(tb!CEdw%8 zAAS;GqPX1D|5!R(k0_A`{stI~s&$Y%353k7EU{Xi!wUcqDeu2kNUHuT#Mi2~MNDPs zXeA2B?*t}3ujrznr9b%ue5lmZ_3AihVbdcByY<*hfV%FKkJZ}N(&%> zWzShZ#~V%9Jo#yH#iHZ}o@v!KC&wKno8F1vQD^<$RSHodL`h&fG2RSoZl@RZYCsTD ziERZ`e<6vmOgs-b-Emb+VUi%E7kg;Iv58>ww6R$~YEt!-oB9OS3j&pHqOB(2Qdx>6(cl1Y(k zSPH(fqZ3AHaZ)a(;$ZHU@&nTij;4vi9fq1smJFy$r!Yqcb?(;y93zDgDxWfV_P<*a z&7^-)Aq^a5P3`S&{Ya1;k#&qa#Ae|}^TWd@$Em>`*| z1#mWEMnCOp%56GzQ@SlCV}@|00e{Qto^O2mD!@|Qk>?gnUPhs1uq*{TWj4kSSldfzqHEu*d+Hvq|G=D7?8fz z7mI`jds@=eBX~gAdVm#scoJie`8nIz@(Stxlq9U$&LvSM#2U}>u4bF2Vr>DITc9>i zfrTaPDant`5j*J+-$`f2W`u@ z{nCT@#EZEW8s!!Ft>P{iyfh$te^M8_Q!O&VI>cRsN>SMw)8iKNL*5}*QO3W&6vDElzbhUUyr{yVwF>&i3(b{6QBF#N33fZ% zbp81kO46G`BXPR)xfS+P8Tq#OioP+c7f0m-{!o&Q#7P3%i>gL`F9D!anE|D&WO!3Wx78Lx}WStgMQr+^R0guKm!Lq!fmYR!gofkN(AXa zGdRkgeM1K_K}&{xqA)ROR`e{knK{BnL}j)N>`5Ab{5Wm^CG zeUrJUEDP4W)f(^V6dqW5XNd*O?S7K*>pJXXl_^A64uP`e#^`4C{IA*F=*> zt|2A{>S~m(lxx-FLH>|MN_Hx<`T%0M$^3bC% z8T~@mmJM*I^Ji^0iUiuE!M&0}-hO6Q`*k8Kex!T1?S0oMKv7Bu%W`7&zJll>y}g-2 z;0YFPHZEd57i$Ltoe)0#xDb-AliRP~r6=CidH#k=JJ+&|$NJF4S`qjq3tn2@pCb0; z(h~38ZL3<-7tJOSzb=Gkvze?}8eavMGecw#m30$WO%)X*kyLmT&)+Y#rRul7>ea31 zu^px?%)M$dP?AtY+okcI=7)Eq^)7y-Nj=I{&m29L+|1jwiv|7~W~u1?F2S-e81Cyg zS^h+WwlS2nOHRn$qj>o)>&vH|qBOy{Uj8V?Qo7H>q>bs3Kh^>tVlG%TW$2^#<~0q! zr271XQp8#Bg$$#rbHrWe*w1}=Mdc0R=zHPR-YC58S&&e?c@Si8PUR&8Vpv4jz#ZJC zIzli9nmKk{HHvz0863!9Dx%1h?d?^a9Vg5cC>6uvRX7i67G*Y_z(sCpcYEUta>*Yp zZevU$d-7H*7{4RLoQ#$8Bo$KKCz)|4iA+-Ye%~usktqiTQx#%bztN3;(Zx+3>@F81 z?TnR=-Ni8SvvDKlD2s$VRRCt?U)zB9X^-NEP_kXGE(>F4jG7VeQSLPMtISv&Fn2W7 zPIwd%=Q#~>tbW#m<8_W;0oy=`^XhooDP5|*Q6|Y^k{1K=6ewZ-`at$sj5zp}`R%V! zfoptOM$pVLWz)$y8*UL#K$rt)(7sAu9eQFE?cjcu^;H_L zt9j-hwjlm{G|}HHhJu$HjCH|yVp!rNWA9S@F>*#xm)B7_cmklv=dvmR{w7zmR%*fc z6^nBzT^=aTIAV>P2f#)Ij(B%>3WFKmhI3YLg1TF7rtTj)!(hY3udCi!DMjhgnETZM zD-1*9aU&R@bn82Kzs86?>aSwt{9lhJn0;j)=4vI&GL)s+SFmW+p6^{10{^<8bnywc zg^10=CkV2cs_%JWM)(FCcdT3U#D(c}#_lLTR7Z%>YG00-ndo8_4)g}@%&)kIlvo{=+z4pL&X}?jQZ_rL=rzmjk>m zx7B82ywf-_#lMz@8g*N)ie(?&LrlpVr^Y^J-Jijyys%MrmMHBwq^u}$r7g5Vjo04v zc=i+*x40f&3KHK6YgEz6%g~So0ZDgcN7x_&bfJH{K+VwJHGNoN=tu8$$$sB$6d03bo^G_5V#&O0a_?5F<|RYx&u4_(pORlINcJvrK-njf zwx6Nx;P7?oQsFhm;XgeoE$d1UD^bDWK# zpd`tt5P%Vuue+()7rVnzdZ$Mm-7&!zlyQf#X4tqP4Zy}NGwyI`nNjk2#^iIJzuuLx zXXj+tMm=56pAf9b`t?~O31yh4ylGF8&C$@=$jK>*2UIE2TDpj^+=Hnz6$i{HreU|V z3>-Z_9P`3(xQ$m{o``$sD;y(L*xq;pMUn@vbAL|2Jhce^^Z9*9dP6_X1Q5SDvc=y{ zS(7X)CfaqDA_|vA-rh!JAI9!}-6yD{;BtW@f==qlJ828yf>6;y&p&`Kq%g26=IEH1 zF5sQ^{fGWn2idP66qr=KipFwlJYOL;$t^?svh@bBZABlYPTeB z7en=5Sj0_5JJL@S`ktYCJ`}A#275!a+`F!>ohut!zD&}r05Irs|12kf;z()PhVP03 zZ?S~6??Wb~RB^3!BY0h%p!m=*YIhvJX<4`m>WMRSfUGk-o<;tRu=Qb+uiKn2Vur}1 z%wC{E3dsnYp|8c*_=%%A^8GWx_XY%$X5Ps^(!kG9zJ9(OmQ~Ju1=^RlDqM?Y35hn} z_w9@LWR>Z21zAFL-ovwT1+ckJAc7|QvU2ue8t0LzM|z|C^jCz8)d9_#_|vj$f@c6}xoim}@LVPue51j`iLNCO1c zR2UK+`lziw4uJ+P9we1{3+S9%TZ{@}1FI%ldbt|@OOZfSmoIu@3ia_3s!qp>=VVZ< z8(UN2`3v#n_btwM051JstB@$aTASV)-K|o0TD#QqREGTEkDXwH@bYC6e$KPthja$I_By4e3#g<4T0$ zWra2qVjmX>{QXF?VQ40Vv$W;g8^3Aiy1p>C!hpS5$S;x!K2<@3GvAH~4s zYt~t|-H%Sj-9jl;m9pK()xW64f)Z`e^V11F=IDHrdU58Z9Z|AU_CRxi0Y7s>+8O84 z)1|wb{i}jVqlc!SI^@x+92RyyC>2Fwa%55;1B?l!P&zzN$2^=vR*2P&ygOHB zLFV>$yWE+NYzICtfK-6gKkMncqe0pt&H=v^S;H5~r_`n)b#hU)dcR7oiBD9?{|*y}a}L zwf2^lOE%d^d1r5NHN0#mtbJlnd3nVOubjbZY<;)iOuGJ=zg@?I;)$NL7af{0>O{s7 z_`QEC`W2^vEgh*-V~ZJ87)5Y)TwHykxIB(nMZ87sRkpdFCi>$atDj%$vQ`{FzZ^lO z;+UxPT;zu7+`u{h74LD^adr+QNxu!6Qk!e^D7mh&NCo$dM_$HtxxbP`e#C?dc5w?L zZVk$l4eg1E-ROpF{aJB^-w^>{0&<`A5Y>ZPwxYWxrXS7m-@Cy_?#4aHX>`9z0Oqmf zbFQCpv;7EM*s_80Ma!=&VM#Wy_^aW63v+ zwT)?E@(iht$DxAaTSyDaJ-0A54z;KAPt*+BdJVy)uIB>RW2I9=ebOu9SI_}a7sY^fPj_1FEP5n_R- zBylWI?4z4P63OkzH)(?J93xR385-;fa^jylb~>~Btf1}H1nV6?`w-}wlyRnbY6mi4 zIM&2NUJHH%vN5B-P9<$eVb*QxNx^()n~7h^1vNNLu|4~faznmZYv zl6*BonkFpM>e|RU;Ftw;0;`Uqi63MI>h6AsPD`I3gUs@irv{D?F#qM#bJxVQ_Iah#t0o3th*- zASETJC}~bXqKolituSfRD8Q*oY0Wl##gwaZS2|OEsO>yqt~PPA4KG&Hxf<2`EUX^{#*}P|_Iu9kp?jrLg%%cgUNwwqe_<62atDHD7lq9eWSpDl4fN z<NbdXPF>Oa&!4>a+k=$i%ydE2vBbNR1Z%-!j; z5lEx~Cz>#*ixLAEAsTYUsbV0tuE-k~PE%D+vuvz8`vsL%3uN=O{2u$+LPKc@%H#E^ zbGPe3$D#X_V>^M#%@L-U5%aJZ0-2Gi&%pZD_bv>9AK?w{E}fj_e8YN|UPPg6i8Izp zb*|V-T%1i`0)FVmj3;xXzvBJ8(y;u&^dtx?O<4%jdQT2n?ER)%Yn!e#x1uVUAFGzg zKXxa7WI3e|+L|q+m|5KR_HB){RJVR>6|XrTv)@%2#$XD^CtV|Q^jX&>c(zl)CH%y* zdhRafRqx`;nPOAu-Lvok@m(vc*7^_nYP34z!CwpO5hL7xf*h9PC@9|Im@5(9DtLn# zy{5Z8m96=|{rkZk$x&t}diM2n3N7s7o$#T_7Z~ z%9~baV@{*ndnwtJannMQM6h0pMee+Ev?&_4e3ksX8BS=_P zt>nC#FhdP6C;DylJFf@_5oMjEK;J_&lyxy_y<%#&Dv9&G{=D4-Ic|Jn@p~6c>k$KI zp9CZJV&nPa^C^mbZ_{$w%t?M){njr9eUh`OS9JeJlN{-fs8);X*=P{u$g| z{y7d|zH*rqRdJQff~O+Tp#mN7g#9B3FiY~FiS2X#Xt_J=?fY=+Yur0V-vzqJ3*mxu zi#AVl%_?@N;diDTid6P~K{Y3Ns%koC6+DOI)Q;LF3Rl{r#A8+!OB3RrhA*k}{#KaZ zzz;!=E}N(skA5deJ1}>R&`7;noU`Iadb-lnQ5bUk9d8E8{%QK9R*+;BTrpW0+pV6C zJ23q;H~IWmgT4dpL=aGRTpfgEJqx*?q&qtrIhHhi(ohJ=U=yJb{+F@@ub)8qEy?~! zww5g`Svu&yI-6sSNZuXC@qKKhU3z-wP z<&_9aPl{ReP5o~aRi-zV*@<212(3fB1m2AHaYva^JI@8!#;~K42_fiZ+M=%ceWqmI0Y!vkYbcNQ)A-QS3F{bY-f2H|Wa)GS z0}2|ea)|vUTl7s{YAnnd)}9#zZIKePxCPxo6Y%2|!qRb(HG z6kHGfM2#~TJYxNWODNORCy-N9 ze_v1dVoZ;%t2cz-(A(Khnf4e}R#UGg>m{xU`w-QydYqHo6c)Du)@2`q;NF*ADj+KN z#1{I3C{5G;&gx&G5|ZA&OYi_Yeh_ITVlnGzj~4MA1<*LXgZ5ib==bOFgEX@;a`ew}=Kxul{vlCSe+({%j4q zF6)Ts=UewE_--sq1BYv$gW%UH=#v>bA z_P5B8wK_lb2`Lx8BlK(O>{(`ivWVRuXO9n5LL^JuCQ;*t6&LYU%Ei(RgDM zcY>*>56*OJgkCJj7EscT!*2u@U6w^;1vDQ zrr1D)eRwrz6^i_h;;L2(N)9`v4+gMMG+*fkW4<=oU;^vKN^;?<+nKMg`HG`9}W?YU=p9vAaz#PFlaWUN|Nb@M@Q7aN#FLKkO_tl>L5+!`tl)H`~dy@LXLt z%gxdH$7bUK<~9fy(i`ii%6v;TjJ8<>2kqNVtS4=XI}&p-8`CJz$0|JobK6y}F*G&G z(B{8Oe^As6c+A42KbaUgqRdL!NWNMH&@Ln2U*Y{1Ml*SM4ZrHR+>U66bPr` z1@s_Np05Y%MDB%Q$r2mlT0<3Cc95_hL%qb!QhZT-34Qr4{vQorUQjB@KV{<3#wZtg ztD`P*!Js3q5Fh_vvJ>o%#iF}}U@hODbs$QfPVy%wW8-T)AP!K2<&k~A3T|{r8G)$m z7E}2MbN#Ub&lJW@d4)fWN{-zAw5>n|U%&J2oKb|~wX59DR0W~k+*CoWXH$D;44u6 z=kbD>qj-5p*qO=VZx)aIOLywNVvRCO6D2UWACUpqE$!GuA&!j>6J4wlKbW!2w~TCU z%xj116#R1r*3-ld!X_TO4@%iPx@A^96MZFzMAOL&_x^h#L395M$*?%t_~c8r#tk8G z+rWKz;>|*f4Tus&=qC6fEl!WhCQD zM=hoY!;WtLCJa2LG#5uz0afv*W16kq-WNnQrRkE}GqQ()xk<+|@7siFmJ|V$*vTZu z2k1mKd**s{dnD>x(C%l8R=93B@a#iE663+3W=P%XkKaZajgTkyGw(3qiZ7vP`u)U0 ze)Gc{@XU)b`8V@xb>p*S8kjT$(_isR_qgf1uA0=G9~)1!Y%YN0^Vn`jD>*QCY2knD zjMG37`K-sm=>RTQxz@!78U0?WGwFQ@|1w!{H{lg}|I!*#|H+POE zKnZD1?fY$fb03FT7WsTb%c)9P0nA-4dBml^^dmJ@22lG%fOn+u#PoF_HrM{{kAV@W z5#AuRuhuZ7m9#O4ilc|l?WZQRpY&#tC^`CENrMybd7kt_eeTz|7QfhHh+$&fowmbk ziXQ*%+e(0opBU}u@NdSs@whx7J^HlCrq%hV_5j#4sSx>=GUO>;g#G6;g?O)eq+-r^ zsXpH&4ALV(V8&iu!X3k0si2cjOpm16nk7oeUP4Ptufi*RFAT9yr)nt7%@QPKPV^gu($f~fJSJFm+pLMT3I}EVuWB2H#*J&x>}fHq|~d5!Amp=Ua-V= z=o?M-MS3wI=)^?mj{iW$AT|Yh;aA`Vo4h?q9@ z9YPqi5l~mUuF=}@1qeIRO(D&*lDSP8To<-GW3CsIQYtY%{_b41Byo&GckL?CZWo9u zl-&4uQqzD?c)gaIm&kM$j+Nk*Y%m1wnMz^zxe?Z>pKVs1a?PICzPST? xaDIxx!n80xC=F;t diff --git a/my-test-project/overrides/app/static/img/global/app-icon-512.png b/my-test-project/overrides/app/static/img/global/app-icon-512.png deleted file mode 100644 index 1aa85b2135772c3d1fa68d2c22aa2f9261626963..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 29962 zcmX_ncOca9|Nr|&*I79uTh1ogr6e5A7P2EFduQ))XOq20WM!0{t+<5jT}Ec5h^)xw z_xAaGKfk}uo%j3oe!ZUS@f?qLw5GZu88HJf003mlN?0ubfP#NQ0VD$a*z=h@20tL~ zT8gqj)iBc<0H6V7tc;G2$wsbkfX?Tm3+a)pzC5C4&FfJyD8g=o3Yl5C)2qdQMh(uU zm3H$)MsO?T>A6u?+TIY&20S2}b~CB9UUyxq!O+rOunsGqj3Ytz-I}rfDb+DmbK2f` zJxh6WuI1OT=tZFEqI=%2zwcgB9q%mo53}}aAdwJOG&~H4QWA%zx?NZOAdC6GpMWl) zmkkB|@At$Ico$G?Hu1{xzgMH6=71&H|G!rT{Hj&6rd5afzZ-;sIs~}rf4&u?A;JLf zvQjcntgBbF>n1bU13q*3?^O1rl-z7f^osVhl&W~s%)`B3t}| z)7Iz(k`~IVPJqJ*lYc&tx4K*ZoEh8$2#QQGycG7l$x?4yj9jk9{9uWvHucwPe@HYK z+$g{vpwq*P_T1lqlv8e|pf-3-O(v$43}>S}PbZ`g-S&|As~#%MovFWVME$6k z#MSaO_%LI%kj>DiE6(~oqGmUy!-deDEca5q1826KcUAKF&{kEb8XTsS6j%DQh$STU z?%=p$m{rVp$?fY0b|QQwT@+ARv>22x%Q$YG@q&1%!y?Bu^AXm_j86YJ&uF(%KW{TD zL?;A^$D*PZfeOovPaXSLa6$HU`JS4acIV$xOzw(Tg;7CemyD1)l}?$xlP&tbk;DT_ zBM_a#(4)Wa*m-V|frdZ`f`1bO=4qY@+|K{PT}93C{b0}Ez=Vh+z6MJJy-LL7vvnbc zTOcZ|V^dsFSQ}wnj)S{mP0b7W1b)gZ*2z> z@>jPa#LXZR z?uc!n1Z zUWc9_IYs~`N1UHXYDUn|AYSsvT3&@RtC=ulo)kk(9(wdBxGPXn<+%R~+jH93Vs{$+ z4@LmMZYAO$zxwDW-L|!56a=2qKo+A2b3qO24=%rj7HKRX*^U%HCa8vQWwO@s*N<+|CQiGBNAnm_)x<&WVWNqG zHSybF;}mYUnk#AJquk+;c{0K|7fLesL(&_|3>^EHV(O=?kT!Z8EO-Q>aQI1^M8gNP z*vHLu9J>7!E)kIF#m4>qKdt3Q+3kX_p3uHBV;xn7Hr@tKr1$K&w3-yh=SfOm`Z?C5 ztn}Rmox438mqJRwi+sL)QP!TeYkIA2Gn}wYH2oQ1(ix7m5p@?03Y^d1f?qR@iv^7u zeFGXV3Xs=S&RkLkPa6ZP{bHGSy5N;eruerNr@KP$hKq#t4VlEp6`FQ z{NjjbZN{8$mrVgVjl)SH%vdVK*p8|A+RHcgP7@q)8XQPSCDFZk0Dwoxj2s4LWfa`% z&|PfeeunKG;A^OWH)QYMcgF}*wvlxy0Ja@mws@BhAi%QSvM2>u_8P zy#5YwA}kb@=dM^MkmJ$wNXorW={C4HwA>1~c3Sj-K>X@S(@D(97x9j6tpe1&+mInL z!Uuim1&5j6%;@Q_S5u$~b*ZDTg9^TI1KK&df1Si!tw>_6z1eZGXnK4b=w z^Soio39;IM`D{uW+5uEVut0ITUJN5Gz03FW$<)hw94a(ns8i*@@Uh{6GXTYaEO zy+h}&+ynmDqc+#ukVr<{*?aZ?0)fn~ZPp~u!&#=Si1B7O5&j-B3UZJ7R?nyYKR4}e z%p9!T^Xb=Q&A*OM6#`Bq#)%8t`Xlz*72hDD4OkN~;8xn1t60>$PmDKD9?g~V;{y{% zWzoEFtzKZ``#_flMd`ej*j{s-GDJW*92a-FxT7c!w9{c`Go7Tp`FL{aY2*OFnooh( z5d}`vfSREdx44Y;@H>WOYYkP$W$R1iZ5L!n?OmM;LIW8c5CslZlKF+kg@9#zAFrxpXotg(PeZdM$S| zl}a5kNX+LNhG8QDrOaW>lJq(jB`H){^J^3P4`WV(x1>P9%mj|aLbBHx=eP9SKdRhj zO{BY2VH{t$%&A^)H|@yj`HlqD1SI+adz!1GggV zT5&g%+yBW?FfT8MZ!0a82z@aO{5^V=5T_eZGk>hQr+%qJ?%O>iQD%lS+o$B;UhsYl z$Nd4QT;Ib~e^l(#GYZ9*Brijn}AseOAq+pF-Z%u(g()~xzay0R>R3zUq( zRFpAdd3UMoT<~#*mIx9488;~0w|rrpLN2C$cL&?fe=O{JRKKOOGSLF%RYTLk5@s08 zIiGM&nIK+eKDkD4`4- z9pLUuxhkL5GsUbwb&^uZ7L&K~Uzl%>~A@TlqDjSE6^ztkkY-vhHQ zx4q=;MNnj;77yRi*ncW(Bs!BGldCG53z-y!Mj$eOlex%{V9=?6ADGVq(Jjzs_PfJS@4emT>9hi7u+`!sE^&B$#=0XZc zILh(XkeS)mdtdzAPy!4UiF;KQUW}WyDL>LMPpevX?mx4#zT2^nEjP&wBjP}^Au;7lHKF1Y55e@7P)L%6U;n5HS&(^m|_;C7z zyEEm_q|{o3tT@e_fU#@qHDRFDJ5w`nhM_fZ$}<$&n!$El2}+&d_cOBZ&^nA=AO2F} zY1@?QuE&ViAJ=rWFmQYz+BsO=Ix)Fd;y}DG*1=RxPyr)EMKQB`l_b{QZ!OV8)jW?C z7LMTtHM9!9?XO<&-f`(0rYY#nBMzhI8#C-D<&-e9jyxuvE&?ny#oJ*f-`On#7x=Zf zK|~lZY}#7vc2AU1ZT0sWalDmm42`#U3W=eBC8BFe!d@Y#4Jwh^rKFNU?|E4{qfm#J zHhS&JHPU07X7+%fuZJnpo@TyU$`Pm!;mrCB}ZOezA+z{SIV z3{rL?D(UOJaq~DHM1QYp3Ef;eocdGMSq?-aer==tqu;ZK*+}J$%aF-5(f^D$Y}>vU znc&Fycm7YgX4NF!f5TDTSg#){C`a!7uQY0{UWHa{j5WAh+b=a$y}H;8v0wlEDdjn) zNW8BUhyIL#j5cN=kmS~uHgi7nXy4XSC)$)-Pe?JzjApLKdO{b&OZ77!YPkcSx;iV{ z$bk=boK9`#*pW`JD z>TuWO>#jac--M*i?a9KMKZtPh`G3+QK1f8b(p;3CtNtl@xMu(cdz@zlRd)0!9+@8A z3APn}fDJ?# z6Ak9{6Ri$jlIFl5*K4B(3Upzgi)~A)o6X{!cjcc=U0Mu-bk6WXHx|sA){LFB1K9>H zgY|SVg>uFRBvy9sdwS9Fd%-q%@&efa91OIi4g1kZ!LV7;;5&Z@Zv?HUs46gn%ZwJN z>e+MXoaBVw&G&FgNweeBce{)j*SuBhC`oY(@V`UtHnbg^`+h5aPgM!)DOggR)cZQE zwMdt?^Qqv6rs7V6D!-L`IT2{0(Mok?>f5BA%4Vysf_~9maD$=6o+EHm&EkEjJz;+4 zo*5klPkG<5{}8}iim~Hcx&aPU)x0bfKc~0)5_@cHW-hTzXgX z9O7c4VNq5_flb>qt|af@?-U+&+eU#d;9NEHisJ9*c41i1Gp{Gn84o~HNd6?XmPM41 zdi`HJgPRFv+$iZ51pHOrWZ>N-VhN9AOXDxP+HYrJ_;1@(9$Xqj)uz{Z)vUeBaeAlP zn?H8&OA@GC=C*XpA^7Z#-$Fst_k#%W9I8os#+T6d9LN=tY&A~&+%?WB$&x$)%N-q^ zb^!5Nf{*^_4wQ5QSRTflwW%)i|3=;O0|Q&W&7zwALtC2?PR!T$+L8Ypge2R+Mhob{ zjgHU73Q4UW&_o?76c!5=$JtXHUw~eh*u7m1UsY{N@;ojUjkl*38NQ58N0RCR;n+9y z&AdXdmm0dbQ%J4B)y=pbe(JI}|7Iit%NnR+WX%W@FL|@58AS(hdr!^I{=?~H1?zNJ zeJM$EG-ka-?mZ^SyU@|MQm=x(^KZ<2TUF6+z6W-d=1#j(he^(s?C2yl1<=Z*X4*wD z5TWa(e?us~Fd!DiJZ;ZOcJcXCUl|o2wmkpclk)BA_e?f9?F7u8N9~9>*#&cRYw%vZ z@X<^rC_TozpQOe^e#kyvTRS58!>*i~DTB!aGG!i_2Tey91jESEEU_lB^STY4Nd2%Yxa z95GV!U*(V&6&|)Py>m4+Ur&L^`B@)#XTO7JoAhE8^2{Jby{=0IgzSo9%eg5e9CC*} zdD&3xGNX`HFa>R8?@z8?KauUz?OWjGX@*4J%?6-VJ##7Sx4>p@>lo(vpBA&QH1R#M z<8U?yHKTOPH2NG=a(!~)_09NriGS&&uW9e~T|)Mer#+TK_(CWaQ4 zSQw|_Hp4>iRKRkjnsLuJ*|Rvn50rKXd=NlcYFf=Cnl$z4$%wib(#l;%8qSF+BB85M zlVt5b2RV6CjG=voOqaI1;OhGkkp8Vl@2!6G!B2}%y1zz4x`2E2wT7wJ=Q%NZSgu&t zww0y);(9ewj8=_=7%zpC80mfQ-!%(H%tpnb#8j}QeCywa#8e&fvAlJvgyU;5keWPS zVoOJM`Md5{rFF!fRvf`NLyrDL!1c z`uO+YUbA|oDiti>^Mr{vsQmfIrn_-Rn_h}~Hg5~T08zm@obtEIe2VPh2!FuX`aZ)j zpT<@U29heRBD^);HeB*UbH#Pz3opG)2<@ZUbXQe7Bt}55P z-TCFy?Jo9Kt0}R5V<^#jBONZRAdPS#gVUpTzT-K2;NL$XnNtCxxtLv8@1X*emF=C1 z6Mctso=d06Q%fn(!G4OSMMZL;-mB(A5DEMe-w$cSw0AGn7(|Z!@DwTZ*9g1G8#H3{ ztgwuSjWBqbk3LAJmX-%Xn4)pt`QnHD`9z}odH&(JuwWi;8w|13h zfGhpppDVcjSD&<1dWmRAAt^wO+99PI=u%PXd8`Ij`CC>^Ujz4xw^*76zRmHbsFPy) z>+kClzv^~wYPHz96S%JZ>RZ($?`4RxbS@-9jp-}EGmazo{f1OIyooYNpOE7EFq|)# zk)wKYJNqBLoeR#&#O2-r(a_x+`xOFxh!BzW-n^6 z7^_6+;uxmo^Hx8}{D3)(f z9+q5-hSV&#URRFfAS@+B+xgAZoN`~$o&t?%^}bxRSupe^Zc_LBIKp!~KI(?d%?=nS zqF$}hM2rOTEf2~>=YC;=H$c*SE5A-RU z-xccilKSng5z4f#HP>$7-usVQiyf3^LH8@}b2Y}_etfRlpjw(9vwWUaG{v+JH) zQGv9ieS+7(IQ9+4DaR~}vt=jTJyhJkcq@1Fw+FpBa6e9+Yc>pkId$o*G0r-qJ6?~i z<^`|*&RLWzm;cdhu-CTWl|R?@!x!3m0coI3C1k`l3PTDzYVdWJd0j)TijgwarH4k* zJtx8nQuqnajk!6kA5M4~y!cA920D8o8C&OVXnnWY_XxX>@xlG|iPx@iAP66Z(#FlX zwyiiie>KFecR-XX+b(VAoq}b)6r2>{KN0)yggZB>RpY?iE`ttdz|)sWjmG##Z`TN> zx|67A{en`0VX~%PyB4be52GDVedB2UbY!SJ3Z0$}+LWwvPcbE4H$tUN>fUabpw_ar z4CsmV_1ZOhg~kZR4r0>2U^yw&>B#wWh|-4+BHp7Kcw@eUqvRgk0d~4D+FHlO7T>>D`JD7sr zruU2YeR4gyeOFqKZ6Nm*v-#m#(E!D}HHc}qC%e{3$!K#P!1VU?{R=ambyaAcwq31K zr7VC+%;XEOK+OH*V9<47o?@SD7=|H*lM0zY>8-5fG^Xi3`Y2wD9ssaJKK6}s zNVXQu?xX>km>4|4|Ebomrug5#qT1j$ziiQ|MeKN^+$_qBBao0%io+MZlCSlbYXzw( zXaQ&f?wTUqj{pT+QYXW*6GHA$J*j!x#Y?ULzzh_*Bft{KnPvty{c~WAuG5 zJmX4RJ~#lDt4|_rX`#mKm^g*9?}K*I5A6J>zO9P3X(P}!V^=@%^!pHpiSF_0rV``f zDD;Cj)DP`%Jl=MN78=pixdncIXx7fRKpx6Z#Sh+Rco9XKGW;S4E&_&!{q-2TuD}%dV^j1H}@4@=C6< zOD=F^^{ZDCSNy9seogILf7rdtIQ+=j5b^UyB%l8Ig)CtVo(ZiuoH`1BfAPD^7-}pA zT+Ml@|90gj*J}WMVSDdbP&P(_3BvaJu0h%rg#%;H=31}Q3sKP_e}`XY?B=Od%iL}{ zHOy@s*%j;rDItDu_kTkv!}t1aj2F6WM1}zDs~aspicV3AdJr9+YB=TMgFZ8FXuwO; zKkt~k*=IMZ_Hy>*n~)I+{Q>YW5=ilyL8vVa)S3c4n#0VDHyu1(#^JP`iSK*{urfB1 z^{+A{n5SSmT-ESFLqAGIZ72oqrEA+v+d(#d%fS%VKlQ~_A*Mf?)f=%oiyd{J@5oP{BmoVZ&_kI4EGVNt<@T%Uu3Pb`4+v+j~cjgU1(-0vuf;q5s3dPV6!C)f2W?Cxby=Ou4JJ^tjc ziX~zALWd8ejsC_=t;c0UD}&PM0G($_e~Z1_h$-5M!rBcfC~IX2j!>*8ws~S|?37N0 zSk5}KiOpmsB0?LrERMeaH6{R@lTD`s1-V2dv+N#=4?p?^TN&jpq6ZmZE@)Tl{hsd= zPd4>sCKb7r3U!ejI82n%(9ZRP+*f~TyRSPi{-hFuaFkxQgmX9&K}XUb@l&I=ZMqnA&&(IyM(UiSj^?LK za4TgDX}V@#1KiO5F3`~=4Ibmf>^y3JRj#Xu-P@(a|STmDQXrfBMszn z_*|jpTS8uh?|Lh@B}UHH*Dv_YM;(EVL~{603E$3b_EE@ah>+}xXvDwT&sRelg@F@> z*1a^fgs~GVT%^Mnvm`$FAQuYqm*te-o|Nl)eGcl6DA0=MFD&SJDGj1JVqGj>;>VxABLeshC%$4DV&{eeBNR< zuBNSe^3_EgIhG@v@DM5oHrgHKaQJyZrS#fRaM!g$M;qXu%ue0z-kcxnlX@mh6*DFp z!J3GL`jc*JgcehG znn9|Wtc{$GB8ZvKeRG(rrCgwR%D5Kuxc`)FKk#G4=GDJ~7I_@7aGV?wc8gMTbIwTh zD$AIqRkR-+4u*|?qBGSdw_^|8tqkJ;2M}aLVNqp0cVC-@kTrC3^qurKs%hvM^76JD zJJZAxWs$lGKoApNZg1RGHMUy%UW+t{04MoaY1H7wsxu)InaFh8{Ig2ZgMSve_-s49t1VMNYB!K~A=zXzAw{w*9^Ojrr^#24j7Yps&4gU?QEDNVU zH?O{Wr&GvB98=fOJGjDK>%mSyA4c1SJoETa)EX^a=KU|bb;0iD-#Y;Jnqeq7SL32U zQq+KT^tnOGH)fI8Jj4=4eC7`0)i#}3V>9d)M@Ac*^1UHPdoEGEFr&A-*Ky&}3fO(K zDOfD2GGQ#g2px=cDn535=@_|6E0#48z52X6L02TzluU^Ud zNvUDSF1}8_{D)XV$IWFAWl-`Qo09L|7@Oo|`v9JfaIM>;NN^mCkCYcTged}kR@oiq zvCTci{_6d=h()Dm&Z5xuZ}BIctS0yV4t{@l=U==quD&%!2 zSl%I)ggdx(Lcq8ct(-Jnwm`;MCz)iyMY-JGWu3e#iy?t}A}z4s6o%Ql+%q1WlymsK zcM(bz&%x*etIjk$(d_Vg4$R)or0iuz-*E)T5=G&4wM#fF&fkRW^y&RbVUi^@!ZS~Q z^b|Yl@u?E~H+txnekUbJp-rm$CC~5LP)t|=`>QuOvIODvT!h0|>Y?qpn>F26ICkpx z{NDfWB~ghd4)5&X?iBpbPym;L6e^0NKAWMn75EoVN4=`zG<+Ml8s$Ut>;_Qci$10Y zy!A1CPgwIMAc&t={?#vptd%0bUIV!AL|?J#W+pqUYr{ICcn# zO}`Um%W8H5e_tz0nwNiL=dq3K{RMz2>|1%c1WT7YgmjgZCyO1bcZk`!orPZFa}z

c0!VWe?+d2`-4`k34jSb8MszL#ZIx0!o9>REwJ~zb+fD}LSjvc zc=EZJt}T8A*;wjb!$kAtGalg1864l7ns+wPP zMQAzzEWsL1=Mx$C&ppIKV{BKpAkdrW$93x0Na;?DY0mO>@yj_?Cz3o* zxPGLqmP^?eWQ?TRxXxcOv#6TmM6Hh}xyEy1CW-03pF#HNK(tvm_!U^a^*~B;!Us7x zCW;yNtdO})f^R0G3wSg`|4Ev8{eduG%AVFxR@G#*^8m=`BG&97f<#i>4*>X;En3phdXp^DhDR zLai26bjcl#&=(KQDhs#6em>&vC|bW7^7qS^i%#?%ax<_cywQ-o`&rnhbF$!*Vu!=? z%N25jDxa+Nlf7``sx`ba`ban_RYsQ30&hoe=eCc*Zj3f`%{Valw?+R#EsGdCpyn?# z>MnpOUX$tKVvf^OGOCtTClCSR+J)PC+>HL9{2KvDW7Os z^|QkyXeHF8{y*N~f`tAP1~U96YS*>H->PrmrW{rmYQYNdudz_SRR(S|m-@_@8#A=D ztsAtskfAB|u3>$rBEe-bLUMjQj<6-OM^dvvSRVpI-GIu}^=lPP}Jgc0diuF0I2W?gBQx^LZ8l-1427N?0nOOs*k}j)l?X zp*#JDsWT0!?X>jDzka&T=T>i#x0N?Jrs_i3W}iUUua7kh?Vl}#XVeFb>o=Ugb*5s~{`e|$agf>}%Vb51f> zwpQR0BG02;$T4}tJxRW@1PVCaI;N`pd@OKrv^MWI8RIy#$5js5!v-vVu0@Q!XocSr z2E;Se+9`xh-O=y~3Cz=|Zr=u>O-A?xON6E0vJ@YUl%l3i+D9xD*XCCzMA9&Or zS*tms51mhUl#I^WveHcIbL4n|8jZt9WI7~StL>P&*QK+Z>Qy=ShU7el%#mp3Ig_E@ zmn))|5$KcTI``;R!Du1!1(xWpJQIn&Fa9BaQG}3U__FLt?$U#3 zqAjb>{K0=m*j(mS2?tau*g|5+L!?kJLNr%nEvUYj4$r%>Dgn{zVA)=CCo zB)o%nPgD`MCmz*q#vd(F@60@!I4vpC#^IFqK;85HVNUj>go}$J?@F|v2%RlU!mqtK z&e1kEPra01tF^^KjENF`+Q-$}F$t7DBW8IFOrlFx{H{V1XY1alw>x_R(KjdS5EOq5 zF1IG0q29(cm|&=$P@~HlfDay}@N8{Y9IQIuJ`u=RCkF?|~DXpxSDl4AN z32SNJNPUmRh=evPI{JaEqYQA|>Fr}K(n)-|;7o=(O4WTu)m+z|UGAmu_Mdy~?vWRBD58K)*aFk_fH*v-+BqKAJY(5O1bQcyUM{_hE%eH#@_|5wzknM<%DYJ{64xtfpH%C!UAi4i7b7! z7nAla92mVEApAa=uYN;R=I8!38qu=F5pD`oN+}`6TcVV};h)u4;xdQOmNva_%aIKM z39FB5S8ScTVO`Ca#MJL2@@})wflAqQ*UAew5XW>XpJje{w?&HbH{|J zLc+Lt)Fz-B>A~d|k^U8@B2AyCJg!jm7m*`8E};rSMO2}mZ8w#YQEAp5W{7-h3S*8ma31iFra=$TutfE=3r+lGCRKg5fg;wAMf$?#ll&<@$ z8pyqAH$RTdaEG0f-TbQOXq)A9krlS;cZ!n@p@m-`K=9F8=l z_zN|imZs$l=f7W9c6?I$$+d*fFN0vfy#L%<5*!*I8oneo(^_{Pkpm0PFGYbDuXk6w zb0q(0Cg6^q%y8ygT$O*D1xMD4++o6V zRzAB&f|&2?vN6okcM}IGCb(xC!k^2dT=Opa`d0-Y{EO^2T2|jLFyD0N#}{r7% za&U#^=Ts*{pOE9bYbGndBW|e_SvhWZyJcYP1+7Hi(864h+3>@x8OA5NkL|cz_$;jW zzm5+u_c#H@Way9mbIGd6=~xVWFc_V2a?RA$l)vd>_-x%@e3L!?U5Jb~ETDeqFouZ? z?ET*hm@x55di3K><*fT*ff!TmmH?igv#TD{PEzwU7@PbV?!|D^&8x;|Ng5*QO?1nr zsNLqCT&0aQIBMAc?P?$e6148@@r(HQE&2OauYsBP=C>hs;5FN5d2QOQqA;8V(cy>Y zkBbJH<$u7e)EG*?X_V!|0m+L0lS-Yg33mL=KQThzIE0k`cu@6*C@TH;<9aK4YGclm z=N8Z2#d_SrA4JQsgI(aYBM)-S=j`K06_c_!

q!4U6+?nDkfT!{kH45FYSfzUlG6y zVARIS!3o2JPvfPKzQvE%@A2+;4*%`p50}+-@?Ym(Q^)2PX z2!YZngQ=P*oUrjV4u}@Wp}-9{9g|#XU1V{r?s6xoe}^kR8TW2gWSeo9;kdB%2x9J4 zD@CFGWW!zL+?6l=Z?O8!K-6uk*r%Z-p)MiXvuvIm@!&E7Z&zqTG<41j2c9O=;QHRW zOvt;m1d(g1k6S94vzoy!=knio37O}?P52k;%25lPOCqtf^mA?65KFE8OHPsc8)H{J64h^T7JYergmFF)JZdi=`IhGP?NNI*M*-sES zEKmOp@hR##-x#w=Df|TdTQ!VaRcE@KTGf%k_Wb1wX3l3%nlc$@TWwoZ8)MlQyx%T) zR}9?D3d5ZtQKNuY+(F#h3GGSwb7czMiu1jzKitwng-F3N{5g@4Jt-wDF-nSxVRZT2 zYI|*lg@Y}i(?Udh;bYD*J;js?+kO7!BMv;O<}MyZVSRGE(ag-QVC$QK*^kJbkzwEU z2WY=CHk7?h21VO7<_ukJH>(NEt7?PSr3a+G>`7vzJMkha=DwB&zCYl_jiIQi4awRh zi~ZBlw`ouQs@gvAj0d-A8NtL};Xw6pk{?09W-g*`LJJQ}of+A7@QhJTb9OYpU9jMV;H~sYMsjf(p|+cy1S7AYxtrW#RqD z-;*Uj-Yg`h|Jw9o4&{d38%xck#3EN!a5eOZ#nptvi;(2b#CR*63a1BY)cSZ~S;e!$ zmcO9gc;p$|*ofe`P(jQUl|Hp^Ws)UFwBK8y=cwlyJhkc?l!90jb)eYF!AvSTRH%I=I_B2~I4Zk7^IYow{EEnH!fhrq-!M99*{o$06kad1 zB%hgatcuw9Qd`mgnM|>c#Dop(wk3*UJRHqQFNc0WUpDI;bo5#1kF0RRXOVZrhlY~% z-|i@d&Y3_T-o9IhrGm~;@IH2LPo=yGvCQC3QgDS4+f0u_bu6~ z5Mv4TRDvPl;4lT*JaN@RK!JSH?PTjcn5MI_f0WFj;APXio3f*H?>U%4)F3^kCYYu< zx3S%WRi9MU!`NR-Z_;>0+Tes?*v%hhi50R08hD{M(WzX^6N`ZEz;(w09(9WUG&*No zDexJ%M8;np^v*DFQ;wry_c%|po+Q!ZKmA(s^ePvFDBl`Fm$=m(;wRQAVELwzWGJa$$T){1iMI2s_?L0Sl5^(CMsa~ilH6m$Je=6pj92z=k#26jVfk2OiQPFm!J$~r< zX8U{V0w+p7rOkFAfQLa2qxVfy*^)K?3ckZV3>-6Gw{1CV^7|N3PXn@~tXml^UjT_T zquP&)>43Agi@P3{Pi_SK%oD7?Wff!`@yX%^3`P!2Y7a1A>rq0H7!QXfo52Tngjz4Y zw>n?HW%}L;-7-Jc21jIv$`^9PfI%6X)F8I$717#m&A>%cHP zzoMIaCJa}JtgppqS#A>>Z&5~#R~RlDd>H)Bs&U}h(A+KnvLKv{sG4fP&iFv6B8}R| z&ScHGw@yL@m-rjW{&*s4a!4$Z9ZUq=h)~sHh7*EBCR4xu{vcj^@(;|%;a;Z+GN%BV z<QAk;9Y6GN{ChlczDBcPDr5|Dnc>l zV|;1DJZDYS&TYg9`)Jm!yWz9ePV(WP!RSg1QhX#Rs+2QA`F>T2a2Iwz(yQ|DBzfT_ z+eI*E1L=w8$H~J%@Y6v93fqFdOr25Z%kt@V@Q}VQg}xE*+hxg9Tl%NhFQamjy6g>v zb;A$8{+*g8exkLu7rXx{*ySESkJ?tP0c$*~d`gT16zkI$Wu|4O_QBd%8dYI1;X=ea z2ysdNGUO8F1Cqh)ez5i@&Eb&ZwH~9K%grLUldwUYli@DapW!as_CwI~?^XfjE&SDl~BO$s+j+^65Ean1(JEhOS1Z9Ak zUzwtF)q(ayQ=%UNfU(yAwb9{X?IQ_m0;yPI&M?AO%};O5k%DN>#UxjN*Q zh4WSYj!FXG3}C7qqC%NGa>`@7c=@i)2^>hT=sr^#a9=qi-;!`rbEcWBi)5R<4TayP zBS_*SLc+I`pBkExz;xSd15x9~2hf1_a64_0G&)?W<4FhYL;i~Gob=81U$rg;>7S6^ z{@Z6Mv9Yl$W~8vB05s3~eJdiNvNYu1zTOw#8B;nG^-&->WPtub63)Zep{C7Q81ULk z^gKSrz3%Jn-P!b=Tz@N2>6`VSW8Q<>rc8t_n^-o&H;FSDHJS)4dm@Y}>2zyU<@Te% z_VMlbqh}}@+?d8EhK;Jnq_}wr%Lb_)Q)5l4z&AgGiotGZUN%3i@SorW+dEQy+;B$) zbSJihC@lM>f^tE+#zFr@?O%8rO%Qc{0m#{Gc>@yaS{~$5#BKAE`h>o@nZ9P2XtP{$ zt_db_Ps$v~3XPDN*!(m+L-%77V^gBJ{|w|NK3lR4!V~Q%Gg8Uf5$Kf+LK8GIMSau% z-}=o6C^E^2Qggj zF^xH(_F;7z&5HO!ML&gbcq27h*AL>4>Ut2-Pb+}A+=`6N5Znh2kATi^vKZG)7bm7i zX1y&bAp9xxk2<29xjB93)EsE-5!AK5OCNE+dVlq&C&L!yy-uZ(0OGJ^w^*0gw~WgF zCc=@Q1ytG!%9|4|>xICrzf9gnpW-SeEroumluBH_zw@j4)wc>SE|bZSdZYX`KK!O? zlP9_RCyttI<)sZB$HK{5@M|a}ewAM&wh!bMe_2y`W&fwN!_rLNz4PuJ&SX$QmH#=rC}i2>Jdo&3Qvv|zYQtO zFxYv>pP*kcMLBWW8vAae7s+*p1%voS?xb4{a zqO0~`SI*q{`z`1q&^z&7j$cj~$Ueuox+*EImvW?U#ng%PA`MuwD`??Z7g%Mdjp8RN;I`)KUv2xVps(fh^S*9c0mNNGNHA zbxGY9-4(-j#jf@?IEYFm5|I1y3?NY~3!wT8YZgS=SB>raEx*3&okyDC%1DqecLraq zDc&`G>)Eh{@7$NEGA&;hz^@8-CMkWIKp#_}7q1vJd2pmK6A2aFU;1hsQ@1=THUH+x zSE1bKEjGis98`D-6!B;R;jpFF{fuwk2MKwPY=(#`>% zl7%`WV{iIA)JK6tlM&dV0Nab#4rIn-{Qo6+&cW$Ui5LrB)}On6xMu84WO?E2UZA3_ zK{YDs42Z}e?>)y*@n-)R@U^)T6I1^H#^INNK~wrhAf+ERl=_3OaqNF8Q@!(2c(RiJ zBJC~Qq`KhwYW4cwt%V1G+5zMqIoA2V88kKYWRp^p{6t&}@sRx5uJd$O?x!AVp%Gwo zh+2RF4km^&DKBm&$&mX6WbSl>iMX-DpwYXdYZ0x=;L8e^=!1nyq&__@^W7kPnLdyo_=zrJn z&veyBe={ls1upI&CE%icEJ^wV3s;n$2RWAC`ZF|hxkjJjs_X&_PhE{K23Wn7jmga| zh?LGmT0LtfI4lcME+93qa**sU?SI&D4KMmV$;J`_w_JC)z5*EVF6DzM?Zh{{QX&*V0voHPyfUvtTj-9Uxs3Mu>EZ)IcPqyAc5q zL@5Qy4Fu^>=|&nU>2w%$N=i#BDM;6Q_&qPz`R80?-@Nm4$K)`l43IB0q*D`b7mTCc zG&|kh>HIk3*)+M7uCDNT5Crotlf$gENXVJ5H%1tjjFE;syBOIttZ%qU@+=wH-q7%B z;6z{>a}&7(B)n8tcIGIl*s4p$ySejM;(vGD_do|}G7Q!Dvrg$jNhey*YlZ@KHIBXv zgXQkGL3=q|r5zHKZkQu^`~rRs)b;(AL*tS;hcZyUu``$)SpIc>GxzNdDv+~AO1p5w``dqhOpqaN zbxO}6b(kC8g2(>*JM#$A-)Q*T%WJMHZrwrZVLJvjTfD2DWeqHD=~6-&tq0`UnA|1} z^q!6>{QKOoUa`|XC1yEPjh-USY>W~OvAbzS4dL(#mv6h_-w8PN1BGT|&SDS`0fBEk zdk}I~rVnx`Q3buu2?CuWhI}Y?Z!(6%ACx2vwFq>^+TC6eB`yvx}E-k=J|dV-JhE} zb@F5M3bkOI5KH@76x5?fTuf6oIuF#o>OCKip^or*EE2-}NyH_!6UMo5-ui@aGe~q0-eteWohoAD88F_&*ryoRgrUlpEqa$=~+PuT{m ziqg1V%Uyj7qv}3b-T1T1e0EbMg=ji>OUPy~8C;Tjp`K{N4qkOv(W1AFjjWCZlWl35 zX1arfG=jO6TX9!sCoaniUJg-*GjFv;{(i;#>fJ*tA>wB1q(|RDrEH)T&)A7ZJ^Yek z;&3~A5^Pw|Th`stdCfArgGw5r4O+#O;n@?6P*N+B8_~No*FC3GV@4J0-Ir9y=zRSS zrG*Zo(K3S*>$9oqq&TJqG(CkfPMl(R56{_Usc!Wa9&FcD`14qowFo_T1K`GYV!+yR z3CM)nHw#N#kzgSf#48S3TFyfLJ=g>Aeq_rz=h7hTapX$#Di5_yUYr88T+&+reVz9q z)K@yqb;bh6jjj&x^J?&di0d@50@kxH!_=8PjLTZwrD8SdGMV^r^&<&n7+4Rr)nIJ{ z&m68F`a}szZs*mZRq(W!cWkGsf@?T6x%VAaA!uJpuM-=KAR)!XDD7tQ&>L6UuAQdn zOZ4^$AM`pst~Yz45BT%n(mWu3)D^tgeu`)R4nv>(`1JSNKPxFWn~x}E0X%Pyk8yWV zmj^{Er{FI`&>h|NfA0MH2|0OMd?JQIpLkUsmrNHMhP~sQ0U85w&&OX?g()yYHze5~fxEtR0Say^U=*x}T<;W_&kiOxC)W6M;6+5$fB7Payx1jqnjxyBQDoU8!O(bQw5WM~i8+LRo5FX>12SmCu1ctghx zD3TTH4QZI9eCB2USmmKwz*~&S`nvcZ@4Wm%@1#R<;0I;m`q8JXqm^%zmZVszDw~gd z@Z`+l>DD;6?ib{z&+m3tT6b&P%SnWk!smWeU5n*~_n-$L*(2uw-?tnn@AIpXGwcJ_ zjJn?lY<9p=9_KD7RP~<3&&*__7;MG-9Q5EOU{9w2SdW|9hYV%e)hhkIZ;2B zx?RH%F{m<*+W&DitGJcj${Epj^X{4;RC)41&N$2`RMV1RUEhXLRbWoFAprGwU z`Dt?BH?WAD&Ot~?3Cct&_3mED_eKX6(p4iM{&T{@?~YRmN@-PW&3_j9H3(vX(zS5S z_xoA8IA_kDcG0M4dfVL6xId4lkF4Tth;WLjm+T^wT$&d8w`gocJ!)H+!2u3PV8vallz6$sOvQRG!H`;1YdlA@fXoe(Y9mjKn*>)6j(z zgUumUf$eOt6zM59^T%9df!TD-_b0Jf8xT1M>tduCRA91yQ$zP4?ub!7Kj`p`b zlyC-#Ruq%SWtJ=kiXb21cAXs%+4;7C2IGTcwkEm#4!cN`~(mOLUE#fU|>41NbzCndGhX`w7!U*NKTW)+;AFoL%z z7)C0e>iS=6WM;E+{$DCaCIoU{{MhuaU-%m0cm0_-KIDJpxUWaw1Fh{3^m#SkdyAF; z65%p;6t#~@Q5;|mZNp1#_Y`@Y1nGd=qO1BI)j^3cd)~c(%Z^3-9k7t*GWLlO$&z#xanG`PW%U%9F3-1ON%}l(+ zjHDme5Ql=;gen2}#YUTW!%Y8gK&dHFBkzovefcqr`0QzyvCXAmhKCCFi|1YN8n9Qn zrPq<-RsuR<5$*?ek~El!*H|cVRlpN7MY|JWZ)Wq%r58Ec93c1+j;*85RG3jo2Tmz; zh!Y>+wi}>|V$pvtLOWxtuhJwy2)`G8xE_1XKm?SFx$l2O2?PSaG;iby;yJrNi?F3G z334-h+SxJj`>rsUGVEoXZb@+!GKoUN=A!B91P99JRlt4&PC3S07#SFVUVB^kj>?4! z>(XCc&Zoi-r?`h30G8*`qD@7hE&nl@_nvvC1FO$#Q&Rjx-4I##8*mb(UQzc729;wKnkz{EypO=*Jh70NWU>_%*glZ9(4Yt zh>Cl{X#ppJyhEb4ah-mDrut3o`9^ii z)|ubzpJm$(6Yox4oY~gzC>=)R9nCp1-nRMk-fl}5nK&5TL>2k$(Wnjky=b{bo-0BE z8029n!7_7iNczk{a9LwwgY(ySd)__(D5yV<(*D_+WhfHUh|P1-mE{Jm4ZiC?7+HPX!*wIZiD@7mxraVZeWy ztl+s1GxjQQVGnrl;F<>)5=2v9he%zCTsUGBO3U3a&$3pX2U_l{K{sy=S-XFFl_$Am0+yQSFAIB$^6nQx%}CH@7)( zSG*|RrGHLi@;90vCGKI+e@%QxuER>le6Tju)ctGYWp0VwHz57)1 zNhuxfSInk zUs!@lcIJmmwoaQ+h|KkgpIcNC`mlw!I3_rJwGthzjHxVI30{!8FwYR8#YrbpCQOU9 zh3TD?!v0N6HKT zS}7?e&yMFaT~hpLwpb>PxY7A{e22%UM+F#=H{`GbQ*48;ESl5^lnAS>X9U@hFewmg z3&Zx@!k{qFK%B+&nD{?*%dY)q@1vFzO!^a+zz80wjTqWxmI~X7v0}mBq??(3cVF^( z>OZ!VFY(Ns!U!wNTNTG`oJ4hWKtD~wjHTkXAOv#$HH^0KyzJSCT28 z%-auo%WX-pXEMW`vt(1SBN!_Nh#EZltBGkA5RP*x*YCC-MB#UKSqHu)&&HeJVh&KXmT;HTL3>VUP8^ z=P0lkM(2B;y1422PlngE(tcaQT99cu6-|CfP3mhnOHyocV5>d5S@hs^v;i<-4xUrC z9K{Y^9*SjHNAvV@^yjc{etxj>BwY+Rxzo<)Sf@<72hDu6U-1}2vCRfa3(D6esgG>HI`+8nrrzcgr5S{%AdJ6KU3>v*>-)5?3MO{aY{JZBuFzT-3@;PLF@6IcCMyeFwV^qgZmullx^!K@P{Q?nYO3}L0| zs9V{4r)V=U-V~yD(m1Q931z1|G%R_cdl6pjXXctCL?j^YZgG?T2{wxN9XyX6QieLD zs?s>H@lJ2&W%01_=$}QP$MW1w*!?HG{S1s#0J@F1KJ6>W_d&S1gZMA&cp8I-ea69= zyVb*|3m3yCu*T0st-tr%>_jNGneZPGCSH`X_0ypr0?x$&?-RN*$Gha#CD28)+3Lgq z6@mpcaKJN%pX1=yPb%O2;Fp{e(Z}Izb zIZ@#214T<=&U$ade-^y1#oO<(x7J>}1!6(L%}v?da;cOS$6P7a?&f`odE=={C}YZb z#(-@4z*}E^aKW^vQ!z$zWda}#?2}eHeKniUV>Ao#%!-K&kIp((LLW5aHiB*Xw>NIT zh73P@dZ9e3qY1dST$o_LW2|oDnUb>BiC~seo3i1d^ggiigfL@q|4;0n9-wKcU}0{` zXfAkFTktuJVc)+O(!I~y-zpwhtLd?M9QaJDgz={lu5tN#^+!CqdzFle9=w<3d1Jv! zp$a3IPn6NB>aRmId52LzF+!|tYJM%d${>`CDId}%yOe%-)Ic4^iKig8FR@%b>m4+t zIp#u}A*`-jfr`fhxypZUv5q3qjT?EGgnew2dGRl8)@z5~kB>FKIWPB7cJ6R;>i7OL zzmsO>Kb&}0;&s{|Nzoe(zYi}=JEjKCKj~Tia4rbz;sA87LfR_87J$&kIGvUKD(TZe z^ssQt(S}j&;1GtjK1Kd^pcbVg8XrJR-15_HVNjPOiP8kz$M0kb6*t5CAEyQ*hI|BP`8yV>n>m^nx2PJRpTZRk=Ia0k>?4(lPEpxHe2ja?zJWRxm)Y|6$ zdUVFZBi$_eR?6qJb3*=^M|3_MI%!W`6OE&Op|%yNv^0ZD8GD16^A$)ce6<%Z7EdA| z$REb20BYTVT3g$>3xwWt&)tELn)Im?lkKY+HDRArtQ4RVZ+|w6Yj&0FHOb&FmioiL z%wB&x9!GNBz}T^5w4tyNZc0@B8R-#lXWbSeO>3?jS|% zRGCoJawUMSDQZ};oOFo}nk5K$hjNr8KYmAL9{6K zMn`}LS*L-HKv>c4Oq8k$mu^wag#&F3*V2(H1PD|FxQ3mk5js$|N+?ZF3u-Y$3trI` z6hYR>qpJ{TrP`zFf+rZwH**q@YcGiIyoiKeQ=qbw605Sq| z&Vtw(-;DTSg5&)ND&WDSoG=<$hXuDm)Nzt8u*T5x@n&SbTBn&tuRBId2ttqZV0%#W zGBrPoIjDmiXTT1#11Owh!5PBK-{|%xQ$=3@F+xn|t-Qwb@ z7ts#X7hvjAA3*siGa=4&hb`{S&Sx2;teEfhEhY(cf^B~L)XlzNs= zq_bRcSYY>k93sMg#vep+Kvs|gz@7fOInuw!!ET~CL1QE| z5mA(k9N-%7%xU*dUSkMTh(|8E0*b%L?*zhAZ(?C{q+@SCwB`FfNsXe94ks?7;Y;Fx zjb9#v^4s4fvEQ;5wqQ2Y&#&^ny_x@01H7=8Ir~J6aVC0|l8q-wY4P&t&2df$jnaexz#2 zxSTg8`?|HL8an*F6$8$WCv-_qeN6F>W_QQ}{<=CoJl`hIgp}8=bjFLz6vqA4 z$6j05OmBWl=VSxUz$Uyi8lu-F;L?#~QalwNsPQ-cP7(4hgdS{HYc{=ee3Sgcv5ftc zy}!F61`h+TXZ!b`0*&5`%*^!Qcwvb7(vT3>766yAlJd^;qc3UEFh@u#4AD^m%0B|Go@;3rrzB=TC$Q9ckDFfY)RBSO8S1hR<^QR`(|hga88fI@2b8735#w4S||gY;fX;N1=3a(*i$t=hPe=M*b7p zdT5#Hok>6j>F;Zkgh=0-xtkEw!#Iggk zV$`2TCw2J9aJ;lmBs$X*uN)K>iGVk59{pk;vycifRIVduNRNY)HToe!4d9}nCc06goyI!!45 zYkI|9RehBe6at4qme*^$Nq*P^O#?wfjs^{F8{Lz^YFPWO^bYKx z;2%yuB&$weUO9&o%VL>0wjYkk*>RfX2*1jjd2OQ`WWX$DhHOPoTYQ~BD=oFd<0hS!L!#sP5 z;ZCWD4PTI+X126tu2PnyrJ!ATJq~uVsHOx(fYyzYlDO}AGcp$XdO5EWa3w~*G!Y1b z2d}q(tJ5TR&t?Y?mO5mv9H;kP=<20C;r@rDoPdWG1U8 z)u(J2cu;c_Tw#QQ;q2trr*@(@>~2uu-uYZ=`vfNjF zuRKk+QK0ddbBe(ZTI8+m`_^GTa2RK#d(w|@qc8lvXn9E}r1kO>#}^{`@^T^0RbC7{4Gz|yJib`FHtVh?ZsghR!_9_fi!}$}x3KA6@SJY9)NN10J?Eza-4VaeVAzm#_mCj`?#_{H#--MC2 zfMAddUO%~MPd9Sfy{Lsrkz{vvP2|3=Rw4pC{9P6P!eGqzw+Q>-8z9X)szVb83Q2fD z(yMrDkd=ygd^4!ct`K_M=-(XSz&WocFRFzO70p84l$| zdU}jesk({>v8EqLUHc~jGLvR)`^vn|Zt+5V17kogaBcsU==**pAj=X~4Z5t4tx9gh z_P=IU1ORZ-%uoydEQg6xw)b!SX^7QvV=1BmGMm6*6aHm~<=)yKg-_3s3Zgp&nM~Mj znm|OR&-%T%S5F;kB&_tys^DWtEvBM*m>v%q7MEQ&)}2}( zP%d?~%lIVe{to-|v|o>X9FSx60ZuIi$#56m_K%4~d6_6HyoIzS4ci-dD+*CPET^tZ`*Xpz1%3-+>ZCB{m3<7x#Rmjw}X#xhXKj+$9e{5RgT! z5lK&fH(8MUK>gZGS2BG7n;UF!OvY;n zfIuZ&zC91ryutB!wVPVrzndnqLR_xnj&i^KGV=y$bG%zvWN@M?cIxLjQAxyOK!Qu; zg?Ez{JrFIzwz}NO%xcpr*EP8@= zopnB;M;4-8O;4zAEge1?83a5(D_IyC?S9i#GLDN=$MGy{x9+?QM`SjgCP`~Tzj`27 zi}Xzv@7n7vNko2q3L0rv!UL!`!lsfste;3@*yJO!KIRSq@2OkuK^L}TksmjT9wd(H*w<6dZO(KM)*0krRxE0YuCdtO5s!#2QZnA)HYm+d zunZL$b~OPf4AlHlK22a+;i63eBHTETA6gOsGGOd=8S>lO@+_czu)_!Om{0~ucBR}- zrRJIBRf<=tk326OF-8kw(D8uTd9ENaYt#?A!m6)fH=_}<*Ff5IM)BRdPT7%0(V=)d zML~rPr)up28j(1+r*uEnp@sKFU2eP4z-wUzFNI$ux())b3n!OKMC&VdRny|G+-$lv zT&MwF?EQF`Y0el`!*3P4j9BUGWa$*nnXpS|$F>7TQSjtg zLX-t6qUt^JvSp$&*U&n45_nZj7^(p5*pfKd|API^OJfggr_+G)v3!-L!jDVRe{W2S zw{bXMjSySD>b@xhx%E^`i6!Ln2o#NppN_;Pi%-fvy0zeli{J|n1~_sd#8$e-KW2&7 zo7LtX0+b!O?%>q9!Zxqxk$SR25;uh~{c_v4fWdh-7dvpnz?j?|5~E{zS8=VwmFxkT zPsKGF@Gu3ef>~k-1t=oSsnW-3K$MIJNfcHSOuCKz}ym5t*{^`xZKMhkV zY%I49-s^!fubOSxx+fmQTt{889KrMo$nPKtUH-q~+^IyIVC7CFRI0lX9=67GX|CVt zrh|sQ*idrJjSuS(c`O8%-U`Ul(hZsMhwlZQz`luy$fQ$aG{BrOsP#h*UZvC2=tkM7G zq35GWXCRDz<84%!p93;S5z~zYF}#uaLT>h=i@o&B#*|-=5^S!$G)T#9{-`fd0QVf* z&3RMnS7B3~>JuPrq0Jb=YL!PHJ!Voyv^WLCEh*m;0ivvIwHS~Q7L##|VZV)0zWnIC z$SfF57y|9gYb*Di0(31uTSIn27F7gG!qSW7=~Mnke2nK5*P!JJ^~=gwZ5WrlD;{YwkV+^ z0-Q$v6~_PJl;l+4-g6uH!?U^hmk*FFvvu$Y#j;j!(~|srljTyOc1t=X82mw?lB{wm zWCSSrM;|4+?XM$VpYTCspdD_5&PE+b5X!NB+}GPUE(yA)Er^8 zByv{3b#WKmpvMI`yEu;{F`)n71&s#Vk@<_*17FS=P#=#Ez%HviRCF!3L?}M~Q7jEc zSlK8t%0ahSQJ<~$-;jq_LyrT>edS^hxX+|`wt-PQjF+Yvg0~h*Q8X3+>g;Etm1uEd zjP9<|W8O!3)N3+$y~fxf5{XNLmdL?50PEv>vO+aXkBxF;ZJ~JtT7MO{hZh;3p~pmz zjk7;PoJOFmE#wwCTJ$*9R+nUc;%}yYVj3#$ObX_-!TiJ^+gcmz9lp*Qqe>?zu?Ve*V8@*&nm=s5@diOqo6e-p zN9u__m*k-cmEjr~16sYmfJFW8s`cprd5F6C9cHSeUT7*Jgd78ap3NT)$Ib-Y&rfH3 zTvK2JJWxy=l>$+0czNOn=7}MOMwO6e5#`A@B0vxiG>VKAUuDqwwKn6iZH0n@22#}= z9N{-+Z5xB{D%_0@(<@*B4r4fpsJX%rnOG}EW-h3x=Bc}0%_r+{Y#P&RU2u53Njgtk zINX8H+}TDf*;jdOYO)RU=YHgoLpG!%;YK@A9AUi1X}L5l)-=;OW7d)pbb5yMyBeDA zTaA9SKke^CU{^|M_BU=TJpr1kKNjTqz!jw{H_9J~9s6gVH8v{2v|9GQ_T0pvic|ar z6{P3K)`Fe@@^$vcI}qgm5L>b0cr51N8fup5A{R0@&w&?039O}9j1JV3DEqvq2|;9% zh6mkhR?jTyReqTvVi+#9Ub{sEvXJ)^ZF4Mg*y3*4O99qOA_qR4i{Gtx2m*gvwni=T zo2g`M+T=z=s$U%%XWb%i6i^PcwG)QcL(gcDgmjqJ+ad+ zIJgJ$vfnC&C?XmAbfPKnK3)CBSH~s`E;8Jhq=N4fhrqL;wZG@BU6VJzHhM2~m#hTt z3;~|?lEc&-P>M3g)GKnE-{s;gcvBIC;Oj*qRl**1&vNk88tUq|L)d~MVhA3nhmWQ5@hm48y!JSuTz&h4eknt&< zGKoKv+dB&Pq;aN`1-&8Se!MR2a+-i3JSPeD`g#wYX0W{GFJqyU%`d-T&woP$HW$RF z6=;c!a5%rO&hhq$6WjMso=gO=ScQtl5U!wH*KT24IAPv?15&JE1hAw_}+4ULA51?+$)$XbQerj{(Vd10iVKs6B z^=5HDfcN22yKk}N@cF`{mDa9iZ^jHRYp+gS5DZf605IEzAlW{Z{ZjPBd;l~KoX_&K z@GV*1%YrF8PNAGFbunc|Acp`HD6`a3vD=LqV=-z|C7S2swYJ~iO!a~-Tu{!?{{dH& zr9|be8`IK}Pkpy~7A$%a1jw*0Id`JqsTcuUFa4+M1wq*(G!VvhnQ-ky+ zMZRS;zMNe7-?;qCdbrirgG!n3bY0!H&w>(}J6sP*~7LkcE zVN`=YBTtlR=AJQ62@o=Y=-r9gFKLlmz%+eoYR8Y0sz5Q@%+SC2etvKD^n7$hu2r){ zZR$6Auo!e)oV(G3LU0St_7>*^r`RLu`(z~zU5$oV_iq(j(eRi}9L#r3edjoh0g!bH zgsFeaZ)~_KNwZ7wHACaw$LW?Vq9ji$uHO2dF3S~UvuH$d8Ehc6e2IUH6m@N{rU6r@_n+oXX4h?+n4RM(uL@J#%3>blujbg!* zf{PMAWe%l3?uH7g#cUVVd@?-vT(w-w{%uYVoPq+08LiHMd^I8>{R~r}qSSzWRy63_ zN)vrzD!2<;23c(q7_DnysI2JtcV9HEYBTBF>o4r9y(59KNn6|X{=Zg1tdkLqdVcit z4m*`4UU{?IJLt@t=kSB*d+FNeqZP7mLiiLd9wNg#!GsSiw1%P}ZPfEH6EAsxts9_| zbannceARMo7XRjNGnFq}^a?Qr8X^uZ%A@DCfd|%EkNH(&R>?)K2=#i?(Rl3+tv}%= zXz&dzm{D-i;Ptu+zO+)3GNoNXAM9jKRetmR+<$T|z8!4;>MHew*XNe`Xdvv^Qodf* z#)5*F43zPIE1vr(>lg9cJ1z22cbN;Oo}6xYm<)UnO|PkvntrY@A^2#%RObk^165;o zRR}P+bzz&XyO<<-Fob=z^O~KcM|0D%A#;o(65LD>YQV$+?1?0nBcSqW(1d)Q+UWC^ zhMiwPH|KR~3WuBu5D6up?^nUWmB9yniOE98_2Lzv;CI1?4fG0WLs9-3|NjmFu@4j> z?-K?*g3E_C6h!xxUmv>t|2r}I5=Rt^V~+)pAQ8n7l)(WNS-)kx`|lkKT*6}Ig*>7E zn-2$91Oapbiks)D|NjnE2Eh@Wx~WEU?ID4RTV|ze+vNr NRPJjil*(HL{2$wq3A6wJ diff --git a/my-test-project/overrides/app/static/img/global/apple-touch-icon.png b/my-test-project/overrides/app/static/img/global/apple-touch-icon.png deleted file mode 100644 index 401821a29c5024737104679e289fbe1862ba9dfe..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 9171 zcmV;^BP`sBP)PyA07*naRCr$Poq2pz)!qL;-*aa&$t(d}P=TN*0Th+iMr!@p{t9h<)TdgvV6|=` zNK_WtQDhlhShFaKHh^rcT7yU{zhZ0K$F?q2#D)5>hOz`iHi68NZD#KG_c}9^2(lzO znaRxDx%a=ka?d&UeD3?6Im>q;n3t)5ffOJE^~LOpsQ^r%O$ZF7z-fVYF5lKU6ojqT z`RQH^8Wb{A&lA-dW_sqM1D!)6nBf#%_7&w(AW@HE#CA^#v~zLg*~I!xfNlc9qxfEc z9`qLW{16~Eq7d!Tr{edwpD(N#vj7YPSb*q%!J*+}`k%j{J=#x)HckLKd(rMQSk$cm z^T6W;po2{Ol!dIzj~4VenhxT`vX65=+Sx;pc#S|;eyiTESm(*Xj#(=v_Bq=d%Qn-o zt`mTEE!t8FqS2=iBLJc`0Sb<)E4X-PItr%R=d!g`WlS^@3~`b=Y8m`mro%g8Sl_-r z)i%s>k?BO!b@u!X&bmzNHUQ_GRvhLn5ZYjGRsA}+`!<+DHm^YGM^$@3)b;dt@^%61 zFW=w!?x!ovHB0lNp5%_>fOag|aIVm;{|0b&3u-&egi>F?GY3U^=E9~K!AjTe)}!l@ z)89!{#mpsMe{g|&K##f>ya)4^V-z?JXnXm_^E8WPeG7q(R>SWjh?~7dy$_kno?3y@ zwYyunnC1$Ha1JfXJEPjvwdD%L0BC>+pF_uFPxj}3GPn0mF1`ZLAkaTSm{#rE_MUsd zfMCmCYx>?96QCpVQ8k0+`CPV{7?e|+zLLfY=x9Aehrs-lXU$8`x!rC#Z85LYC=f%S z!>xn>dPPu%ySkwJ4v@KL-Kc%*N9g0;nhuEPbxVEe*zfkJB2(8>A{}d>qk}bVfUZyW z?s@f1n4?NqlQsg~_yX7Jx;}Q?Rp-BF4$~)BAU;4x+G-&17+YO%*}-Av-fE11mbwPP zc+jJ1ue$TP)RoppPU(8of3 z6rdL@K{4k@(M5(o-fbVC<;m< zfQ~L0nemp@YPo;p73UsGC#Q@=1Kl`cZ(?AIuQ2xwql(|oKsRoKe9X*K#`e#7J6%o} zlLct`0%}2+?+th+8POay5kN_>)eU>M!W^c`A=8Ndt65L>)vG4OBnz(Y%YQQd!qzIaq0>hP00?+AlmidaO&; zDM*q5-FOhQpAo#(yJqQ!MsXfU_7S=Xdyu1V{mhE8sKHs=x`SZ(iY@Bi_L!D$bM(;X+^h^ z?$%TTx>3OG0FU#!*1wr5PPs`9bW~Lae*s-Q;;pTGH&vZ-Qx#}AtQ=v&%a&^2l%u1+ zoAjZ{QUU1j-X7x!1m@`(*16;Ro$F7!A-I_bN@1WQ&I8Q&i)PJuu=?KfcP8_JL8<^9 zSP_QjRDV<1W60v(aRfx++Tx;~-ifr~#$B-921 zI;<;!{%jFq!ic;sn-i()x7#*4(2e~)079WR;Q4c+oCgdBbfd02NQ7>;GW7|tJpqsk>mChLF*S>rM1q0e8?SsLAjtEP< zN!KyS_g2oE?gV)nr7O@OuT#oTN%{eW%~ww?v1d9yra z?GYEm1p2s12I&m`i_ppK`LgHQSo$xfG0I2|!D+oQt+ROoS%^I>P|swYdun)C%Uoo*JyS(qXW8`UcQlL?>AtT$P4FqXVGx!Rl38~f}I?BYaa&6!V|FFJF zX&=hht+V<==lmStr$KbF+H)AL)KL%?>ZHvXm)E7u`QlFwbX2pBOFruu(jCh{xDhNP zvzix}{~c(cTk0NG&k<9y_RAar{S5%$limoXs$m8GZqe<(XluN^X2m?~rOmE-rr{ur z1n68-{ICK$!StjziR^AE1V-7m7Qq>%_S)e2BFgahU z{2>8LK)BF^I;=n)2+O>I+z}|EfQlyW4I47D{hbCfhn5kcvq~L?D?{)>$BUM)>!ysn zq4n#PmH{1A&9QL%If4Q&farPvS%wo+twaAJ=24#P^`EFlae8Lm-tM{{`Zb9D3(P|8 zF^pA;fIo8(u+0X3({(!8z0ENsPelS_+=3KL{fQ}7k~u_ z^5fnjb?1T7wO`%{=<@+|Gj)~bsN4XenVCLM@vs4Xea%tUCJAfvg) z(%}Cgfc`-Ok9&5#ycTY^QaX*&4|ZP$P3~FaCR5iiH99l?MBr(o`{#Uex)2I&0y^AO z1#3=k)cAUBvVZ?3^K`F{YQ z*+Or4e$+|)7h?l-RLQKx+j1;=Xa!!4u{8%R*s_GHL%=FB<13efGFS5?p z62vXa)G&&4{AAA42z;$z#4Jr^YG#x3Dl2UbM>7Wsh`C_BZ+pU%q-|~Y2<))yi#^>Iv>JqTg5-|NFt=B7rgFy~nKB0e)CS$Rd04?v4o7_s* z8S^T$gO1Q(hIkafIZBlntdN9S#_RfI@xU6FaRR}PS0cWa0ahnztMRY zG)2NXInep}nmyF@I?^nonArvJpX?2ml0$FK@hY+9X5r|%CkkIf^$eD6XNle{~3e+2gcC0BoGj!Mv<1#kn9MxI73 z0orl<=mL-^2jgT8onJHfxte<4T&!MD(`uq+fzl7MoY`mHO9FGi$X2Suc!jw}YEYNavwp%w7(FLawHU!2idXOKl{X?lt(x^1Q&R($PO4evG z0O`459>f44W?rm^LepxBF5ah_(QEEUdj@L2^B^|9M@(}-JMS6SnQQg`1*o|&1`^^g zm}pYXisCh@P-iaLbb(bDlK?6NV46*aM-h4-9Gd7I(&v4Z(OMqFlzdcmF+n^=ggZe7 z9xR#z+J5V(^GI0M1Kb?YVXc`_&rFZjp5>X31q+mn++{tEg_U;;!P3IaoPtCs4lyv? zcVX@#D2C8-yWPTdUBN^WVv1pH*JBNIlxhai?=-Sb^{kk+O=VP(2QiNBl>-H6I+%Z8 z8smgjtR-MsLohJ2uBdO7imvW=-m$oxy>1{qGzCQ8Gn}q*0Xm|zH1De-4G;P&O8%@O zzAPi1a)Y{KCIQlV&zx5S()_d%paO4U?!Q!ZjqHMi<^y!2Y8^>gE{;Gq_V*|lPuMaW zUON2pa~>rTmh8xM=nW4OXcPfCN_7~o&;bIEx7ft*58s`ur0bF$J2H8_S)TX8Fw0H7nAdqjWp@6m6< zzshP=JD0U=OIIz3x5%^wX_Sze@K>#_?vCn*FF&HHYw`P4SBea=0?g;D){(Gsi2=H) zyBiraspj?KKd1^2_K0B_ZHVt7AXBv-1C?Vif1nF;`wMdarfQB_`pNE|9HOTPETLwU@Y{zTvM^st(HzLybBV%O)yL6ffgMA83^E0bcK$9c$U{0ct$lx%-r?+ z9HKrTPi&=OT55RkCjronQ;-S~Bg%&mMtFUPUc;EHl^5bAYj=+%V0zN-E+re#(RURj&}yd8H2;dS zRt4re_FcOcZ@U_-&jj!zH3ke7JiL$8-W+DJ}VuN~I(P zIyzXRO4s<8wXcc>Ylh|d>Q`o|?XAj#7$*h`=EvBy1&QcNIKVnTnMu6tP+=b> zzfidgqSXgRfFXn5cU2yAVp%Zxfe!apCgpiQNP1EIiZV5G)QSqtS$%OYqKt9~y2ebW z5!O`(X#Yzfpbb~u1(8m<&X20DCLvxVgm;$`d!-1_jUw#;iHH3M9e>5&-Ac}*&KK8r zCR>*DUA#>u_e!k#$R^O4(OF28t1LbU89=OD;k+PK+qr6|cNKLF5T8$vTwryw#@ZnoX>D-g|4&JmM_ zK!-VC=Jzeo3Op<4N^?{-TaZQDE(Pf_qgOvOkYuB*cpZX<`3ia-QVpR{wr=MYtZTnP z#1^D=0Xowa=;-LS5sW$hnug!0PC>F4?LLD=-2{Z4a*-Gdvm_g;0p27R(B9p9SF465 zEB#=1S6F#6SPTKUS>OO3eDxc{J)vSt3)tQ7b8D;b;NSN zy7wH_kygfv`5w%bd)7+VGi$4UqysZR;s@Yn54aA70`-@U|3BYEV?FMex3wuLl%6q%BB~L{ zKBf-8bRqNjE2p~$9G|Sz1Ujk`fqft<@EvshUezfV<$LW;;hjT*hL}^3h_D3S#mv9* zX7~P3^&nzGlk5&!z=n#G^E-6xt2n?N5wbQ}d}5$nOynm3+lN{HU7 z(Z&6aCHwrYgILGo04`}&S>xX9WujsVRKMUY$~zR#ZXO4;$yOraDFjI#ml|7iTf`Kby^H?cgOOTlVVW~NC>*0}CDJ4E?i2}zPv*(Y_aCqDQ|{pUK|^=PMHec*m3eu6+|2(5^2l?=?Op{gaSArzd; zw{=EPA4&|F08_@YPWMX&zTc=5X83n~SrLmV$Y~uy?YEA)LTFkAo1Pm@;4ye%jXy9B zZz*QV1ylB-${Uy<yVZ1^O#P|p6+VIxwg0vdwux{be+A|6elfm4{cv>p-h~NR^VZZb1l~}q|Evcx? z=#{heNq|P00oo()fI<67-~q3r=bDz-f~Wy4TguPZ9O(8lur?Fm?4Zlp?sY++v*s|tjS+NGeCO; zEH5+W_=fb7UP8xRu>(3QIOuPk}BEnTv|w7H80 zu>io&%!8QlYEcgXH`NU3^~Ym%jXBWa%I_KHaMtpD44w;6+PnG_<3r!dk{`4MXjxV| z43O2&C+Qk z5a{TjV!vrZ7g&Q&5Yc@AS{|6MtwUsj%f}7qXuq--ZR^Ptngh@+3GQlpHlKK)!@bRS zXE@k93cy$Zo!e7^M70%fpu_!gvn9Lh*2yd|0-$to9!L_Pqf|L>9Wy{Dnn@Ig3`vP1 z_Z0263(&G{c@SgEzLrB=k_P6e$py63zsrqo`%#;38G)tQq+zEZ?FMw?2UYq(maD^= z6@a+jz@f>K59qM|_q#J4KF@<-lG#VkOtQf>CXdtZKm(8g+I3O;5HX}Vsu8DlNeXm$ zUY)OHhPrptH2wpa3}-f(2%y7Xq72Yp-S27=w48wpV)At+PbEnVbX26w{E6K)4$c7K zW^fxaBqfjN;U`HL(2cq--g=>hxtK^?2j;9KlSlP&k{{@B&u$!QcVs#T$($$v$^6?X zez2pP2x$$|i1838b*3Om3v}ap<;5*swG0#!NJgD) zA1h3?vEkTKDGzj{GuMx>IqkM0rf@p7^V+UU{A);dpu-BRskAxw>63`52*5e=A_FKr)46f7gqWo=&)4T`J>MW zG5s14Hv*g)U;Wf;PZ^-2UF^7IN5@boxE#dSCUMkR;{hGkKfgk=>mNNp6wW-=O&z=V zl}t6Dr4rGDn4w^r0!qpN?FI!p%psHQ=8+d#EE#V_opR$xr$WuC2y{eNrtGELd$Jx{ z1E8lu*W+2l$UsMQbKN=itWbcSBCvGIJzbvYcnW<&-6;!nv?pPY7=)%VD4!^4a_<-) z=&=4by6vvanxEG6NM_1Sq^{`&w3Ofe%L!d57?Q634<$04hH-$7VBPV> zO&5f$np`Xe_wJ+Gs#WbRzT#eE_0v*-Wv3ToG1w-n3WxKAlf%FDCEO!3H z4t6~_iwH92a=Qh)F*49{UfrpDdv;I@J`19I+EG^%=*ESO{q}K%045V~etV26#s)g7 zVEH<`%aT0|!02|eu`z*ef>-8<(a-M-;xYgO;yndP3!tUA6|80ZD)Sh47996@D<;t2 z9*sNRJgQ@ZRTLA`UD81&UZZu|0NpsRj^v0bC(uthe#u%*pic^{j0@uN=Cfcofi8>( z)aeFvSi>dnWIDN90Re6>$0II?3H0e;wdFt3+XBm*V3tm~G2PlrOQ54-I~Q-bgkb$6 zIJ{norLHE>&5gbt?s~LSu)cm8NDP*yA<-&?0KXh7r`&W0Ix+>>k?G{%&xv_qjBG(npj!lV=9!EeZ2Da@{Q*SO`8-s z;38EsUlZuo0v)}d9Ji0T2ShVfGv%5R?o+u}IW^GkrHg2G8fo4a)X>m`Xagm3QolH>nw7S3+l z9wcJv?A)aV4|P!2EtmNpxNv{ty|LWnZbAD7y2b4l&M&Gj)`=DqNUqjTeKGI!uPp6h zpx(!?EADqJ&Ti-QA+pH4=FOy&rhRs6P0#)J_Vb%S$Lf`YM{DmK5afZu$qr&d0MGHi zUOFjOO{POVj)h;GBPgSoiEbs}WclKm2~&K7dp&)u9_9!g3p#EbYR|H{t|MSJecRQa z@J~IY{i^njIeTK!R9e-se7z$(Xuk!_GZ@G@rtb`3rPWV`hezgmOrYaLMb;t}ZzgrzX>)TIY)!FQp92EHLsQ5M-u>)}VOiNYO>r-xk0eq2qzX z&7(S^#uC8W#Z7a&cr=r4b#^NMPX~uTqhZgOoZ3_M-2^(_s4#ecO`r|_g43;gCeZ2j d#tq)z{|~UqPnNW5>4yLS002ovPDHLkV1oAckj?-A diff --git a/my-test-project/overrides/app/static/img/hero.png b/my-test-project/overrides/app/static/img/hero.png deleted file mode 100644 index abe393f45dbcab1571b0d812f887592f8c41c255..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 54741 zcmX6kbzGFs(+CILkq1Xh+|eD<&Cy-bh_rO4q&##;cPk($Afbe$CyjJ>r=Wmz$;}g05D4@LeDc5YSo#0*2!8}T zQa~UO2L}h8ot-44RO{>OySuwuT3V02WE8aX^Yf1{P(DRGQdn78DK0L4L_x>E0000J z3;PkWu(0rmf{u=%prG*BH8L{d?Cjjz+xz?X@9F93M^X-P4R;wfT#XGgqTpOho`&!3}aMPC z0}3)+T-@>TiRtN?mDN=qJ|P7d(a_Kc5!363Z=}l*@s5s88o@}lZ*ptv8_Ubft*xyx z#L#cwzM;vijE;`N#bU=NXQ-*E;RuGo!Jps1qmE84hDN3snc46WK9|?`TzEJ}6l9Fj z2_jH}{a?S$sVK0iT>Ti~b~IF`ROAQFoOk7phd1+ZWkz z4;5`n(FwIepK&2xY&JGD_~-v|j%aKjy$nt7y9Pw~8_|UJ=0T$T%2otQrd00-UNlKuUB6I4o5$VL1 z&J}Uff%GOp&%bu$P%0OB;W6?%_y(njk78<% zqj(=JNyuAQ^Enz8E+LHksUSTI2dxCJypEo-k&LFAna6%!(&U(h!{qSdqV+&=LUMiZ z?9%MGYgCQD+1}SJORnHDG_(l|6?vqd|H9$2WIPp;;=4ytjUGm2C|eQJE2Lc zOs5R{pkfVkN71j!fWzE1I;KLRIWW0E4bZ$P4}tj#C(Y+e32P7Kest@jr_EnlNgw(8 z|8f_O27V9lGt%S8PNTlp>l3=_04@5RxC4}hIqddNf_8v3u7vkmWoU8LUMTuBP>&u_jOFw__LLR%x6tXDy% z0jWHTYNr(e2=E$d$QuGqV)v-B$O!zwjK;K1oi_Y}k3nR19h_~+OLnq&jBEF#d*bs=a5i2q zBIM~#u>dsXKtPa?BB4h(xmDp!vzSkbe1s@3j`28z2t@x&Ai;__L3W0O2=x9h(N@ZB zN`KrleR{C`lmlZNRxg|s0muY7FpPHqFK7w04AP%zJocqaRXAR(Q*=L9Wf>MGli`#C z6xpaK^7Ufi?gSGC(|bOc9803a=~b+BD6z*eR82KXNR=?<(pHa5W0w=~_ib*5ap>EV#;-ZbAq&RP98>~r*=`k-vBw)e^iK4Hp$?qU&)$#o<+sLXibVNzLejb#k<7lnUl)yO>$!$4HDufCV0}YF`GtSksURemeFt1|-ORR$S z!&-j*zRZePJ7)GVSO`!r$Y|{FG@!C4M77`;{K)cp(ykRfiLmd8<^V9hIMjm;Ky>OB z0X>aiC_bu}mx}<$F=cymM3qHujIunsU%t10NTd5K4)IKe0>B<-?#IK_pAcbg#z9>& zZ=b%M#b9B6^%WdoVSg-OwD2~Q8KdrWL^Cnz5QLcrR6*Dwo#Y;fIj!ho!4~t`?;fV^ z_`Ce%VMz>=8#61sp06E3m+NT3&9j!d#Zt4NE~xs``;N}*gMYi-U-O2@@l;}3KHvl&xNCr zx@sI3kLFsC{}Po9fk_0}p>3@TDb8pli|^{iu7V&)xOkJevs|*J$*1miyxZMJ$QqM9 z@W4m(5Ki={p~FKWO22`A-5wDxCS5`P?5iJv zL4nF(^y_Bm*Lc9DSgbCI98ijYC#Q+CG;6`8SjL(Ai74Su$saj)jhUl+M1|&B05gAT zagn+3qaw}OVD_EmeP8J4=`@$!KvWiJaTDDvhjE}VF@$<@5MX%>WCt>ao zSI1+odoX+?lKKj^4sTqv6y7!A|& zi`J5U(!X=Jb)_LxmWi&@Kp zl902<#ISP9OTWv>6EAOP=A&9{b6B|^Ruc>L`pH2(!k8A3JoN_bS+F+aVf!A&$jIlf zS&Q+KhS_H6IDgH(xi&{!(cdy6Iao>l7&;0e2+x}nSKI?Z=KXfs{QPBJ*kX#(Ff-Ep z*Wk@}_68ytF$>m`MU+^Sm91nz{9-7VP1y}mr0fK6NkE9156|j{rV_tk5uw&3o`n#n zl0cE4Vbo~%yMG_GQi>s;d;mHagAhLp*$Fy2wwNkdL&U)mU6YbDI}sGl*S~lbl9Pk& z%>JW`)vTGEtYcjOXX)-lc>xg#1+Q3GW3!Z)A9+Y9JXdls=IA#ZaiL;~eY9JZxa$Ed zqI`LAW#ML0mj1;ZunIN@;QJ14E;IBWZsGO7)nA`)&#Y{rU#ylLZ|C~{ptELY&N*V` zX;co!RQD>abPNASh?0*T2zc#phGp8#$__2Wd_y)R^G=qJ0Lc}FW1r$Um2NNoqoKPG zZCFKVmV$2iAA1Pvf8qoHVA@#vY)Yc;J`hu0Sdh$ZLdSevBkf13hz=M(T86G;q8m1R zdNc3k@<~ecX(^1+CLsoFCFQIK-S}WNl>#@es0)7~CpG44FYw?Kr1E=NW9-jW^2-<0 zp8ttU$N&KR6c{rD-4{h)sll2WX|`5x3#$)5RF{mmja&)lwL)0-n1c%8h>zoNAm`va zd-skCYlq{vle+s9jFaty2*#eft#vrysq3E0mdM&*9PD<;gpkroPS(pV5(}y#M&;PU zeQNRZ-Ilt8vg6AjDv_!nA1OSZJyzgti1uka3dssYl*&R;B}xfkS?p-Tu3+-j#H(KX zi?c9^M_bU1f#J~`86wks4t~VopuW|LI*>A&);pSS5Az)|_r;dD90df~Z5*tZ4J!3{^SQ3@v)W|se@!LL9*)hcIK(rR;@93 z^Ev$$38iclDn9Wwg9~lmhD*58!0Z|H_D!6HEoL|l)~l#}fkOdv+Yj$tKT)0~&*)Eb zqW?|89Xe>%M~f!OPm-H?J$*|!oK!z*gc zXW#Ac-M)mhkJMz{se;~O(b{lO*sXl8YWNpC0DpAtzoAzf2M0+>Mbaxgv@ct{_uqRa zesy0T+;&JutrisDCiwtCN4$uTquUZpmBQ`6ceeUS<>C?;^%E%`oQLR{XTMWiHj08x zxif`bQ@(zC?N`@a&AtZ@zj0;ju(pXl;aTkreVA@)3<*|U7dIRraKFs0 zfDgfG+eRz9TGdZ}&72?5#R(DJz4-Un&HOOscS>iV=kFc;df1X#ewS4acx7oN)^}43 z)y?`cL)s+|e3M1^gYbd7Mvz1yC0816m2GuV@~_*^K*NE=+GgMRk9Ze(gk6xojo)lo zUz!Qi+rPf3y<0w-ef9G?X|~2ZR6`B(e)g|;yUKz1J^nxPK)cxmb)p`RRh>KHmsd~P zausCX36)O}Cw@(r;cn?EUH=CDT1KLR8@TJ@RhOKc&5YpGP{wD}=m=*GSkK^r2Qb8# zqr`WIG&TLyf4TlL$!iH+EnGf)Ob3W{-i;3By!EP0p+IHmyn2v?0fbLs>N5n=O!tzY zx_`2VLY99@>!9x)Otn;$Gku!_44`rI_$l`KUpr3z{PdC@soGrchJ3D|0OBKED`QSs z1S6msnp@sycq9}3qq8Ic#x2-4RP!R%xftdqH*uXa& zac?0T+w>bOhakeKtx?7RVObgp3}7>zX!ozu7I)thJZdevT3&&hozyp~^{-eC+FxKY zm2iI58Dw7fgnm`ISulYTf>6Enn<9F`*>19&*o)dnUx3?$*3HFu5XxA^LLv1vWGf2Q zs${tYoP33WrJUHn9lcNLhzO+r#--GgHq{mq>6ROKH*jP$R)NKab);H_ogeqcCAuF; zQ0UYNYTsmQbZ6+Mw*P&?SQ>B$L=P2z#hujrBsR%vQ!jJMTTex^L6`CkcdF``_`y(x zXS?t6k-2cLzJAXh6jWKw&h{WsF(mMY0uDBE4ha0V8T4_rqV-E(zlPEN(RO{{%eNdH zm-^Azp5~p7ITlFchCj8TlCHY?%e-JumED&;u`#TiO%+e3nY=MtruMuK3QTH}#jAb1 zb*40@2_%23T+-hTR5&8hQFfg8$dKv;Ux07~7Ico%gmyeg`GQ~K*1cH4wuuz+C8`XR zbqK9ebFA6CJ!_olDXvGFK1JE`GnzmA_Vb2+E3F z+x2)p##ZsL9uI9N7Dd!^CpLWx>!oA?w@h&=8}stT#bB;WB(m0$-0fSb z7S^5}Z_(AVxFqh{@0}s6Fn;y;H-E!-zshvT(@VSZK)ZLH)h(mdbMYcnVyl3eCh+4J7Nu2KR=M6Ex6J!*zo*J zMIXF@s{h1lTuxd0bfYj|U!bes>eEY?KX#&n2>}_Z;UPa_C*n9-Jp<7lf;zA70%QD) z%zRop+U1#WrjRXDyoUGV9d}2)Xq12g@M~v4L6P*JNSisg-Ms0wzAIgoJ6O!nhMyY&m zxr#_!JTO?uh%)4bXZy71t;UBuToC}p(4dtHgVwL^M^#BMJsz3O^ESi8P z6YM}Czwmk*bFndh1rLY}M8y0~h?o-0BGF_$|D8@XO*8!l69cG^+W%MVjIWtqpn#7$ z|IpU?)?=K#DM?g5i5~4yJd;#tI-bCW<%hM+c7-Seg`GSeF}W@ewGjbedP^_q?M#}a znw>xa5C=!QJl*~`(`&ZzcKJiuUk2Rd3s)$W93opQ{w&3=sai!X{^ zD+=~vtbtl#l7==tB?JEU+9AQJ2j8YapB!1VIJrmRtii5@u7pz<2K|W%$U{cx3j`5p z-w%7I-X#v^2y>7xoK66AffC9c;SCR5nYWnx_+B8}}E3{^zdaOuOjfA0JAd3?l zz0Z$P!Dl&_$_=+q@d1+q*l^Yi9lv*-f1hD!6GnOqjg6!^`r9h#Z-5LnZ~z<393W{2 z6nZ^9b=3Wxq8~p`~?I6@71>P*# zg*`J{dYKRRCeUw=ejb|%Q1y4uP(x#9oPdN{3SfWX zaBJf;{V5*M$|XK#p~TI&e$1cY3s4hAYxDL>Ag|7!KDPm7odR!km$*DeDv$RTJfTB= z?pW0Os1X`Cl=1_y>k7-{n}DCe$Xb=toONiMV&Z(#RBc(@iK5K@a?#4tClz8bPy3&$ zhmdVNa+xu?^U_v)Fd1f!5 zG3}BIZIjl5x-wQaVqK_*)6g&d7;L#o$NhYO4i5P4En(Q_0RC`=mwz~x#bz`PQW0sh z`irPQ-@vRP4H`Ri_XdY_7_BNPtZ7uQ){u@jk-aS7zZIQ#x;|S4D7Ut4w7a2g?r+2= z>LmVru9;aSFRd0+^aLDO8+1c110p24prAH7@OebvI7ca_VuIZ76%>!rF;R9xivWVwCki(fteau z4f<#L)w!zo166sYv3*#+e1F11uMBiNa<7gPlw<~$ zADAHHIFd_FZdyE9Hh0oc_)>TyvtANCLk-fm6a2c2BU7s-<(@`)r46P9%PDcYLvLaO z=|D*|V41K}w&zbirn`9>JH4Mb~6h>wcaek%-d!GyJ`f=s3_|t*%o`7jRMby!8jPY?P zGdW!ty`PIX8-lGal4bNpDhYz%zF5i(4-(u$yP(-;NEfVvwE?MN`Q|G^gulZJD-9s& zXLD|-WPxrYsJBxg4x>_T^r+ugF{>=Ok8j*)jnd*=> z@X>X{9{4Gf+y}a3sd&Gl*Asvc7uXOycY-YBSK%b8J7PVziSv=;>cffX(ir^P?!8uo zbk`OZfTY(oae_wMiWO%Q%YwN%aZ!Nrgtl~?%JSHEX%v5Zlb0_cs6eu(LlnHh*adk^ z6N3N_R$%QZKaMKp$#JKI_+9Hq=}aq&_=LodY0r#$n}kOpz4%Dy8tk{w86R5$>KFoK zA&o)Ra{*_(Mw_}~V0dRZF*hXAlz|wVC7Bc7elVZL;G_6UN?JVBEl=2Q0bxB>kSKLw zh{e-fGapdzlv{+mzldQfaW49ZJ71fhD=i=)UPa7L2`pI*=CEiU=cpo&@uMvIZ`O?r z6Vf$|(^>lQ@TQfGYfhTKH`R+HODc~8X08zSN#Q9%-mHW!XGFhEaR9t03!FtiCpkVD zehSJ75ic{iLsh?)<@#GMn*HfX*fxTKo5Ci2I1vxoI#8R}=}4Gx)Ch(#WEps`_qzkW z{F2y6?(DQOd@w-?vs(Cnv5S@zXq7j=n0c+FQ(-4>4-eE}{azG&#+6K@ABVBxk3TyPQt@n2W1ZclWyMsD&4Yz+rt&Sw5W+zKOaN*xm@Y2eY5VYUSJ%WTT3~*+UCvAS?=d(!=(<^6?+$*`O#E!1D8}QA-$P4%Zd+F*HE(ih7xeT z6@~GsC(F2FmgN^u0cBolBLsa42b z)c|2*P38nJlA7A9LUB#4CYHEnc9BS&OYe4m!fGB?szv{qMzN`MhG0<#ZnR#t&FjG) zAWa3zsS8Big99eQOlLlqX@EB@oI+4k2KF-F@iQYrO{YH`?-rK!Q}aZ@TMUEbut2|W z$`g)wAGZzq=@DyB-S|OWJJDSQYn2Z+zj^t2>9G*UE8eFJ!j(~Y;!tT2s!*HN-wF>b zgDHlnz7Iy=Ecdhr|PjTqL*^Xr$W(We}mN8(Y>#}snW9ibP{}KC0E#P(6^?N(=t4z z=SlJzov9%=RN7ls=C2+`OCeM#dP|ZLxY6uM;=?v*?@2uwL0K<~NpbTCsx4ZP`CQFG&^p)t{E; zEW--gtgAO&2>os1nwC5!RV*Sv49du2KR%#JpfVyDu-cz)mz>R%E#HqUjgW~(E2N#K zId4UzDSmWV#YHCGJzv4sya;DuP)rf zsF`xTTgxvKZBph%%R)0V`++g4j{c%1kbo-ORYBhUYoyOezpd|$UC>b=m{ckqW%D((lcnSm?zXKNUVLJc)Ouzxp) zpTCH|_2s&v%a~>48hY&Nd{6cX%2ELyG?h>Ifwtr1Zb^xbgOj1lL$yBn&ggRi1Z(bF zl9&76fZxY$wZW-{W^m!E1CF&)#`KF%V3B#g*-gv#^od=P7J^mF$|kO_iMK8+XVKZX zQhrLXsr+fp-Sg4Rz$bVRm6Y%v*1DsTt|yfNxTboL}0? z`s7>LaN@n>EGp#Z(KPL-F~n)L0K-CAnr2Q_PwT5xB}z==XCCrG#2OYWfBpe!hkC*$ z(EcVT8kdW?c#WH2{3L0~Sl^yT)^Iqzio_jr&0jcvK%u#1E|KiMG#=*pguXff^M}>T)c^Qef+raVk`0HZ5cGJk)GQ?g( z-WhANlmzo!#Z1dz2Q6w4N7&jIGUTxa2C#GHE{`t7#!?Y#;Q%5OHFOMlK1y)w)Bq); z{w}M#cgUM%^9+*+cp91mX&M*d+!BH}+d5;^@6<(|xqUVk!6NNN`16D=qS;r5=8>Z< z$VLQe8ZN#8UuKeU%a}o%2u2A`OL!4;9f6Per=ljt$8QEyAk8K-AkTpFHBk5PUAM)m z&&XzLn?xsTnCWJ;=QZ$QNCLI@Ulj1^{H-4ta2rKxTf1ZSfu<|LQ}IIo<*+!xvX3#A zffqEWC!3C0xY^MfaNLoxMKMFw(?wA7DR2>C)_%=oXp^Tkz~act}AOg{@qj-b>8py@l4PYar}u* zQ3wad`#@!~1_=_M+}V`{Zy|E-`7*~4@WG|ci%;Ia*ri0Mu*3<#f9{S?XU#*%#MA19c(=(yrxK67#`-k(5>fT@T<}lcDk$d{9;TYwsrOQ zN@U&JpwPPo`L(vEcfZ6_Sbf1%N7_cuOvSPpPZhrHJq`u=6V!u;_inA}fWAdHM{70o)xtuE0Qhk;qQ$PotMk5(+z8s&tsF%` zkpb-QwcpJnlFxM5UBN34s;JJ{!wN=f&9essJZs>91XrotV#{hZv~VGg9LQ%A=?w7S z=R?gtTGP!cWNY<-0$3%+DB;*RRCav0xBHZ|;Rm>J3NrVD)brPh4hu9YCuK;Y?t7CS z_;pp81nLALOxfw1k8wiQWXIk<#q|4!P7ai?a=*AzQdJc)j>L+4=uuDTqn`BsQ1EeP zEBMpJh0yQe_LnbLaxU{>XrHk!=$ms7BNF&6f7p*12Q_Kd*0CtVX|QC}EZV7GcBd^T zt7%d2(s*a4a1gcWeorHk(jBYSJoaZ+!zkVcDNU|QmwTs$xU(=5y+za)AB9MCO;Ael8mmmWCk>?h;lf)B}iU7 zPfC#Ei^Z}KApT1lkjo$OqV+P^*oz*1&=wL; zeIZS*xT<(LzAQk)K}`_{f+glPfac6ls~O$-vk@Pqz^R|byGpk8lBk&o`I0O6vnwW_ z0u~xR(&GyhS(6g4+`~w|uA5ofVe~UK%9!MP9XJ(c!^IH567vM7xCS)i;-&NKI^4#% zmdvW5s=u38|5C*|JpnCI!F^X2S=v>63BrlDu%Q)RSieKp7k`c<{M(yqjMhZ&|E`!A zweSHxVTmT7Ii?6A-;qRV5K-e;@BoH+n#ra}5hPk8w3!%5KhUFSz$dRwtp_r$`?>;7 z#rpvPXstV0M3R~!I&^YptZic8>$;!}9HIC!rwkyQ6aV{@0t*tY1-aG8gnetC6tE%z z94Ny|1(P|u1Ip1)M3%ItYd^ZE80B<33&wuoEcM}6wefB?C*Y{G`vV%a7R9@XDF72> z)mPJSXPkE=XDsm|pEP>_!(o6O?&xzDFUG(FMmDQd#s?qjg`JpiQ55=&cokjE zXaPJR8p$(n2x=gB%vh;x@%8oh54C+DPpmo#8dqqHgHs~U2rz1=!6p|3c2Bw4B}#8{ zZ2Hkj6p0~{|AxjntBuKRYl%@i6qGNS?f-!4sIh{(J>&4S6#d)37VVa1+-}pajGG$b~d?en5V88r;&xLs5WD(wr76>59Gm6oriO(?bop?Ov17xxQSMVBaAtI$8( z3kt7#e-<$<>uQnwkBMUZ=-={VYBtX?4d>r0HmPt@ zpv{j$6N-i(rXV(iVdcfB@E@DqUA_CqibPZT{f~=Cd*1})uL;u2;75f0T4v53g(|3F z|JcC2K@^R1($WMfZie^#88BVDUbtpUj6yFYDC#MMqhVLWO0Ddzw=T7zEwae7;otQv z%Jh#@tHT1m(S**W_d|_2hbygjexwtrmiaBfmJUIqR7Vi2bh15$-0fN~()0n@>`e`9 z*XG^WKjQ%nqU|uoL?Idi0ETu5`4l>JKV$xBvS`V_wFVr=nes}?9pU?fPJ!P^(JWm? zNVRfCd`MqgSnph9a((UW>}GK^>4^xah;+NN+jQf+sa-*vQ+q?>S~NMbgXL;<8dBI1a{1ngsbH;wg6yi}D6)h#cXW4BHXPT1Q{Y4s z5ksf~xhu{Lp5-<~Ww%xnm2P+;6X|kBQ`I z^C}mJG@xf~^P#uR192M`a7=lH-C8+BuCrEew)QH!|Lq7Dl@dXZ>ZzWRAx81W(K7*M zgq#Y;h}dGxQ=exJd&M_+jLGX#G#&lSYW$F?!L^(c4*)elUKN2tP<-lS>Ud9#EDMuX zIL>@j<_`&dF(bD1(WF#?aL_Yqanw(jK!90JKgmJs_zWXN2W|Z&Rt`8Z{lBG;-d-d7 z-r^`he-RAuaza6}E4wm&oZyit3`+*`C=y*6oC`4yLvUWiF6~1 z4F~@G66i?zBSNz`Hu5(#-i%_F?qOtj=->V2*`0mXp0t$o{Y~0t8t?eMPxJZW!A=&> z@WiBB8W?S3Da%r6U(DGFNb@p}jjGR&TnSits48)JC)G9S6TRuHDHeaZ)AB^OH=#pA6$X3FMXz|O3l zxn&@^@EF#;u2^epWC+a&b0p}f3Uq`(rchVUO8&LRE~Y_$#Pa8 zf=EUbw+ay`7%BSIARVLvR561ggMiAIajh0HCni$#OBX^FiX2NS$q>(!4JRdjK@U;w zQmwr|i(SZ`DV=|#kAVSa2lyG04%);v#D_&~W~-FC7R1zULU}qR zp^b~bSsiZ5B_0Y0=Zlg-4`2Ma-@ScmNnIX2v3qe}9DOmNMp%|U5m$%x^mRB&?fX>s zv;$-?d<@@5*2t>wB|o`&b+|@CIE>ud+0y#>V9sgp^?cXk8SpS7Sq(j0-x~QA`I!1w?1P`#l zK2n~DwOg+pN(En|1PDDwkI=K#Vfda30yHeCPvcc4dEF@L2M!7JJ*pp3LQkX(4K-FO z8D85=qvPH`&a%88f+VKP*8KkSemmRXTbQDoLC95%t(QXz#S^n-ZFejr4+H@w)^wlx zB&yZ!;yV5|OzY3QkI*MNTs-gcHS5|ip?hYC#%%VQ^0fk=?ufXdlI$v>o&;UEXi5&f7@a{gZEIAxuhpFG$|}>b6oW*K30$ zsMsvJ)8t(aj2f{3&v0sK)Ydgk-fN%|RGu#z&l@2S_shJ1fdBS%sqwSyae1(aggk&q zEJpaPfzPoilYs=1fsAJ3cjK1?G~&4dSK)FjuT}#F^NTt82^e*FD`8@s6#6!&d#aXL zA73+{EBDan$s)UW3)$}6jo1`mD#lhj7$>gdL$w}?)q$l{YzrPL(TH1(1pGzvOU*Tm zNEpe%j*OMMd(R;O&v1TmQv~#Dr`^D}y0cYkSkQ@R)Y?*7pk~20pC}!rQ^Pd+XlW5! zd|b^O*xAu#(5sXlt6=`WX4X$JA{CKON|7lms%7u!^VF{E_PDH24Ktq`XN%8Vd{y{o z;~Aoa9H(y#vMsIS^Y-yeT1xsk+l*^`-)mDE3!}$s9(8c89@z#LxDo*S_W{#JX{62- zO})kA3s^6xmN`>ZKa;o1xHbw?cyA2Z{BG2#u2DK>Y%kQ!T%1}3|xWyE;8ba|dO_Vn8(;@G7c|&oFIfGP3 zj5wh2ms_%#fTQhu>vw620fLR_zP0a|H`=}j=rvanW!P`?nvH>Rs8SCg5{`f1#|CK) zj0lXu%p0Q|H(sWZF8T7f&y-ve7LjqPV1YDD+7B@+y^X1+34*n`6{a(j@VOsx>i8T# zdflbWIK2-vx|s&(Ih+(7cmua+yw`I$Txry4 z4k^i4Y4fxWrjmB)?tgKaroMX^gMiLIdqb9^}Msh~>ba>c8dKT6;o*xkRNnCdBSPYa3@1ja0Jsop`lAbto= znKJQm)Hq9}2PT~2=ib|ZsPxo;zBfDcX^(D;Rd7T>RFenuvU&CB9%uj$E;uo8G}Uhh z(tH(&Bj$y&EHs(34I%= zN6?hY?mn@KhrX(v5>yN4b7<8|T+3ej9HIH_gAb#sEscv!sRBU|vF&#avk!Vy$#F$V zkPl4Xvo-%>;t?prxKlIv9SI9Rr3&SLFTfA*QFqTuC$;ZE>#qwIY)qQf@25=*rmV*f zyNC1OKzw2~c0iN#d{$3kcs(xStV>16F}W5z6gd}I>`NDq|27SSD>UdCF<>_ftkGm4 zkWWw_y#UWrO4i!`U#P;HHv`xx{Ky%Vf{D+s?9Ej14~NMBY>V!%uAzcIHu}{+yE8XK zNS@z0q|khD;S@23ag0^8DA;Wd_klo z8Y%Emy|I)8s6#I-Tl~$*1-SJb%uK5roiK${4D2*u`y-1u>s4mr`$tF_GGQdptvm_^^Z!EwQ5NFWRy__N3&p>#x3s0sczs|gL8OqrSb)nSsgQHKGaL!U4644uBTULEx& zjoFX}%a;im?>UO=VwfSwDcWSdHPXC`djsc4{S?8sW{v}|sOFDW`GiV9TGl4y? zdaT2me<U;u1Gc`G@_YzW+Znb%pSHzXUQZrEG!NM%aMgD{7;4;Z z*F8eAxrY7blA?D?b0pqhFPfXnjEOSazrB3@s<4;?Z-f8DQG%SzfHD^fJ-sp&ed%AATG+8DhV{-M4HgfRI+Lj(oYQ&Ma0W2Ba#p=cu3 z-mB_8H#uSl&3i(%MA=U*BZ@->Kn`#9w%$!>)Q@n^agX7G|0dp`A~eT%l7jkT{7;Yl zx&#@XzI*M!oV536Iq4-9)~m^x zA%#H}RVns|nlIJANYJJj%*y9g!V@O7GSksQbvcqSVgXHhgMG%E>{kTIU1HEc#9{-7c}UUaC`W<9j1$slIMz?SMAk1Pd7`E||W^*G-2HX<|J$+cNNO*KWuM+r>XOB3j4XcEz>8 zd+D}D;ugu0VwTdY$5j*TiSv@z9j9RJZZeixt>hm?ljq#G0RNkOxJ%l5tOySK0MD!w z>IehlYBYED>t&fIsv@fC7(WxJOmq}(U9k0U;uilB#TNhXk9Lz%F(-Qt(%&+*0LgzP8(n z`S6DrQick(<@KM?rKmf13GcuVA?~ZTc=pwsKOxs~UceA37ClxulQ?HV>t)pI(7E7w z>iggbqOJCIHgCY0tD>jl`5RiQkERR(?9>Pv!NPJ1+Pdv*tYV#w>a{m)98anX-d=r5 z9{cXmDZ@jOVq0)_`9+7JSSVW}0=_r}{MK&PW-j~sc!Lz((T}P11@m?CqxzkaZE&dc z<50R}$rV@$+CtN^ffNp@%Vo|%#SRDR9d&%jz6HzVVMv_uv!}csy_XM@E=l{YXC;P8 z8X3Nvd8b2*J1-FayRmsh@-(eAxpEvLA=66&w$b;me8YBa9I`6VxDM=NpU~(RvZ6Xz z5oVCRIhINy>Me#=s1U$7ubRyvP#-J{;D72?i(o{Tue54?UH|>+_c=V)R$zjY*Z7*7 zViUTg0Jf@yF`!Bn|Bm6AvS<*X*him5n?!(w99mSYo}%r4RzIi$KH)==6M$7yQvm*KV zEnZmJQ=GN;ChL%Ny>H(F#<-5T&s3X$3{Gb~li|N&{BAt`tRc3QdW4oP6)zGj%uH7; zU%9u=xzTtFQ_%j>mp0fwqb}q=(q|{kPObcU9hn#KMW2rzhc+6k%%HQ)jr$#kUELf< zpY528dEs}6*vk%DGB?@|0W*^-x)tNOdE+^3F76L9kAEQN6?5rn+ItPA-yC-Fa0VYf zS#CLxn=_`P6bXaLzy1jkW4+p1Oo=*~%Lr3O$%$i-66Jj2Luy*E=R|3w);4=HT7DPP z9YX7oJ^Z(kgeRP#!>CG1Yn}2{Ux^82oSVoi<~)eQPS2`jBe7YXtv{n>BQ!|i^%WRB zdH$-w-pxN%+Tn&?lA2O?ER(h|lQ8ezva}deCQ(}6oM%=}kQ+pO2a%Fq$4)w4lK9%; zzs%dqV9+nNtF&Qo@GRMpfSzyT1wR0#-iiK3D!|rk|4nA{$pt4q!d^`73LC{$`8`R0pk#)8 z@MWJVNdvsHm-%-8Sac?M#cCYmDfK@i^mopB9p`2lKSAg#c$wS zQ8b#zkq0$27h`cm&&%z!M4uEDN~iWZ{=2e|`F^4zwVky}I8H!Yc;~y$T0RcBu|-+w z>{c~{=NQpT*n8xh8yf8roJT0@if&w%D(qTS{I0vaZ{j`RUhoUei^18aMFX$JzH27k; z4>qAO>)FMTs48W`_x#@{1>I>%;E{KLq!OX}QssJLSuL7`<3S`Lkfb*^CFAtNSRY&nC!$W&Ui zu%Lr{{`{YO#q~wc*{Ea<2q+BOZGql>0o!Q0TY*dw{S(LEAFqOaa0mX)__8RcMT#R& z-n5A28!8@RU(^8&C%h!xxId5uX)uz1SF8wk2Bzz9jocdY(%cG(q*g}N#6F$cp`T4o zrArU3^S9(+E6^_5+IHjy4~?j(_$#=zrOw;1>Z73(w(5?%g(Y4Dg{He?zQw;DjS#O% z*Q}6VRq#o`ADJ@Ga=O3#oe`Q&iBu@IOD&~T-(q5Uoh%q@7+O3OcZ>(TNr+V7jH@6z zduju>s0s1&&xYc$H2)t*R~^vg_w|VZ8{!xnAkFCRZbml)8|E@{>tHTm-ICoV*ar>Z{l&XIF^XK<&%Y|*&w2wnPI8b5$1Ms?u3vcK(EO`TE zDvgPh#W(=oz0@@s{A zNE{X7VB<{0M|xyN@5t#i<1IX0{!q^bfL;MwYs}O>C>|n2E5nz?>0%?PBjTK2q3Q84 zD730Cx>r@W*h&1L9((h94rprB52vYLn~O#hAV7C>Zzs!~Wy%|Sp#d61+2UCIbA;(Y z>zdNxu8sQHS2BbM`rD}?FrEkyS)bs*oHxk4xfFY|3t$FA(Qi>`_YHufaM9c(&~v3L zF0!l*?UD77QheCXLi>_~%J@b{tRPcWEa+~shk<>3G%nujtl{I_h0xbQ&Vg_>Z0`4> z(;KOmR+D6uz)o9j@E!NIrQm|$Bzw>{*KhL+6qT7hp<({hjPu!(@|7Kcy{&^q?<0d| zAFghWI8^hVoG4k`_@=Ec=HKK4QO-t&d9$Z>*dg)QGFA8!xBpf`ynjCo(E@vNs`)WS zz>SCq1MR`U>yC}U?=&)05QZfZBJy5XMb};mdhzRUpG51wk`4-uk(*wPkc&^xE6WlW zqn)q&1!N@b|Hkl9y!fDCJi+B<>7J#*W6wNhfA>CI0J07PS~tMWH%p0VYu-*|%M-;Z z*8wR`o+~Q@2r>(3yKSoh_I?2meVb0dbTgp1x+|H4??1n0@4(&B`KcE=(A0=$LW6b+ z`%RuVHu{V4!tRUf%p``agpMR)hsP|v>310_!t@BdJmVgIWgmrcwwcrz=RArhWapbH z8F9nW*oNQ@zZKtr%1xcYYj~B!vCs4jMDZS=*x)Vt8q5ke2bYW)$D=Fv!~#5o_E0Go9H>_SpYhB(H)xg`l$3hHl_yT>S50yi zU^K5V`&Kh8ItfR;0g5v$nK;1y>(iTpems37WZl=uE>C$VwfiDC!`x&kZt{&prOXYN zilS<>9XvBKuhrMLavnY-lJ2h_f!xeO9>BvZDC5 zP=3loN1DkNCI0>z#LP((TOh#)Wq5!d5n&;9+$Z2)A9VExP%LpRh+vUM7RXCPh1NmD zlo`#~p~xeL@8<^|P?ikV-<7WS`C4lX+X3G1th-+BSd}?rdonBrb4hA$91VyfseqfA?EmKqHRUXWpq@ot5qPa-99VF#jLYslk0;&b^< zpSV*GC=2|6$-~V6ue{j^K*XHTjMl-h$CMeTi?sZNud*RNjA@%D?WvfP_VBZKa*b^2 z>6xIdCjXi6UzD<#Un#2&I@aDgFqHX4Iuid8!7OvpklGSq;1E4g({xwFECBt3_^A%! zsu0?jVb63(MK}`LA7fvebUsO5nA@0~g8c(BkF}9Cv9v409q{8;3kqFsR0ta(73Jfm z0icuP^XUQ6v@xG3(`+ig0|D+)8%~17XuVC~D1**{C?1=b!SnX3`df@^ntxISfJo5`7=iE!^&B&QD=ttwEVw8!L$3Y(+^K0%QUgI27Ys_ z>HQ+S=j+WO(8L>``Ja!U0jGtrcNXymS^GU)0Zhf z#Zu!V*JB&L`;Pk;F=e7N0#mQ*#3saM=n%R?q>(MM45a$*1?V(+BCn`1F#3aODEAYi zYo$=Qg~PqFQ3zHRdz{P$2ab?*su;~wMeqN23=UrnVjvZGF2}3>&42daS5~X_zehuR z0&}I~t2ccYhHw6TI16N%E_rF)6L9V!iLRfN6_l`)sMCji7?AmMv77Nzz6^nc0{+rh zF8)0G2qFc9AFqL9a_V0=5ci^vo#&E#(Q@i>VKz_CUNv8boKE(50DecHYGIK|&IGn_ zh{so^`L{9%T5veyw+At%@XoP?95ou?4lSaud?F>v&j6Bd%%W%Yxu+xfu1l(^WEg0- z+Pj6@0U&_L*vNnWXb~)v(;3_OTz?PW zf!l|pwdO7o>&W=<^qcYbnO%eLfJAYE56AO-jJfmS`jCdftmomV*6LcQpsbrMShreA4S|C6s zg*e$?EAJw2+eFH(in2KT=K_Yrw17@ABgm3J7Y&3=z~no~j_A-BL3FwF!w?g;FUt@Z|!Ul{*FCZN(DcZ(H!LXn; zD&Y1ksyO0#Vm2~KnFdJIU``{*H^2&$HK)@bR5@Uop!4cb{=;q$`Nmui1&6BC%tDL1}C=4!tJ6zf7(h3UB>^UNJ21_ z$8AU(=105fY!$h@pv&;jAi5w2&^~O+cmN2=iBz7!1(}xQI{@55Hf0S9g^942oTDcq zPCkA%A_Bxj)@w_%uGn3-ZPW&_Rz?b5S$1cH$v%qjBiVvkzP{Zr!fN2$1|y_Jdd`km zfkX^cEVRJzh_}e4l4m*~%k@dvnCSIjSD;`+5)!}y=Vw(7Jd?HaT~1g`zuE>!{Yc4} z!Jpw~o3TK&=}i$N;BSPicEntDtlcqtSSx0vlqo|1jcKXo60m0C4+GO6Vu0$q8SZM- zOfZ5w&rzA13qDK6(d5l>*7<^`8+)gK8?QS8!}dyKnYH;F=x#U}*(U;(MbSkLt^SI) zn@LOf2_Yp=;j*fcu4q2Zdc(4 z8@uOG+P8?5KR|hL{h@(SLt!|LWw}OvtOO7K&-Pak&E<)~=Wx-tSsIGxN|xsLY$O$KynkkGFoU=EXhoUEVj^EM)D!PRWQsx^UPT7*W*J7SsHNY^g(KNcdyQl4C{C zPWq;wId+*#_is!6(FIeDmx+42%D>2iowMFblBv(CH7w+JwncbGGe4=FI|w%%&CO-A zS)6J=8CaALi_h0SL&hCc7q`jyyLdIbotnbUg5* zYbQsHshaXgQOVNt@QWS)NTe{z9giP}++~WbA&z|H-5kn!Sz;i3cCh+x8wu#4RcnoY zjz6Y;EtlEc_^!zYetE|U^h}7fovXP9Mu+7d#$FL-3V6iLgQ`3^ipqTd6eC8yn=hXJ z!o!ds;&j0XXSC6OOq<}l80XGIYLBGU?%6y%@t0Jw7+m>}AR2#2p3$K4vk#irs}}Ck z^zfB@c?gTdw6S_cG$l+0-&n_0Y%TUlOGCwp?EV9^Ed7xvDjI23Yse?8Rb$s*!opfo z$^5g-&mbW~TpF|tf}b`P?>C^+SL*~?H_Qj)t%MI&}6aDp~2 z0asgVWWy>RKe(=S@wvU__64qHc+^T(v31vw^kGNwrsg*m+)25Bc>g}a>FrOWB!Hkp z(3{nqa`nOSoYw4JGyBRjP-rNeCJkVV-QG0|9^%F*E?(&gXUl44;}?Axf?q$0L^J+- zfV|R9Jg|?@d!#-K@QD=feR380loum6*3_p6$)W&6J`;5s>aD1h`yN>zCtCgJwYi z632%ejo9YxgvdCDTy-Xq*^>pQyzcYs|7AY(U&+Wl!lsGBA~7VlRQVyCdA$um21e_R z%xlBLK&6*8&-gikcb5SVfZvNF?v9e6#zccI8vW**fDi9+858o?xhU6e8tIoA=PV#V zW05SL^569c7feiZ3(wDs~JnuGNdNhPEsj>ed0Vw^UGR4HmWA zvVK?l=8U*=cn@H5VX_b45>!!sXNd5^7w`{p^6WzW`fXxFXkOWt$DmG#n%*)xiVIbkwb^lm}ulLPjtW$;7SKhn55MzK9s$x{tNpcf}Pl% zf!3+5`_0VjGr}sHM#HL@vV|a#g#%n%lGM%oIqi(Q7|H9WkFPSoORT3MjQOY%E0o!z z!2i}Mwn4i+Aavn*X%Ws1+I`5ebF~_2{_T6`T8vbL>Ag^O8UfN<;R>xGPaOG=eXT%-2YD~6MR0d;{6(vn9b=GwNx;?pz6F+S30ZJQpKGOO zexqHUJ)Aw4kip!x^*nJiz2TEad{XPEf;lYQUZas7afbq!IJ;Flt~{l(be-v4RxVDz z;xaqMRLQzjnAO05_@JV}Oev^Uow1ZM=Kt4$$!7>}fCEspb=FnjQP*k37n{~F!0A2- zU{DUgj0z7<7{jgnf6m9ArUh|m;nc4K7ruFqC`QO3z0emZ7UPbup3_yi$VWsNBketv zQTUTzREgpW3p5S-tR+)d_eb!;jr@E)f{L6(toOqwW*1s$JX1=99JHvKJ@o3>1nT<+ zcxMe=E546+pU1mg9cOppc@fnREBAF{T? zSNUst=nXQ;ZZT!){YEwNbJ;671x}%3&1kjx$a9$my=(!^nCrn!jWb zdU9)j`9PlHYg%Y3N{lPFJH0hMUZDC6Ct^A&!2k!>m3} zZnvvdo+9bQ$~mFK`xw9TSpwK<)g15!e_AEG4Cec|ahi8Ch5;*}_;DjA4BDt!@PB-u zbCp`H2}Y6IoX>#%o5W;3F$`K8R%)tP0|s_J7H+AiKZ67{Iiqm(xXSG*^krMw?hLj z|xu;?3;u-j(0FU>+3smMomNX}(NthEb5t zU#&`!vSlra5%kg9d`%hv5|@{=*H5DMl6^HMALC(tdYJ6Tpu_5sj5M4n`g!ucQ>#ft z)MQNmMqB=PHGhAGV5zgX$J5@Hc>AQbQ$Pn!hC#|CDlPBZ~7j}XNl`MeSMeSy5da}jIN5tCb6-I9BB7t z-+hsdWc}3T^Sj8w@|9r7>&ZQn4y~1XsKeRJYlCd$kE0VOzr9DQZlM&%R7@o%rhBVB z+!=b~pJR4h%u81FjbAw%3L7EY;3Y9wdmmnm5UX|Y4!%P6LjrX_Ic9xE)#hijzmL`9 z7Sx;Oc)jZYNkpoAn54La{j(X`46z=l$7;`RqZY@dv&@voD``uRqNt1E$tBCU)vLOI zR|b6=Yk%CBwW^2v70>9L1&UsxPx zArAjBF4@TxwL{xIe>|gq8P8-yS^}-{_O5;D#_o^Y8S3(_FVL+3XJdV3JPbH?$$mDC z3D}U9AW@zM<0A2#`nyYXzkkVw)qy!s$F{B|*<~zk!`W;U&U&Q8te>C8z$-SCJ-XDA z8k`xW!-}cvobPIv1a#PgvZ-^)icHZ?)@4TPkGuxb(Jk>}YCulgj?Vsr%Y7>2mZiV_ z2Of)B+AltRN?orvVV%`U|6;p`*3fh?Cc`{1Mx{XXQnDH6!+H7Svev%gk`}uTd(f)vgFi`?W=!CM%BtNWZ=i!^>WcjhWi3BBQUmpl4#^p ztq?Z6oTGhkQxJ!_aG>3mxd7nXo!73K2%rfRQ7H^~8;pJz-sU^ImO#;K^Z=uJ{b_Gn z6=J4K$bAHA4B@HK=g5-=DAmPaWu}v}RAxf8@%X1z(+xSy#RKf3zdyM*1ctdm@pNY) zTNIHnV#8#k%?3B1?D)Ssv;9)YhzJ5NTL(2NH=-W(GJ{3-$wN$sp-R!>%NTgUFrNQZ z(|*{ zld8?P1$Y4kvGDg?QXTm;+SVY`#x0iJ_7a09+brhcbf_(sSo>KA|GnPsoK!hbtn48dG#$oU zh82l+%jucgjP%Oh`^lWSuRVfQZ>}g6k*n7;;iITPIMP;~nX;9Q1l-0q6>5lQh11KI z&HWfOrfVX7tFN8GK!>mlY8B}pN66Mf#sCEjP0www^Z(P_^7eVKsB zhCfs*SkooICOP{rZ>?-7|I?`0rTo%J=)B>bH!p+1J`%qwLL%P^7@LG?;tj66k6PkH z3ny>VC!sGxV>8OqS0m<<5Fcx`444Q?qR&mXoQ&+2RJC<{Kpslv^p6U)MPC#gd^nmq zy$_9#b6#Hw)TGfD?wjApZczXRpW%O}aoyfKX<-RyX{NFW5swfpK<2TyDEfJD$ks2$ zNl(8Y-jG7rJB2=r$;WS>1*ks6oR63yKadL4oUYN#-Wm#bL&SG#1q2kNBBU=K(H0+G zi-;ra4aA-qzjDL#JKAaXfRVZN54;U_*X;>?ffp!_K@}obD5oZrhg{KIL1Gy8ONjV- z*y`I#2RJsmY$>U*1t%GoHQcpUTMYB#2n9N{7-!lL5aPox2}Se1 zZ)bHw_iQi+Hxpf`MHEA}e5EHi^WM{tA0UVayM@ROn392|;JB-{cKf^)LcMT$ygLX# zdxj0O=UfU!H7MuzMv!eO_p?@2s^u>0!R)OcshHw??7Q?rQdjUa4%f5N^B0h}yAvJ@E`eK-R&fCL@hjnmo<841Chz%mC| za!A5dD9l3zSVDnTE|zAr4hIibfCv(oSZe%a*V6OhEWm|N!T#oD4?LwXJ6AiX2yy}Z z8cBe<23j0}H}J*wCnt_pv2_hXNehy!19{7mEquI}DN?(idwrpVFo?s~-iK@{;g~1k zT5TXs0VgzGv|-#coTveCfSbwY5ihz3Ot=h0v~W)7L54Jdb?Y>?No4SMKtxAA{2oMr zJrdT3L#B8C%fFXnvR5w{YJQjQt@4z=6{I+x`;Kuv) ztGzM`T^j+_Puq=&@3%{~<_Q`=`)pg?rsj`OW z*mrMUMF(W1{bkYNrC*mJX_Mqh)^3&jDDw`{+yJYeo(@G%pJ!stAXW$&emyj&3<(9H zp>O$@u7Z}97%%KBI?Ck*!OZG1glMev43O~}*-<@l$uiXUB`q0k)_bfvr>wTJ`j;*q zadO_54JbT(hElJdm|%CQruqVSwt+gSQOr|N8y3mkJ?dIX2 za`)o(DXH2NI#MaiVr_31_sxiF~qCb@Z9~> zrX(tsHTJ+7)58UnWK{eYItZxz+04u-4vNhZz<~78!I;%DZB*$u%^m~vsawFj1xjMx zwj8j@_2k%QKV1m3L8yneUC*}yg+*wiingH91>kT$Kp`E+Why7;pndZZ^J}v^Apkts6&tk}+BV zHw98|#^i_)iRuC>{Wu;(m|O^mgBy8O0yluxpLNRUq(dtJHhBQAb5Kbp(l57(4L3<) zj)2(tjY=FTYXx1mMFCWPxCHB6U&}QSisP})H9}w5Lao4~rvUdzoG?*VnA{Y*7O0UN z*B7M`JEHl2tvVo_|F0M#=*X}CaRs^oVTL(XfG^El6Q=-tj)~1P+?+?}ZS&l^ZK3r< zIME_Za2)-2NzMP)-9RIQ#^8%oZBz|q# zE~5X%#?=|4iJ-TBt6UT8d4!or8F}?>#jLW3N)k3{oO*C$8Op5W!O-^k=V{{}EPosi zCj8{_8ZLZ@YY{` z_8sZXQFnG=%KJH$kN+Rnv4zt$l>+FOe==Dm;EZ{oQP;>R9m;UcUULDe%b{8mc|)GO z3q9~kOlHMAy$`0gYDfdSldvQDW$JZNpns_pIN4KxALti!;h6F6%Ms12osYEJZuY%D z(qXXN?9K*sw2u23si>n{%5}-CJJbD#<2vZy7e$YGUzebl|1nR^{AFajQ7XE$SgifE zu%oW}(!~<}{xjpP#UkccjQcp5g6M8!#zs&H)-5F!eEcjD@Lp>1n-kBB+i{BB{j<5l zs=+5g1utLj{)l?t0@pTrehOGuO#7-R#Bi&)E+$gm+h^qljY@JRA^T@*WVowm>bkMn~B^Z*tY!4kJ>JrZ!l|GZK6FiYjEOz_9nMY zL_unovPL{^kpnaOsPkihJX6v2-=4eQn;$-WXmfsm-7NfK;#HTYw^$M`OxLS943+mw zI1L&f>wb_X^z`Lg@2Sy`?c!%=y8rdtTeJSTv?YJ>179lcKeA_~*k4b7?ZTeeLW>Gt zNEWS_^XE+G=v4BHOUr#_r8_b zg@v5ffUUz?A6vXGGvXfzao?qz);TfyH_<(;3qNgm=707vC8#5aNIo?=gCIdmI^?dV zoaAqC+)b=Jxfap1Z3hSDVN*3rcPy+oiDG5B$o2zL+&~Yj;OqqE?>WUctC>x$;{$<% zkPchJpDZ8O1j64_MgZ4ee(Mk1+}-^=J3Fh|DIGx^^Joyz1-3#Ll3Vpa zQquvBVewx|qlo_bjDhMZF9-+uF%EM-+5sxl|IzpAqAeL{Rt8V{%mtGi%afgi;IIMamHx%% zK;Jg6k$`0`-Dacq>-zjZw<@_hOK$-F@_p1B45=vgITp;{y4;awAlSO*|LB|G+Amg7i4!xH~n2}XOc?^6|#!LL-npVej+ z2%_nS$u#8sg+fVo<>?=R5=>BskUCT5Z{5Fl$1*j~+!AGG%wSOnIUC5QFYEpsOw$r^ zDI_oD!9HMCD2R``NH)CEl0@p4SzT%+oJKNG<}*g-NMX+{TFnrB-9JpY4+G4e`*MIt zM0u&WdI@ufDdU+iiG2I)pjh^Yb!;H;NoUV7>+U@`cW zfW(+m@5ki!!CExwYb-8Xd%3RkC=spPADLc8NhD_1V5+4LHL@wfBr@TH^;Q&?81{_$ zsbhXj6^>^2Sja)wg6}P($!fTT`7MO)RL*a#Ba0SHwGrjoE~-e1Fb?*}Sipk?%cu!@1!0n&1JRL1qL|AcZ&I zPDt%#g`T{Nz@}R8-Z|>5A-7*kV8AC zJe`AHOf^!PzMDTM!q~#K)B5G*-XmUm6+-f-j8`XpoYh0#sfI?6n0Xq2BPt&}1>on} zH$7H@szeC>liI9@qNa351_r{wO9!sYs>PB;!KsvL3rQmx2li+vW@lzupx#^)Z6WK*pjzTSd?cj1X(_I}JMW z{1RB1Nyv{fXrp)j5bjjHek@MNFl2FpwC@eg4c)s~pIRb2O9KlHKpcpuz2(W99zT%E zg{iyIY^HzP;fW{un9MFS8FP;0{n>^H-BL;up!vIUAX)g0(1uz&>h$=o=4pKxs6vRw_32Ea)c{!vV*Bk`w@gy6kKz2kzSY~Rgv zGTw4LN)W>p@I5g;PU@pD$)`XggR+omplDLJ@3SbieoO%{o> zwcy>|VDBnN_rKXQ;Rlg`|33ahfznYv~)mMbs2l>4O522+j< zP1w8yrwPjEs={OX$@sNMqoTC~I@9ZP z=LTz;^Ng|PHyv3ITw_G{9?}ODPCF>-pbgO4kedob7nvTAT+(SL?@V^H%&CN{`_j8= zj966^3MvsN2I=gP6F5-g-sfuUy~v#+0bNJvXTT!>j}6(OG2T7r-m@pVPZTV!r?U6! z8Tp4p3Hk1|qOAKITx@tkd_=?pg4@a;1?6IYvFM`PHj= zS1^XF5l?4)gb-c<3c6&L(_9~$mNWLMGQ*YgD-o1lS_GOF4@+T5V#i@u`%k=}Ya!uo zA@YA3ZuJ=H-V!yHI$%;mXIi4Zage9ltax4$1(hOg6r`s@(f$;Kv((`3iO2{C=U2TO z!ZKId5;dw6TAXSLk`D5;AJO%@S>NJQ=!LjqwRziMjJ6Qnu2A&&eIvlXKR=Q%#)@^k zl_~8ZF#;>hU-4e(p!iu5+f&LIs>dhfL>(dll@b6}7S1Xit@081Ee@nnMrw9yg0^gd zS|9vPYP=aGf_6%tY%U&1*clM~IOJ?`9cvj}dQdT+?fPD~&~5&m;Epks5ZP(V=aroU zI=m=F*%c0y1J{FA??&E*n(dfmEZhb_9$MCHxtC_s{Yv3effZ2k@7O0ftAE}!s86Fm zG9q8hZrMT>nBt31(YCLAQCk8bVQwTqHd66ktwjH2L%3=cdGVRcSMCU48%pJXl51Q4Uk2 zf6cKueohbt9Ys>Z*+|lYNljTbW?Cof%R^aMR6-0^wdrue7n}GA7R{LbY87@Gq6=y7 zmC(lI{Phw{XZ>0~i7yKN4j2DTE#wGa|G@+0 zs(JV-@u7oI6#M(!0h1lboQ-_;!D3p>i^ui%|w`3aUFbc5%6*Y6%bX7)u;af@R~%@2&P}P zQigCOdBl&LU_h&hwAOvFbk7N^I*Ld>vWl$+x*K_;^IuD{TzOM6m|#a?dB-C{mGsSL zb-dzR`ee*-t%Iw;12|n{bSy5p0fl9fumEJuMiM#i%q1P|`jFh>R zwHrxwb$+Pcwk&3yLwM~N9H0eX9u4v1-iJAe;#K`gkB#-38lRq&7fdTpE@kaJ!IP4w zO$j$_cr40txtFRUobtB07w;sG<@dL7_p4%+jcJ;djvrNXt9gdWKw>X;JhZbES52V3 zL*P`S2MLbyR|nA%Y0&B!qS0>$95`$9ISaP|3RKF}v*K2s2Jr|xI|%efU$`ID zyFPpMD*lj-h$t{M*r3%{LpJoqP2c18i0&jn*dNIUERIw?odERVUbY{PBNT+uTwe{e z^d>OYOLe2!vSqXEU+(V)!JCA}m7}nqdj}~V8Jw&a!`8UDx<~2HhB-oXN4U9vKQ~t> zA{JW;;JxGDeuo`y;N6j(i@=ns4?t^}w?PYClM5e`rJ3P%E zODiih-2d6(U{dLs-YrG~1WUHt38v4b_}QuwkIFbWKJR)WoB;{>Q(RmPL~z)Q2ujD4 zD9m0f(E&A;n@_@iZ6%UpQVL;xzhh5n85N6R?W>sYeDC!+i9MDarJ6?r7_WIu#r4O-m)!=t~<~Z=hPtKj2(T(ttxVXWO9_#*+ zSbaRqx2FH3G3+WQ-`yjSMDNvaf4M9)&fIJ3@JG>(pvj`yM=--NYVbdXp1k-RLY3Us zf8|)}qRZB8~ z3y|graJ|TO0zv+Aazw||;>{MB>ngv+aUuV=T@JDGL#Gp@d!pu4Fq+nFfmc0k-ss;- z17TmjY(BbP-0NNk(@)e0ZGbCuVkRUviZf;c5o_k-JbrDF#0W(WyvJ0)*y6svvGxU} zru=_~tN`ZgHxXYP=YYhK1qfX-m)6H8UZkw9AYhe%{OxD9TAD-C1ep`K%n7WkC*z-F>4`FMEn8w)0~hMrWgCpnwRXGi~fVD$ADw` zx44BUO_Myf*u2i{D~GU;sIOb2WA!2{AyqDr&5oEo)UP1x$nIsw0pa#R2&aKU7gZtrKg_py3S;a9AhT z`h1c8ub;;KUF)lyL`3K$^X5i6HAHJZY+>HIE}y@Z{~^3h9SY58&;$M6_;UGDi99&& zc#yS}8a#XiH*=+w>p=|i=~nvXy~}_c(LAPUJw!8g+NTN$#A(VF^E$Rg2gaI@0AIEC zcyuu;@Z>22zuzT6m`i3DO8rxDd~!tx3PoLv&NKKf*LqTc_~&NyqKq$ zdn)O^t|5y7gn6I-x90-j+a(E;DvYA?xcoL-_Qs+z#$NXJj0#QA7mNGGQ}n@O3ZF(N zG8{=+F+@%S3zUmb+j_sKWb#-C4k!)mRR&hs63zR|@tK={qhXLyHWg%g#0U;RoVTf* zSpKTOZM#XkC!Eq4!UI~T>pTl`)0uaNhMi)vte*q0)R5|$Hjf+8&p$sFXtnrri=%Tw z!(rnNqPCSwUo~bAo*SrhWN0IiTaRc4&uiA1W1~pBO<F*Odp^HP?FJ@j|7~S%0rN zluv`+l$Sf4TSl0NFtcZ~EKlm>Y0e(rQpxBh;A~k`i==PPu!7ZBgzNGp==Q5H*RJyAf!S*fNS6h9;kM4#n;SfH zlZ5{%Q}|%Pn&)pZ2cZiMB_18%S=+yakvOhO>dC2!vrt~v7T-Tm?zNlgng`6wFD`~5 zh1+#uMr8CU8KrG6yz9A%&f0V*)vW)FEa8&gn6F-Q<;!yXU^&KH{`yun`q+%U%1jbW zunh+R2R9VBlc<8J;h$Z2Gs@?^8|+I-)=YdI?P{W=AI@O9L7s!*l0;re3f8vmloX za85DO8^$dk4~*Qgzdv~R^cno8-NH3ZV0J!d`=Z- z3#57V!Hvf5eoZ*piak>vsCe?50llY8$Xtd@PmL{;STZ2_hT(c%~&Uc70Bx;l-M+I&A$6~-T%wqXQG9S6@-5KG;Diyz5n9853s+|81>n)I`KyP^NSH`;jlmknkcdFx=wAWOgBZd9Hb=LD)Zi@Qmk*%=B6np-Wq%bNR9t7Zk=4ED1KurrK0OpSCC)kU9GLqsQa8e7^aXw* zP9T!0_|A1&K@kd6X|bsOlTIg2bb4jSX)>Z94`(jxK-zcy)pw~zKLQUn*xQx>r1JB( zqw!ln;R=x5Fl^O27${2W>@x@!O;RU0bFNIR zy??|sXA`n6mp7JZq_FZ^3Tp0-=7U%tji zQ&13kHw0Ba>6%~S=NmEYNOaYa-ETV%19j1SR5Z@;X~>d!_Bn%|5@=ec(Kiu-WYaJ- zPk0@>m^_rYaAJAoFscu=Yex|{%Rokc_L|+_EQ88=-E?|*w ze*x~F`dy}^eUdq89BQ0P@U|n(99gid&P0ypt?8;XCuA|m>XH57km^2({H~T;JS$2G zAdw30Ry9RAfs8-ZvL#TxdhM01PS9l!2yM4?Rc^LcasSuII9$>rPO$VQCTgdy5-MC1 z;cSM`VHi?7*`U>j9|;R&Yatf3BVX#s>PLmi!c(R4$fuqdQMppma_uzu{>R1yW&pel ziUm^sh>XZ|1H8K&0V%9?{|xzoQMM;)`D0{<{O&aw6JJuOao6_i1Otv8Ujl{o7!$8~ zJ9=j8Qcjw4rFgac_bDS1z&txnyA$9VnUuAr<`4`LA5z9kM>mXA{)bR$j^ezzjONPs z_?J|IjxM{GK`f~+OIEEmd@XzSuDEkwnVwqe6!=4Y3JD@$e@D54J87bZ16l1RF|VUE z|MseYVu{dwWAxn)i4I6M=3%bgjhDggxww%ZKd-tNwsZx>6TQGvv$#ybohUWe0y5LR z+6p7z1Qb0Aj5x*+tsnNdj)VhKwapgU#v787aU|HXF$q0f{zzwZcW%KUPj{#8d6DLT}}C1~r}L*$Hu{$RRrpD)qBv zwET~aA;d{!AQ48!dh}RZp5Nj_aj#o?)R+(sX$%V>Mu&W29C%Fqqt8!$qVgU!J`pK| zE1zq#A5nWl9}1+Vx!NW@3D92fk$S{dL+O4=)jmRFOc5V-o!6DX!$w6dL<+b%dU1X- zsiPt+8lyjQ`^Ae`j`Hr24C0>U(!SxDz)A$N*sJ0B4r{(e#c$rdC$a)3Z4|U!zXJH| zfx9?+NeY|s%t+uc)$4pVjeY$eVCy}_7je=2zTPAY6nfToRqTI8v(5>q4*U?G5cF{< zA$hIm=by-^ugPc1jztFPb09<{TzqHI;_RfX^52@M=o{zcwclTg;6nQma2jB373iRm z+~b93YbEsnH`G`Sn*czk($Jp4YQA9VA?arI{YPFf(xchu66nJT3Qqb;MftKaDvb{| z3#-Bb5y-9r4b0o8`jx!5)fUOwGp6Nr3x@=e5PCi>wR)DCJQp#)iTj*6zIRVGjHI=I zc2|B(QoDS`W81cQQ?JeB8Ki-VpE|Ee(Y_JU@F-j5bRU5b$sJ*IY_x%m%hJO?pDd{H zjW)eNu~eK-Z5C~RH{U}Ta_g}fnt-3}J@-z<@b$DX2e{Tqxj%s$eFZY@E-l7h;&rS6 zsRn!u11Z&dF@lfaB$DIh0RmMR`N38TJI#jLWc^I9O3u}Y8ft&(moD}S&=5*!Eh~nsYB+ZR_*~-$IgH46oqL(SxMHhK}9ggJ;Hs0bwGtK&{kP5)cy4#_>*4?&1ZjWmf(hT3Rue=~W}ny2_oP zG}v+tg?Pe4FCP(UYUJM>S6R0H$1;N##?0A$oxKV?>v2EzDJ#wPe%=A-sCsNH&_qmR z|3$f`sNqyjyp>&GVZqVcrjXwIn|%9$^af7eZBrKJe{)uqrtoU}d&=UbhC}GQ>*qAM# zXS1VmTwsm0teV&t`2hP!iec}iD{TLP790{RN+HB_(o25eMjd+Nx^-^r^%xNi3 z-9IF~XAk@$B6B#Zq2<}-;yx#%xb`40pEcB5{L7x#0^TBvn6^EiEPm3U`3oD#Qi>g- z@1p?XLh`{RBH`Rr9W_!E%U24S<|nSKJQ>kwu`&l#7sX{tA^JA~Lwx1Sg7FaSh_=_VU-mqU;nRWQxkHa?hBU|XUKE6*4? zag~-J+R9IXiHaSVe^kso5Krewn$gbyIfx+O*F$$jgEW2oJ|Z+A%08lqq0Y9Yk*C4C zc;pcDA2qVanQ1-#mOH}u#+0HSE8WCYuQ3ciVzWc z{&S&fuVAwDV5U=}G&3cN;`y^DH-up?Wt!As40pzaGL~jc_nsYPC~XsT=OGh}oH>Fr zWbqSAcJ=ky=1GdewKo)G4Z9jGgaCi2*4Kb2eJ(eM2@Su_#%0gH2|6PfVp|iIRcx!U6V-cWZYIULe`9bOTZQf#O zknx_35sjmRO09@?1MSgwaR~FFN8OjQt=}P)=U-{LBX1JL!UKjGMrO%>M}uGBOeI!r zm!#1+^C+C8D6&kqifIB?IDs;{U+Qz!{!w*gQAO3!Nv#Pa+TdGK1D+nqg*&EjN+8G; zzkcf3OHd;N{@7HGmNV!xVhYP7^f|>``Seif4y_W_{{s&_3Ab+|X)F?BOS&9zx4Z2H zWAzah=~xZ*gK;d6i~hY#`ONvRlNvIGu}ecCX2I=D(hWJZ-TN3VIBOR7yEBSfw6PLa zidl#qCc&!@-$8Hu;`u~dKq&;2y3d90-hq#7b45rVEt^NdH`a)dd2MT1WS~=VU8-t3 zK|br!FsI~`@N#KSA%=DzZ>5g#(3YkB+;lufp_H>smq!~vSr7%!da47ZQ6Duj+SONx zbBau&f+sd8yzebUFMnsDqd5uQZuo~d+5h!o)6QG25VJnLr)Kx~mg3iVsn*h!BeC^_ zIcr-zmx^}(-pOqSNM#6rj3V*@Usm$#7_k~m1w8lqOo_n9f_g=Eg>XO(g;M?odPeR-h3F=H6Y;y!&kuP@@UA{ZWu& zA9ddK08l1JX26o?7Qf5sc&J#aV5~bCs7sBc{scJb^ivALVl&Dav{)|7LG8twHws}p2#Z?(A9&KBM&v|9I#zME7%U3+vI z${wPG)#m~KJNYb$^2xLg-kep@>{SyEZU%9pEPHVe%E*z_rO~2+D=Ib|Jhc~H zal-=c6kyycJ3Lo^Jy4FMK&uej@JRGcovNL#CVpvjOVxwsrW2p|mYv$JM+N(lq>M_y zQtN!=;dK3X?*t9C$k*`SZuK8_%&L1o_1q+`7l4`33s6w#A|L-XJC9ZEu{Xm1;!yiZ z0Ecg}%wMl)C!#fB9s9+W#o_z4XU>|X!mrL@0XG>6|B58BQgraP`Ftgri6*82qrB%2 ze?^w}aPdbdW3y0-E1hSz5$?;?J;c22x$n-F^|Wj3B0DFC#vpYs2kvMfgguY%_CXwA zSSSTW)6fm=3HH3>QTN|6;{)NH`zvKC`zq{8$f|CIS^B;Y4(bibciy%9tfTHX|Kpyo zGOw;asGc4}pm%~R+Qc3?Qa3Xu-m{>`cVL>VJE8nr)<)2^G662057OIrs_fK0){v-M+;t_wQh-MTWQS zgNcsMJ!tRq7?e~lBZV?Nml1N%xzNj3hD#e|^7alRy^(A?wDMI1kMglm3;Xut{O9hb z8%vSJ4zpQik@q$~gfaiI4CiU`-E)|hYGJEbDyT*~d$1W=ujV(*eMPTL48Hz2&v#i_ z1PiD+IHXFr4L{|(@+uBLP9i@6zVrlwcT})hBl9Fp+CQNO-*p8;mZQ*hqh_#F7#ILv zdR0$B4;(Jw@p+SR=WVcC7iwX%=mDY3l1~M9h9t~^ftTG<8cD;<-HG^%}MT~nrfcO(3 zXEpoAkFtDzXD|o=6{?x!*A5$c`xp&;yz?q4IAcJ_#+L752d-eMkb~y-{Q)TV!XHDJ zyVG+uM_LP?Wr7_#nuH2;Ec$^7XsX+sYp(~(RBwB6hlUJHZ+`W|ug8`+0@1!ARHSmU z?#+_dpa$z)X|m?1wJ;_S1B(9M4a%dB{c>BY=f`dTbVVe@G8$dx7sVU=UkU|CX~JUf zY<}`;p>zRnt}Mz*5H`IigztYNh%yRuM^5H_H1(M%#O-P$jtKJ-7NW?^`bZJs|6-mm zy;>F|0c`@oz=DMLBF~?H0vP zI?ON`a4w3RmWRnTHgxo1UIt7o9_#(T9h9kim5^TG}kmW^T+TUfOX5 zFbE7L2VSUcO;A2P1o=0C*~y`^BRvh+m`~oAj|N=i(nwcx0QyWFMhqpw(&XQldi?po z53H1zsonzWEnsG2K63H?+M{;n&-#C3c)R|+Zx-Nu<*#tFucv7;Iu35QRG5%UAE0Su zH!D#nC(AwkHWM_A|69|u*)adpUIV|}^h5FT^=G*l!gfEUV%YA!sI4D`$bYxJ&Oz&? z7s`4929%^d>eR^RPyy1=l%%`rKEfMRPwy!R2k)>@fGv`=w7O**)doKvm{9p@^~8gI zn*^ppgAo}~m$HoRc^97BgbTp!dt{PBBaKsAI?#OkHX$ZJ_P?y?Xq>O(F3`#wd@)c} z>^~L4@(`iMX;ZcVP@kz<)U!gEeIi!Po|C7KZb3=>lVebV5TyTvi30`9cJOfy^8)bD z!f0S?`Iyd{uMFOneA%O@Ci|pydPb2mMVJ4k4btdyAFw`!!ip9@?UzU%!c-R+t+A#fO6NzEQeEp|p97J0 zIkU_MwBVffD7BV`4|O12a~#qXse#~w$xUmel5<*#ym9M|LMM>7e@F6t%*>(i6Tg|$ z%?_H&L7J`C>#g|!g1+uX7kKcbJvK8A6#b(?5YHTMyygP!uX$Zw+mrPPasREvM57CT z-9V1EJ1&1o=vDCt`zXXHii7@btUY=YP`uZ1x_DpnO7d0EQvd&~cuXpah2*14zji5N zm(}m)@)y&CohV~BeLni#KqDUPoP7>cz?BC7M@NApYPPoINo$vspS7iu8uiW}DE-Uv zFJa3qC5*j-4_y(W!5H4Q229z)+2=LDmDt<_|8;b3MGg2y7JVT@3{;e2qH%AX3&YtF z!K-=B#i6V1YX|QmJJRbZ(|(XVCc=JF!Kz%z|Ic|sTZWWhFTAjXQI8BQ=TAZNSO00t zD117W_Hi<4kY%8QC>yQe3kfA9TnsV_C;To@T$$r$3ltmhIVn{s^kIh4D!N3+K+mlL z{T3vn2%Qu`;vcB{gdp$r#A5Dqt7ya70!RJ*PE1OKEb#})v^8JVe}PuJu-+~uLNX_C6*cpr1kX7OH*B!ILz&j1xwAe3><K*poh1lNPWkHVy-8v|d| zjr_nR6BcP;=6{7RU99X6MRHbvJR3DHwezLaX!IVWBMtp~8cGj(yvZMyVHW}_6u0Y= z1n7Bce4(5Xp?GbrwBSwLSu0`mG@K!ki8^LZc>&G!tf>kg^G!&u91T3uu! ztl5f9ca2sCXxB4(Z9np1{69%DlOHSNL~%HzGp3b6^>2BE>QI!Gh>PNStbJrR^3xDG z4SMk26M4?~F3r(69`8tk_~4LJmTI(O6>qK)dt&Tk#EShRKB#&_%yp3Fb!WI7c#&{* zt?9!AYj&)mE|b*2zde*Ws~D(qsucAFok|5rO~**6kh^(X9LOq$6s@r!~^y`iDoB^Ne9HF0G) z5*ua0CBKj7gR|I8jBLh|SCeYVdL8tDvyglzC@ zk^w}!_D>8Yb|p?p8dQ81+-gPGv9_7EOcpj8*SKWEB?K6#&a{H%aD)!cZbJOnsQT!2 z%&VDk9~mWV%L_}VXewTvIW~xiifN1~p9UgF5a8!V;nf}rv;Gw)eC$7%G#S4`K`8d9 zfa7Y{R)&}VeB_?oYj+m7d~8EA@~Tg;9;pehH%HH1rNWlQkWADZ!t4DI2mN4anB995A2QfcP;ueq zyFhT^`ZlLUU_LI`(DE9v*tgg zGY;^S3!~isJDi)TbehOUkPH-p%d-kVvEAVrF^SWxswbWIH6kQ4c%KDHg9|Tm=~JCt z0a8$xIf42Np&`RSUB_s)V($xHOwB@`8>wOOEHx?RKlL`ukH#EqTz7yZ)ssnkO{6Go zRSm`Wp0SaWs|22#5J?Gsc6nI9{Y1hc;J<;DhQzP90T4acUR|Vv(N=2s7@RsTh72TR z-w)H!>y3nE3m0FtGd&Q5bZjuoOp&dUu}~2r16wv@Z(sXy`j`>_o3*kQ$K@=;j>PyK zNqLxM#T9`pgHQxrXmGu000qi6R0n$^kodW470w7RuLp3&st%DvNYBRXzpeWwM)0;Z zhF4+nxV9qc*G-_8c>fec6hf6511#(+JDzy&mzVb8+9O!BgT6z?p)!JrUznY5Him+m zy!@~LC2V=ui(DV8n>l^E3%wH^yz?l2#g3v1DE22aO?nKS(@AWz`sn1kKP&d-13`w_ zcnlLMP&?rqdYy1b4~18f%(l?>!Oq_IaY2phYPN))#=O%E{kiZwBU}qZR!RwaQP9Vr ziaHEsB+9u|FNY`>fbbX$dc9s2BB*cZ?5Nx2x=rn^y3RG8!^`lgV^SV=eYng7S0m5EN%de`=o(ids`(j+;NB~lA! z*8HsOe^|VT8zs&^mIMC%4KFa3osEdNDjC1w zP)p&i{2B%-OAcNjn?O*Rgj~Sb^SUI4GVuJ_hkOZxJAL!$ZpEtF8 zNQBq>zR0w3V;PbcCeV#=mG6XPsb}@oVd;KNReV`fW1mV5Fm{ z{IEA?NjwRgLZWF@Yt_Z1WooX~^IP6_PnMk-^5Yj=^Y&x-=U*L(Ov3(&2_+@f)Zd}Z z-Kzj)X@0c~d!78$O;ZlCZ7XJ1`C$5=ogWqKqK2MCizJ6-p2l8(9(8FYJ>QE5J;NZyh(x%I+${wwkKNDF>B3-Q@Vi5Vu|#pCS2wPssR`A^AmM0<21cB*T<= zSy=4vh<68agFT^FYR!r8;Nui=0d7OP5p|qIy$3}HtaJ5pi^0yIkf2Q8@C<1JV>P4E zh%KGr&mcBd3?={<$)Ygc7Dg{-3XAjCHn#d9dJ{I|xBW$h6ASW9{*>dI4r9^S`UHKg z`%XT~PaG@9XVG$0QxAj_--*B^-U}U5MV_wVN6N`I`hTXI!!hQ)&plnB_n`-zlEl7>b z*b?|xbq}ND;tJiBVGh2(&EH-vACA2GK&e@Xei@qJeY??ELO!(CARyhfW_q@}TYVVn zrrX{GGVpL$xmQll(W z;qdhx;2{MccLZ*s*VLX@u@Z&IW-=qhrEcU5{}@{*=L1;rljp6J95mw5e(!o>;V*3G zH-BN(ci2fb%<>`h5%DQQKnJYw+s2k5JxCa&`8sWgpZpY5Ha)HWpj`aYtcBg-N$0?) z_t>)N(pW4^c>Uw3ZRj)4Upyck;r?w$4)|_9c|~`WfGao=p37ebN{w6p^Q*;Z_fAq% zK;q)UP&^qgV>GaoKPV}YIro$}l;&oue{QD6pTsQm)B;sdR z8Zr`1#BkX*Lr&M9>Lv*XxXYOEy*fuBDQ9CUp;t)&TGzbT1B#?>X;=t>`I<+;o@hIDIbw2Oe^-up%`GS>_UO ze@YO$n4X1%sIrp7n)l9>;ip<&3!Hd=6nI_JjW=SFtGXJvrJ=zDms?B8(cdPnu>= zK;?TW+|*OMA%Yj;{vsbzQtn<8KxB})v#6x_3Q3tQE}D-iPHo4hrM-61JqwNgV29Hb zpV5C{%mi*=mA%^ZK&{=+RfJQ36pHnv}sxBI2}-I>kBriUV*Hz znwt}9oQpu2>eF14Ik1(dlENWXf19<`VwMNMSg;hJ@2BVJyzwZS&)@j<{9g z`zAT~?>Sr$-5;eIc_SftIqsLqqM{i?iPcoe94`8oHvilHDX!ptQ`b9!CSwO90H~oZ zj`z5l<%EbD$$FBpVHE$w(@^HgF%JL#(r>_yT0qXOtzQKH!ka>-Zu*1j+TEs{Es}h9 zMukW}2PAIUb}rS@T*rQu)`xy5=&-T+Qf0F`$Q;qB#QuQH;!N_d*w4NH-~X>i{j;)b zjwGaD(@AH3uowZH?CV~gzX5!ue9jmXf^4xOc&)w-c1TDjfRKP$L#AZo1tt5aa%%Gb zv_`R-$HKev_9j-lbo|Uu$(686s-DkLK0O|ss}UK=v$tv#o6{=KbWfd)-oRcyZGS&j zw6EqRN$|DH?#$Yh;NEU)UL^plK#|l6s$d(Hf=;6thThSML+-_PJH}wdrXga$ zgcDwVIwYP~!zUyOc9eaSk`j7m@4C@p7#2CNp_xvgR29w@OY2vuHEu_)tE+}-pBADi z?kf8SpRQPhX9s5d>r{tz_foz5Xw={|PjVyKihFm+bM3lOTcQC5aKq4%%MdJI8a=8{|w2_mXa5n4~ zIq1cWvh!U7B4<2W6>Op~H%0~^ekXnKA6y*-^LLMv( zpZ?VWDV)0jdU23ORFGygQ_JaMpM8!G_g4}t|1p~i0Y7_u2(45cqEGy2^6a|Po)URa z_B9buQ0w*UqrZz5EX-N(v!vg;%56JQYV3pS;hyU`hmA&S$s)1m<=Z%ya_#X7Off!W zs@>in)J%mR-~BwP025dbc*iLSn^=!GV0gka6wj5=|N z$Tt~{9~x*#k&*oU8!SctEao*vr|t}KLQwlz#r5UGjJCp7TThku{w)i>C7i@V?a(aP zHuG$FkBsa$uQ{)-oI*5v^d?|4TS9M0h#9Tv^hbeU9-{zfPEP%q#J(B6yT5IRiy26k zLA+7qY63ejv%!={M@9Aq4)D*$5VQ5Qtx`T z%CGjeXGD!C?O`lZm6Hs-vPeJNp?PgjxFoot3Nd;kb_#%*eKnPB`tf+n4+}2XkU8(T ztajI&%g%=e{RYtCo?H0PzbG(425d`XekZW7vlWGtN~+=marc|P$D)}@oK63ZD0#`= zMXKX>dTp{~wTTC>YGgm5cgZhNk|DlE1FeLQrM(5ddgli-JkcfCO)nf{p{<4zVC1CYG<&8yklk=uA|c!4V||o_)MVd z@0y$JQ5C547>$O*9bbzCN~9mCQ1bh++>FzuW`i?b ze^O^a9B!dnhpC$q<`JTa;1(vN`%(}f;Z*&$=WTNE{)k`%1tqp|7%FyS7^bE7Lk@Vr z28AH6%W)s4RopI3Y>4^qxBtP8u^OmoSn!b&re(8ne2^Oa znWATrLUOJb7ab=(_@$Zz`}M2LE1SroU@>mU+;JbJ4)li@Aj|R%m#O=qP5a5&-Rs+N zS^uqq>jEmAo!SypSUF(FZv%%ST*~p9(eUql0wwaM70rPfWPmH_z-Q7dRxS5UsW5+V zKek7q`1f5@gH0ohktZ?QU)=d|>H>z6u%K8m+fnJ+;K?sIVa?Nn0v+hTCqQ(MJ`w1B zdc|${gB2>o@~>O10*zo)hIOvzzUv{z{$yu}Ad60yXL#A#Y~aK8#=0T@-N`wjQ%2z% z^yQNG`_9$7sYiE&_>2m%HnWVM-r(>vHD+4XSbG1yW0rTPL(lD~MqXFzr zF0iEWxYHu}90H8QIFd_SDhG_kDMb>2zpg%YCyHDrX6)Q7mNLm_AQ6EyUo@#`Ge!!A z08u8K5eEapx=0Dei%x`_czUXruTH`U}rpUig&BuqVWb`rd(eCcC z=!&1p3-{N9Dfmx5IrFZMsUgIL`mkHUjx9&R#i0}=nm!&X_nlkKAf)OaWBYV?S!bZD ztjM2FRbt_j-=dxcMM6fu*;uXry`SEWe_;)S5XT%w;Y^$F=7em-k*(3Ia=2(W*a%)fXOM70*{1w0N{fGN4v%YKZSBRzE*3r^u9YD93Q1-v+&yZo zKL`N#n}1zr6LM1#Dhbmm-T1?Ut0X;hBN#nPzk+BRS#;dW+-h@T_1N zzsT{+K8eBBIs(_#Ynk<_=Q=qy_QCr1`l99Oz9H%m3asf5W${ji0L7P|0#EOgU^g-! za+Ym5xlru?kuwN{i!ey0E*!9`r^{q#>EVH-z0kHXsh#P}C@byjSU@)>{ZA37ED9Yc_Tgi<5xtaf!F>y-gDu|pP1 z&B@bZrOaMwi-bt|K)PbVam<;cv{n&ZGAU7-IKmoU3T z#yq%z7yXp^<+!q>9AZtMnsX><+-@h%Z7#`hi43uYneDFFU#(!2*`Jw< zYb2g&@~$e4)oaCmm75x)ho{H*(1dTZ&?h%@$B>`LUH>VApo|lepfOT2I70F0`0U4| zTdmNYbYufJLYNy?29BtP*$DT04?DPaj^-Zs2-q3dF-U}cN-+nwK8Tr=D<<@k90Sb<5)W%?O}8&?nP3`>uB_XISJNGcEeV@UziY=yFN7&?!67l zt|DYyxDADknz@d!68|*$|qqMAi$3VO7_& z8P}ILwg629qc&z(uWP}u9_g8SGS$ST-vJq!=N*`42E!AQ3Pg8`x`bDA7zc%R6AC}I z27r&q>v-%bd^andrE0&x3e6Hev2B2c(K(vNECu9)y+7PGA_t(WY*^xRVHg;wKDtZa zxX|!ZmF~?#LzA8l_QB1xf#zs5w(1V22q*V#z?&DCp7qlFJNQ7jpO(<(5MO1?1VucrqE-+LaNHlc;++<3AZVDD{A?j~^EHu4fh z5ZVp3&2?&x)5Ji5U!M?h3;^ln>6}tT!U{!I%k3S3W+!D5cqf&LBITveg=R+M` zgv%K@-d^mK;m<>V9j3aVE}eK0breDbi2ThDe56)XR~`LA@hXj0;y;>2?w48+EL(=U zQP6N{;*9&*-~a8JHqrsU&fWT4yj7w*WOdHIu;u9eNy#P-Mj!<6A!PDK-*7<4V@2d2 z<<8_yA8HxxbblLG<_cwz#J{{QV*CVTsuIdb>YYm=&hXE;%0KKUZa&33B9qzUE7zE zS`?t(gn9Dx1?`B6vtQsN6;~qhtTi!EV zeQz*{w0muf&nXx0KlLh;_S=97VqcJsK%51FcaULoLOH#&esI|3ey9wTI1?w{^tot7 z;LRbB5G8;dwN~}`$hkXJX`p)bZ~KpCGMEE>q(aV;dGJ?HH`V=qm?ukL!F^3|Jw-ng zuzX)^3=61~J~*TkNW8)atZPQw8-d5q&)>JhAN~%!xDMyLnrbV^{M7{e55b|4wxiA#!H9sSe`*qwt1EYROQYH_b3qFHPPT1d+HspNy@WY~NB45aX#@XEY zRxw@Owy+hZqDKJ9*b7Epw7rnl;Hk|t30pO}pW0TX^2d%c1csGvQ+wQz^Gck4=*K)9 z`Wh}N#FZ!>VX~kq!YRq@ZF{WWAco!P2nuG^8RX6rfYfP%9>_&McMrS#R{ zOiX338m5c?GrO+`3QuMLN#~4YNqVG?F%@WKcsE?)j92~J?{D9w=Yg3Y0F1$*HzbXC8D1q`0-u)Rx11Iws-5Jty9c-1 zbP=sSOM1@)B?K%7infVKdtU#ktM19dMTV?bhST56f%W7|6ma=x#TpROqKWB;lZgmKRg)rChkxLaPV1jlHOa0L~m z3LrCZqu+p)dvc08R9P5Vac%8)#X1ef}KU@gg8W<@*9x!7Bjy!6sV5ZCf)&TWK^;8k?alsOSUT%*BKYK$3xT z9q^i|IVDvHnTl(0@&@|Lqz51QY+?Xd;D3XV)Bzz?-ZJ za}Zn^7|#bhv(6m#jfC%SC1-p#hE~4T^^sT)-DxP4uOcjGCHQ96-g!X4GSx-N?#HPwaJw1;qy;HZ>X{3T4l>}HFBm=iB>6hD;RNiv_UVAxNql9z=!38aWwl-iR z1)|TvpW5%EZcnk{L)vHWs?3iv`L^p5okmAZcyI@5LVqzZ#fN2f2fZhNB!I+USzloN z$;0|#PZDjXbTlp-_dFj{!kTICNdt9D$MhA`9G-R*^fKiUp8&UX@GMpZ(|7)xUAUcr zGocrt*8(ZEK%$%q%6Of0C2Zjaje9z#SBhZI6O9-y`l0e33IVI=y;*x=BuD8N%DW(^ zd97P&It@Seix^T5OujYC;9&&LFgRH$;|VQDFv7txwyfGeB0$^eH`i5sKJKq5Pfj0% z@N&v~==re2S;`$fq}vsy6NW9J^vw>4`h z_XtnB=)ZRQFo~XVRh4bQWRQ=m?%&w?487sr<^8&=v4k0VyX_*Rdkq5iZT{Q@1bCfb zRP6$)#G&}t8s5+L$6s9kuDf(B@ECxIe_ej+`UEj{p~A7`w3IA*Nj5fAH<!eL|zS4y8m}pQwcWhDaOE=wFfux@364`N329nRnlcOI90KmnJv;@Ln7kq zeI53$S;l;K(>(tTH*FK7O;f>d1of`jc;zhN#XefurFh9^>v(wvPdUqi2=-O|_oRO8 zl_(){jk99hTQs10p(s)A>Akh?;UAcKu!VRRPxsx)tt3hQyR!ZuOtT=N_@RHGzFPfO z_gH1;-Bs1y_uO;R#Id_mk8S7YuOAkkv>wZgYZfAnrk=6?YPD_72=kPb8h%*dYw@bo zAfyDRi{@0#X8=$?Dq^ z%6Vn_A+WW>}U=y|Et^3%M^s zOu>mS9h}nz7mtfS8gWRz{={Dzm%a(x?;5v=f1x#X9LKE_|72`_`1KAI6lb!V4cY9O zDI)#4G!?t!`#R2Hj2L~#Tjddl$w8UY?mNDhc{nK|_a5xrg2sYc=+ks!I7Ev`ZsY1H zO(mQ~<6YzDVA{5W^Rp99xfo24;aWO1lY@Fs+ z^OSw!fd%+u+)cp@ggF~S2fqj{89_BTckrm}C}wT=fI|r;J45m~yz#+5hdnA2&V*}80dyULfBee52I}si@agwI z3*6;P#GGEgpwk1DU7qH`C#gTlJ4a>0ku^LW52mODk)V~5;az-MP{OB!(M@6K`*3aw zc`3W?>em}i4}ZOPPj(}JgsxI$MPb{O)=JR}s}@}!GiVhogY(wX=xU;00ws{hr@@hi z+!xTL99x-O%?JI+@{1xfs`qW6%BX?5TjsfIV*!1kKgIW9?p2>loRH_%>Rp8qOV=?a zBwjf=$0ipX*b$!}Hh*M&^kTg*Iknws>6g@nekfx81l{U7117IchsFZK zyXl!2=LSGh49o~y)6I;|i_j0Ljyi1K#qypDC<@I^fbUky9f@d^1hI|eve|NN_6-m{ z(2i)O4*K#?&Zq5FH92Z3Qx-l-ph8d zg<3)C2;YDsDk1DwcQ8Zl7K3lXEwD-`cpA~b{~E5iP+8=|pU?4|&KM?l59=^)&`Khn zs+;chN?TPBnXrQwgu*V-U3wlaRQ7lZ3$138bOGm>f`D=A`tM912aw-tH5IH+T~@TS zfVUifsVvl|w~os;-Kb*P*?mN8UOWkXt{det`*KM_L9^wN!oAvpXRiuAkW-r7O}~;~ zW77vmcJN|Z7|9*8-{Won#+S}V{r|fla8JLGgmM#jj36weRu~Czf=V3vucaMMei&g- ztrcv8)pxLw5>%LE&`LUtX%f@X#ZL#HPtc6aa6R|fzizlt`6gl2ZTosk=~tU5Ii5udCL{%GkVnMukN+WuJ92%Wnfb`Jp5p1)#7l1-Z+{~ldgQ$ z{<_TognZXn_;N#n{Z1scbT`cdxXY~Eve19+qRee?*{m?rT$S$Tx1*8xw~(u;?uzQ{ z(H9R)XZ{e!rw}*I|wseU{Zg zO2x}I+sRI<_Mzu!u8^X{()Dsii%x>{m(;$(^mEWM9Ogkat?NMPT6`)w$ zMbtw7t?l%vX-9ahl~!o0y)sB}4kp>E8s&+#zcE`md(;<$NGssiil4Q&X1e%3$F}u> zn#8`1ed?a_m)BH`_)I?aVvM108Tri+dW{%nH+nfpEPQ>~`m4-R?rXQf^7|<#k6jo- z$7na#X7_c(!niOn0|A%9QQv-Zj+TX`+8#06DY-0~z89_a)N*Yv`5P);c#az2x1*e5 zc5foab&MoDVr~yIYDJH|y8hnXNhFaim?;0q^Ld~1+Lv;Kx4ae&vu!SXhgBMOU~D~t zOj|9UClkE!LSb!b6@=?}yq>JI2|ju@lz2B<@?gPtnzM-SkTo-lvd@Fljqv_^;&Se$*h%R-Av6!8|HHR`v_RYi)#~_=$`13ix`i2N<&vL;Rel~{t^Or9 z;lJwBMqI4(^lIeF8=woi`=oCND+zXUTE#rAFZ%C!MgqO7fe~Y6W7q}jcg1qJb?SRM z0Z-W?%DtXDT(gM5*O*e%j&-3uQ~vcXAvOX-i%zDFJ811neouxbBu2Pz#{1tElTGB< zcL$3C_FPr>tb*nZ^z_ReLcR;)k`@$K>G_{B>aQ7QutmD~{w6PL-rr$e_+@%#bXh?L z`t#zGl20->5x^7Yo|`7+MWq|J>)PRa?8^EW5&RB!*XioF(}4WndbjU zmq1iM@3_uTvtNBqo7%v=B!l!a2DlJ)D+{|F+D3D>ceJ3)w)ybD{!_t8F8+MzDrJ#< z#;5gsXeF9Yn8DUV$!^{Pqo0m4!lxwz5370-E~is8=l+uWB+UuAbefnRS$jG!O}RXb z`h<9-vSH03@3xd~`E4p7U%tq7wWQf&XS00Yy*o7FDsDYLMemB2Ihh*ZIcif+9nF3jE7y>NrSV{eFT$Tw4eQ_e zt9^>Sl3a!GD8!orul2W-I;bzNoXVIZp%l)cKWD+5SSH_+uWD%k>wuaFtQYlOcK4sn z^$K$g{kLwQ#M7|&&`WH`4E^F7x~R}rCX?NC@Z3_-r#Qcv%_@Bg;iDZB4~lLD$J}1K zx3nA*YlG3j3lYBnT55#)4?a(jH+?`j$i*IaZvOy0!25ktQi0FtJ?GdIW48KAMsB9+ z*oJ?H97FHqYJK)Qyw{L{xld?AcB8$v;{JQ0ocmZ)NaVfyRDgCtm`{`B>w6$k0S3XS ze=m4iLcjQy)&B*v5=`wd+b2l*us5zRU;hzoP4EreQ5I+%%=wYQgfL_^YdJSi2CdD^ zQ7Ph6n_N3gK+%>#YU6J5T<#WNN}Kg-M!E^o-eK<~?k`{ewYwzDRlZwW7;1ETrs~g~ zCw_rLu`S(w7 z3&-plye8A&a3=>3aq_!sZMsYYHMDQsug%L7Xd{X>+DNcsx?_YQ!39D;MTWipcIt!g zFM9^=P@$kLSmkgpZ2uCxHmq8q&5(wt&F|L(xTdkx#y$|FNbu2osC)K6cPC39T*ANu zU1m+ufeTph+K2)(TLRSP03Ik?du?j4f@*?`JVzw>99U23C?OW4wKffdNT|_!0->8A zUAO6zQQSC9a9qQ)0sGD0D5*%Twb}Y5e4pf%r8cbqJJdx>v}5D}B$3`be4?{T`f&3X zN?sx?wb}YTbN3{~94xssL8=LQCyDd6xry55J>UEdOIk0q1zW#dM4LVR7Ez|vVTuGF zLK1O0Jh~vg=cLUF`0Xx;O%AqPMuJom^vl#K9d9HEOwxP4;DVUlhKy!WL~}te9;i%^ zR)-%#5_Kea>zj@ddf?64MCgIHyP(X$9<@45HNgjvT%9Kvp9$VHnz4WJ9NxL@-TAzMV8n;v4#gm2P@!5t_Qq=Th> zqawlRO%R~0ha$siM4$dsRCPR?!IrhDG;Idb=B!QoRU0gZTEIOh6QsSvzEKVs=>ZDY zu#(HFZ;O$(uOz3p{1Z)^2-{*zl-;K`?I5|x;XY{Z@MB57#oZ^UJ7Fn=DCr%afgMR3 zBa=2cIAAssq&`7UjJn3WV}u}rL^r`PRv{1cgMNz44>Cc5_@Af)6fPq{vOtB8nqc%T zG6WG8mysadz3!P0aiiWgM-buh*(^N#Z?Onjiw@WP(%^ z^o}YDQY1+HVefuc+XjL-0Ba${kzxl*PJ#Ls-&+E@rwGE|(G$E-#VRdG zXgm(P9gb#!0wgphLA$hqmEq@OX~<-9JFFuZs5HJ4gk)@yIm_%YT)VL+C<%tDv%~-S zLraj2BsiP$@n@eP|xMtoRo=>q}AM%j|XH=S_BzU6;!awuw@a3sFd+Z6`DuS?->BrKNV5m}if{GyI zF-?L+5)4!JeL?H>A&^m8Mvr0NH#L!CPBoW^!~fa${ly7FCPjBnf(dJ;MH< z>vkA2(G!d|?FqUVfkb}!#z^Dc%_=krcI)RJ_;ZrrB|9-T*R8(wz*1g!n|3IICPtzS zG5hGXxo)-Vfu+1{H|@QBf@cL!jI^umTMsPc>*Kx%njN0SbYkSa2tH~G!eXA*lO)*4 zf+df;uz=?;>rHz%Bte^{r)D?~-?i;#{jmGd1G9VCz6ZhaV#Kw`PxkI_HDMTv z<2XS_S8emB&FQ>%y^$dn|6C9D0>1y#tfw&~S{MUOu6`f!1r)xV(}+pU7ch?Cds!E) z>3=Q&klAsN6>r09+%b}e5Ra4Ka$JX}eOOX|y#PQ~=fSi^y^7XhoQtIPc-!3a%|)=N zBn_W9BL>Lm`>;2%x{n}!CYYA+uQ-Bh7s1w0)9>(P5FnH5Y0y@-A%Y9H4&#@CiMayK zBghrBsvG*#*Ty?;03e0)?$GZWWzE>YqAsInf_NmDn0S~37jXoou}U}H_5%PC+jfmo zG&Zm*>NtY9X(>5ZzO1KoSkpT3Ir(t=u+zyLNbl0;VPSJ-c{#U6!jU zf>Q;pQaa#otARh@6M}!z5v43~19=;spNla3w|*+Z7cfN7@54L_N<*AMPXoZ~D9_rd zfo>4=5nSMrU|J!8@xQ8u2>MZQs-Wv2S_tqWDzJ>m7#RjZA3;ol8E^q-$HVa`$Q2}e zqX6Kg?0o~nHjGIy4-sB2g3&(gD<}=IkU_K%;8`{x7B_HyHjMi=f7v_Z-o`-~iYvN5 zxG{nh<@o+z^}`h^?t*f_AprA-MiwR}#d}8~O&?0({T7!uyEla~rq6>PI%KC9u8-WF z-5C$pdd52*?!CXUIeJFND3!1^&is zvx4)YTqIizQzEE&U~G-7V&gBDmQ)ZbXfo*3vj#!%NzUs4kU(f)B!XYZroZmDMr?yv zR1h)<&L9ZpP~<2|G6_@-eE)Yb99zRn(dixkRS*l}cT>SVbxIHf3rNW&@XdCHeQS99 z9<9*AWsDyh=^MnRf+~Y~zeq&UUviYn`xnnv55Q)y|LYemjWuJ_y)#+ zs51_fC}hIn!I-CyD40@$!Ye#|ps5eS8$G=GVs!TQaoztL z!FppkYhZqIcmgEXDx!i_2+_hMNv>ptF9}?B3Cu5*o`>xRpn{dPWvlndl#iF&e)Uzv zjNU-c);FeogT2si-kKQqM<*ao_egOf?x>P8?x|(uZAUJ2yo5kC2FF3}HDNaT>C>Po zs`VZ+XS&y1Zep@U(J%xIcQeToCFo~Q+ZZk@PnQFk31RT~)AT``-*`GU%G3)B+d$R8 z{Mhgu?1bN0U@bpMl3c~IE-j7*=FRYIbSvn*I#T{E2O&fW-$4Ux3MCE+z0nJf+>V^s2@-?@b;-eUk7etbNxXe3gK6f`{7Ea?TVHId-ml#36F zjEEDBoMqZaRtsivgS$2<-ZtxM4(#zSBIte0PXd^4kC}_H7XNM~9AQKh*Ka z=v*pg*fQLagWgiXXhVN$+ik-iDIUt-ANv-9)e>1U+guH&Pn<`q#Rrbj)pAaW%AYFW z?Oe!jkeQ9i3&n%DU5a1i&>!{ZbH;mFcz$;0*Nydo;GR9Z{^ZpHPsm{0o13xJzt>=m z5+=zv!tFnx?f~;Ok(WaDErl@o-Od?k#|pwgl==UkerJ0)DLOHYJgU*oWh=^tkN}II zR&hCcKDq|5si1~IA+Dj>RIusR@V)f9M-Q403ULul{~=NcT^SVOS{ho9nqHoDKluD{ z(3mL1;^ptSOJ9QPKldvs{}_u1&dn4(~4o_^dvG2ar@`qU-61Pk+zgJTyek!Ybb4F^ZA(YNFr zK@J7P)yE>NlBE609t+?SSzl~wUYsP@Jl4SH2ET#aacZ`=@Dba`UWL8cjPJKYG!v`@ znvHmzZjGA`@l1v$GTtO-K7`r3Mry(32BE zQ^`ib*MOaLu8GiQCW5irp#J=pq7G>2shFyu?V2naQd;VlNa;s%&DZnu$mC0yzIb78 z8**&UT^92tKct*Nr0|03vjDH`^cnIX6U%X0zB$Nj5>57&IP4o7tkci9N&fu+|MUxEWEc`ig>lGA`{cF?eWo|2;5sE)FtIpW1mhA57tytU-pPhP<4U zk@M%&vD|*g*LSu#W~(JHnb95Dl2F58zPGp~2E}R-EQAnW=%rcWLU2|X?GBJlt+eRH z!xrTzrB1`&GeE@?A2y#;fTF&sT4N6N+8AjOyklB~X5bB7K)mfoo%9Hti~^MgF9k!i zq_B0PKPb*f;wOa|cS?0=$1FT}JQvRcOEYs4?lTd-f%l)P@ZWOCyUy}O`VYL^XnNE| zq$tsmu{kJl9WeR81{-`Kh$<;#9vo@fx}e~agho3W%rzYpTS{I~tT^@|DT0+NS}Y$E zkZ8Yf90VtV1aIm+@Q?BSD@dXs&{fWNc=0CGB0>lugb+dqA%qY@2qAInformativa sulla privacy e i Termini e condizioni di Salesforce" - } - ], - "register_form.message.already_have_account": [ - { - "type": 0, - "value": "Hai già un account?" - } - ], - "register_form.message.create_an_account": [ - { - "type": 0, - "value": "Crea un account e accedi in esclusiva ai prodotti, alle idee e alle community migliori." - } - ], - "reset_password.button.back_to_sign_in": [ - { - "type": 0, - "value": "Torna all'accesso" - } - ], - "reset_password.info.receive_email_shortly": [ - { - "type": 0, - "value": "A breve riceverai un'email all'indirizzo " - }, - { - "children": [ - { - "type": 1, - "value": "email" - } - ], - "type": 8, - "value": "b" - }, - { - "type": 0, - "value": " con un link per la reimpostazione della password." - } - ], - "reset_password.title.password_reset": [ - { - "type": 0, - "value": "Reimpostazione password" - } - ], - "reset_password_form.action.sign_in": [ - { - "type": 0, - "value": "Accedi" - } - ], - "reset_password_form.button.reset_password": [ - { - "type": 0, - "value": "Reimposta password" - } - ], - "reset_password_form.message.enter_your_email": [ - { - "type": 0, - "value": "Inserisci il tuo indirizzo email per ricevere istruzioni su come reimpostare la password" - } - ], - "reset_password_form.message.return_to_sign_in": [ - { - "type": 0, - "value": "Oppure torna a" - } - ], - "reset_password_form.title.reset_password": [ - { - "type": 0, - "value": "Reimposta password" - } - ], - "search.action.cancel": [ - { - "type": 0, - "value": "Annulla" - } - ], - "selected_refinements.action.assistive_msg.clear_all": [ - { - "type": 0, - "value": "Cancella tutti i filtri" - } - ], - "selected_refinements.action.clear_all": [ - { - "type": 0, - "value": "Deseleziona tutto" - } - ], - "shipping_address.button.continue_to_shipping": [ - { - "type": 0, - "value": "Passa al metodo di spedizione" - } - ], - "shipping_address.title.shipping_address": [ - { - "type": 0, - "value": "Indirizzo di spedizione" - } - ], - "shipping_address_edit_form.button.save_and_continue": [ - { - "type": 0, - "value": "Salva e passa al metodo di spedizione" - } - ], - "shipping_address_form.heading.edit_address": [ - { - "type": 0, - "value": "Modifica indirizzo" - } - ], - "shipping_address_form.heading.new_address": [ - { - "type": 0, - "value": "Aggiungi nuovo indirizzo" - } - ], - "shipping_address_selection.button.add_address": [ - { - "type": 0, - "value": "Aggiungi nuovo indirizzo" - } - ], - "shipping_address_selection.button.submit": [ - { - "type": 0, - "value": "Invia" - } - ], - "shipping_address_selection.title.add_address": [ - { - "type": 0, - "value": "Aggiungi nuovo indirizzo" - } - ], - "shipping_address_selection.title.edit_shipping": [ - { - "type": 0, - "value": "Modifica indirizzo di spedizione" - } - ], - "shipping_options.action.send_as_a_gift": [ - { - "type": 0, - "value": "Inviare come regalo?" - } - ], - "shipping_options.button.continue_to_payment": [ - { - "type": 0, - "value": "Passa al pagamento" - } - ], - "shipping_options.title.shipping_gift_options": [ - { - "type": 0, - "value": "Opzioni di spedizione e regalo" - } - ], - "signout_confirmation_dialog.button.cancel": [ - { - "type": 0, - "value": "Annulla" - } - ], - "signout_confirmation_dialog.button.sign_out": [ - { - "type": 0, - "value": "Esci" - } - ], - "signout_confirmation_dialog.heading.sign_out": [ - { - "type": 0, - "value": "Esci" - } - ], - "signout_confirmation_dialog.message.sure_to_sign_out": [ - { - "type": 0, - "value": "Uscire? Per procedere con l'ordine corrente devi eseguire di nuovo l'accesso." - } - ], - "swatch_group.selected.label": [ - { - "type": 1, - "value": "label" - }, - { - "type": 0, - "value": ":" - } - ], - "toggle_card.action.edit": [ - { - "type": 0, - "value": "Modifica" - } - ], - "update_password_fields.button.forgot_password": [ - { - "type": 0, - "value": "Password dimenticata?" - } - ], - "use_address_fields.error.please_enter_first_name": [ - { - "type": 0, - "value": "Inserisci il nome." - } - ], - "use_address_fields.error.please_enter_last_name": [ - { - "type": 0, - "value": "Inserisci il cognome." - } - ], - "use_address_fields.error.please_enter_phone_number": [ - { - "type": 0, - "value": "Inserisci il numero di telefono." - } - ], - "use_address_fields.error.please_enter_your_postal_or_zip": [ - { - "type": 0, - "value": "Inserisci il codice postale." - } - ], - "use_address_fields.error.please_select_your_address": [ - { - "type": 0, - "value": "Inserisci l'indirizzo." - } - ], - "use_address_fields.error.please_select_your_city": [ - { - "type": 0, - "value": "Inserisci la città." - } - ], - "use_address_fields.error.please_select_your_country": [ - { - "type": 0, - "value": "Seleziona il Paese." - } - ], - "use_address_fields.error.please_select_your_state_or_province": [ - { - "type": 0, - "value": "Seleziona lo stato/la provincia." - } - ], - "use_address_fields.error.required": [ - { - "type": 0, - "value": "Obbligatorio" - } - ], - "use_address_fields.error.state_code_invalid": [ - { - "type": 0, - "value": "Inserisci la provincia di 2 lettere." - } - ], - "use_address_fields.label.address": [ - { - "type": 0, - "value": "Indirizzo" - } - ], - "use_address_fields.label.address_form": [ - { - "type": 0, - "value": "Modulo indirizzo" - } - ], - "use_address_fields.label.city": [ - { - "type": 0, - "value": "Città" - } - ], - "use_address_fields.label.country": [ - { - "type": 0, - "value": "Paese" - } - ], - "use_address_fields.label.first_name": [ - { - "type": 0, - "value": "Nome" - } - ], - "use_address_fields.label.last_name": [ - { - "type": 0, - "value": "Cognome" - } - ], - "use_address_fields.label.phone": [ - { - "type": 0, - "value": "Telefono" - } - ], - "use_address_fields.label.postal_code": [ - { - "type": 0, - "value": "Codice postale" - } - ], - "use_address_fields.label.preferred": [ - { - "type": 0, - "value": "Imposta come predefinito" - } - ], - "use_address_fields.label.province": [ - { - "type": 0, - "value": "Provincia" - } - ], - "use_address_fields.label.state": [ - { - "type": 0, - "value": "Stato" - } - ], - "use_address_fields.label.zipCode": [ - { - "type": 0, - "value": "CAP" - } - ], - "use_credit_card_fields.error.required": [ - { - "type": 0, - "value": "Obbligatorio" - } - ], - "use_credit_card_fields.error.required_card_number": [ - { - "type": 0, - "value": "Inserisci il numero di carta." - } - ], - "use_credit_card_fields.error.required_expiry": [ - { - "type": 0, - "value": "Inserisci la data di scadenza." - } - ], - "use_credit_card_fields.error.required_name": [ - { - "type": 0, - "value": "Inserisci il tuo nome come compare sulla carta." - } - ], - "use_credit_card_fields.error.required_security_code": [ - { - "type": 0, - "value": "Inserisci il codice di sicurezza." - } - ], - "use_credit_card_fields.error.valid_card_number": [ - { - "type": 0, - "value": "Inserisci un numero di carta valido." - } - ], - "use_credit_card_fields.error.valid_date": [ - { - "type": 0, - "value": "Inserisci una data valida." - } - ], - "use_credit_card_fields.error.valid_name": [ - { - "type": 0, - "value": "Inserisci un nome valido." - } - ], - "use_credit_card_fields.error.valid_security_code": [ - { - "type": 0, - "value": "Inserisci un codice di sicurezza valido." - } - ], - "use_credit_card_fields.label.card_number": [ - { - "type": 0, - "value": "Numero carta" - } - ], - "use_credit_card_fields.label.card_type": [ - { - "type": 0, - "value": "Tipo di carta" - } - ], - "use_credit_card_fields.label.expiry": [ - { - "type": 0, - "value": "Data di scadenza" - } - ], - "use_credit_card_fields.label.name": [ - { - "type": 0, - "value": "Nome sulla carta" - } - ], - "use_credit_card_fields.label.security_code": [ - { - "type": 0, - "value": "Codice di sicurezza" - } - ], - "use_login_fields.error.required_email": [ - { - "type": 0, - "value": "Inserisci l'indirizzo email." - } - ], - "use_login_fields.error.required_password": [ - { - "type": 0, - "value": "Inserisci la password." - } - ], - "use_login_fields.label.email": [ - { - "type": 0, - "value": "E-mail" - } - ], - "use_login_fields.label.password": [ - { - "type": 0, - "value": "Password" - } - ], - "use_product.message.inventory_remaining": [ - { - "type": 0, - "value": "Solo " - }, - { - "type": 1, - "value": "stockLevel" - }, - { - "type": 0, - "value": " rimasti!" - } - ], - "use_product.message.out_of_stock": [ - { - "type": 0, - "value": "Esaurito" - } - ], - "use_profile_fields.error.required_email": [ - { - "type": 0, - "value": "Inserisci un indirizzo e-mail valido." - } - ], - "use_profile_fields.error.required_first_name": [ - { - "type": 0, - "value": "Inserisci il nome." - } - ], - "use_profile_fields.error.required_last_name": [ - { - "type": 0, - "value": "Inserisci il cognome." - } - ], - "use_profile_fields.error.required_phone": [ - { - "type": 0, - "value": "Inserisci il numero di telefono." - } - ], - "use_profile_fields.label.email": [ - { - "type": 0, - "value": "E-mail" - } - ], - "use_profile_fields.label.first_name": [ - { - "type": 0, - "value": "Nome" - } - ], - "use_profile_fields.label.last_name": [ - { - "type": 0, - "value": "Cognome" - } - ], - "use_profile_fields.label.phone": [ - { - "type": 0, - "value": "Numero di telefono" - } - ], - "use_promo_code_fields.error.required_promo_code": [ - { - "type": 0, - "value": "Specifica un codice promozionale valido." - } - ], - "use_promo_code_fields.label.promo_code": [ - { - "type": 0, - "value": "Codice promozionale" - } - ], - "use_promocode.error.check_the_code": [ - { - "type": 0, - "value": "Controlla il codice e riprova. È possibile che sia già stato applicato o che la promozione sia scaduta." - } - ], - "use_promocode.info.promo_applied": [ - { - "type": 0, - "value": "Promozione applicata" - } - ], - "use_promocode.info.promo_removed": [ - { - "type": 0, - "value": "Promozione eliminata" - } - ], - "use_registration_fields.error.contain_number": [ - { - "type": 0, - "value": "La password deve contenere almeno un numero." - } - ], - "use_registration_fields.error.lowercase_letter": [ - { - "type": 0, - "value": "La password deve contenere almeno una lettera minuscola." - } - ], - "use_registration_fields.error.minimum_characters": [ - { - "type": 0, - "value": "La password deve contenere almeno 8 caratteri." - } - ], - "use_registration_fields.error.required_email": [ - { - "type": 0, - "value": "Inserisci un indirizzo e-mail valido." - } - ], - "use_registration_fields.error.required_first_name": [ - { - "type": 0, - "value": "Inserisci il nome." - } - ], - "use_registration_fields.error.required_last_name": [ - { - "type": 0, - "value": "Inserisci il cognome." - } - ], - "use_registration_fields.error.required_password": [ - { - "type": 0, - "value": "Creare una password." - } - ], - "use_registration_fields.error.special_character": [ - { - "type": 0, - "value": "La password deve contenere almeno un carattere speciale." - } - ], - "use_registration_fields.error.uppercase_letter": [ - { - "type": 0, - "value": "La password deve contenere almeno una lettera maiuscola." - } - ], - "use_registration_fields.label.email": [ - { - "type": 0, - "value": "E-mail" - } - ], - "use_registration_fields.label.first_name": [ - { - "type": 0, - "value": "Nome" - } - ], - "use_registration_fields.label.last_name": [ - { - "type": 0, - "value": "Cognome" - } - ], - "use_registration_fields.label.password": [ - { - "type": 0, - "value": "Password" - } - ], - "use_registration_fields.label.sign_up_to_emails": [ - { - "type": 0, - "value": "Iscrivimi alle email di Salesforce (puoi annullare l'iscrizione in qualsiasi momento)" - } - ], - "use_reset_password_fields.error.required_email": [ - { - "type": 0, - "value": "Inserisci un indirizzo e-mail valido." - } - ], - "use_reset_password_fields.label.email": [ - { - "type": 0, - "value": "E-mail" - } - ], - "use_update_password_fields.error.contain_number": [ - { - "type": 0, - "value": "La password deve contenere almeno un numero." - } - ], - "use_update_password_fields.error.lowercase_letter": [ - { - "type": 0, - "value": "La password deve contenere almeno una lettera minuscola." - } - ], - "use_update_password_fields.error.minimum_characters": [ - { - "type": 0, - "value": "La password deve contenere almeno 8 caratteri." - } - ], - "use_update_password_fields.error.required_new_password": [ - { - "type": 0, - "value": "Specifica una nuova password." - } - ], - "use_update_password_fields.error.required_password": [ - { - "type": 0, - "value": "Inserisci la password." - } - ], - "use_update_password_fields.error.special_character": [ - { - "type": 0, - "value": "La password deve contenere almeno un carattere speciale." - } - ], - "use_update_password_fields.error.uppercase_letter": [ - { - "type": 0, - "value": "La password deve contenere almeno una lettera maiuscola." - } - ], - "use_update_password_fields.label.current_password": [ - { - "type": 0, - "value": "Password corrente" - } - ], - "use_update_password_fields.label.new_password": [ - { - "type": 0, - "value": "Nuova password" - } - ], - "wishlist_primary_action.button.add_set_to_cart": [ - { - "type": 0, - "value": "Aggiungi set al carrello" - } - ], - "wishlist_primary_action.button.add_to_cart": [ - { - "type": 0, - "value": "Aggiungi al carrello" - } - ], - "wishlist_primary_action.button.view_full_details": [ - { - "type": 0, - "value": "Mostra tutti i dettagli" - } - ], - "wishlist_primary_action.button.view_options": [ - { - "type": 0, - "value": "Visualizza opzioni" - } - ], - "wishlist_primary_action.info.added_to_cart": [ - { - "type": 1, - "value": "quantity" - }, - { - "type": 0, - "value": " " - }, - { - "offset": 0, - "options": { - "one": { - "value": [ - { - "type": 0, - "value": "articolo aggiunto" - } - ] - }, - "other": { - "value": [ - { - "type": 0, - "value": "articoli aggiunti" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "quantity" - }, - { - "type": 0, - "value": " al carrello" - } - ], - "wishlist_secondary_button_group.action.remove": [ - { - "type": 0, - "value": "Rimuovi" - } - ], - "wishlist_secondary_button_group.info.item_removed": [ - { - "type": 0, - "value": "Articolo rimosso dalla lista desideri" - } - ], - "with_registration.info.please_sign_in": [ - { - "type": 0, - "value": "Accedi per continuare!" - } - ] -} \ No newline at end of file diff --git a/my-test-project/overrides/app/static/translations/compiled/ja-JP.json b/my-test-project/overrides/app/static/translations/compiled/ja-JP.json deleted file mode 100644 index 64323d1040..0000000000 --- a/my-test-project/overrides/app/static/translations/compiled/ja-JP.json +++ /dev/null @@ -1,3466 +0,0 @@ -{ - "account.accordion.button.my_account": [ - { - "type": 0, - "value": "マイアカウント" - } - ], - "account.heading.my_account": [ - { - "type": 0, - "value": "マイアカウント" - } - ], - "account.logout_button.button.log_out": [ - { - "type": 0, - "value": "ログアウト" - } - ], - "account_addresses.badge.default": [ - { - "type": 0, - "value": "デフォルト" - } - ], - "account_addresses.button.add_address": [ - { - "type": 0, - "value": "住所の追加" - } - ], - "account_addresses.info.address_removed": [ - { - "type": 0, - "value": "住所が削除されました" - } - ], - "account_addresses.info.address_updated": [ - { - "type": 0, - "value": "住所が更新されました" - } - ], - "account_addresses.info.new_address_saved": [ - { - "type": 0, - "value": "新しい住所が保存されました" - } - ], - "account_addresses.page_action_placeholder.button.add_address": [ - { - "type": 0, - "value": "住所の追加" - } - ], - "account_addresses.page_action_placeholder.heading.no_saved_addresses": [ - { - "type": 0, - "value": "保存されている住所はありません" - } - ], - "account_addresses.page_action_placeholder.message.add_new_address": [ - { - "type": 0, - "value": "新しい住所を追加すると、注文手続きを素早く完了できます。" - } - ], - "account_addresses.title.addresses": [ - { - "type": 0, - "value": "住所" - } - ], - "account_detail.title.account_details": [ - { - "type": 0, - "value": "アカウントの詳細" - } - ], - "account_order_detail.heading.billing_address": [ - { - "type": 0, - "value": "請求先住所" - } - ], - "account_order_detail.heading.num_of_items": [ - { - "type": 1, - "value": "count" - }, - { - "type": 0, - "value": " 個の商品" - } - ], - "account_order_detail.heading.payment_method": [ - { - "type": 0, - "value": "支払方法" - } - ], - "account_order_detail.heading.shipping_address": [ - { - "type": 0, - "value": "配送先住所" - } - ], - "account_order_detail.heading.shipping_method": [ - { - "type": 0, - "value": "配送方法" - } - ], - "account_order_detail.label.order_number": [ - { - "type": 0, - "value": "注文番号: " - }, - { - "type": 1, - "value": "orderNumber" - } - ], - "account_order_detail.label.ordered_date": [ - { - "type": 0, - "value": "注文日: " - }, - { - "type": 1, - "value": "date" - } - ], - "account_order_detail.label.pending_tracking_number": [ - { - "type": 0, - "value": "保留中" - } - ], - "account_order_detail.label.tracking_number": [ - { - "type": 0, - "value": "追跡番号" - } - ], - "account_order_detail.link.back_to_history": [ - { - "type": 0, - "value": "注文履歴に戻る" - } - ], - "account_order_detail.shipping_status.not_shipped": [ - { - "type": 0, - "value": "未出荷" - } - ], - "account_order_detail.shipping_status.part_shipped": [ - { - "type": 0, - "value": "一部出荷済み" - } - ], - "account_order_detail.shipping_status.shipped": [ - { - "type": 0, - "value": "出荷済み" - } - ], - "account_order_detail.title.order_details": [ - { - "type": 0, - "value": "注文の詳細" - } - ], - "account_order_history.button.continue_shopping": [ - { - "type": 0, - "value": "買い物を続ける" - } - ], - "account_order_history.description.once_you_place_order": [ - { - "type": 0, - "value": "注文を確定すると、ここに詳細が表示されます。" - } - ], - "account_order_history.heading.no_order_yet": [ - { - "type": 0, - "value": "まだ注文を確定していません。" - } - ], - "account_order_history.label.num_of_items": [ - { - "type": 1, - "value": "count" - }, - { - "type": 0, - "value": " 個の商品" - } - ], - "account_order_history.label.order_number": [ - { - "type": 0, - "value": "注文番号: " - }, - { - "type": 1, - "value": "orderNumber" - } - ], - "account_order_history.label.ordered_date": [ - { - "type": 0, - "value": "注文日: " - }, - { - "type": 1, - "value": "date" - } - ], - "account_order_history.label.shipped_to": [ - { - "type": 0, - "value": "配送先: " - }, - { - "type": 1, - "value": "name" - } - ], - "account_order_history.link.view_details": [ - { - "type": 0, - "value": "詳細の表示" - } - ], - "account_order_history.title.order_history": [ - { - "type": 0, - "value": "注文履歴" - } - ], - "account_wishlist.button.continue_shopping": [ - { - "type": 0, - "value": "買い物を続ける" - } - ], - "account_wishlist.description.continue_shopping": [ - { - "type": 0, - "value": "買い物を続けて、ほしい物リストに商品を追加してください。" - } - ], - "account_wishlist.heading.no_wishlist": [ - { - "type": 0, - "value": "ほしい物リストに商品がありません" - } - ], - "account_wishlist.title.wishlist": [ - { - "type": 0, - "value": "ほしい物リスト" - } - ], - "action_card.action.edit": [ - { - "type": 0, - "value": "編集" - } - ], - "action_card.action.remove": [ - { - "type": 0, - "value": "削除" - } - ], - "add_to_cart_modal.info.added_to_cart": [ - { - "type": 1, - "value": "quantity" - }, - { - "type": 0, - "value": " " - }, - { - "offset": 0, - "options": { - "one": { - "value": [ - { - "type": 0, - "value": " 個の商品" - } - ] - }, - "other": { - "value": [ - { - "type": 0, - "value": " 個の商品" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "quantity" - }, - { - "type": 0, - "value": "が買い物カゴに追加されました" - } - ], - "add_to_cart_modal.label.cart_subtotal": [ - { - "type": 0, - "value": "買い物カゴ小計 (" - }, - { - "type": 1, - "value": "itemAccumulatedCount" - }, - { - "type": 0, - "value": " 個の商品)" - } - ], - "add_to_cart_modal.label.quantity": [ - { - "type": 0, - "value": "個数" - } - ], - "add_to_cart_modal.link.checkout": [ - { - "type": 0, - "value": "注文手続きに進む" - } - ], - "add_to_cart_modal.link.view_cart": [ - { - "type": 0, - "value": "買い物カゴを表示" - } - ], - "add_to_cart_modal.recommended_products.title.might_also_like": [ - { - "type": 0, - "value": "こちらもどうぞ" - } - ], - "auth_modal.button.close.assistive_msg": [ - { - "type": 0, - "value": "ログインフォームを閉じる" - } - ], - "auth_modal.description.now_signed_in": [ - { - "type": 0, - "value": "サインインしました。" - } - ], - "auth_modal.error.incorrect_email_or_password": [ - { - "type": 0, - "value": "Eメールまたはパスワードが正しくありません。もう一度お試しください。" - } - ], - "auth_modal.info.welcome_user": [ - { - "type": 0, - "value": "ようこそ、" - }, - { - "type": 1, - "value": "name" - }, - { - "type": 0, - "value": "さん" - } - ], - "auth_modal.password_reset_success.button.back_to_sign_in": [ - { - "type": 0, - "value": "サインインに戻る" - } - ], - "auth_modal.password_reset_success.info.will_email_shortly": [ - { - "type": 0, - "value": "パスワードリセットのリンクが記載された Eメールがまもなく " - }, - { - "children": [ - { - "type": 1, - "value": "email" - } - ], - "type": 8, - "value": "b" - }, - { - "type": 0, - "value": " に届きます。" - } - ], - "auth_modal.password_reset_success.title.password_reset": [ - { - "type": 0, - "value": "パスワードのリセット" - } - ], - "carousel.button.scroll_left.assistive_msg": [ - { - "type": 0, - "value": "カルーセルを左へスクロール" - } - ], - "carousel.button.scroll_right.assistive_msg": [ - { - "type": 0, - "value": "カルーセルを右へスクロール" - } - ], - "cart.info.removed_from_cart": [ - { - "type": 0, - "value": "買い物カゴから商品が削除されました" - } - ], - "cart.recommended_products.title.may_also_like": [ - { - "type": 0, - "value": "こちらもおすすめ" - } - ], - "cart.recommended_products.title.recently_viewed": [ - { - "type": 0, - "value": "最近見た商品" - } - ], - "cart_cta.link.checkout": [ - { - "type": 0, - "value": "注文手続きに進む" - } - ], - "cart_secondary_button_group.action.added_to_wishlist": [ - { - "type": 0, - "value": "ほしい物リストに追加" - } - ], - "cart_secondary_button_group.action.edit": [ - { - "type": 0, - "value": "編集" - } - ], - "cart_secondary_button_group.action.remove": [ - { - "type": 0, - "value": "削除" - } - ], - "cart_secondary_button_group.label.this_is_gift": [ - { - "type": 0, - "value": "これはギフトです。" - } - ], - "cart_skeleton.heading.order_summary": [ - { - "type": 0, - "value": "注文の概要" - } - ], - "cart_skeleton.title.cart": [ - { - "type": 0, - "value": "買い物カゴ" - } - ], - "cart_title.title.cart_num_of_items": [ - { - "type": 0, - "value": "買い物カゴ (" - }, - { - "offset": 0, - "options": { - "=0": { - "value": [ - { - "type": 0, - "value": "0 個の商品" - } - ] - }, - "one": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": " 個の商品" - } - ] - }, - "other": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": " 個の商品" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "itemCount" - }, - { - "type": 0, - "value": ")" - } - ], - "cc_radio_group.action.remove": [ - { - "type": 0, - "value": "削除" - } - ], - "cc_radio_group.button.add_new_card": [ - { - "type": 0, - "value": "新しいカードの追加" - } - ], - "checkout.button.place_order": [ - { - "type": 0, - "value": "注文の確定" - } - ], - "checkout.message.generic_error": [ - { - "type": 0, - "value": "注文手続き中に予期しないエラーが発生しました。" - } - ], - "checkout_confirmation.button.create_account": [ - { - "type": 0, - "value": "アカウントの作成" - } - ], - "checkout_confirmation.heading.billing_address": [ - { - "type": 0, - "value": "請求先住所" - } - ], - "checkout_confirmation.heading.create_account": [ - { - "type": 0, - "value": "アカウントを作成すると、注文手続きを素早く完了できます" - } - ], - "checkout_confirmation.heading.credit_card": [ - { - "type": 0, - "value": "クレジットカード" - } - ], - "checkout_confirmation.heading.delivery_details": [ - { - "type": 0, - "value": "配送の詳細" - } - ], - "checkout_confirmation.heading.order_summary": [ - { - "type": 0, - "value": "注文の概要" - } - ], - "checkout_confirmation.heading.payment_details": [ - { - "type": 0, - "value": "支払の詳細" - } - ], - "checkout_confirmation.heading.shipping_address": [ - { - "type": 0, - "value": "配送先住所" - } - ], - "checkout_confirmation.heading.shipping_method": [ - { - "type": 0, - "value": "配送方法" - } - ], - "checkout_confirmation.heading.thank_you_for_order": [ - { - "type": 0, - "value": "ご注文いただきありがとうございました!" - } - ], - "checkout_confirmation.label.free": [ - { - "type": 0, - "value": "無料" - } - ], - "checkout_confirmation.label.order_number": [ - { - "type": 0, - "value": "注文番号" - } - ], - "checkout_confirmation.label.order_total": [ - { - "type": 0, - "value": "ご注文金額合計" - } - ], - "checkout_confirmation.label.promo_applied": [ - { - "type": 0, - "value": "プロモーションが適用されました" - } - ], - "checkout_confirmation.label.shipping": [ - { - "type": 0, - "value": "配送" - } - ], - "checkout_confirmation.label.subtotal": [ - { - "type": 0, - "value": "小計" - } - ], - "checkout_confirmation.label.tax": [ - { - "type": 0, - "value": "税金" - } - ], - "checkout_confirmation.link.continue_shopping": [ - { - "type": 0, - "value": "買い物を続ける" - } - ], - "checkout_confirmation.link.login": [ - { - "type": 0, - "value": "ログインはこちらから" - } - ], - "checkout_confirmation.message.already_has_account": [ - { - "type": 0, - "value": "この Eメールにはすでにアカウントがあります。" - } - ], - "checkout_confirmation.message.num_of_items_in_order": [ - { - "offset": 0, - "options": { - "=0": { - "value": [ - { - "type": 0, - "value": "0 個の商品" - } - ] - }, - "one": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": " 個の商品" - } - ] - }, - "other": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": " 個の商品" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "itemCount" - } - ], - "checkout_confirmation.message.will_email_shortly": [ - { - "type": 0, - "value": "確認番号と領収書が含まれる Eメールをまもなく " - }, - { - "children": [ - { - "type": 1, - "value": "email" - } - ], - "type": 8, - "value": "b" - }, - { - "type": 0, - "value": " 宛にお送りします。" - } - ], - "checkout_footer.link.privacy_policy": [ - { - "type": 0, - "value": "プライバシーポリシー" - } - ], - "checkout_footer.link.returns_exchanges": [ - { - "type": 0, - "value": "返品および交換" - } - ], - "checkout_footer.link.shipping": [ - { - "type": 0, - "value": "配送" - } - ], - "checkout_footer.link.site_map": [ - { - "type": 0, - "value": "サイトマップ" - } - ], - "checkout_footer.link.terms_conditions": [ - { - "type": 0, - "value": "使用条件" - } - ], - "checkout_footer.message.copyright": [ - { - "type": 0, - "value": "Salesforce またはその系列会社。All Rights Reserved. これはデモのみを目的とするストアです。注文を確定しても処理されません。" - } - ], - "checkout_header.link.assistive_msg.cart": [ - { - "type": 0, - "value": "買い物カゴに戻る、商品数: " - }, - { - "type": 1, - "value": "numItems" - } - ], - "checkout_header.link.cart": [ - { - "type": 0, - "value": "買い物カゴに戻る" - } - ], - "checkout_payment.action.remove": [ - { - "type": 0, - "value": "削除" - } - ], - "checkout_payment.button.review_order": [ - { - "type": 0, - "value": "注文の確認" - } - ], - "checkout_payment.heading.billing_address": [ - { - "type": 0, - "value": "請求先住所" - } - ], - "checkout_payment.heading.credit_card": [ - { - "type": 0, - "value": "クレジットカード" - } - ], - "checkout_payment.label.same_as_shipping": [ - { - "type": 0, - "value": "配送先住所と同じ" - } - ], - "checkout_payment.title.payment": [ - { - "type": 0, - "value": "支払" - } - ], - "colorRefinements.label.hitCount": [ - { - "type": 1, - "value": "colorLabel" - }, - { - "type": 0, - "value": " (" - }, - { - "type": 1, - "value": "colorHitCount" - }, - { - "type": 0, - "value": ")" - } - ], - "confirmation_modal.default.action.no": [ - { - "type": 0, - "value": "いいえ" - } - ], - "confirmation_modal.default.action.yes": [ - { - "type": 0, - "value": "はい" - } - ], - "confirmation_modal.default.message.you_want_to_continue": [ - { - "type": 0, - "value": "続行しますか?" - } - ], - "confirmation_modal.default.title.confirm_action": [ - { - "type": 0, - "value": "操作の確認" - } - ], - "confirmation_modal.remove_cart_item.action.no": [ - { - "type": 0, - "value": "いいえ、商品をキープします" - } - ], - "confirmation_modal.remove_cart_item.action.remove": [ - { - "type": 0, - "value": "削除" - } - ], - "confirmation_modal.remove_cart_item.action.yes": [ - { - "type": 0, - "value": "はい、商品を削除します" - } - ], - "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": [ - { - "type": 0, - "value": "一部の商品がオンラインで入手できなくなったため、買い物カゴから削除されます。" - } - ], - "confirmation_modal.remove_cart_item.message.sure_to_remove": [ - { - "type": 0, - "value": "この商品を買い物カゴから削除しますか?" - } - ], - "confirmation_modal.remove_cart_item.title.confirm_remove": [ - { - "type": 0, - "value": "商品の削除の確認" - } - ], - "confirmation_modal.remove_cart_item.title.items_unavailable": [ - { - "type": 0, - "value": "入手不可商品" - } - ], - "confirmation_modal.remove_wishlist_item.action.no": [ - { - "type": 0, - "value": "いいえ、商品をキープします" - } - ], - "confirmation_modal.remove_wishlist_item.action.yes": [ - { - "type": 0, - "value": "はい、商品を削除します" - } - ], - "confirmation_modal.remove_wishlist_item.message.sure_to_remove": [ - { - "type": 0, - "value": "この商品をほしい物リストから削除しますか?" - } - ], - "confirmation_modal.remove_wishlist_item.title.confirm_remove": [ - { - "type": 0, - "value": "商品の削除の確認" - } - ], - "contact_info.action.sign_out": [ - { - "type": 0, - "value": "サインアウト" - } - ], - "contact_info.button.already_have_account": [ - { - "type": 0, - "value": "すでにアカウントをお持ちですか?ログイン" - } - ], - "contact_info.button.checkout_as_guest": [ - { - "type": 0, - "value": "ゲストとして注文手続きへ進む" - } - ], - "contact_info.button.login": [ - { - "type": 0, - "value": "ログイン" - } - ], - "contact_info.error.incorrect_username_or_password": [ - { - "type": 0, - "value": "ユーザー名またはパスワードが間違っています。もう一度お試しください。" - } - ], - "contact_info.link.forgot_password": [ - { - "type": 0, - "value": "パスワードを忘れましたか?" - } - ], - "contact_info.title.contact_info": [ - { - "type": 0, - "value": "連絡先情報" - } - ], - "credit_card_fields.tool_tip.security_code": [ - { - "type": 0, - "value": "この 3 桁のコードはカードの裏面に記載されています。" - } - ], - "credit_card_fields.tool_tip.security_code.american_express": [ - { - "type": 0, - "value": "この 4 桁のコードはカードの表面に記載されています。" - } - ], - "credit_card_fields.tool_tip.security_code_aria_label": [ - { - "type": 0, - "value": "セキュリティコード情報" - } - ], - "drawer_menu.button.account_details": [ - { - "type": 0, - "value": "アカウントの詳細" - } - ], - "drawer_menu.button.addresses": [ - { - "type": 0, - "value": "住所" - } - ], - "drawer_menu.button.log_out": [ - { - "type": 0, - "value": "ログアウト" - } - ], - "drawer_menu.button.my_account": [ - { - "type": 0, - "value": "マイアカウント" - } - ], - "drawer_menu.button.order_history": [ - { - "type": 0, - "value": "注文履歴" - } - ], - "drawer_menu.link.about_us": [ - { - "type": 0, - "value": "企業情報" - } - ], - "drawer_menu.link.customer_support": [ - { - "type": 0, - "value": "カスタマーサポート" - } - ], - "drawer_menu.link.customer_support.contact_us": [ - { - "type": 0, - "value": "お問い合わせ" - } - ], - "drawer_menu.link.customer_support.shipping_and_returns": [ - { - "type": 0, - "value": "配送と返品" - } - ], - "drawer_menu.link.our_company": [ - { - "type": 0, - "value": "当社について" - } - ], - "drawer_menu.link.privacy_and_security": [ - { - "type": 0, - "value": "プライバシー & セキュリティ" - } - ], - "drawer_menu.link.privacy_policy": [ - { - "type": 0, - "value": "プライバシーポリシー" - } - ], - "drawer_menu.link.shop_all": [ - { - "type": 0, - "value": "すべての商品" - } - ], - "drawer_menu.link.sign_in": [ - { - "type": 0, - "value": "サインイン" - } - ], - "drawer_menu.link.site_map": [ - { - "type": 0, - "value": "サイトマップ" - } - ], - "drawer_menu.link.store_locator": [ - { - "type": 0, - "value": "店舗検索" - } - ], - "drawer_menu.link.terms_and_conditions": [ - { - "type": 0, - "value": "使用条件" - } - ], - "empty_cart.description.empty_cart": [ - { - "type": 0, - "value": "買い物カゴは空です。" - } - ], - "empty_cart.link.continue_shopping": [ - { - "type": 0, - "value": "買い物を続ける" - } - ], - "empty_cart.link.sign_in": [ - { - "type": 0, - "value": "サインイン" - } - ], - "empty_cart.message.continue_shopping": [ - { - "type": 0, - "value": "買い物を続けて、買い物カゴに商品を追加してください。" - } - ], - "empty_cart.message.sign_in_or_continue_shopping": [ - { - "type": 0, - "value": "サインインして保存された商品を取得するか、買い物を続けてください。" - } - ], - "empty_search_results.info.cant_find_anything_for_category": [ - { - "type": 1, - "value": "category" - }, - { - "type": 0, - "value": "では該当する商品が見つかりませんでした。商品を検索してみるか、または" - }, - { - "type": 1, - "value": "link" - }, - { - "type": 0, - "value": "ください。" - } - ], - "empty_search_results.info.cant_find_anything_for_query": [ - { - "type": 0, - "value": "\"" - }, - { - "type": 1, - "value": "searchQuery" - }, - { - "type": 0, - "value": "\" では該当する商品が見つかりませんでした。" - } - ], - "empty_search_results.info.double_check_spelling": [ - { - "type": 0, - "value": "入力内容に間違いがないか再度ご確認の上、もう一度やり直すか、または" - }, - { - "type": 1, - "value": "link" - }, - { - "type": 0, - "value": "ください。" - } - ], - "empty_search_results.link.contact_us": [ - { - "type": 0, - "value": "お問い合わせ" - } - ], - "empty_search_results.recommended_products.title.most_viewed": [ - { - "type": 0, - "value": "最も閲覧された商品" - } - ], - "empty_search_results.recommended_products.title.top_sellers": [ - { - "type": 0, - "value": "売れ筋商品" - } - ], - "field.password.assistive_msg.hide_password": [ - { - "type": 0, - "value": "パスワードを非表示" - } - ], - "field.password.assistive_msg.show_password": [ - { - "type": 0, - "value": "パスワードを表示" - } - ], - "footer.column.account": [ - { - "type": 0, - "value": "アカウント" - } - ], - "footer.column.customer_support": [ - { - "type": 0, - "value": "カスタマーサポート" - } - ], - "footer.column.our_company": [ - { - "type": 0, - "value": "当社について" - } - ], - "footer.link.about_us": [ - { - "type": 0, - "value": "企業情報" - } - ], - "footer.link.contact_us": [ - { - "type": 0, - "value": "お問い合わせ" - } - ], - "footer.link.order_status": [ - { - "type": 0, - "value": "注文ステータス" - } - ], - "footer.link.privacy_policy": [ - { - "type": 0, - "value": "プライバシーポリシー" - } - ], - "footer.link.shipping": [ - { - "type": 0, - "value": "配送" - } - ], - "footer.link.signin_create_account": [ - { - "type": 0, - "value": "サインインするかアカウントを作成してください" - } - ], - "footer.link.site_map": [ - { - "type": 0, - "value": "サイトマップ" - } - ], - "footer.link.store_locator": [ - { - "type": 0, - "value": "店舗検索" - } - ], - "footer.link.terms_conditions": [ - { - "type": 0, - "value": "使用条件" - } - ], - "footer.message.copyright": [ - { - "type": 0, - "value": "Salesforce またはその系列会社。All Rights Reserved. これはデモのみを目的とするストアです。注文を確定しても処理されません。" - } - ], - "footer.subscribe.button.sign_up": [ - { - "type": 0, - "value": "サインアップ" - } - ], - "footer.subscribe.description.sign_up": [ - { - "type": 0, - "value": "サインアップすると人気のお買い得商品について最新情報を入手できます" - } - ], - "footer.subscribe.heading.first_to_know": [ - { - "type": 0, - "value": "最新情報を誰よりも早く入手" - } - ], - "form_action_buttons.button.cancel": [ - { - "type": 0, - "value": "キャンセル" - } - ], - "form_action_buttons.button.save": [ - { - "type": 0, - "value": "保存" - } - ], - "global.account.link.account_details": [ - { - "type": 0, - "value": "アカウントの詳細" - } - ], - "global.account.link.addresses": [ - { - "type": 0, - "value": "住所" - } - ], - "global.account.link.order_history": [ - { - "type": 0, - "value": "注文履歴" - } - ], - "global.account.link.wishlist": [ - { - "type": 0, - "value": "ほしい物リスト" - } - ], - "global.error.something_went_wrong": [ - { - "type": 0, - "value": "問題が発生しました。もう一度お試しください!" - } - ], - "global.info.added_to_wishlist": [ - { - "type": 1, - "value": "quantity" - }, - { - "type": 0, - "value": " " - }, - { - "offset": 0, - "options": { - "one": { - "value": [ - { - "type": 0, - "value": " 個の商品" - } - ] - }, - "other": { - "value": [ - { - "type": 0, - "value": " 個の商品" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "quantity" - }, - { - "type": 0, - "value": "がほしい物リストに追加されました" - } - ], - "global.info.already_in_wishlist": [ - { - "type": 0, - "value": "商品はすでにほしい物リストに追加されています" - } - ], - "global.info.removed_from_wishlist": [ - { - "type": 0, - "value": "ほしい物リストから商品が削除されました" - } - ], - "global.link.added_to_wishlist.view_wishlist": [ - { - "type": 0, - "value": "表示" - } - ], - "header.button.assistive_msg.logo": [ - { - "type": 0, - "value": "ロゴ" - } - ], - "header.button.assistive_msg.menu": [ - { - "type": 0, - "value": "メニュー" - } - ], - "header.button.assistive_msg.my_account": [ - { - "type": 0, - "value": "マイアカウント" - } - ], - "header.button.assistive_msg.my_account_menu": [ - { - "type": 0, - "value": "アカウントメニューを開く" - } - ], - "header.button.assistive_msg.my_cart_with_num_items": [ - { - "type": 0, - "value": "マイ買い物カゴ、商品数: " - }, - { - "type": 1, - "value": "numItems" - } - ], - "header.button.assistive_msg.wishlist": [ - { - "type": 0, - "value": "ほしい物リスト" - } - ], - "header.field.placeholder.search_for_products": [ - { - "type": 0, - "value": "商品の検索..." - } - ], - "header.popover.action.log_out": [ - { - "type": 0, - "value": "ログアウト" - } - ], - "header.popover.title.my_account": [ - { - "type": 0, - "value": "マイアカウント" - } - ], - "home.description.features": [ - { - "type": 0, - "value": "すぐに使える機能が用意されているため、機能の強化のみに注力できます。" - } - ], - "home.description.here_to_help": [ - { - "type": 0, - "value": "サポート担当者にご連絡ください。" - } - ], - "home.description.here_to_help_line_2": [ - { - "type": 0, - "value": "適切な部門におつなげします。" - } - ], - "home.description.shop_products": [ - { - "type": 0, - "value": "このセクションには、カタログからのコンテンツが含まれています。カタログの置き換え方法に関する" - }, - { - "type": 1, - "value": "docLink" - }, - { - "type": 0, - "value": "。" - } - ], - "home.features.description.cart_checkout": [ - { - "type": 0, - "value": "eコマースの買い物客の買い物カゴと注文手続き体験のベストプラクティス。" - } - ], - "home.features.description.components": [ - { - "type": 0, - "value": "Chakra UI を使用して構築された、シンプルなモジュラー型のアクセシブルな React コンポーネントライブラリ。" - } - ], - "home.features.description.einstein_recommendations": [ - { - "type": 0, - "value": "商品レコメンデーションにより、次善の商品やオファーをすべての買い物客に提示します。" - } - ], - "home.features.description.my_account": [ - { - "type": 0, - "value": "買い物客は、プロフィール、住所、支払、注文などのアカウント情報を管理できます。" - } - ], - "home.features.description.shopper_login": [ - { - "type": 0, - "value": "買い物客がより簡単にログインし、よりパーソナル化された買い物体験を得られるようにします。" - } - ], - "home.features.description.wishlist": [ - { - "type": 0, - "value": "登録済みの買い物客は商品をほしい物リストに追加し、あとで購入できるようにしておけます。" - } - ], - "home.features.heading.cart_checkout": [ - { - "type": 0, - "value": "買い物カゴ & 注文手続き" - } - ], - "home.features.heading.components": [ - { - "type": 0, - "value": "コンポーネント & 設計キット" - } - ], - "home.features.heading.einstein_recommendations": [ - { - "type": 0, - "value": "Einstein レコメンデーション" - } - ], - "home.features.heading.my_account": [ - { - "type": 0, - "value": "マイアカウント" - } - ], - "home.features.heading.shopper_login": [ - { - "type": 0, - "value": "Shopper Login and API Access Service (SLAS)" - } - ], - "home.features.heading.wishlist": [ - { - "type": 0, - "value": "ほしい物リスト" - } - ], - "home.heading.features": [ - { - "type": 0, - "value": "機能" - } - ], - "home.heading.here_to_help": [ - { - "type": 0, - "value": "弊社にお任せください" - } - ], - "home.heading.shop_products": [ - { - "type": 0, - "value": "ショップの商品" - } - ], - "home.hero_features.link.design_kit": [ - { - "type": 0, - "value": "Figma PWA Design Kit で作成" - } - ], - "home.hero_features.link.on_github": [ - { - "type": 0, - "value": "Github でダウンロード" - } - ], - "home.hero_features.link.on_managed_runtime": [ - { - "type": 0, - "value": "Managed Runtime でデプロイ" - } - ], - "home.link.contact_us": [ - { - "type": 0, - "value": "お問い合わせ" - } - ], - "home.link.get_started": [ - { - "type": 0, - "value": "開始する" - } - ], - "home.link.read_docs": [ - { - "type": 0, - "value": "ドキュメントを読む" - } - ], - "home.title.react_starter_store": [ - { - "type": 0, - "value": "リテール用 React PWA Starter Store" - } - ], - "icons.assistive_msg.lock": [ - { - "type": 0, - "value": "セキュア" - } - ], - "item_attributes.label.promotions": [ - { - "type": 0, - "value": "プロモーション" - } - ], - "item_attributes.label.quantity": [ - { - "type": 0, - "value": "数量: " - }, - { - "type": 1, - "value": "quantity" - } - ], - "item_image.label.sale": [ - { - "type": 0, - "value": "セール" - } - ], - "item_image.label.unavailable": [ - { - "type": 0, - "value": "入手不可" - } - ], - "item_price.label.starting_at": [ - { - "type": 0, - "value": "最低価格" - } - ], - "lCPCxk": [ - { - "type": 0, - "value": "上記のすべてのオプションを選択してください" - } - ], - "list_menu.nav.assistive_msg": [ - { - "type": 0, - "value": "メインナビゲーション" - } - ], - "locale_text.message.ar-SA": [ - { - "type": 0, - "value": "アラビア語 (サウジアラビア)" - } - ], - "locale_text.message.bn-BD": [ - { - "type": 0, - "value": "バングラ語 (バングラデシュ)" - } - ], - "locale_text.message.bn-IN": [ - { - "type": 0, - "value": "バングラ語 (インド)" - } - ], - "locale_text.message.cs-CZ": [ - { - "type": 0, - "value": "チェコ語 (チェコ共和国)" - } - ], - "locale_text.message.da-DK": [ - { - "type": 0, - "value": "デンマーク語 (デンマーク)" - } - ], - "locale_text.message.de-AT": [ - { - "type": 0, - "value": "ドイツ語 (オーストリア)" - } - ], - "locale_text.message.de-CH": [ - { - "type": 0, - "value": "ドイツ語 (スイス)" - } - ], - "locale_text.message.de-DE": [ - { - "type": 0, - "value": "ドイツ語 (ドイツ)" - } - ], - "locale_text.message.el-GR": [ - { - "type": 0, - "value": "ギリシャ語 (ギリシャ)" - } - ], - "locale_text.message.en-AU": [ - { - "type": 0, - "value": "英語 (オーストラリア)" - } - ], - "locale_text.message.en-CA": [ - { - "type": 0, - "value": "英語 (カナダ)" - } - ], - "locale_text.message.en-GB": [ - { - "type": 0, - "value": "英語 (英国)" - } - ], - "locale_text.message.en-IE": [ - { - "type": 0, - "value": "英語 (アイルランド)" - } - ], - "locale_text.message.en-IN": [ - { - "type": 0, - "value": "英語 (インド)" - } - ], - "locale_text.message.en-NZ": [ - { - "type": 0, - "value": "英語 (ニュージーランド)" - } - ], - "locale_text.message.en-US": [ - { - "type": 0, - "value": "英語 (米国)" - } - ], - "locale_text.message.en-ZA": [ - { - "type": 0, - "value": "英語 (南アフリカ)" - } - ], - "locale_text.message.es-AR": [ - { - "type": 0, - "value": "スペイン語 (アルゼンチン)" - } - ], - "locale_text.message.es-CL": [ - { - "type": 0, - "value": "スペイン語 (チリ)" - } - ], - "locale_text.message.es-CO": [ - { - "type": 0, - "value": "スペイン語 (コロンビア)" - } - ], - "locale_text.message.es-ES": [ - { - "type": 0, - "value": "スペイン語 (スペイン)" - } - ], - "locale_text.message.es-MX": [ - { - "type": 0, - "value": "スペイン語 (メキシコ)" - } - ], - "locale_text.message.es-US": [ - { - "type": 0, - "value": "スペイン語 (米国)" - } - ], - "locale_text.message.fi-FI": [ - { - "type": 0, - "value": "フィンランド語 (フィンランド)" - } - ], - "locale_text.message.fr-BE": [ - { - "type": 0, - "value": "フランス語 (ベルギー)" - } - ], - "locale_text.message.fr-CA": [ - { - "type": 0, - "value": "フランス語 (カナダ)" - } - ], - "locale_text.message.fr-CH": [ - { - "type": 0, - "value": "フランス語 (スイス)" - } - ], - "locale_text.message.fr-FR": [ - { - "type": 0, - "value": "フランス語 (フランス)" - } - ], - "locale_text.message.he-IL": [ - { - "type": 0, - "value": "ヘブライ語 (イスラエル)" - } - ], - "locale_text.message.hi-IN": [ - { - "type": 0, - "value": "ヒンディー語 (インド)" - } - ], - "locale_text.message.hu-HU": [ - { - "type": 0, - "value": "ハンガリー語 (ハンガリー)" - } - ], - "locale_text.message.id-ID": [ - { - "type": 0, - "value": "インドネシア語 (インドネシア)" - } - ], - "locale_text.message.it-CH": [ - { - "type": 0, - "value": "イタリア語 (スイス)" - } - ], - "locale_text.message.it-IT": [ - { - "type": 0, - "value": "イタリア語 (イタリア)" - } - ], - "locale_text.message.ja-JP": [ - { - "type": 0, - "value": "日本語 (日本)" - } - ], - "locale_text.message.ko-KR": [ - { - "type": 0, - "value": "韓国語 (韓国)" - } - ], - "locale_text.message.nl-BE": [ - { - "type": 0, - "value": "オランダ語 (ベルギー)" - } - ], - "locale_text.message.nl-NL": [ - { - "type": 0, - "value": "オランダ語 (オランダ)" - } - ], - "locale_text.message.no-NO": [ - { - "type": 0, - "value": "ノルウェー語 (ノルウェー)" - } - ], - "locale_text.message.pl-PL": [ - { - "type": 0, - "value": "ポーランド語 (ポーランド)" - } - ], - "locale_text.message.pt-BR": [ - { - "type": 0, - "value": "ポルトガル語 (ブラジル)" - } - ], - "locale_text.message.pt-PT": [ - { - "type": 0, - "value": "ポルトガル語 (ポルトガル)" - } - ], - "locale_text.message.ro-RO": [ - { - "type": 0, - "value": "ルーマニア語 (ルーマニア)" - } - ], - "locale_text.message.ru-RU": [ - { - "type": 0, - "value": "ロシア語 (ロシア連邦)" - } - ], - "locale_text.message.sk-SK": [ - { - "type": 0, - "value": "スロバキア語 (スロバキア)" - } - ], - "locale_text.message.sv-SE": [ - { - "type": 0, - "value": "スウェーデン語 (スウェーデン)" - } - ], - "locale_text.message.ta-IN": [ - { - "type": 0, - "value": "タミール語 (インド)" - } - ], - "locale_text.message.ta-LK": [ - { - "type": 0, - "value": "タミール語 (スリランカ)" - } - ], - "locale_text.message.th-TH": [ - { - "type": 0, - "value": "タイ語 (タイ)" - } - ], - "locale_text.message.tr-TR": [ - { - "type": 0, - "value": "トルコ語 (トルコ)" - } - ], - "locale_text.message.zh-CN": [ - { - "type": 0, - "value": "中国語 (中国)" - } - ], - "locale_text.message.zh-HK": [ - { - "type": 0, - "value": "中国語 (香港)" - } - ], - "locale_text.message.zh-TW": [ - { - "type": 0, - "value": "中国語 (台湾)" - } - ], - "login_form.action.create_account": [ - { - "type": 0, - "value": "アカウントの作成" - } - ], - "login_form.button.sign_in": [ - { - "type": 0, - "value": "サインイン" - } - ], - "login_form.link.forgot_password": [ - { - "type": 0, - "value": "パスワードを忘れましたか?" - } - ], - "login_form.message.dont_have_account": [ - { - "type": 0, - "value": "アカウントをお持ちではありませんか?" - } - ], - "login_form.message.welcome_back": [ - { - "type": 0, - "value": "お帰りなさい" - } - ], - "login_page.error.incorrect_username_or_password": [ - { - "type": 0, - "value": "ユーザー名またはパスワードが間違っています。もう一度お試しください。" - } - ], - "offline_banner.description.browsing_offline_mode": [ - { - "type": 0, - "value": "現在オフラインモードで閲覧しています" - } - ], - "order_summary.action.remove_promo": [ - { - "type": 0, - "value": "削除" - } - ], - "order_summary.cart_items.action.num_of_items_in_cart": [ - { - "offset": 0, - "options": { - "=0": { - "value": [ - { - "type": 0, - "value": "0 個の商品" - } - ] - }, - "one": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": " 個の商品" - } - ] - }, - "other": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": " 個の商品" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "itemCount" - }, - { - "type": 0, - "value": "が買い物カゴに入っています" - } - ], - "order_summary.cart_items.link.edit_cart": [ - { - "type": 0, - "value": "買い物カゴを編集する" - } - ], - "order_summary.heading.order_summary": [ - { - "type": 0, - "value": "注文の概要" - } - ], - "order_summary.label.estimated_total": [ - { - "type": 0, - "value": "見積合計金額" - } - ], - "order_summary.label.free": [ - { - "type": 0, - "value": "無料" - } - ], - "order_summary.label.order_total": [ - { - "type": 0, - "value": "ご注文金額合計" - } - ], - "order_summary.label.promo_applied": [ - { - "type": 0, - "value": "プロモーションが適用されました" - } - ], - "order_summary.label.promotions_applied": [ - { - "type": 0, - "value": "プロモーションが適用されました" - } - ], - "order_summary.label.shipping": [ - { - "type": 0, - "value": "配送" - } - ], - "order_summary.label.subtotal": [ - { - "type": 0, - "value": "小計" - } - ], - "order_summary.label.tax": [ - { - "type": 0, - "value": "税金" - } - ], - "page_not_found.action.go_back": [ - { - "type": 0, - "value": "前のページに戻る" - } - ], - "page_not_found.link.homepage": [ - { - "type": 0, - "value": "ホームページに移動する" - } - ], - "page_not_found.message.suggestion_to_try": [ - { - "type": 0, - "value": "アドレスを再入力するか、前のページに戻るか、ホームページに移動してください。" - } - ], - "page_not_found.title.page_cant_be_found": [ - { - "type": 0, - "value": "お探しのページが見つかりません。" - } - ], - "pagination.field.num_of_pages": [ - { - "type": 0, - "value": "/" - }, - { - "type": 1, - "value": "numOfPages" - } - ], - "pagination.link.next": [ - { - "type": 0, - "value": "次へ" - } - ], - "pagination.link.next.assistive_msg": [ - { - "type": 0, - "value": "次のページ" - } - ], - "pagination.link.prev": [ - { - "type": 0, - "value": "前へ" - } - ], - "pagination.link.prev.assistive_msg": [ - { - "type": 0, - "value": "前のページ" - } - ], - "password_card.info.password_updated": [ - { - "type": 0, - "value": "パスワードが更新されました" - } - ], - "password_card.label.password": [ - { - "type": 0, - "value": "パスワード" - } - ], - "password_card.title.password": [ - { - "type": 0, - "value": "パスワード" - } - ], - "password_requirements.error.eight_letter_minimum": [ - { - "type": 0, - "value": "最低 8 文字" - } - ], - "password_requirements.error.one_lowercase_letter": [ - { - "type": 0, - "value": "小文字 1 個" - } - ], - "password_requirements.error.one_number": [ - { - "type": 0, - "value": "数字 1 個" - } - ], - "password_requirements.error.one_special_character": [ - { - "type": 0, - "value": "特殊文字 (例: , S ! % #) 1 個" - } - ], - "password_requirements.error.one_uppercase_letter": [ - { - "type": 0, - "value": "大文字 1 個" - } - ], - "payment_selection.heading.credit_card": [ - { - "type": 0, - "value": "クレジットカード" - } - ], - "payment_selection.tooltip.secure_payment": [ - { - "type": 0, - "value": "これは SSL 暗号化によるセキュアな支払方法です。" - } - ], - "price_per_item.label.each": [ - { - "type": 0, - "value": "単価" - } - ], - "product_detail.accordion.button.product_detail": [ - { - "type": 0, - "value": "商品の詳細" - } - ], - "product_detail.accordion.button.questions": [ - { - "type": 0, - "value": "質問" - } - ], - "product_detail.accordion.button.reviews": [ - { - "type": 0, - "value": "レビュー" - } - ], - "product_detail.accordion.button.size_fit": [ - { - "type": 0, - "value": "サイズとフィット" - } - ], - "product_detail.accordion.message.coming_soon": [ - { - "type": 0, - "value": "準備中" - } - ], - "product_detail.recommended_products.title.complete_set": [ - { - "type": 0, - "value": "セットを完成" - } - ], - "product_detail.recommended_products.title.might_also_like": [ - { - "type": 0, - "value": "こちらもどうぞ" - } - ], - "product_detail.recommended_products.title.recently_viewed": [ - { - "type": 0, - "value": "最近見た商品" - } - ], - "product_item.label.quantity": [ - { - "type": 0, - "value": "数量: " - } - ], - "product_list.button.filter": [ - { - "type": 0, - "value": "フィルター" - } - ], - "product_list.button.sort_by": [ - { - "type": 0, - "value": "並べ替え順: " - }, - { - "type": 1, - "value": "sortOption" - } - ], - "product_list.drawer.title.sort_by": [ - { - "type": 0, - "value": "並べ替え順" - } - ], - "product_list.modal.button.clear_filters": [ - { - "type": 0, - "value": "フィルターのクリア" - } - ], - "product_list.modal.button.view_items": [ - { - "type": 1, - "value": "prroductCount" - }, - { - "type": 0, - "value": " 個の商品を表示" - } - ], - "product_list.modal.title.filter": [ - { - "type": 0, - "value": "フィルター" - } - ], - "product_list.refinements.button.assistive_msg.add_filter": [ - { - "type": 0, - "value": "フィルターの追加: " - }, - { - "type": 1, - "value": "label" - } - ], - "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": [ - { - "type": 0, - "value": "フィルターの追加: " - }, - { - "type": 1, - "value": "label" - }, - { - "type": 0, - "value": " (" - }, - { - "type": 1, - "value": "hitCount" - }, - { - "type": 0, - "value": ")" - } - ], - "product_list.refinements.button.assistive_msg.remove_filter": [ - { - "type": 0, - "value": "フィルターの削除: " - }, - { - "type": 1, - "value": "label" - } - ], - "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": [ - { - "type": 0, - "value": "フィルターの削除: " - }, - { - "type": 1, - "value": "label" - }, - { - "type": 0, - "value": " (" - }, - { - "type": 1, - "value": "hitCount" - }, - { - "type": 0, - "value": ")" - } - ], - "product_list.select.sort_by": [ - { - "type": 0, - "value": "並べ替え順: " - }, - { - "type": 1, - "value": "sortOption" - } - ], - "product_scroller.assistive_msg.scroll_left": [ - { - "type": 0, - "value": "商品を左へスクロール" - } - ], - "product_scroller.assistive_msg.scroll_right": [ - { - "type": 0, - "value": "商品を右へスクロール" - } - ], - "product_tile.assistive_msg.add_to_wishlist": [ - { - "type": 1, - "value": "product" - }, - { - "type": 0, - "value": " をほしい物リストに追加" - } - ], - "product_tile.assistive_msg.remove_from_wishlist": [ - { - "type": 1, - "value": "product" - }, - { - "type": 0, - "value": " をほしい物リストから削除" - } - ], - "product_tile.label.starting_at_price": [ - { - "type": 0, - "value": "最低価格: " - }, - { - "type": 1, - "value": "price" - } - ], - "product_view.button.add_set_to_cart": [ - { - "type": 0, - "value": "セットを買い物カゴに追加" - } - ], - "product_view.button.add_set_to_wishlist": [ - { - "type": 0, - "value": "セットをほしい物リストに追加" - } - ], - "product_view.button.add_to_cart": [ - { - "type": 0, - "value": "買い物カゴに追加" - } - ], - "product_view.button.add_to_wishlist": [ - { - "type": 0, - "value": "ほしい物リストに追加" - } - ], - "product_view.button.update": [ - { - "type": 0, - "value": "更新" - } - ], - "product_view.label.assistive_msg.quantity_decrement": [ - { - "type": 0, - "value": "数量を減らす" - } - ], - "product_view.label.assistive_msg.quantity_increment": [ - { - "type": 0, - "value": "数量を増やす" - } - ], - "product_view.label.quantity": [ - { - "type": 0, - "value": "数量" - } - ], - "product_view.label.quantity_decrement": [ - { - "type": 0, - "value": "−" - } - ], - "product_view.label.quantity_increment": [ - { - "type": 0, - "value": "+" - } - ], - "product_view.label.starting_at_price": [ - { - "type": 0, - "value": "最低価格" - } - ], - "product_view.label.variant_type": [ - { - "type": 1, - "value": "variantType" - } - ], - "product_view.link.full_details": [ - { - "type": 0, - "value": "すべての情報を表示" - } - ], - "profile_card.info.profile_updated": [ - { - "type": 0, - "value": "プロフィールが更新されました" - } - ], - "profile_card.label.email": [ - { - "type": 0, - "value": "Eメール" - } - ], - "profile_card.label.full_name": [ - { - "type": 0, - "value": "氏名" - } - ], - "profile_card.label.phone": [ - { - "type": 0, - "value": "電話番号" - } - ], - "profile_card.message.not_provided": [ - { - "type": 0, - "value": "指定されていません" - } - ], - "profile_card.title.my_profile": [ - { - "type": 0, - "value": "マイプロフィール" - } - ], - "promo_code_fields.button.apply": [ - { - "type": 0, - "value": "適用" - } - ], - "promo_popover.assistive_msg.info": [ - { - "type": 0, - "value": "情報" - } - ], - "promo_popover.heading.promo_applied": [ - { - "type": 0, - "value": "プロモーションが適用されました" - } - ], - "promocode.accordion.button.have_promocode": [ - { - "type": 0, - "value": "プロモーションコードをお持ちですか?" - } - ], - "recent_searches.action.clear_searches": [ - { - "type": 0, - "value": "最近の検索をクリア" - } - ], - "recent_searches.heading.recent_searches": [ - { - "type": 0, - "value": "最近の検索" - } - ], - "register_form.action.sign_in": [ - { - "type": 0, - "value": "サインイン" - } - ], - "register_form.button.create_account": [ - { - "type": 0, - "value": "アカウントの作成" - } - ], - "register_form.heading.lets_get_started": [ - { - "type": 0, - "value": "さあ、始めましょう!" - } - ], - "register_form.message.agree_to_policy_terms": [ - { - "type": 0, - "value": "アカウントを作成した場合、Salesforce の" - }, - { - "children": [ - { - "type": 0, - "value": "プライバシーポリシー" - } - ], - "type": 8, - "value": "policy" - }, - { - "type": 0, - "value": "と" - }, - { - "children": [ - { - "type": 0, - "value": "使用条件" - } - ], - "type": 8, - "value": "terms" - }, - { - "type": 0, - "value": "にご同意いただいたものと見なされます" - } - ], - "register_form.message.already_have_account": [ - { - "type": 0, - "value": "すでにアカウントをお持ちですか?" - } - ], - "register_form.message.create_an_account": [ - { - "type": 0, - "value": "アカウントを作成すると、売れ筋商品、インスピレーション、コミュニティに最初にアクセスできます。" - } - ], - "reset_password.button.back_to_sign_in": [ - { - "type": 0, - "value": "サインインに戻る" - } - ], - "reset_password.info.receive_email_shortly": [ - { - "type": 0, - "value": "パスワードリセットのリンクが記載された Eメールがまもなく " - }, - { - "children": [ - { - "type": 1, - "value": "email" - } - ], - "type": 8, - "value": "b" - }, - { - "type": 0, - "value": " に届きます。" - } - ], - "reset_password.title.password_reset": [ - { - "type": 0, - "value": "パスワードのリセット" - } - ], - "reset_password_form.action.sign_in": [ - { - "type": 0, - "value": "サインイン" - } - ], - "reset_password_form.button.reset_password": [ - { - "type": 0, - "value": "パスワードのリセット" - } - ], - "reset_password_form.message.enter_your_email": [ - { - "type": 0, - "value": "パスワードのリセット方法を受け取るには Eメールを入力してください" - } - ], - "reset_password_form.message.return_to_sign_in": [ - { - "type": 0, - "value": "または次のリンクをクリックしてください: " - } - ], - "reset_password_form.title.reset_password": [ - { - "type": 0, - "value": "パスワードのリセット" - } - ], - "search.action.cancel": [ - { - "type": 0, - "value": "キャンセル" - } - ], - "selected_refinements.action.assistive_msg.clear_all": [ - { - "type": 0, - "value": "すべてのフィルターをクリア" - } - ], - "selected_refinements.action.clear_all": [ - { - "type": 0, - "value": "すべてクリア" - } - ], - "shipping_address.button.continue_to_shipping": [ - { - "type": 0, - "value": "配送方法に進む" - } - ], - "shipping_address.title.shipping_address": [ - { - "type": 0, - "value": "配送先住所" - } - ], - "shipping_address_edit_form.button.save_and_continue": [ - { - "type": 0, - "value": "保存して配送方法に進む" - } - ], - "shipping_address_form.heading.edit_address": [ - { - "type": 0, - "value": "住所を編集する" - } - ], - "shipping_address_form.heading.new_address": [ - { - "type": 0, - "value": "新しい住所の追加" - } - ], - "shipping_address_selection.button.add_address": [ - { - "type": 0, - "value": "新しい住所の追加" - } - ], - "shipping_address_selection.button.submit": [ - { - "type": 0, - "value": "送信" - } - ], - "shipping_address_selection.title.add_address": [ - { - "type": 0, - "value": "新しい住所の追加" - } - ], - "shipping_address_selection.title.edit_shipping": [ - { - "type": 0, - "value": "配送先住所の編集" - } - ], - "shipping_options.action.send_as_a_gift": [ - { - "type": 0, - "value": "ギフトとして発送しますか?" - } - ], - "shipping_options.button.continue_to_payment": [ - { - "type": 0, - "value": "支払に進む" - } - ], - "shipping_options.title.shipping_gift_options": [ - { - "type": 0, - "value": "配送とギフトのオプション" - } - ], - "signout_confirmation_dialog.button.cancel": [ - { - "type": 0, - "value": "キャンセル" - } - ], - "signout_confirmation_dialog.button.sign_out": [ - { - "type": 0, - "value": "サインアウト" - } - ], - "signout_confirmation_dialog.heading.sign_out": [ - { - "type": 0, - "value": "サインアウト" - } - ], - "signout_confirmation_dialog.message.sure_to_sign_out": [ - { - "type": 0, - "value": "サインアウトしますか?現在のご注文を処理するには、再度サインインする必要があります。" - } - ], - "swatch_group.selected.label": [ - { - "type": 1, - "value": "label" - }, - { - "type": 0, - "value": ": " - } - ], - "toggle_card.action.edit": [ - { - "type": 0, - "value": "編集" - } - ], - "update_password_fields.button.forgot_password": [ - { - "type": 0, - "value": "パスワードを忘れましたか?" - } - ], - "use_address_fields.error.please_enter_first_name": [ - { - "type": 0, - "value": "名を入力してください。" - } - ], - "use_address_fields.error.please_enter_last_name": [ - { - "type": 0, - "value": "姓を入力してください。" - } - ], - "use_address_fields.error.please_enter_phone_number": [ - { - "type": 0, - "value": "電話番号を入力してください。" - } - ], - "use_address_fields.error.please_enter_your_postal_or_zip": [ - { - "type": 0, - "value": "郵便番号を入力してください。" - } - ], - "use_address_fields.error.please_select_your_address": [ - { - "type": 0, - "value": "住所を入力してください。" - } - ], - "use_address_fields.error.please_select_your_city": [ - { - "type": 0, - "value": "市区町村を入力してください。" - } - ], - "use_address_fields.error.please_select_your_country": [ - { - "type": 0, - "value": "国を選択してください。" - } - ], - "use_address_fields.error.please_select_your_state_or_province": [ - { - "type": 0, - "value": "州を選択してください。" - } - ], - "use_address_fields.error.required": [ - { - "type": 0, - "value": "必須" - } - ], - "use_address_fields.error.state_code_invalid": [ - { - "type": 0, - "value": "2 文字の州コードを入力してください。" - } - ], - "use_address_fields.label.address": [ - { - "type": 0, - "value": "住所" - } - ], - "use_address_fields.label.address_form": [ - { - "type": 0, - "value": "住所フォーム" - } - ], - "use_address_fields.label.city": [ - { - "type": 0, - "value": "市区町村" - } - ], - "use_address_fields.label.country": [ - { - "type": 0, - "value": "国" - } - ], - "use_address_fields.label.first_name": [ - { - "type": 0, - "value": "名" - } - ], - "use_address_fields.label.last_name": [ - { - "type": 0, - "value": "姓" - } - ], - "use_address_fields.label.phone": [ - { - "type": 0, - "value": "電話" - } - ], - "use_address_fields.label.postal_code": [ - { - "type": 0, - "value": "郵便番号" - } - ], - "use_address_fields.label.preferred": [ - { - "type": 0, - "value": "デフォルトとして設定" - } - ], - "use_address_fields.label.province": [ - { - "type": 0, - "value": "州" - } - ], - "use_address_fields.label.state": [ - { - "type": 0, - "value": "州" - } - ], - "use_address_fields.label.zipCode": [ - { - "type": 0, - "value": "郵便番号" - } - ], - "use_credit_card_fields.error.required": [ - { - "type": 0, - "value": "必須" - } - ], - "use_credit_card_fields.error.required_card_number": [ - { - "type": 0, - "value": "カード番号を入力してください" - } - ], - "use_credit_card_fields.error.required_expiry": [ - { - "type": 0, - "value": "有効期限を入力してください。" - } - ], - "use_credit_card_fields.error.required_name": [ - { - "type": 0, - "value": "カードに記載されている名前を入力してください。" - } - ], - "use_credit_card_fields.error.required_security_code": [ - { - "type": 0, - "value": "セキュリティコードを入力してください。" - } - ], - "use_credit_card_fields.error.valid_card_number": [ - { - "type": 0, - "value": "有効なカード番号を入力してください。" - } - ], - "use_credit_card_fields.error.valid_date": [ - { - "type": 0, - "value": "有効な日付を入力してください。" - } - ], - "use_credit_card_fields.error.valid_name": [ - { - "type": 0, - "value": "有効な名前を入力してください。" - } - ], - "use_credit_card_fields.error.valid_security_code": [ - { - "type": 0, - "value": "有効なセキュリティコードを入力してください。" - } - ], - "use_credit_card_fields.label.card_number": [ - { - "type": 0, - "value": "カード番号" - } - ], - "use_credit_card_fields.label.card_type": [ - { - "type": 0, - "value": "カードタイプ" - } - ], - "use_credit_card_fields.label.expiry": [ - { - "type": 0, - "value": "有効期限" - } - ], - "use_credit_card_fields.label.name": [ - { - "type": 0, - "value": "カードに記載されている名前" - } - ], - "use_credit_card_fields.label.security_code": [ - { - "type": 0, - "value": "セキュリティコード" - } - ], - "use_login_fields.error.required_email": [ - { - "type": 0, - "value": "Eメールアドレスを入力してください。" - } - ], - "use_login_fields.error.required_password": [ - { - "type": 0, - "value": "パスワードを入力してください。" - } - ], - "use_login_fields.label.email": [ - { - "type": 0, - "value": "Eメール" - } - ], - "use_login_fields.label.password": [ - { - "type": 0, - "value": "パスワード" - } - ], - "use_product.message.inventory_remaining": [ - { - "type": 0, - "value": "残り " - }, - { - "type": 1, - "value": "stockLevel" - }, - { - "type": 0, - "value": " 点!" - } - ], - "use_product.message.out_of_stock": [ - { - "type": 0, - "value": "在庫切れ" - } - ], - "use_profile_fields.error.required_email": [ - { - "type": 0, - "value": "有効な Eメールアドレスを入力してください。" - } - ], - "use_profile_fields.error.required_first_name": [ - { - "type": 0, - "value": "名を入力してください。" - } - ], - "use_profile_fields.error.required_last_name": [ - { - "type": 0, - "value": "姓を入力してください。" - } - ], - "use_profile_fields.error.required_phone": [ - { - "type": 0, - "value": "電話番号を入力してください。" - } - ], - "use_profile_fields.label.email": [ - { - "type": 0, - "value": "Eメール" - } - ], - "use_profile_fields.label.first_name": [ - { - "type": 0, - "value": "名" - } - ], - "use_profile_fields.label.last_name": [ - { - "type": 0, - "value": "姓" - } - ], - "use_profile_fields.label.phone": [ - { - "type": 0, - "value": "電話番号" - } - ], - "use_promo_code_fields.error.required_promo_code": [ - { - "type": 0, - "value": "有効なプロモーションコードを入力してください。" - } - ], - "use_promo_code_fields.label.promo_code": [ - { - "type": 0, - "value": "プロモーションコード" - } - ], - "use_promocode.error.check_the_code": [ - { - "type": 0, - "value": "コードを確認してもう一度お試しください。コードはすでに使用済みか、または有効期限が切れている可能性があります。" - } - ], - "use_promocode.info.promo_applied": [ - { - "type": 0, - "value": "プロモーションが適用されました" - } - ], - "use_promocode.info.promo_removed": [ - { - "type": 0, - "value": "プロモーションが削除されました" - } - ], - "use_registration_fields.error.contain_number": [ - { - "type": 0, - "value": "パスワードには、少なくとも 1 個の数字を含める必要があります。" - } - ], - "use_registration_fields.error.lowercase_letter": [ - { - "type": 0, - "value": "パスワードには、少なくとも 1 個の小文字を含める必要があります。" - } - ], - "use_registration_fields.error.minimum_characters": [ - { - "type": 0, - "value": "パスワードには、少なくとも 8 文字を含める必要があります。" - } - ], - "use_registration_fields.error.required_email": [ - { - "type": 0, - "value": "有効な Eメールアドレスを入力してください。" - } - ], - "use_registration_fields.error.required_first_name": [ - { - "type": 0, - "value": "名を入力してください。" - } - ], - "use_registration_fields.error.required_last_name": [ - { - "type": 0, - "value": "姓を入力してください。" - } - ], - "use_registration_fields.error.required_password": [ - { - "type": 0, - "value": "パスワードを作成してください。" - } - ], - "use_registration_fields.error.special_character": [ - { - "type": 0, - "value": "パスワードには、少なくとも 1 個の特殊文字を含める必要があります。" - } - ], - "use_registration_fields.error.uppercase_letter": [ - { - "type": 0, - "value": "パスワードには、少なくとも 1 個の大文字を含める必要があります。" - } - ], - "use_registration_fields.label.email": [ - { - "type": 0, - "value": "Eメール" - } - ], - "use_registration_fields.label.first_name": [ - { - "type": 0, - "value": "名" - } - ], - "use_registration_fields.label.last_name": [ - { - "type": 0, - "value": "姓" - } - ], - "use_registration_fields.label.password": [ - { - "type": 0, - "value": "パスワード" - } - ], - "use_registration_fields.label.sign_up_to_emails": [ - { - "type": 0, - "value": "Salesforce Eメールにサインアップする (購読はいつでも解除できます)" - } - ], - "use_reset_password_fields.error.required_email": [ - { - "type": 0, - "value": "有効な Eメールアドレスを入力してください。" - } - ], - "use_reset_password_fields.label.email": [ - { - "type": 0, - "value": "Eメール" - } - ], - "use_update_password_fields.error.contain_number": [ - { - "type": 0, - "value": "パスワードには、少なくとも 1 個の数字を含める必要があります。" - } - ], - "use_update_password_fields.error.lowercase_letter": [ - { - "type": 0, - "value": "パスワードには、少なくとも 1 個の小文字を含める必要があります。" - } - ], - "use_update_password_fields.error.minimum_characters": [ - { - "type": 0, - "value": "パスワードには、少なくとも 8 文字を含める必要があります。" - } - ], - "use_update_password_fields.error.required_new_password": [ - { - "type": 0, - "value": "新しいパスワードを入力してください。" - } - ], - "use_update_password_fields.error.required_password": [ - { - "type": 0, - "value": "パスワードを入力してください。" - } - ], - "use_update_password_fields.error.special_character": [ - { - "type": 0, - "value": "パスワードには、少なくとも 1 個の特殊文字を含める必要があります。" - } - ], - "use_update_password_fields.error.uppercase_letter": [ - { - "type": 0, - "value": "パスワードには、少なくとも 1 個の大文字を含める必要があります。" - } - ], - "use_update_password_fields.label.current_password": [ - { - "type": 0, - "value": "現在のパスワード" - } - ], - "use_update_password_fields.label.new_password": [ - { - "type": 0, - "value": "新しいパスワード:" - } - ], - "wishlist_primary_action.button.add_set_to_cart": [ - { - "type": 0, - "value": "セットを買い物カゴに追加" - } - ], - "wishlist_primary_action.button.add_to_cart": [ - { - "type": 0, - "value": "買い物カゴに追加" - } - ], - "wishlist_primary_action.button.view_full_details": [ - { - "type": 0, - "value": "すべての情報を表示" - } - ], - "wishlist_primary_action.button.view_options": [ - { - "type": 0, - "value": "オプションを表示" - } - ], - "wishlist_primary_action.info.added_to_cart": [ - { - "type": 1, - "value": "quantity" - }, - { - "type": 0, - "value": " " - }, - { - "offset": 0, - "options": { - "one": { - "value": [ - { - "type": 0, - "value": " 個の商品" - } - ] - }, - "other": { - "value": [ - { - "type": 0, - "value": " 個の商品" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "quantity" - }, - { - "type": 0, - "value": "が買い物カゴに追加されました" - } - ], - "wishlist_secondary_button_group.action.remove": [ - { - "type": 0, - "value": "削除" - } - ], - "wishlist_secondary_button_group.info.item_removed": [ - { - "type": 0, - "value": "ほしい物リストから商品が削除されました" - } - ], - "with_registration.info.please_sign_in": [ - { - "type": 0, - "value": "先に進むにはサインインしてください!" - } - ] -} \ No newline at end of file diff --git a/my-test-project/overrides/app/static/translations/compiled/ko-KR.json b/my-test-project/overrides/app/static/translations/compiled/ko-KR.json deleted file mode 100644 index f0f158630c..0000000000 --- a/my-test-project/overrides/app/static/translations/compiled/ko-KR.json +++ /dev/null @@ -1,3454 +0,0 @@ -{ - "account.accordion.button.my_account": [ - { - "type": 0, - "value": "내 계정" - } - ], - "account.heading.my_account": [ - { - "type": 0, - "value": "내 계정" - } - ], - "account.logout_button.button.log_out": [ - { - "type": 0, - "value": "로그아웃" - } - ], - "account_addresses.badge.default": [ - { - "type": 0, - "value": "기본값" - } - ], - "account_addresses.button.add_address": [ - { - "type": 0, - "value": "주소 추가" - } - ], - "account_addresses.info.address_removed": [ - { - "type": 0, - "value": "주소가 제거됨" - } - ], - "account_addresses.info.address_updated": [ - { - "type": 0, - "value": "주소가 업데이트됨" - } - ], - "account_addresses.info.new_address_saved": [ - { - "type": 0, - "value": "새 주소가 저장됨" - } - ], - "account_addresses.page_action_placeholder.button.add_address": [ - { - "type": 0, - "value": "주소 추가" - } - ], - "account_addresses.page_action_placeholder.heading.no_saved_addresses": [ - { - "type": 0, - "value": "저장된 주소 없음" - } - ], - "account_addresses.page_action_placeholder.message.add_new_address": [ - { - "type": 0, - "value": "빠른 체크아웃을 위해 새 주소를 추가합니다." - } - ], - "account_addresses.title.addresses": [ - { - "type": 0, - "value": "주소" - } - ], - "account_detail.title.account_details": [ - { - "type": 0, - "value": "계정 세부 정보" - } - ], - "account_order_detail.heading.billing_address": [ - { - "type": 0, - "value": "청구 주소" - } - ], - "account_order_detail.heading.num_of_items": [ - { - "type": 1, - "value": "count" - }, - { - "type": 0, - "value": "개 항목" - } - ], - "account_order_detail.heading.payment_method": [ - { - "type": 0, - "value": "결제 방법" - } - ], - "account_order_detail.heading.shipping_address": [ - { - "type": 0, - "value": "배송 주소" - } - ], - "account_order_detail.heading.shipping_method": [ - { - "type": 0, - "value": "배송 방법" - } - ], - "account_order_detail.label.order_number": [ - { - "type": 0, - "value": "주문 번호: " - }, - { - "type": 1, - "value": "orderNumber" - } - ], - "account_order_detail.label.ordered_date": [ - { - "type": 0, - "value": "주문 날짜: " - }, - { - "type": 1, - "value": "date" - } - ], - "account_order_detail.label.pending_tracking_number": [ - { - "type": 0, - "value": "대기 중" - } - ], - "account_order_detail.label.tracking_number": [ - { - "type": 0, - "value": "추적 번호" - } - ], - "account_order_detail.link.back_to_history": [ - { - "type": 0, - "value": "주문 내역으로 돌아가기" - } - ], - "account_order_detail.shipping_status.not_shipped": [ - { - "type": 0, - "value": "출고되지 않음" - } - ], - "account_order_detail.shipping_status.part_shipped": [ - { - "type": 0, - "value": "부분 출고됨" - } - ], - "account_order_detail.shipping_status.shipped": [ - { - "type": 0, - "value": "출고됨" - } - ], - "account_order_detail.title.order_details": [ - { - "type": 0, - "value": "주문 세부 정보" - } - ], - "account_order_history.button.continue_shopping": [ - { - "type": 0, - "value": "계속 쇼핑하기" - } - ], - "account_order_history.description.once_you_place_order": [ - { - "type": 0, - "value": "주문을 하면 여기에 세부 정보가 표시됩니다." - } - ], - "account_order_history.heading.no_order_yet": [ - { - "type": 0, - "value": "아직 주문한 내역이 없습니다." - } - ], - "account_order_history.label.num_of_items": [ - { - "type": 1, - "value": "count" - }, - { - "type": 0, - "value": "개 항목" - } - ], - "account_order_history.label.order_number": [ - { - "type": 0, - "value": "주문 번호: " - }, - { - "type": 1, - "value": "orderNumber" - } - ], - "account_order_history.label.ordered_date": [ - { - "type": 0, - "value": "주문 날짜: " - }, - { - "type": 1, - "value": "date" - } - ], - "account_order_history.label.shipped_to": [ - { - "type": 0, - "value": "받는 사람: " - }, - { - "type": 1, - "value": "name" - } - ], - "account_order_history.link.view_details": [ - { - "type": 0, - "value": "세부 정보 보기" - } - ], - "account_order_history.title.order_history": [ - { - "type": 0, - "value": "주문 내역" - } - ], - "account_wishlist.button.continue_shopping": [ - { - "type": 0, - "value": "계속 쇼핑하기" - } - ], - "account_wishlist.description.continue_shopping": [ - { - "type": 0, - "value": "계속 쇼핑하면서 위시리스트에 항목을 추가합니다." - } - ], - "account_wishlist.heading.no_wishlist": [ - { - "type": 0, - "value": "위시리스트 항목 없음" - } - ], - "account_wishlist.title.wishlist": [ - { - "type": 0, - "value": "위시리스트" - } - ], - "action_card.action.edit": [ - { - "type": 0, - "value": "편집" - } - ], - "action_card.action.remove": [ - { - "type": 0, - "value": "제거" - } - ], - "add_to_cart_modal.info.added_to_cart": [ - { - "type": 1, - "value": "quantity" - }, - { - "type": 0, - "value": " " - }, - { - "offset": 0, - "options": { - "one": { - "value": [ - { - "type": 0, - "value": "개 항목" - } - ] - }, - "other": { - "value": [ - { - "type": 0, - "value": "개 항목" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "quantity" - }, - { - "type": 0, - "value": "이 카트에 추가됨" - } - ], - "add_to_cart_modal.label.cart_subtotal": [ - { - "type": 0, - "value": "카트 소계(" - }, - { - "type": 1, - "value": "itemAccumulatedCount" - }, - { - "type": 0, - "value": "개 항목)" - } - ], - "add_to_cart_modal.label.quantity": [ - { - "type": 0, - "value": "수량" - } - ], - "add_to_cart_modal.link.checkout": [ - { - "type": 0, - "value": "체크아웃 진행" - } - ], - "add_to_cart_modal.link.view_cart": [ - { - "type": 0, - "value": "카트 보기" - } - ], - "add_to_cart_modal.recommended_products.title.might_also_like": [ - { - "type": 0, - "value": "추천 상품" - } - ], - "auth_modal.button.close.assistive_msg": [ - { - "type": 0, - "value": "로그인 양식 닫기" - } - ], - "auth_modal.description.now_signed_in": [ - { - "type": 0, - "value": "이제 로그인되었습니다." - } - ], - "auth_modal.error.incorrect_email_or_password": [ - { - "type": 0, - "value": "이메일 또는 암호가 잘못되었습니다. 다시 시도하십시오." - } - ], - "auth_modal.info.welcome_user": [ - { - "type": 1, - "value": "name" - }, - { - "type": 0, - "value": " 님 안녕하세요." - } - ], - "auth_modal.password_reset_success.button.back_to_sign_in": [ - { - "type": 0, - "value": "로그인 페이지로 돌아가기" - } - ], - "auth_modal.password_reset_success.info.will_email_shortly": [ - { - "children": [ - { - "type": 1, - "value": "email" - } - ], - "type": 8, - "value": "b" - }, - { - "type": 0, - "value": "(으)로 암호 재설정 링크가 포함된 이메일이 곧 발송됩니다." - } - ], - "auth_modal.password_reset_success.title.password_reset": [ - { - "type": 0, - "value": "암호 재설정" - } - ], - "carousel.button.scroll_left.assistive_msg": [ - { - "type": 0, - "value": "회전식 보기 왼쪽으로 스크롤" - } - ], - "carousel.button.scroll_right.assistive_msg": [ - { - "type": 0, - "value": "회전식 보기 오른쪽으로 스크롤" - } - ], - "cart.info.removed_from_cart": [ - { - "type": 0, - "value": "항목이 카트에서 제거됨" - } - ], - "cart.recommended_products.title.may_also_like": [ - { - "type": 0, - "value": "추천 상품" - } - ], - "cart.recommended_products.title.recently_viewed": [ - { - "type": 0, - "value": "최근에 봄" - } - ], - "cart_cta.link.checkout": [ - { - "type": 0, - "value": "체크아웃 진행" - } - ], - "cart_secondary_button_group.action.added_to_wishlist": [ - { - "type": 0, - "value": "위시리스트에 추가" - } - ], - "cart_secondary_button_group.action.edit": [ - { - "type": 0, - "value": "편집" - } - ], - "cart_secondary_button_group.action.remove": [ - { - "type": 0, - "value": "제거" - } - ], - "cart_secondary_button_group.label.this_is_gift": [ - { - "type": 0, - "value": "선물로 구매" - } - ], - "cart_skeleton.heading.order_summary": [ - { - "type": 0, - "value": "주문 요약" - } - ], - "cart_skeleton.title.cart": [ - { - "type": 0, - "value": "카트" - } - ], - "cart_title.title.cart_num_of_items": [ - { - "type": 0, - "value": "카트(" - }, - { - "offset": 0, - "options": { - "=0": { - "value": [ - { - "type": 0, - "value": "0개 항목" - } - ] - }, - "one": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": "개 항목" - } - ] - }, - "other": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": "개 항목" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "itemCount" - }, - { - "type": 0, - "value": ")" - } - ], - "cc_radio_group.action.remove": [ - { - "type": 0, - "value": "제거" - } - ], - "cc_radio_group.button.add_new_card": [ - { - "type": 0, - "value": "새 카드 추가" - } - ], - "checkout.button.place_order": [ - { - "type": 0, - "value": "주문하기" - } - ], - "checkout.message.generic_error": [ - { - "type": 0, - "value": "체크아웃하는 중에 예상치 못한 오류가 발생했습니다. " - } - ], - "checkout_confirmation.button.create_account": [ - { - "type": 0, - "value": "계정 생성" - } - ], - "checkout_confirmation.heading.billing_address": [ - { - "type": 0, - "value": "청구 주소" - } - ], - "checkout_confirmation.heading.create_account": [ - { - "type": 0, - "value": "빠른 체크아웃을 위해 계정을 만듭니다." - } - ], - "checkout_confirmation.heading.credit_card": [ - { - "type": 0, - "value": "신용카드" - } - ], - "checkout_confirmation.heading.delivery_details": [ - { - "type": 0, - "value": "배송 세부 정보" - } - ], - "checkout_confirmation.heading.order_summary": [ - { - "type": 0, - "value": "주문 요약" - } - ], - "checkout_confirmation.heading.payment_details": [ - { - "type": 0, - "value": "결제 세부 정보" - } - ], - "checkout_confirmation.heading.shipping_address": [ - { - "type": 0, - "value": "배송 주소" - } - ], - "checkout_confirmation.heading.shipping_method": [ - { - "type": 0, - "value": "배송 방법" - } - ], - "checkout_confirmation.heading.thank_you_for_order": [ - { - "type": 0, - "value": "주문해 주셔서 감사합니다." - } - ], - "checkout_confirmation.label.free": [ - { - "type": 0, - "value": "무료" - } - ], - "checkout_confirmation.label.order_number": [ - { - "type": 0, - "value": "주문 번호" - } - ], - "checkout_confirmation.label.order_total": [ - { - "type": 0, - "value": "주문 합계" - } - ], - "checkout_confirmation.label.promo_applied": [ - { - "type": 0, - "value": "프로모션이 적용됨" - } - ], - "checkout_confirmation.label.shipping": [ - { - "type": 0, - "value": "배송" - } - ], - "checkout_confirmation.label.subtotal": [ - { - "type": 0, - "value": "소계" - } - ], - "checkout_confirmation.label.tax": [ - { - "type": 0, - "value": "세금" - } - ], - "checkout_confirmation.link.continue_shopping": [ - { - "type": 0, - "value": "계속 쇼핑하기" - } - ], - "checkout_confirmation.link.login": [ - { - "type": 0, - "value": "여기서 로그인하십시오." - } - ], - "checkout_confirmation.message.already_has_account": [ - { - "type": 0, - "value": "이 이메일을 사용한 계정이 이미 있습니다." - } - ], - "checkout_confirmation.message.num_of_items_in_order": [ - { - "offset": 0, - "options": { - "=0": { - "value": [ - { - "type": 0, - "value": "0개 항목" - } - ] - }, - "one": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": "개 항목" - } - ] - }, - "other": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": "개 항목" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "itemCount" - } - ], - "checkout_confirmation.message.will_email_shortly": [ - { - "children": [ - { - "type": 1, - "value": "email" - } - ], - "type": 8, - "value": "b" - }, - { - "type": 0, - "value": "(으)로 확인 번호와 영수증이 포함된 이메일을 곧 보내드리겠습니다." - } - ], - "checkout_footer.link.privacy_policy": [ - { - "type": 0, - "value": "개인정보보호 정책" - } - ], - "checkout_footer.link.returns_exchanges": [ - { - "type": 0, - "value": "반품 및 교환" - } - ], - "checkout_footer.link.shipping": [ - { - "type": 0, - "value": "배송" - } - ], - "checkout_footer.link.site_map": [ - { - "type": 0, - "value": "사이트 맵" - } - ], - "checkout_footer.link.terms_conditions": [ - { - "type": 0, - "value": "이용 약관" - } - ], - "checkout_footer.message.copyright": [ - { - "type": 0, - "value": "Salesforce or its affiliates. All rights reserved. 데모용 매장입니다. 주문이 처리되지 않습니다." - } - ], - "checkout_header.link.assistive_msg.cart": [ - { - "type": 0, - "value": "카트로 돌아가기, 품목 수: " - }, - { - "type": 1, - "value": "numItems" - } - ], - "checkout_header.link.cart": [ - { - "type": 0, - "value": "카트로 돌아가기" - } - ], - "checkout_payment.action.remove": [ - { - "type": 0, - "value": "제거" - } - ], - "checkout_payment.button.review_order": [ - { - "type": 0, - "value": "주문 검토" - } - ], - "checkout_payment.heading.billing_address": [ - { - "type": 0, - "value": "청구 주소" - } - ], - "checkout_payment.heading.credit_card": [ - { - "type": 0, - "value": "신용카드" - } - ], - "checkout_payment.label.same_as_shipping": [ - { - "type": 0, - "value": "배송 주소와 동일" - } - ], - "checkout_payment.title.payment": [ - { - "type": 0, - "value": "결제" - } - ], - "colorRefinements.label.hitCount": [ - { - "type": 1, - "value": "colorLabel" - }, - { - "type": 0, - "value": "(" - }, - { - "type": 1, - "value": "colorHitCount" - }, - { - "type": 0, - "value": ")" - } - ], - "confirmation_modal.default.action.no": [ - { - "type": 0, - "value": "아니요" - } - ], - "confirmation_modal.default.action.yes": [ - { - "type": 0, - "value": "예" - } - ], - "confirmation_modal.default.message.you_want_to_continue": [ - { - "type": 0, - "value": "계속하시겠습니까?" - } - ], - "confirmation_modal.default.title.confirm_action": [ - { - "type": 0, - "value": "작업 확인" - } - ], - "confirmation_modal.remove_cart_item.action.no": [ - { - "type": 0, - "value": "아니요. 항목을 그대로 둡니다." - } - ], - "confirmation_modal.remove_cart_item.action.remove": [ - { - "type": 0, - "value": "제거" - } - ], - "confirmation_modal.remove_cart_item.action.yes": [ - { - "type": 0, - "value": "예. 항목을 제거합니다." - } - ], - "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": [ - { - "type": 0, - "value": "더 이상 온라인으로 구매할 수 없는 일부 품목이 카트에서 제거됩니다." - } - ], - "confirmation_modal.remove_cart_item.message.sure_to_remove": [ - { - "type": 0, - "value": "이 항목을 카트에서 제거하시겠습니까?" - } - ], - "confirmation_modal.remove_cart_item.title.confirm_remove": [ - { - "type": 0, - "value": "항목 제거 확인" - } - ], - "confirmation_modal.remove_cart_item.title.items_unavailable": [ - { - "type": 0, - "value": "품목 구매 불가" - } - ], - "confirmation_modal.remove_wishlist_item.action.no": [ - { - "type": 0, - "value": "아니요. 항목을 그대로 둡니다." - } - ], - "confirmation_modal.remove_wishlist_item.action.yes": [ - { - "type": 0, - "value": "예. 항목을 제거합니다." - } - ], - "confirmation_modal.remove_wishlist_item.message.sure_to_remove": [ - { - "type": 0, - "value": "이 항목을 위시리스트에서 제거하시겠습니까?" - } - ], - "confirmation_modal.remove_wishlist_item.title.confirm_remove": [ - { - "type": 0, - "value": "항목 제거 확인" - } - ], - "contact_info.action.sign_out": [ - { - "type": 0, - "value": "로그아웃" - } - ], - "contact_info.button.already_have_account": [ - { - "type": 0, - "value": "계정이 이미 있습니까? 로그인" - } - ], - "contact_info.button.checkout_as_guest": [ - { - "type": 0, - "value": "비회원으로 체크아웃" - } - ], - "contact_info.button.login": [ - { - "type": 0, - "value": "로그인" - } - ], - "contact_info.error.incorrect_username_or_password": [ - { - "type": 0, - "value": "사용자 이름 또는 암호가 올바르지 않습니다. 다시 시도하십시오." - } - ], - "contact_info.link.forgot_password": [ - { - "type": 0, - "value": "암호가 기억나지 않습니까?" - } - ], - "contact_info.title.contact_info": [ - { - "type": 0, - "value": "연락처 정보" - } - ], - "credit_card_fields.tool_tip.security_code": [ - { - "type": 0, - "value": "이 3자리 코드는 카드의 뒷면에서 확인할 수 있습니다." - } - ], - "credit_card_fields.tool_tip.security_code.american_express": [ - { - "type": 0, - "value": "이 4자리 코드는 카드의 전면에서 확인할 수 있습니다." - } - ], - "credit_card_fields.tool_tip.security_code_aria_label": [ - { - "type": 0, - "value": "보안 코드 정보" - } - ], - "drawer_menu.button.account_details": [ - { - "type": 0, - "value": "계정 세부 정보" - } - ], - "drawer_menu.button.addresses": [ - { - "type": 0, - "value": "주소" - } - ], - "drawer_menu.button.log_out": [ - { - "type": 0, - "value": "로그아웃" - } - ], - "drawer_menu.button.my_account": [ - { - "type": 0, - "value": "내 계정" - } - ], - "drawer_menu.button.order_history": [ - { - "type": 0, - "value": "주문 내역" - } - ], - "drawer_menu.link.about_us": [ - { - "type": 0, - "value": "회사 정보" - } - ], - "drawer_menu.link.customer_support": [ - { - "type": 0, - "value": "고객 지원" - } - ], - "drawer_menu.link.customer_support.contact_us": [ - { - "type": 0, - "value": "문의" - } - ], - "drawer_menu.link.customer_support.shipping_and_returns": [ - { - "type": 0, - "value": "배송 및 반품" - } - ], - "drawer_menu.link.our_company": [ - { - "type": 0, - "value": "회사" - } - ], - "drawer_menu.link.privacy_and_security": [ - { - "type": 0, - "value": "개인정보보호 및 보안" - } - ], - "drawer_menu.link.privacy_policy": [ - { - "type": 0, - "value": "개인정보보호 정책" - } - ], - "drawer_menu.link.shop_all": [ - { - "type": 0, - "value": "모두 구매" - } - ], - "drawer_menu.link.sign_in": [ - { - "type": 0, - "value": "로그인" - } - ], - "drawer_menu.link.site_map": [ - { - "type": 0, - "value": "사이트 맵" - } - ], - "drawer_menu.link.store_locator": [ - { - "type": 0, - "value": "매장 찾기" - } - ], - "drawer_menu.link.terms_and_conditions": [ - { - "type": 0, - "value": "이용 약관" - } - ], - "empty_cart.description.empty_cart": [ - { - "type": 0, - "value": "카트가 비어 있습니다." - } - ], - "empty_cart.link.continue_shopping": [ - { - "type": 0, - "value": "계속 쇼핑하기" - } - ], - "empty_cart.link.sign_in": [ - { - "type": 0, - "value": "로그인" - } - ], - "empty_cart.message.continue_shopping": [ - { - "type": 0, - "value": "계속 쇼핑하면서 카트에 항목을 추가합니다." - } - ], - "empty_cart.message.sign_in_or_continue_shopping": [ - { - "type": 0, - "value": "로그인하여 저장된 항목을 검색하거나 쇼핑을 계속하십시오." - } - ], - "empty_search_results.info.cant_find_anything_for_category": [ - { - "type": 1, - "value": "category" - }, - { - "type": 0, - "value": "에 해당하는 항목을 찾을 수 없습니다. 제품을 검색하거나 " - }, - { - "type": 1, - "value": "link" - }, - { - "type": 0, - "value": "을(를) 클릭해 보십시오." - } - ], - "empty_search_results.info.cant_find_anything_for_query": [ - { - "type": 0, - "value": "{searchQuery}에 해당하는 항목을 찾을 수 없습니다." - } - ], - "empty_search_results.info.double_check_spelling": [ - { - "type": 0, - "value": "철자를 다시 확인하고 다시 시도하거나 " - }, - { - "type": 1, - "value": "link" - }, - { - "type": 0, - "value": "을(를) 클릭해 보십시오." - } - ], - "empty_search_results.link.contact_us": [ - { - "type": 0, - "value": "문의" - } - ], - "empty_search_results.recommended_products.title.most_viewed": [ - { - "type": 0, - "value": "가장 많이 본 항목" - } - ], - "empty_search_results.recommended_products.title.top_sellers": [ - { - "type": 0, - "value": "탑셀러" - } - ], - "field.password.assistive_msg.hide_password": [ - { - "type": 0, - "value": "암호 숨기기" - } - ], - "field.password.assistive_msg.show_password": [ - { - "type": 0, - "value": "암호 표시" - } - ], - "footer.column.account": [ - { - "type": 0, - "value": "계정" - } - ], - "footer.column.customer_support": [ - { - "type": 0, - "value": "고객 지원" - } - ], - "footer.column.our_company": [ - { - "type": 0, - "value": "회사" - } - ], - "footer.link.about_us": [ - { - "type": 0, - "value": "회사 정보" - } - ], - "footer.link.contact_us": [ - { - "type": 0, - "value": "문의" - } - ], - "footer.link.order_status": [ - { - "type": 0, - "value": "주문 상태" - } - ], - "footer.link.privacy_policy": [ - { - "type": 0, - "value": "개인정보보호 정책" - } - ], - "footer.link.shipping": [ - { - "type": 0, - "value": "배송" - } - ], - "footer.link.signin_create_account": [ - { - "type": 0, - "value": "로그인 또는 계정 생성" - } - ], - "footer.link.site_map": [ - { - "type": 0, - "value": "사이트 맵" - } - ], - "footer.link.store_locator": [ - { - "type": 0, - "value": "매장 찾기" - } - ], - "footer.link.terms_conditions": [ - { - "type": 0, - "value": "이용 약관" - } - ], - "footer.message.copyright": [ - { - "type": 0, - "value": "Salesforce or its affiliates. All rights reserved. 데모용 매장입니다. 주문이 처리되지 않습니다." - } - ], - "footer.subscribe.button.sign_up": [ - { - "type": 0, - "value": "가입하기" - } - ], - "footer.subscribe.description.sign_up": [ - { - "type": 0, - "value": "특별한 구매 기회를 놓치지 않으려면 가입하세요." - } - ], - "footer.subscribe.heading.first_to_know": [ - { - "type": 0, - "value": "최신 정보를 누구보다 빨리 받아보세요." - } - ], - "form_action_buttons.button.cancel": [ - { - "type": 0, - "value": "취소" - } - ], - "form_action_buttons.button.save": [ - { - "type": 0, - "value": "저장" - } - ], - "global.account.link.account_details": [ - { - "type": 0, - "value": "계정 세부 정보" - } - ], - "global.account.link.addresses": [ - { - "type": 0, - "value": "주소" - } - ], - "global.account.link.order_history": [ - { - "type": 0, - "value": "주문 내역" - } - ], - "global.account.link.wishlist": [ - { - "type": 0, - "value": "위시리스트" - } - ], - "global.error.something_went_wrong": [ - { - "type": 0, - "value": "문제가 발생했습니다. 다시 시도하십시오." - } - ], - "global.info.added_to_wishlist": [ - { - "type": 1, - "value": "quantity" - }, - { - "type": 0, - "value": " " - }, - { - "offset": 0, - "options": { - "one": { - "value": [ - { - "type": 0, - "value": "개 항목" - } - ] - }, - "other": { - "value": [ - { - "type": 0, - "value": "개 항목" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "quantity" - }, - { - "type": 0, - "value": "이 위시리스트에 추가됨" - } - ], - "global.info.already_in_wishlist": [ - { - "type": 0, - "value": "이미 위시리스트에 추가한 품목" - } - ], - "global.info.removed_from_wishlist": [ - { - "type": 0, - "value": "항목이 위시리스트에서 제거됨" - } - ], - "global.link.added_to_wishlist.view_wishlist": [ - { - "type": 0, - "value": "보기" - } - ], - "header.button.assistive_msg.logo": [ - { - "type": 0, - "value": "로고" - } - ], - "header.button.assistive_msg.menu": [ - { - "type": 0, - "value": "메뉴" - } - ], - "header.button.assistive_msg.my_account": [ - { - "type": 0, - "value": "내 계정" - } - ], - "header.button.assistive_msg.my_account_menu": [ - { - "type": 0, - "value": "계정 메뉴 열기" - } - ], - "header.button.assistive_msg.my_cart_with_num_items": [ - { - "type": 0, - "value": "내 카트, 품목 수: " - }, - { - "type": 1, - "value": "numItems" - } - ], - "header.button.assistive_msg.wishlist": [ - { - "type": 0, - "value": "위시리스트" - } - ], - "header.field.placeholder.search_for_products": [ - { - "type": 0, - "value": "제품 검색..." - } - ], - "header.popover.action.log_out": [ - { - "type": 0, - "value": "로그아웃" - } - ], - "header.popover.title.my_account": [ - { - "type": 0, - "value": "내 계정" - } - ], - "home.description.features": [ - { - "type": 0, - "value": "향상된 기능을 추가하는 데 집중할 수 있도록 기본 기능을 제공합니다." - } - ], - "home.description.here_to_help": [ - { - "type": 0, - "value": "지원 담당자에게 문의하세요." - } - ], - "home.description.here_to_help_line_2": [ - { - "type": 0, - "value": "올바른 위치로 안내해 드립니다." - } - ], - "home.description.shop_products": [ - { - "type": 0, - "value": "이 섹션에는 카탈로그의 컨텐츠가 포함되어 있습니다. 대체하는 방법은 " - }, - { - "type": 1, - "value": "docLink" - }, - { - "type": 0, - "value": "에서 확인하세요." - } - ], - "home.features.description.cart_checkout": [ - { - "type": 0, - "value": "구매자의 카트 및 체크아웃 경험에 대한 이커머스 모범 사례입니다." - } - ], - "home.features.description.components": [ - { - "type": 0, - "value": "이용이 간편한 모듈식 React 구성요소 라이브러리인 Chakra UI를 사용하여 구축되었습니다." - } - ], - "home.features.description.einstein_recommendations": [ - { - "type": 0, - "value": "권장 제품을 통해 모든 구매자에게 다른 추천 제품이나 오퍼를 제공합니다." - } - ], - "home.features.description.my_account": [ - { - "type": 0, - "value": "구매자가 프로필, 주소, 결제, 주문 등의 계정 정보를 관리할 수 있습니다." - } - ], - "home.features.description.shopper_login": [ - { - "type": 0, - "value": "구매자가 보다 개인화된 쇼핑 경험을 통해 편리하게 로그인할 수 있습니다." - } - ], - "home.features.description.wishlist": [ - { - "type": 0, - "value": "등록된 구매자가 나중에 구매할 제품 항목을 위시리스트에 추가할 수 있습니다." - } - ], - "home.features.heading.cart_checkout": [ - { - "type": 0, - "value": "카트 및 체크아웃" - } - ], - "home.features.heading.components": [ - { - "type": 0, - "value": "구성요소 및 디자인 키트" - } - ], - "home.features.heading.einstein_recommendations": [ - { - "type": 0, - "value": "Einstein 제품 추천" - } - ], - "home.features.heading.my_account": [ - { - "type": 0, - "value": "내 계정" - } - ], - "home.features.heading.shopper_login": [ - { - "type": 0, - "value": "Shopper Login and API Access Service(SLAS)" - } - ], - "home.features.heading.wishlist": [ - { - "type": 0, - "value": "위시리스트" - } - ], - "home.heading.features": [ - { - "type": 0, - "value": "기능" - } - ], - "home.heading.here_to_help": [ - { - "type": 0, - "value": "도움 받기" - } - ], - "home.heading.shop_products": [ - { - "type": 0, - "value": "제품 쇼핑" - } - ], - "home.hero_features.link.design_kit": [ - { - "type": 0, - "value": "Figma PWA Design Kit를 사용하여 생성" - } - ], - "home.hero_features.link.on_github": [ - { - "type": 0, - "value": "Github에서 다운로드" - } - ], - "home.hero_features.link.on_managed_runtime": [ - { - "type": 0, - "value": "Managed Runtime에서 배포" - } - ], - "home.link.contact_us": [ - { - "type": 0, - "value": "문의" - } - ], - "home.link.get_started": [ - { - "type": 0, - "value": "시작하기" - } - ], - "home.link.read_docs": [ - { - "type": 0, - "value": "문서 읽기" - } - ], - "home.title.react_starter_store": [ - { - "type": 0, - "value": "소매점용 React PWA Starter Store" - } - ], - "icons.assistive_msg.lock": [ - { - "type": 0, - "value": "보안" - } - ], - "item_attributes.label.promotions": [ - { - "type": 0, - "value": "프로모션" - } - ], - "item_attributes.label.quantity": [ - { - "type": 0, - "value": "수량: " - }, - { - "type": 1, - "value": "quantity" - } - ], - "item_image.label.sale": [ - { - "type": 0, - "value": "판매" - } - ], - "item_image.label.unavailable": [ - { - "type": 0, - "value": "사용 불가" - } - ], - "item_price.label.starting_at": [ - { - "type": 0, - "value": "시작가" - } - ], - "lCPCxk": [ - { - "type": 0, - "value": "위에서 옵션을 모두 선택하세요." - } - ], - "list_menu.nav.assistive_msg": [ - { - "type": 0, - "value": "기본 탐색 메뉴" - } - ], - "locale_text.message.ar-SA": [ - { - "type": 0, - "value": "아랍어(사우디아라비아)" - } - ], - "locale_text.message.bn-BD": [ - { - "type": 0, - "value": "벵골어(방글라데시)" - } - ], - "locale_text.message.bn-IN": [ - { - "type": 0, - "value": "벵골어(인도)" - } - ], - "locale_text.message.cs-CZ": [ - { - "type": 0, - "value": "체코어(체코)" - } - ], - "locale_text.message.da-DK": [ - { - "type": 0, - "value": "덴마크어(덴마크)" - } - ], - "locale_text.message.de-AT": [ - { - "type": 0, - "value": "독일어(오스트리아)" - } - ], - "locale_text.message.de-CH": [ - { - "type": 0, - "value": "독일어(스위스)" - } - ], - "locale_text.message.de-DE": [ - { - "type": 0, - "value": "독일어(독일)" - } - ], - "locale_text.message.el-GR": [ - { - "type": 0, - "value": "그리스어(그리스)" - } - ], - "locale_text.message.en-AU": [ - { - "type": 0, - "value": "영어(오스트레일리아)" - } - ], - "locale_text.message.en-CA": [ - { - "type": 0, - "value": "영어(캐나다)" - } - ], - "locale_text.message.en-GB": [ - { - "type": 0, - "value": "영어(영국)" - } - ], - "locale_text.message.en-IE": [ - { - "type": 0, - "value": "영어(아일랜드)" - } - ], - "locale_text.message.en-IN": [ - { - "type": 0, - "value": "영어(인도)" - } - ], - "locale_text.message.en-NZ": [ - { - "type": 0, - "value": "영어(뉴질랜드)" - } - ], - "locale_text.message.en-US": [ - { - "type": 0, - "value": "영어(미국)" - } - ], - "locale_text.message.en-ZA": [ - { - "type": 0, - "value": "영어(남아프리카공화국)" - } - ], - "locale_text.message.es-AR": [ - { - "type": 0, - "value": "스페인어(아르헨티나)" - } - ], - "locale_text.message.es-CL": [ - { - "type": 0, - "value": "스페인어(칠레)" - } - ], - "locale_text.message.es-CO": [ - { - "type": 0, - "value": "스페인어(콜롬비아)" - } - ], - "locale_text.message.es-ES": [ - { - "type": 0, - "value": "스페인어(스페인)" - } - ], - "locale_text.message.es-MX": [ - { - "type": 0, - "value": "스페인어(멕시코)" - } - ], - "locale_text.message.es-US": [ - { - "type": 0, - "value": "스페인어(미국)" - } - ], - "locale_text.message.fi-FI": [ - { - "type": 0, - "value": "핀란드어(핀란드)" - } - ], - "locale_text.message.fr-BE": [ - { - "type": 0, - "value": "프랑스어(벨기에)" - } - ], - "locale_text.message.fr-CA": [ - { - "type": 0, - "value": "프랑스어(캐나다)" - } - ], - "locale_text.message.fr-CH": [ - { - "type": 0, - "value": "프랑스어(스위스)" - } - ], - "locale_text.message.fr-FR": [ - { - "type": 0, - "value": "프랑스어(프랑스)" - } - ], - "locale_text.message.he-IL": [ - { - "type": 0, - "value": "히브리어(이스라엘)" - } - ], - "locale_text.message.hi-IN": [ - { - "type": 0, - "value": "힌디어(인도)" - } - ], - "locale_text.message.hu-HU": [ - { - "type": 0, - "value": "헝가리어(헝가리)" - } - ], - "locale_text.message.id-ID": [ - { - "type": 0, - "value": "인도네시아어(인도네시아)" - } - ], - "locale_text.message.it-CH": [ - { - "type": 0, - "value": "이탈리아어(스위스)" - } - ], - "locale_text.message.it-IT": [ - { - "type": 0, - "value": "이탈리아어(이탈리아)" - } - ], - "locale_text.message.ja-JP": [ - { - "type": 0, - "value": "일본어(일본)" - } - ], - "locale_text.message.ko-KR": [ - { - "type": 0, - "value": "한국어(대한민국)" - } - ], - "locale_text.message.nl-BE": [ - { - "type": 0, - "value": "네덜란드어(벨기에)" - } - ], - "locale_text.message.nl-NL": [ - { - "type": 0, - "value": "네덜란드어(네덜란드)" - } - ], - "locale_text.message.no-NO": [ - { - "type": 0, - "value": "노르웨이어(노르웨이)" - } - ], - "locale_text.message.pl-PL": [ - { - "type": 0, - "value": "폴란드어(폴란드)" - } - ], - "locale_text.message.pt-BR": [ - { - "type": 0, - "value": "포르투갈어(브라질)" - } - ], - "locale_text.message.pt-PT": [ - { - "type": 0, - "value": "포르투갈어(포르투갈)" - } - ], - "locale_text.message.ro-RO": [ - { - "type": 0, - "value": "루마니아어(루마니아)" - } - ], - "locale_text.message.ru-RU": [ - { - "type": 0, - "value": "러시아어(러시아)" - } - ], - "locale_text.message.sk-SK": [ - { - "type": 0, - "value": "슬로바키아어(슬로바키아)" - } - ], - "locale_text.message.sv-SE": [ - { - "type": 0, - "value": "스웨덴어(스웨덴)" - } - ], - "locale_text.message.ta-IN": [ - { - "type": 0, - "value": "타밀어(인도)" - } - ], - "locale_text.message.ta-LK": [ - { - "type": 0, - "value": "타밀어(스리랑카)" - } - ], - "locale_text.message.th-TH": [ - { - "type": 0, - "value": "태국어(태국)" - } - ], - "locale_text.message.tr-TR": [ - { - "type": 0, - "value": "터키어(터키)" - } - ], - "locale_text.message.zh-CN": [ - { - "type": 0, - "value": "중국어(중국)" - } - ], - "locale_text.message.zh-HK": [ - { - "type": 0, - "value": "중국어(홍콩)" - } - ], - "locale_text.message.zh-TW": [ - { - "type": 0, - "value": "중국어(타이완)" - } - ], - "login_form.action.create_account": [ - { - "type": 0, - "value": "계정 생성" - } - ], - "login_form.button.sign_in": [ - { - "type": 0, - "value": "로그인" - } - ], - "login_form.link.forgot_password": [ - { - "type": 0, - "value": "암호가 기억나지 않습니까?" - } - ], - "login_form.message.dont_have_account": [ - { - "type": 0, - "value": "계정이 없습니까?" - } - ], - "login_form.message.welcome_back": [ - { - "type": 0, - "value": "다시 오신 것을 환영합니다." - } - ], - "login_page.error.incorrect_username_or_password": [ - { - "type": 0, - "value": "사용자 이름 또는 암호가 올바르지 않습니다. 다시 시도하십시오." - } - ], - "offline_banner.description.browsing_offline_mode": [ - { - "type": 0, - "value": "현재 오프라인 모드로 검색 중입니다." - } - ], - "order_summary.action.remove_promo": [ - { - "type": 0, - "value": "제거" - } - ], - "order_summary.cart_items.action.num_of_items_in_cart": [ - { - "type": 0, - "value": "카트에 " - }, - { - "offset": 0, - "options": { - "=0": { - "value": [ - { - "type": 0, - "value": "0개 항목" - } - ] - }, - "one": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": "개 항목" - } - ] - }, - "other": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": "개 항목" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "itemCount" - }, - { - "type": 0, - "value": "이 있음" - } - ], - "order_summary.cart_items.link.edit_cart": [ - { - "type": 0, - "value": "카트 편집" - } - ], - "order_summary.heading.order_summary": [ - { - "type": 0, - "value": "주문 요약" - } - ], - "order_summary.label.estimated_total": [ - { - "type": 0, - "value": "예상 합계" - } - ], - "order_summary.label.free": [ - { - "type": 0, - "value": "무료" - } - ], - "order_summary.label.order_total": [ - { - "type": 0, - "value": "주문 합계" - } - ], - "order_summary.label.promo_applied": [ - { - "type": 0, - "value": "프로모션이 적용됨" - } - ], - "order_summary.label.promotions_applied": [ - { - "type": 0, - "value": "프로모션이 적용됨" - } - ], - "order_summary.label.shipping": [ - { - "type": 0, - "value": "배송" - } - ], - "order_summary.label.subtotal": [ - { - "type": 0, - "value": "소계" - } - ], - "order_summary.label.tax": [ - { - "type": 0, - "value": "세금" - } - ], - "page_not_found.action.go_back": [ - { - "type": 0, - "value": "이전 페이지로 돌아가기" - } - ], - "page_not_found.link.homepage": [ - { - "type": 0, - "value": "홈 페이지로 이동" - } - ], - "page_not_found.message.suggestion_to_try": [ - { - "type": 0, - "value": "이 주소로 다시 시도해보거나 이전 페이지로 돌아가거나 홈 페이지로 돌아가십시오." - } - ], - "page_not_found.title.page_cant_be_found": [ - { - "type": 0, - "value": "해당 페이지를 찾을 수 없습니다." - } - ], - "pagination.field.num_of_pages": [ - { - "type": 0, - "value": "/" - }, - { - "type": 1, - "value": "numOfPages" - } - ], - "pagination.link.next": [ - { - "type": 0, - "value": "다음" - } - ], - "pagination.link.next.assistive_msg": [ - { - "type": 0, - "value": "다음 페이지" - } - ], - "pagination.link.prev": [ - { - "type": 0, - "value": "이전" - } - ], - "pagination.link.prev.assistive_msg": [ - { - "type": 0, - "value": "이전 페이지" - } - ], - "password_card.info.password_updated": [ - { - "type": 0, - "value": "암호가 업데이트됨" - } - ], - "password_card.label.password": [ - { - "type": 0, - "value": "암호" - } - ], - "password_card.title.password": [ - { - "type": 0, - "value": "암호" - } - ], - "password_requirements.error.eight_letter_minimum": [ - { - "type": 0, - "value": "최소 8자" - } - ], - "password_requirements.error.one_lowercase_letter": [ - { - "type": 0, - "value": "소문자 1개" - } - ], - "password_requirements.error.one_number": [ - { - "type": 0, - "value": "숫자 1개" - } - ], - "password_requirements.error.one_special_character": [ - { - "type": 0, - "value": "특수 문자 1개(예: , S ! % #)" - } - ], - "password_requirements.error.one_uppercase_letter": [ - { - "type": 0, - "value": "대문자 1개" - } - ], - "payment_selection.heading.credit_card": [ - { - "type": 0, - "value": "신용카드" - } - ], - "payment_selection.tooltip.secure_payment": [ - { - "type": 0, - "value": "안전한 SSL 암호화 결제입니다." - } - ], - "price_per_item.label.each": [ - { - "type": 0, - "value": "개" - } - ], - "product_detail.accordion.button.product_detail": [ - { - "type": 0, - "value": "제품 세부 정보" - } - ], - "product_detail.accordion.button.questions": [ - { - "type": 0, - "value": "문의" - } - ], - "product_detail.accordion.button.reviews": [ - { - "type": 0, - "value": "리뷰" - } - ], - "product_detail.accordion.button.size_fit": [ - { - "type": 0, - "value": "사이즈와 핏" - } - ], - "product_detail.accordion.message.coming_soon": [ - { - "type": 0, - "value": "제공 예정" - } - ], - "product_detail.recommended_products.title.complete_set": [ - { - "type": 0, - "value": "세트 완성" - } - ], - "product_detail.recommended_products.title.might_also_like": [ - { - "type": 0, - "value": "추천 상품" - } - ], - "product_detail.recommended_products.title.recently_viewed": [ - { - "type": 0, - "value": "최근에 봄" - } - ], - "product_item.label.quantity": [ - { - "type": 0, - "value": "수량:" - } - ], - "product_list.button.filter": [ - { - "type": 0, - "value": "필터" - } - ], - "product_list.button.sort_by": [ - { - "type": 0, - "value": "정렬 기준: " - }, - { - "type": 1, - "value": "sortOption" - } - ], - "product_list.drawer.title.sort_by": [ - { - "type": 0, - "value": "정렬 기준" - } - ], - "product_list.modal.button.clear_filters": [ - { - "type": 0, - "value": "필터 지우기" - } - ], - "product_list.modal.button.view_items": [ - { - "type": 1, - "value": "prroductCount" - }, - { - "type": 0, - "value": "개 항목 보기" - } - ], - "product_list.modal.title.filter": [ - { - "type": 0, - "value": "필터" - } - ], - "product_list.refinements.button.assistive_msg.add_filter": [ - { - "type": 0, - "value": "필터 추가: " - }, - { - "type": 1, - "value": "label" - } - ], - "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": [ - { - "type": 0, - "value": "필터 추가: " - }, - { - "type": 1, - "value": "label" - }, - { - "type": 0, - "value": "(" - }, - { - "type": 1, - "value": "hitCount" - }, - { - "type": 0, - "value": ")" - } - ], - "product_list.refinements.button.assistive_msg.remove_filter": [ - { - "type": 0, - "value": "필터 제거: " - }, - { - "type": 1, - "value": "label" - } - ], - "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": [ - { - "type": 0, - "value": "필터 제거: " - }, - { - "type": 1, - "value": "label" - }, - { - "type": 0, - "value": "(" - }, - { - "type": 1, - "value": "hitCount" - }, - { - "type": 0, - "value": ")" - } - ], - "product_list.select.sort_by": [ - { - "type": 0, - "value": "정렬 기준: " - }, - { - "type": 1, - "value": "sortOption" - } - ], - "product_scroller.assistive_msg.scroll_left": [ - { - "type": 0, - "value": "제품 왼쪽으로 스크롤" - } - ], - "product_scroller.assistive_msg.scroll_right": [ - { - "type": 0, - "value": "제품 오른쪽으로 스크롤" - } - ], - "product_tile.assistive_msg.add_to_wishlist": [ - { - "type": 0, - "value": "위시리스트에 " - }, - { - "type": 1, - "value": "product" - }, - { - "type": 0, - "value": " 추가" - } - ], - "product_tile.assistive_msg.remove_from_wishlist": [ - { - "type": 0, - "value": "위시리스트에서 " - }, - { - "type": 1, - "value": "product" - }, - { - "type": 0, - "value": " 제거" - } - ], - "product_tile.label.starting_at_price": [ - { - "type": 0, - "value": "시작가: " - }, - { - "type": 1, - "value": "price" - } - ], - "product_view.button.add_set_to_cart": [ - { - "type": 0, - "value": "카트에 세트 추가" - } - ], - "product_view.button.add_set_to_wishlist": [ - { - "type": 0, - "value": "위시리스트에 세트 추가" - } - ], - "product_view.button.add_to_cart": [ - { - "type": 0, - "value": "카트에 추가" - } - ], - "product_view.button.add_to_wishlist": [ - { - "type": 0, - "value": "위시리스트에 추가" - } - ], - "product_view.button.update": [ - { - "type": 0, - "value": "업데이트" - } - ], - "product_view.label.assistive_msg.quantity_decrement": [ - { - "type": 0, - "value": "수량 줄이기" - } - ], - "product_view.label.assistive_msg.quantity_increment": [ - { - "type": 0, - "value": "수량 늘리기" - } - ], - "product_view.label.quantity": [ - { - "type": 0, - "value": "수량" - } - ], - "product_view.label.quantity_decrement": [ - { - "type": 0, - "value": "−" - } - ], - "product_view.label.quantity_increment": [ - { - "type": 0, - "value": "+" - } - ], - "product_view.label.starting_at_price": [ - { - "type": 0, - "value": "시작가" - } - ], - "product_view.label.variant_type": [ - { - "type": 1, - "value": "variantType" - } - ], - "product_view.link.full_details": [ - { - "type": 0, - "value": "전체 세부 정보 보기" - } - ], - "profile_card.info.profile_updated": [ - { - "type": 0, - "value": "프로필이 업데이트됨" - } - ], - "profile_card.label.email": [ - { - "type": 0, - "value": "이메일" - } - ], - "profile_card.label.full_name": [ - { - "type": 0, - "value": "성명" - } - ], - "profile_card.label.phone": [ - { - "type": 0, - "value": "전화번호" - } - ], - "profile_card.message.not_provided": [ - { - "type": 0, - "value": "제공되지 않음" - } - ], - "profile_card.title.my_profile": [ - { - "type": 0, - "value": "내 프로필" - } - ], - "promo_code_fields.button.apply": [ - { - "type": 0, - "value": "적용" - } - ], - "promo_popover.assistive_msg.info": [ - { - "type": 0, - "value": "정보" - } - ], - "promo_popover.heading.promo_applied": [ - { - "type": 0, - "value": "프로모션이 적용됨" - } - ], - "promocode.accordion.button.have_promocode": [ - { - "type": 0, - "value": "프로모션 코드가 있습니까?" - } - ], - "recent_searches.action.clear_searches": [ - { - "type": 0, - "value": "최근 검색 지우기" - } - ], - "recent_searches.heading.recent_searches": [ - { - "type": 0, - "value": "최근 검색" - } - ], - "register_form.action.sign_in": [ - { - "type": 0, - "value": "로그인" - } - ], - "register_form.button.create_account": [ - { - "type": 0, - "value": "계정 생성" - } - ], - "register_form.heading.lets_get_started": [ - { - "type": 0, - "value": "이제 시작하세요!" - } - ], - "register_form.message.agree_to_policy_terms": [ - { - "type": 0, - "value": "계정을 만들면 Salesforce " - }, - { - "children": [ - { - "type": 0, - "value": "개인정보보호 정책" - } - ], - "type": 8, - "value": "policy" - }, - { - "type": 0, - "value": "과 " - }, - { - "children": [ - { - "type": 0, - "value": "이용 약관" - } - ], - "type": 8, - "value": "terms" - }, - { - "type": 0, - "value": "에 동의한 것으로 간주됩니다." - } - ], - "register_form.message.already_have_account": [ - { - "type": 0, - "value": "계정이 이미 있습니까?" - } - ], - "register_form.message.create_an_account": [ - { - "type": 0, - "value": "계정을 만들고 최고의 제품, 아이디어, 커뮤니티를 누구보다 빨리 이용해 보세요." - } - ], - "reset_password.button.back_to_sign_in": [ - { - "type": 0, - "value": "로그인 페이지로 돌아가기" - } - ], - "reset_password.info.receive_email_shortly": [ - { - "children": [ - { - "type": 1, - "value": "email" - } - ], - "type": 8, - "value": "b" - }, - { - "type": 0, - "value": "(으)로 암호 재설정 링크가 포함된 이메일이 곧 발송됩니다." - } - ], - "reset_password.title.password_reset": [ - { - "type": 0, - "value": "암호 재설정" - } - ], - "reset_password_form.action.sign_in": [ - { - "type": 0, - "value": "로그인" - } - ], - "reset_password_form.button.reset_password": [ - { - "type": 0, - "value": "암호 재설정" - } - ], - "reset_password_form.message.enter_your_email": [ - { - "type": 0, - "value": "암호를 재설정하는 방법에 대한 지침을 안내받으려면 이메일을 입력하십시오." - } - ], - "reset_password_form.message.return_to_sign_in": [ - { - "type": 0, - "value": "돌아가기" - } - ], - "reset_password_form.title.reset_password": [ - { - "type": 0, - "value": "암호 재설정" - } - ], - "search.action.cancel": [ - { - "type": 0, - "value": "취소" - } - ], - "selected_refinements.action.assistive_msg.clear_all": [ - { - "type": 0, - "value": "필터 모두 지우기" - } - ], - "selected_refinements.action.clear_all": [ - { - "type": 0, - "value": "모두 지우기" - } - ], - "shipping_address.button.continue_to_shipping": [ - { - "type": 0, - "value": "배송 방법으로 계속 진행하기" - } - ], - "shipping_address.title.shipping_address": [ - { - "type": 0, - "value": "배송 주소" - } - ], - "shipping_address_edit_form.button.save_and_continue": [ - { - "type": 0, - "value": "저장하고 배송 방법으로 계속 진행하기" - } - ], - "shipping_address_form.heading.edit_address": [ - { - "type": 0, - "value": "주소 편집" - } - ], - "shipping_address_form.heading.new_address": [ - { - "type": 0, - "value": "새 주소 추가" - } - ], - "shipping_address_selection.button.add_address": [ - { - "type": 0, - "value": "새 주소 추가" - } - ], - "shipping_address_selection.button.submit": [ - { - "type": 0, - "value": "제출" - } - ], - "shipping_address_selection.title.add_address": [ - { - "type": 0, - "value": "새 주소 추가" - } - ], - "shipping_address_selection.title.edit_shipping": [ - { - "type": 0, - "value": "배송 주소 편집" - } - ], - "shipping_options.action.send_as_a_gift": [ - { - "type": 0, - "value": "이 제품을 선물로 보내시겠습니까?" - } - ], - "shipping_options.button.continue_to_payment": [ - { - "type": 0, - "value": "결제로 계속 진행하기" - } - ], - "shipping_options.title.shipping_gift_options": [ - { - "type": 0, - "value": "배송 및 선물 옵션" - } - ], - "signout_confirmation_dialog.button.cancel": [ - { - "type": 0, - "value": "취소" - } - ], - "signout_confirmation_dialog.button.sign_out": [ - { - "type": 0, - "value": "로그아웃" - } - ], - "signout_confirmation_dialog.heading.sign_out": [ - { - "type": 0, - "value": "로그아웃" - } - ], - "signout_confirmation_dialog.message.sure_to_sign_out": [ - { - "type": 0, - "value": "로그아웃하시겠습니까? 현재 주문을 처리하려면 다시 로그인해야 합니다." - } - ], - "swatch_group.selected.label": [ - { - "type": 1, - "value": "label" - }, - { - "type": 0, - "value": ":" - } - ], - "toggle_card.action.edit": [ - { - "type": 0, - "value": "편집" - } - ], - "update_password_fields.button.forgot_password": [ - { - "type": 0, - "value": "암호가 기억나지 않습니까?" - } - ], - "use_address_fields.error.please_enter_first_name": [ - { - "type": 0, - "value": "이름을 입력하십시오." - } - ], - "use_address_fields.error.please_enter_last_name": [ - { - "type": 0, - "value": "성을 입력하십시오." - } - ], - "use_address_fields.error.please_enter_phone_number": [ - { - "type": 0, - "value": "전화번호를 입력하십시오." - } - ], - "use_address_fields.error.please_enter_your_postal_or_zip": [ - { - "type": 0, - "value": "우편번호를 입력하십시오." - } - ], - "use_address_fields.error.please_select_your_address": [ - { - "type": 0, - "value": "주소를 입력하십시오." - } - ], - "use_address_fields.error.please_select_your_city": [ - { - "type": 0, - "value": "구/군/시를 입력하십시오." - } - ], - "use_address_fields.error.please_select_your_country": [ - { - "type": 0, - "value": "국가를 선택하십시오." - } - ], - "use_address_fields.error.please_select_your_state_or_province": [ - { - "type": 0, - "value": "시/도를 선택하십시오." - } - ], - "use_address_fields.error.required": [ - { - "type": 0, - "value": "필수" - } - ], - "use_address_fields.error.state_code_invalid": [ - { - "type": 0, - "value": "2자리 시/도를 입력하십시오." - } - ], - "use_address_fields.label.address": [ - { - "type": 0, - "value": "주소" - } - ], - "use_address_fields.label.address_form": [ - { - "type": 0, - "value": "주소 양식" - } - ], - "use_address_fields.label.city": [ - { - "type": 0, - "value": "구/군/시" - } - ], - "use_address_fields.label.country": [ - { - "type": 0, - "value": "국가" - } - ], - "use_address_fields.label.first_name": [ - { - "type": 0, - "value": "이름" - } - ], - "use_address_fields.label.last_name": [ - { - "type": 0, - "value": "성" - } - ], - "use_address_fields.label.phone": [ - { - "type": 0, - "value": "전화번호" - } - ], - "use_address_fields.label.postal_code": [ - { - "type": 0, - "value": "우편번호" - } - ], - "use_address_fields.label.preferred": [ - { - "type": 0, - "value": "기본값으로 설정" - } - ], - "use_address_fields.label.province": [ - { - "type": 0, - "value": "시/도" - } - ], - "use_address_fields.label.state": [ - { - "type": 0, - "value": "시/도" - } - ], - "use_address_fields.label.zipCode": [ - { - "type": 0, - "value": "우편번호" - } - ], - "use_credit_card_fields.error.required": [ - { - "type": 0, - "value": "필수" - } - ], - "use_credit_card_fields.error.required_card_number": [ - { - "type": 0, - "value": "카드 번호를 입력하십시오." - } - ], - "use_credit_card_fields.error.required_expiry": [ - { - "type": 0, - "value": "만료 날짜를 입력하십시오." - } - ], - "use_credit_card_fields.error.required_name": [ - { - "type": 0, - "value": "카드에 표시된 대로 이름을 입력하십시오." - } - ], - "use_credit_card_fields.error.required_security_code": [ - { - "type": 0, - "value": "보안 코드를 입력하십시오." - } - ], - "use_credit_card_fields.error.valid_card_number": [ - { - "type": 0, - "value": "유효한 카드 번호를 입력하십시오." - } - ], - "use_credit_card_fields.error.valid_date": [ - { - "type": 0, - "value": "유효한 날짜를 입력하십시오." - } - ], - "use_credit_card_fields.error.valid_name": [ - { - "type": 0, - "value": "올바른 이름을 입력하십시오." - } - ], - "use_credit_card_fields.error.valid_security_code": [ - { - "type": 0, - "value": "유효한 보안 코드를 입력하십시오." - } - ], - "use_credit_card_fields.label.card_number": [ - { - "type": 0, - "value": "카드 번호" - } - ], - "use_credit_card_fields.label.card_type": [ - { - "type": 0, - "value": "카드 유형" - } - ], - "use_credit_card_fields.label.expiry": [ - { - "type": 0, - "value": "만료 날짜" - } - ], - "use_credit_card_fields.label.name": [ - { - "type": 0, - "value": "카드에 표시된 이름" - } - ], - "use_credit_card_fields.label.security_code": [ - { - "type": 0, - "value": "보안 코드" - } - ], - "use_login_fields.error.required_email": [ - { - "type": 0, - "value": "이메일 주소를 입력하십시오." - } - ], - "use_login_fields.error.required_password": [ - { - "type": 0, - "value": "암호를 입력하십시오." - } - ], - "use_login_fields.label.email": [ - { - "type": 0, - "value": "이메일" - } - ], - "use_login_fields.label.password": [ - { - "type": 0, - "value": "암호" - } - ], - "use_product.message.inventory_remaining": [ - { - "type": 0, - "value": "품절 임박(" - }, - { - "type": 1, - "value": "stockLevel" - }, - { - "type": 0, - "value": "개 남음)" - } - ], - "use_product.message.out_of_stock": [ - { - "type": 0, - "value": "품절" - } - ], - "use_profile_fields.error.required_email": [ - { - "type": 0, - "value": "유효한 이메일 주소를 입력하십시오." - } - ], - "use_profile_fields.error.required_first_name": [ - { - "type": 0, - "value": "이름을 입력하십시오." - } - ], - "use_profile_fields.error.required_last_name": [ - { - "type": 0, - "value": "성을 입력하십시오." - } - ], - "use_profile_fields.error.required_phone": [ - { - "type": 0, - "value": "전화번호를 입력하십시오." - } - ], - "use_profile_fields.label.email": [ - { - "type": 0, - "value": "이메일" - } - ], - "use_profile_fields.label.first_name": [ - { - "type": 0, - "value": "이름" - } - ], - "use_profile_fields.label.last_name": [ - { - "type": 0, - "value": "성" - } - ], - "use_profile_fields.label.phone": [ - { - "type": 0, - "value": "전화번호" - } - ], - "use_promo_code_fields.error.required_promo_code": [ - { - "type": 0, - "value": "유효한 프로모션 코드를 제공하십시오." - } - ], - "use_promo_code_fields.label.promo_code": [ - { - "type": 0, - "value": "프로모션 코드" - } - ], - "use_promocode.error.check_the_code": [ - { - "type": 0, - "value": "코드를 확인하고 다시 시도하십시오. 이미 적용되었거나 프로모션이 만료되었을 수 있습니다." - } - ], - "use_promocode.info.promo_applied": [ - { - "type": 0, - "value": "프로모션이 적용됨" - } - ], - "use_promocode.info.promo_removed": [ - { - "type": 0, - "value": "프로모션이 제거됨" - } - ], - "use_registration_fields.error.contain_number": [ - { - "type": 0, - "value": "암호에는 숫자가 하나 이상 포함되어야 합니다." - } - ], - "use_registration_fields.error.lowercase_letter": [ - { - "type": 0, - "value": "암호에는 소문자가 하나 이상 포함되어야 합니다." - } - ], - "use_registration_fields.error.minimum_characters": [ - { - "type": 0, - "value": "암호는 8자 이상이어야 합니다." - } - ], - "use_registration_fields.error.required_email": [ - { - "type": 0, - "value": "유효한 이메일 주소를 입력하십시오." - } - ], - "use_registration_fields.error.required_first_name": [ - { - "type": 0, - "value": "이름을 입력하십시오." - } - ], - "use_registration_fields.error.required_last_name": [ - { - "type": 0, - "value": "성을 입력하십시오." - } - ], - "use_registration_fields.error.required_password": [ - { - "type": 0, - "value": "암호를 생성하십시오." - } - ], - "use_registration_fields.error.special_character": [ - { - "type": 0, - "value": "암호에는 특수 문자가 하나 이상 포함되어야 합니다." - } - ], - "use_registration_fields.error.uppercase_letter": [ - { - "type": 0, - "value": "암호에는 대문자가 하나 이상 포함되어야 합니다." - } - ], - "use_registration_fields.label.email": [ - { - "type": 0, - "value": "이메일" - } - ], - "use_registration_fields.label.first_name": [ - { - "type": 0, - "value": "이름" - } - ], - "use_registration_fields.label.last_name": [ - { - "type": 0, - "value": "성" - } - ], - "use_registration_fields.label.password": [ - { - "type": 0, - "value": "암호" - } - ], - "use_registration_fields.label.sign_up_to_emails": [ - { - "type": 0, - "value": "Salesforce 이메일 가입(언제든지 탈퇴 가능)" - } - ], - "use_reset_password_fields.error.required_email": [ - { - "type": 0, - "value": "유효한 이메일 주소를 입력하십시오." - } - ], - "use_reset_password_fields.label.email": [ - { - "type": 0, - "value": "이메일" - } - ], - "use_update_password_fields.error.contain_number": [ - { - "type": 0, - "value": "암호에는 숫자가 하나 이상 포함되어야 합니다." - } - ], - "use_update_password_fields.error.lowercase_letter": [ - { - "type": 0, - "value": "암호에는 소문자가 하나 이상 포함되어야 합니다." - } - ], - "use_update_password_fields.error.minimum_characters": [ - { - "type": 0, - "value": "암호는 8자 이상이어야 합니다." - } - ], - "use_update_password_fields.error.required_new_password": [ - { - "type": 0, - "value": "새 암호를 제공하십시오." - } - ], - "use_update_password_fields.error.required_password": [ - { - "type": 0, - "value": "암호를 입력하십시오." - } - ], - "use_update_password_fields.error.special_character": [ - { - "type": 0, - "value": "암호에는 특수 문자가 하나 이상 포함되어야 합니다." - } - ], - "use_update_password_fields.error.uppercase_letter": [ - { - "type": 0, - "value": "암호에는 대문자가 하나 이상 포함되어야 합니다." - } - ], - "use_update_password_fields.label.current_password": [ - { - "type": 0, - "value": "현재 암호" - } - ], - "use_update_password_fields.label.new_password": [ - { - "type": 0, - "value": "새 암호" - } - ], - "wishlist_primary_action.button.add_set_to_cart": [ - { - "type": 0, - "value": "카트에 세트 추가" - } - ], - "wishlist_primary_action.button.add_to_cart": [ - { - "type": 0, - "value": "카트에 추가" - } - ], - "wishlist_primary_action.button.view_full_details": [ - { - "type": 0, - "value": "전체 세부 정보 보기" - } - ], - "wishlist_primary_action.button.view_options": [ - { - "type": 0, - "value": "옵션 보기" - } - ], - "wishlist_primary_action.info.added_to_cart": [ - { - "type": 1, - "value": "quantity" - }, - { - "type": 0, - "value": " " - }, - { - "offset": 0, - "options": { - "one": { - "value": [ - { - "type": 0, - "value": "개 항목" - } - ] - }, - "other": { - "value": [ - { - "type": 0, - "value": "개 항목" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "quantity" - }, - { - "type": 0, - "value": "이 카트에 추가됨" - } - ], - "wishlist_secondary_button_group.action.remove": [ - { - "type": 0, - "value": "제거" - } - ], - "wishlist_secondary_button_group.info.item_removed": [ - { - "type": 0, - "value": "항목이 위시리스트에서 제거됨" - } - ], - "with_registration.info.please_sign_in": [ - { - "type": 0, - "value": "계속하려면 로그인하십시오." - } - ] -} \ No newline at end of file diff --git a/my-test-project/overrides/app/static/translations/compiled/pt-BR.json b/my-test-project/overrides/app/static/translations/compiled/pt-BR.json deleted file mode 100644 index bd59d8c0c6..0000000000 --- a/my-test-project/overrides/app/static/translations/compiled/pt-BR.json +++ /dev/null @@ -1,3486 +0,0 @@ -{ - "account.accordion.button.my_account": [ - { - "type": 0, - "value": "Minha conta" - } - ], - "account.heading.my_account": [ - { - "type": 0, - "value": "Minha conta" - } - ], - "account.logout_button.button.log_out": [ - { - "type": 0, - "value": "Sair" - } - ], - "account_addresses.badge.default": [ - { - "type": 0, - "value": "Padrão" - } - ], - "account_addresses.button.add_address": [ - { - "type": 0, - "value": "Adicionar endereço" - } - ], - "account_addresses.info.address_removed": [ - { - "type": 0, - "value": "Endereço removido" - } - ], - "account_addresses.info.address_updated": [ - { - "type": 0, - "value": "Endereço atualizado" - } - ], - "account_addresses.info.new_address_saved": [ - { - "type": 0, - "value": "Novo endereço salvo" - } - ], - "account_addresses.page_action_placeholder.button.add_address": [ - { - "type": 0, - "value": "Adicionar endereço" - } - ], - "account_addresses.page_action_placeholder.heading.no_saved_addresses": [ - { - "type": 0, - "value": "Não há endereços salvos" - } - ], - "account_addresses.page_action_placeholder.message.add_new_address": [ - { - "type": 0, - "value": "Adicione um novo método de endereço para agilizar o checkout." - } - ], - "account_addresses.title.addresses": [ - { - "type": 0, - "value": "Endereços" - } - ], - "account_detail.title.account_details": [ - { - "type": 0, - "value": "Detalhes da conta" - } - ], - "account_order_detail.heading.billing_address": [ - { - "type": 0, - "value": "Endereço de cobrança" - } - ], - "account_order_detail.heading.num_of_items": [ - { - "type": 1, - "value": "count" - }, - { - "type": 0, - "value": " itens" - } - ], - "account_order_detail.heading.payment_method": [ - { - "type": 0, - "value": "Método de pagamento" - } - ], - "account_order_detail.heading.shipping_address": [ - { - "type": 0, - "value": "Endereço de entrega" - } - ], - "account_order_detail.heading.shipping_method": [ - { - "type": 0, - "value": "Método de entrega" - } - ], - "account_order_detail.label.order_number": [ - { - "type": 0, - "value": "Número do pedido: " - }, - { - "type": 1, - "value": "orderNumber" - } - ], - "account_order_detail.label.ordered_date": [ - { - "type": 0, - "value": "Pedido: " - }, - { - "type": 1, - "value": "date" - } - ], - "account_order_detail.label.pending_tracking_number": [ - { - "type": 0, - "value": "Pendente" - } - ], - "account_order_detail.label.tracking_number": [ - { - "type": 0, - "value": "Número de controle" - } - ], - "account_order_detail.link.back_to_history": [ - { - "type": 0, - "value": "Voltar a Histórico de pedidos" - } - ], - "account_order_detail.shipping_status.not_shipped": [ - { - "type": 0, - "value": "Não enviado" - } - ], - "account_order_detail.shipping_status.part_shipped": [ - { - "type": 0, - "value": "Parcialmente enviado" - } - ], - "account_order_detail.shipping_status.shipped": [ - { - "type": 0, - "value": "Enviado" - } - ], - "account_order_detail.title.order_details": [ - { - "type": 0, - "value": "Detalhes do pedido" - } - ], - "account_order_history.button.continue_shopping": [ - { - "type": 0, - "value": "Continuar comprando" - } - ], - "account_order_history.description.once_you_place_order": [ - { - "type": 0, - "value": "Quando você faz um pedido, os detalhes aparecem aqui." - } - ], - "account_order_history.heading.no_order_yet": [ - { - "type": 0, - "value": "Você ainda não fez um pedido." - } - ], - "account_order_history.label.num_of_items": [ - { - "type": 1, - "value": "count" - }, - { - "type": 0, - "value": " itens" - } - ], - "account_order_history.label.order_number": [ - { - "type": 0, - "value": "Número do pedido: " - }, - { - "type": 1, - "value": "orderNumber" - } - ], - "account_order_history.label.ordered_date": [ - { - "type": 0, - "value": "Pedido: " - }, - { - "type": 1, - "value": "date" - } - ], - "account_order_history.label.shipped_to": [ - { - "type": 0, - "value": "Enviado para: " - }, - { - "type": 1, - "value": "name" - } - ], - "account_order_history.link.view_details": [ - { - "type": 0, - "value": "Ver detalhes" - } - ], - "account_order_history.title.order_history": [ - { - "type": 0, - "value": "Histórico de pedidos" - } - ], - "account_wishlist.button.continue_shopping": [ - { - "type": 0, - "value": "Continuar comprando" - } - ], - "account_wishlist.description.continue_shopping": [ - { - "type": 0, - "value": "Continue comprando e adicionando itens na sua lista de desejos." - } - ], - "account_wishlist.heading.no_wishlist": [ - { - "type": 0, - "value": "Não há itens na lista de desejos" - } - ], - "account_wishlist.title.wishlist": [ - { - "type": 0, - "value": "Lista de desejos" - } - ], - "action_card.action.edit": [ - { - "type": 0, - "value": "Editar" - } - ], - "action_card.action.remove": [ - { - "type": 0, - "value": "Remover" - } - ], - "add_to_cart_modal.info.added_to_cart": [ - { - "type": 1, - "value": "quantity" - }, - { - "type": 0, - "value": " " - }, - { - "offset": 0, - "options": { - "one": { - "value": [ - { - "type": 0, - "value": "item" - } - ] - }, - "other": { - "value": [ - { - "type": 0, - "value": "itens" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "quantity" - }, - { - "type": 0, - "value": " adicionado(s) ao carrinho" - } - ], - "add_to_cart_modal.label.cart_subtotal": [ - { - "type": 0, - "value": "Subtotal do carrinho (" - }, - { - "type": 1, - "value": "itemAccumulatedCount" - }, - { - "type": 0, - "value": " item/itens)" - } - ], - "add_to_cart_modal.label.quantity": [ - { - "type": 0, - "value": "Qtd." - } - ], - "add_to_cart_modal.link.checkout": [ - { - "type": 0, - "value": "Pagar" - } - ], - "add_to_cart_modal.link.view_cart": [ - { - "type": 0, - "value": "Ver carrinho" - } - ], - "add_to_cart_modal.recommended_products.title.might_also_like": [ - { - "type": 0, - "value": "Talvez você também queira" - } - ], - "auth_modal.button.close.assistive_msg": [ - { - "type": 0, - "value": "Fechar formulário de logon" - } - ], - "auth_modal.description.now_signed_in": [ - { - "type": 0, - "value": "Agora você fez login na sua conta." - } - ], - "auth_modal.error.incorrect_email_or_password": [ - { - "type": 0, - "value": "Há algo errado com seu e-mail ou senha. Tente novamente." - } - ], - "auth_modal.info.welcome_user": [ - { - "type": 0, - "value": "Olá " - }, - { - "type": 1, - "value": "name" - }, - { - "type": 0, - "value": "," - } - ], - "auth_modal.password_reset_success.button.back_to_sign_in": [ - { - "type": 0, - "value": "Fazer login novamente" - } - ], - "auth_modal.password_reset_success.info.will_email_shortly": [ - { - "type": 0, - "value": "Em breve, você receberá um e-mail em " - }, - { - "children": [ - { - "type": 1, - "value": "email" - } - ], - "type": 8, - "value": "b" - }, - { - "type": 0, - "value": " com um link para redefinir a senha." - } - ], - "auth_modal.password_reset_success.title.password_reset": [ - { - "type": 0, - "value": "Redefinição de senha" - } - ], - "carousel.button.scroll_left.assistive_msg": [ - { - "type": 0, - "value": "Rolar o carrossel para a esquerda" - } - ], - "carousel.button.scroll_right.assistive_msg": [ - { - "type": 0, - "value": "Rolar o carrossel para a direita" - } - ], - "cart.info.removed_from_cart": [ - { - "type": 0, - "value": "Item removido do carrinho" - } - ], - "cart.recommended_products.title.may_also_like": [ - { - "type": 0, - "value": "Talvez você também queira" - } - ], - "cart.recommended_products.title.recently_viewed": [ - { - "type": 0, - "value": "Recentemente visualizados" - } - ], - "cart_cta.link.checkout": [ - { - "type": 0, - "value": "Pagar" - } - ], - "cart_secondary_button_group.action.added_to_wishlist": [ - { - "type": 0, - "value": "Adicionar à lista de desejos" - } - ], - "cart_secondary_button_group.action.edit": [ - { - "type": 0, - "value": "Editar" - } - ], - "cart_secondary_button_group.action.remove": [ - { - "type": 0, - "value": "Remover" - } - ], - "cart_secondary_button_group.label.this_is_gift": [ - { - "type": 0, - "value": "É um presente." - } - ], - "cart_skeleton.heading.order_summary": [ - { - "type": 0, - "value": "Resumo do pedido" - } - ], - "cart_skeleton.title.cart": [ - { - "type": 0, - "value": "Carrinho" - } - ], - "cart_title.title.cart_num_of_items": [ - { - "type": 0, - "value": "Carrinho (" - }, - { - "offset": 0, - "options": { - "=0": { - "value": [ - { - "type": 0, - "value": "0 itens" - } - ] - }, - "one": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": " item" - } - ] - }, - "other": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": " itens" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "itemCount" - }, - { - "type": 0, - "value": ")" - } - ], - "cc_radio_group.action.remove": [ - { - "type": 0, - "value": "Remover" - } - ], - "cc_radio_group.button.add_new_card": [ - { - "type": 0, - "value": "Adicionar novo cartão" - } - ], - "checkout.button.place_order": [ - { - "type": 0, - "value": "Fazer pedido" - } - ], - "checkout.message.generic_error": [ - { - "type": 0, - "value": "Ocorreu um erro inesperado durante o checkout." - } - ], - "checkout_confirmation.button.create_account": [ - { - "type": 0, - "value": "Criar conta" - } - ], - "checkout_confirmation.heading.billing_address": [ - { - "type": 0, - "value": "Endereço de cobrança" - } - ], - "checkout_confirmation.heading.create_account": [ - { - "type": 0, - "value": "Criar uma conta para agilizar o checkout" - } - ], - "checkout_confirmation.heading.credit_card": [ - { - "type": 0, - "value": "Cartão de crédito" - } - ], - "checkout_confirmation.heading.delivery_details": [ - { - "type": 0, - "value": "Detalhes da entrega" - } - ], - "checkout_confirmation.heading.order_summary": [ - { - "type": 0, - "value": "Resumo do pedido" - } - ], - "checkout_confirmation.heading.payment_details": [ - { - "type": 0, - "value": "Detalhes do pagamento" - } - ], - "checkout_confirmation.heading.shipping_address": [ - { - "type": 0, - "value": "Endereço de entrega" - } - ], - "checkout_confirmation.heading.shipping_method": [ - { - "type": 0, - "value": "Método de entrega" - } - ], - "checkout_confirmation.heading.thank_you_for_order": [ - { - "type": 0, - "value": "Agradecemos o seu pedido!" - } - ], - "checkout_confirmation.label.free": [ - { - "type": 0, - "value": "Gratuito" - } - ], - "checkout_confirmation.label.order_number": [ - { - "type": 0, - "value": "Número do pedido" - } - ], - "checkout_confirmation.label.order_total": [ - { - "type": 0, - "value": "Total do pedido" - } - ], - "checkout_confirmation.label.promo_applied": [ - { - "type": 0, - "value": "Promoção aplicada" - } - ], - "checkout_confirmation.label.shipping": [ - { - "type": 0, - "value": "Frete" - } - ], - "checkout_confirmation.label.subtotal": [ - { - "type": 0, - "value": "Subtotal" - } - ], - "checkout_confirmation.label.tax": [ - { - "type": 0, - "value": "Imposto" - } - ], - "checkout_confirmation.link.continue_shopping": [ - { - "type": 0, - "value": "Continuar comprando" - } - ], - "checkout_confirmation.link.login": [ - { - "type": 0, - "value": "Fazer logon aqui" - } - ], - "checkout_confirmation.message.already_has_account": [ - { - "type": 0, - "value": "Já há uma conta com este mesmo endereço de e-mail." - } - ], - "checkout_confirmation.message.num_of_items_in_order": [ - { - "offset": 0, - "options": { - "=0": { - "value": [ - { - "type": 0, - "value": "0 itens" - } - ] - }, - "one": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": " item" - } - ] - }, - "other": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": " itens" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "itemCount" - }, - { - "type": 0, - "value": ")" - } - ], - "checkout_confirmation.message.will_email_shortly": [ - { - "type": 0, - "value": "Em breve, enviaremos um e-mail para " - }, - { - "children": [ - { - "type": 1, - "value": "email" - } - ], - "type": 8, - "value": "b" - }, - { - "type": 0, - "value": " com seu número de confirmação e recibo." - } - ], - "checkout_footer.link.privacy_policy": [ - { - "type": 0, - "value": "Política de privacidade" - } - ], - "checkout_footer.link.returns_exchanges": [ - { - "type": 0, - "value": "Devoluções e trocas" - } - ], - "checkout_footer.link.shipping": [ - { - "type": 0, - "value": "Frete" - } - ], - "checkout_footer.link.site_map": [ - { - "type": 0, - "value": "Mapa do site" - } - ], - "checkout_footer.link.terms_conditions": [ - { - "type": 0, - "value": "Termos e condições" - } - ], - "checkout_footer.message.copyright": [ - { - "type": 0, - "value": "Salesforce ou suas afiliadas. Todos os direitos reservados. Esta é apenas uma loja de demonstração. Os pedidos feitos NÃO SERÃO processados." - } - ], - "checkout_header.link.assistive_msg.cart": [ - { - "type": 0, - "value": "Voltar ao carrinho, número de itens: " - }, - { - "type": 1, - "value": "numItems" - } - ], - "checkout_header.link.cart": [ - { - "type": 0, - "value": "Voltar ao carrinho" - } - ], - "checkout_payment.action.remove": [ - { - "type": 0, - "value": "Remover" - } - ], - "checkout_payment.button.review_order": [ - { - "type": 0, - "value": "Rever pedido" - } - ], - "checkout_payment.heading.billing_address": [ - { - "type": 0, - "value": "Endereço de cobrança" - } - ], - "checkout_payment.heading.credit_card": [ - { - "type": 0, - "value": "Cartão de crédito" - } - ], - "checkout_payment.label.same_as_shipping": [ - { - "type": 0, - "value": "Igual ao endereço de entrega" - } - ], - "checkout_payment.title.payment": [ - { - "type": 0, - "value": "Pagamento" - } - ], - "colorRefinements.label.hitCount": [ - { - "type": 1, - "value": "colorLabel" - }, - { - "type": 0, - "value": " (" - }, - { - "type": 1, - "value": "colorHitCount" - }, - { - "type": 0, - "value": ")" - } - ], - "confirmation_modal.default.action.no": [ - { - "type": 0, - "value": "Não" - } - ], - "confirmation_modal.default.action.yes": [ - { - "type": 0, - "value": "Sim" - } - ], - "confirmation_modal.default.message.you_want_to_continue": [ - { - "type": 0, - "value": "Tem certeza de que deseja continuar?" - } - ], - "confirmation_modal.default.title.confirm_action": [ - { - "type": 0, - "value": "Confirmar ação" - } - ], - "confirmation_modal.remove_cart_item.action.no": [ - { - "type": 0, - "value": "Não, manter item" - } - ], - "confirmation_modal.remove_cart_item.action.remove": [ - { - "type": 0, - "value": "Remover" - } - ], - "confirmation_modal.remove_cart_item.action.yes": [ - { - "type": 0, - "value": "Sim, remover item" - } - ], - "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": [ - { - "type": 0, - "value": "Alguns itens não estão mais disponíveis online e serão removidos de seu carrinho." - } - ], - "confirmation_modal.remove_cart_item.message.sure_to_remove": [ - { - "type": 0, - "value": "Tem certeza de que deseja remover este item do carrinho?" - } - ], - "confirmation_modal.remove_cart_item.title.confirm_remove": [ - { - "type": 0, - "value": "Confirmar remoção do item" - } - ], - "confirmation_modal.remove_cart_item.title.items_unavailable": [ - { - "type": 0, - "value": "Itens indisponíveis" - } - ], - "confirmation_modal.remove_wishlist_item.action.no": [ - { - "type": 0, - "value": "Não, manter item" - } - ], - "confirmation_modal.remove_wishlist_item.action.yes": [ - { - "type": 0, - "value": "Sim, remover item" - } - ], - "confirmation_modal.remove_wishlist_item.message.sure_to_remove": [ - { - "type": 0, - "value": "Tem certeza de que deseja remover este item da lista de desejos?" - } - ], - "confirmation_modal.remove_wishlist_item.title.confirm_remove": [ - { - "type": 0, - "value": "Confirmar remoção do item" - } - ], - "contact_info.action.sign_out": [ - { - "type": 0, - "value": "Fazer logoff" - } - ], - "contact_info.button.already_have_account": [ - { - "type": 0, - "value": "Já tem uma conta? Fazer logon" - } - ], - "contact_info.button.checkout_as_guest": [ - { - "type": 0, - "value": "Pagar como convidado" - } - ], - "contact_info.button.login": [ - { - "type": 0, - "value": "Fazer logon" - } - ], - "contact_info.error.incorrect_username_or_password": [ - { - "type": 0, - "value": "Nome de usuário ou senha incorreta. Tente novamente." - } - ], - "contact_info.link.forgot_password": [ - { - "type": 0, - "value": "Esqueceu a senha?" - } - ], - "contact_info.title.contact_info": [ - { - "type": 0, - "value": "Informações de contato" - } - ], - "credit_card_fields.tool_tip.security_code": [ - { - "type": 0, - "value": "Este código de 3 dígitos pode ser encontrado no verso do seu cartão." - } - ], - "credit_card_fields.tool_tip.security_code.american_express": [ - { - "type": 0, - "value": "Este código de 4 dígitos pode ser encontrado na frente do seu cartão." - } - ], - "credit_card_fields.tool_tip.security_code_aria_label": [ - { - "type": 0, - "value": "Informações do código de segurança" - } - ], - "drawer_menu.button.account_details": [ - { - "type": 0, - "value": "Detalhes da conta" - } - ], - "drawer_menu.button.addresses": [ - { - "type": 0, - "value": "Endereços" - } - ], - "drawer_menu.button.log_out": [ - { - "type": 0, - "value": "Sair" - } - ], - "drawer_menu.button.my_account": [ - { - "type": 0, - "value": "Minha conta" - } - ], - "drawer_menu.button.order_history": [ - { - "type": 0, - "value": "Histórico de pedidos" - } - ], - "drawer_menu.link.about_us": [ - { - "type": 0, - "value": "Sobre nós" - } - ], - "drawer_menu.link.customer_support": [ - { - "type": 0, - "value": "Suporte ao cliente" - } - ], - "drawer_menu.link.customer_support.contact_us": [ - { - "type": 0, - "value": "Entrar em contato" - } - ], - "drawer_menu.link.customer_support.shipping_and_returns": [ - { - "type": 0, - "value": "Frete e devoluções" - } - ], - "drawer_menu.link.our_company": [ - { - "type": 0, - "value": "Nossa empresa" - } - ], - "drawer_menu.link.privacy_and_security": [ - { - "type": 0, - "value": "Privacidade e segurança" - } - ], - "drawer_menu.link.privacy_policy": [ - { - "type": 0, - "value": "Política de privacidade" - } - ], - "drawer_menu.link.shop_all": [ - { - "type": 0, - "value": "Ver tudo" - } - ], - "drawer_menu.link.sign_in": [ - { - "type": 0, - "value": "Fazer logon" - } - ], - "drawer_menu.link.site_map": [ - { - "type": 0, - "value": "Mapa do site" - } - ], - "drawer_menu.link.store_locator": [ - { - "type": 0, - "value": "Localizador de lojas" - } - ], - "drawer_menu.link.terms_and_conditions": [ - { - "type": 0, - "value": "Termos e condições" - } - ], - "empty_cart.description.empty_cart": [ - { - "type": 0, - "value": "Seu carrinho está vazio." - } - ], - "empty_cart.link.continue_shopping": [ - { - "type": 0, - "value": "Continuar comprando" - } - ], - "empty_cart.link.sign_in": [ - { - "type": 0, - "value": "Fazer logon" - } - ], - "empty_cart.message.continue_shopping": [ - { - "type": 0, - "value": "Continue comprando e adicione itens ao seu carrinho." - } - ], - "empty_cart.message.sign_in_or_continue_shopping": [ - { - "type": 0, - "value": "Faça logon para recuperar seus itens salvos ou continuar a compra." - } - ], - "empty_search_results.info.cant_find_anything_for_category": [ - { - "type": 0, - "value": "Não encontramos resultados para " - }, - { - "type": 1, - "value": "category" - }, - { - "type": 0, - "value": ". Tente pesquisar um produto ou " - }, - { - "type": 1, - "value": "link" - }, - { - "type": 0, - "value": "." - } - ], - "empty_search_results.info.cant_find_anything_for_query": [ - { - "type": 0, - "value": "Não encontramos resultados para \"" - }, - { - "type": 1, - "value": "searchQuery" - }, - { - "type": 0, - "value": "\"." - } - ], - "empty_search_results.info.double_check_spelling": [ - { - "type": 0, - "value": "Confira a ortografia e tente novamente ou " - }, - { - "type": 1, - "value": "link" - }, - { - "type": 0, - "value": "." - } - ], - "empty_search_results.link.contact_us": [ - { - "type": 0, - "value": "Entre em contato" - } - ], - "empty_search_results.recommended_products.title.most_viewed": [ - { - "type": 0, - "value": "Mais visto" - } - ], - "empty_search_results.recommended_products.title.top_sellers": [ - { - "type": 0, - "value": "Mais vendidos" - } - ], - "field.password.assistive_msg.hide_password": [ - { - "type": 0, - "value": "Ocultar senha" - } - ], - "field.password.assistive_msg.show_password": [ - { - "type": 0, - "value": "Mostrar senha" - } - ], - "footer.column.account": [ - { - "type": 0, - "value": "Conta" - } - ], - "footer.column.customer_support": [ - { - "type": 0, - "value": "Suporte ao cliente" - } - ], - "footer.column.our_company": [ - { - "type": 0, - "value": "Nossa empresa" - } - ], - "footer.link.about_us": [ - { - "type": 0, - "value": "Sobre nós" - } - ], - "footer.link.contact_us": [ - { - "type": 0, - "value": "Entre em contato" - } - ], - "footer.link.order_status": [ - { - "type": 0, - "value": "Estado dos pedidos" - } - ], - "footer.link.privacy_policy": [ - { - "type": 0, - "value": "Política de privacidade" - } - ], - "footer.link.shipping": [ - { - "type": 0, - "value": "Frete" - } - ], - "footer.link.signin_create_account": [ - { - "type": 0, - "value": "Fazer logon ou criar conta" - } - ], - "footer.link.site_map": [ - { - "type": 0, - "value": "Mapa do site" - } - ], - "footer.link.store_locator": [ - { - "type": 0, - "value": "Localizador de lojas" - } - ], - "footer.link.terms_conditions": [ - { - "type": 0, - "value": "Termos e condições" - } - ], - "footer.message.copyright": [ - { - "type": 0, - "value": "Salesforce ou suas afiliadas. Todos os direitos reservados. Esta é apenas uma loja de demonstração. Os pedidos feitos NÃO SERÃO processados." - } - ], - "footer.subscribe.button.sign_up": [ - { - "type": 0, - "value": "Cadastro" - } - ], - "footer.subscribe.description.sign_up": [ - { - "type": 0, - "value": "Registre-se para ficar por dentro de todas as ofertas" - } - ], - "footer.subscribe.heading.first_to_know": [ - { - "type": 0, - "value": "Seja o primeiro a saber" - } - ], - "form_action_buttons.button.cancel": [ - { - "type": 0, - "value": "Cancelar" - } - ], - "form_action_buttons.button.save": [ - { - "type": 0, - "value": "Salvar" - } - ], - "global.account.link.account_details": [ - { - "type": 0, - "value": "Detalhes da conta" - } - ], - "global.account.link.addresses": [ - { - "type": 0, - "value": "Endereços" - } - ], - "global.account.link.order_history": [ - { - "type": 0, - "value": "Histórico de pedidos" - } - ], - "global.account.link.wishlist": [ - { - "type": 0, - "value": "Lista de desejos" - } - ], - "global.error.something_went_wrong": [ - { - "type": 0, - "value": "Ocorreu um erro. Tente novamente." - } - ], - "global.info.added_to_wishlist": [ - { - "type": 1, - "value": "quantity" - }, - { - "type": 0, - "value": " " - }, - { - "offset": 0, - "options": { - "one": { - "value": [ - { - "type": 0, - "value": "item" - } - ] - }, - "other": { - "value": [ - { - "type": 0, - "value": "itens" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "quantity" - }, - { - "type": 0, - "value": " adicionado(s) à lista de desejos" - } - ], - "global.info.already_in_wishlist": [ - { - "type": 0, - "value": "O item já está na lista de desejos" - } - ], - "global.info.removed_from_wishlist": [ - { - "type": 0, - "value": "Item removido da lista de desejos" - } - ], - "global.link.added_to_wishlist.view_wishlist": [ - { - "type": 0, - "value": "Ver" - } - ], - "header.button.assistive_msg.logo": [ - { - "type": 0, - "value": "Logotipo" - } - ], - "header.button.assistive_msg.menu": [ - { - "type": 0, - "value": "Menu" - } - ], - "header.button.assistive_msg.my_account": [ - { - "type": 0, - "value": "Minha conta" - } - ], - "header.button.assistive_msg.my_account_menu": [ - { - "type": 0, - "value": "Abrir menu de conta" - } - ], - "header.button.assistive_msg.my_cart_with_num_items": [ - { - "type": 0, - "value": "Meu carrinho, número de itens: " - }, - { - "type": 1, - "value": "numItems" - } - ], - "header.button.assistive_msg.wishlist": [ - { - "type": 0, - "value": "Lista de desejos" - } - ], - "header.field.placeholder.search_for_products": [ - { - "type": 0, - "value": "Pesquisar produtos..." - } - ], - "header.popover.action.log_out": [ - { - "type": 0, - "value": "Sair" - } - ], - "header.popover.title.my_account": [ - { - "type": 0, - "value": "Minha conta" - } - ], - "home.description.features": [ - { - "type": 0, - "value": "Recursos prontos para uso, para que você só precise adicionar melhorias." - } - ], - "home.description.here_to_help": [ - { - "type": 0, - "value": "Entre em contato com nossa equipe de suporte." - } - ], - "home.description.here_to_help_line_2": [ - { - "type": 0, - "value": "Eles vão levar você ao lugar certo." - } - ], - "home.description.shop_products": [ - { - "type": 0, - "value": "Esta seção tem conteúdo do catálogo. " - }, - { - "type": 1, - "value": "docLink" - }, - { - "type": 0, - "value": " sobre como substitui-lo." - } - ], - "home.features.description.cart_checkout": [ - { - "type": 0, - "value": "Práticas recomendadas de comércio eletrônico para a experiência de carrinho e checkout do comprador." - } - ], - "home.features.description.components": [ - { - "type": 0, - "value": "Criado com Chakra UI, uma biblioteca de componentes de React simples, modulares e acessíveis." - } - ], - "home.features.description.einstein_recommendations": [ - { - "type": 0, - "value": "Entregue o próximo melhor produto ou oferta a cada comprador por meio de recomendações de produto." - } - ], - "home.features.description.my_account": [ - { - "type": 0, - "value": "Os compradores podem gerenciar as informações da conta, como perfil, endereços, pagamentos e pedidos." - } - ], - "home.features.description.shopper_login": [ - { - "type": 0, - "value": "Permite que os compradores façam logon com uma experiência de compra mais personalizada." - } - ], - "home.features.description.wishlist": [ - { - "type": 0, - "value": "Os compradores registrados podem adicionar itens de produtos à lista de desejos para comprá-los mais tarde." - } - ], - "home.features.heading.cart_checkout": [ - { - "type": 0, - "value": "Carrinho e Checkout" - } - ], - "home.features.heading.components": [ - { - "type": 0, - "value": "Componentes e Kit de design" - } - ], - "home.features.heading.einstein_recommendations": [ - { - "type": 0, - "value": "Recomendações do Einstein" - } - ], - "home.features.heading.my_account": [ - { - "type": 0, - "value": "Minha conta" - } - ], - "home.features.heading.shopper_login": [ - { - "type": 0, - "value": "Shopper Login and API Access Service (SLAS)" - } - ], - "home.features.heading.wishlist": [ - { - "type": 0, - "value": "Lista de desejos" - } - ], - "home.heading.features": [ - { - "type": 0, - "value": "Recursos" - } - ], - "home.heading.here_to_help": [ - { - "type": 0, - "value": "Estamos aqui para ajudar" - } - ], - "home.heading.shop_products": [ - { - "type": 0, - "value": "Comprar produtos" - } - ], - "home.hero_features.link.design_kit": [ - { - "type": 0, - "value": "Criar com o Figma PWA Design Kit" - } - ], - "home.hero_features.link.on_github": [ - { - "type": 0, - "value": "Baixar no Github" - } - ], - "home.hero_features.link.on_managed_runtime": [ - { - "type": 0, - "value": "Implantar no Managed Runtime" - } - ], - "home.link.contact_us": [ - { - "type": 0, - "value": "Entre em contato" - } - ], - "home.link.get_started": [ - { - "type": 0, - "value": "Começar" - } - ], - "home.link.read_docs": [ - { - "type": 0, - "value": "Leia os documentos" - } - ], - "home.title.react_starter_store": [ - { - "type": 0, - "value": "React PWA Starter Store para varejo" - } - ], - "icons.assistive_msg.lock": [ - { - "type": 0, - "value": "Seguro" - } - ], - "item_attributes.label.promotions": [ - { - "type": 0, - "value": "Promoções" - } - ], - "item_attributes.label.quantity": [ - { - "type": 0, - "value": "Quantidade: " - }, - { - "type": 1, - "value": "quantity" - } - ], - "item_image.label.sale": [ - { - "type": 0, - "value": "Promoção" - } - ], - "item_image.label.unavailable": [ - { - "type": 0, - "value": "Indisponível" - } - ], - "item_price.label.starting_at": [ - { - "type": 0, - "value": "A partir de" - } - ], - "lCPCxk": [ - { - "type": 0, - "value": "Selecione todas as opções acima" - } - ], - "list_menu.nav.assistive_msg": [ - { - "type": 0, - "value": "Navegação principal" - } - ], - "locale_text.message.ar-SA": [ - { - "type": 0, - "value": "Árabe (Arábia Saudita)" - } - ], - "locale_text.message.bn-BD": [ - { - "type": 0, - "value": "Bengali (Bangladesh)" - } - ], - "locale_text.message.bn-IN": [ - { - "type": 0, - "value": "Bengali (Índia)" - } - ], - "locale_text.message.cs-CZ": [ - { - "type": 0, - "value": "Tcheco (República Tcheca)" - } - ], - "locale_text.message.da-DK": [ - { - "type": 0, - "value": "Dinamarquês (Dinamarca)" - } - ], - "locale_text.message.de-AT": [ - { - "type": 0, - "value": "Alemão (Áustria)" - } - ], - "locale_text.message.de-CH": [ - { - "type": 0, - "value": "Alemão (Suíça)" - } - ], - "locale_text.message.de-DE": [ - { - "type": 0, - "value": "Alemão (Alemanha)" - } - ], - "locale_text.message.el-GR": [ - { - "type": 0, - "value": "Grego (Grécia)" - } - ], - "locale_text.message.en-AU": [ - { - "type": 0, - "value": "Inglês (Austrália)" - } - ], - "locale_text.message.en-CA": [ - { - "type": 0, - "value": "Inglês (Canadá)" - } - ], - "locale_text.message.en-GB": [ - { - "type": 0, - "value": "Inglês (Reino Unido)" - } - ], - "locale_text.message.en-IE": [ - { - "type": 0, - "value": "Inglês (Irlanda)" - } - ], - "locale_text.message.en-IN": [ - { - "type": 0, - "value": "Inglês (Índia)" - } - ], - "locale_text.message.en-NZ": [ - { - "type": 0, - "value": "Inglês (Nova Zelândia)" - } - ], - "locale_text.message.en-US": [ - { - "type": 0, - "value": "Inglês (Estados Unidos)" - } - ], - "locale_text.message.en-ZA": [ - { - "type": 0, - "value": "Inglês (África do Sul)" - } - ], - "locale_text.message.es-AR": [ - { - "type": 0, - "value": "Espanhol (Argentina)" - } - ], - "locale_text.message.es-CL": [ - { - "type": 0, - "value": "Espanhol (Chile)" - } - ], - "locale_text.message.es-CO": [ - { - "type": 0, - "value": "Espanhol (Colômbia)" - } - ], - "locale_text.message.es-ES": [ - { - "type": 0, - "value": "Espanhol (Espanha)" - } - ], - "locale_text.message.es-MX": [ - { - "type": 0, - "value": "Espanhol (México)" - } - ], - "locale_text.message.es-US": [ - { - "type": 0, - "value": "Espanhol (Estados Unidos)" - } - ], - "locale_text.message.fi-FI": [ - { - "type": 0, - "value": "Finlandês (Finlândia)" - } - ], - "locale_text.message.fr-BE": [ - { - "type": 0, - "value": "Francês (Bélgica)" - } - ], - "locale_text.message.fr-CA": [ - { - "type": 0, - "value": "Francês (Canadá)" - } - ], - "locale_text.message.fr-CH": [ - { - "type": 0, - "value": "Francês (Suíça)" - } - ], - "locale_text.message.fr-FR": [ - { - "type": 0, - "value": "Francês (França)" - } - ], - "locale_text.message.he-IL": [ - { - "type": 0, - "value": "Hebreu (Israel)" - } - ], - "locale_text.message.hi-IN": [ - { - "type": 0, - "value": "Hindi (Índia)" - } - ], - "locale_text.message.hu-HU": [ - { - "type": 0, - "value": "Húngaro (Hungria)" - } - ], - "locale_text.message.id-ID": [ - { - "type": 0, - "value": "Indonésio (Indonésia)" - } - ], - "locale_text.message.it-CH": [ - { - "type": 0, - "value": "Italiano (Suíça)" - } - ], - "locale_text.message.it-IT": [ - { - "type": 0, - "value": "Italiano (Itália)" - } - ], - "locale_text.message.ja-JP": [ - { - "type": 0, - "value": "Japonês (Japão)" - } - ], - "locale_text.message.ko-KR": [ - { - "type": 0, - "value": "Coreano (Coreia do Sul)" - } - ], - "locale_text.message.nl-BE": [ - { - "type": 0, - "value": "Holandês (Bélgica)" - } - ], - "locale_text.message.nl-NL": [ - { - "type": 0, - "value": "Holandês (Países Baixos)" - } - ], - "locale_text.message.no-NO": [ - { - "type": 0, - "value": "Norueguês (Noruega)" - } - ], - "locale_text.message.pl-PL": [ - { - "type": 0, - "value": "Polonês (Polônia)" - } - ], - "locale_text.message.pt-BR": [ - { - "type": 0, - "value": "Português (Brasil)" - } - ], - "locale_text.message.pt-PT": [ - { - "type": 0, - "value": "Português (Portugal)" - } - ], - "locale_text.message.ro-RO": [ - { - "type": 0, - "value": "Romeno (Romênia)" - } - ], - "locale_text.message.ru-RU": [ - { - "type": 0, - "value": "Russo (Rússia)" - } - ], - "locale_text.message.sk-SK": [ - { - "type": 0, - "value": "Eslovaco (Eslováquia)" - } - ], - "locale_text.message.sv-SE": [ - { - "type": 0, - "value": "Sueco (Suécia)" - } - ], - "locale_text.message.ta-IN": [ - { - "type": 0, - "value": "Tâmil (Índia)" - } - ], - "locale_text.message.ta-LK": [ - { - "type": 0, - "value": "Tâmil (Sri Lanka)" - } - ], - "locale_text.message.th-TH": [ - { - "type": 0, - "value": "Tailandês (Tailândia)" - } - ], - "locale_text.message.tr-TR": [ - { - "type": 0, - "value": "Turco (Turquia)" - } - ], - "locale_text.message.zh-CN": [ - { - "type": 0, - "value": "Chinês (China)" - } - ], - "locale_text.message.zh-HK": [ - { - "type": 0, - "value": "Chinês (Hong Kong)" - } - ], - "locale_text.message.zh-TW": [ - { - "type": 0, - "value": "Chinês (Taiwan)" - } - ], - "login_form.action.create_account": [ - { - "type": 0, - "value": "Criar conta" - } - ], - "login_form.button.sign_in": [ - { - "type": 0, - "value": "Fazer logon" - } - ], - "login_form.link.forgot_password": [ - { - "type": 0, - "value": "Esqueceu a senha?" - } - ], - "login_form.message.dont_have_account": [ - { - "type": 0, - "value": "Não tem uma conta?" - } - ], - "login_form.message.welcome_back": [ - { - "type": 0, - "value": "Olá novamente" - } - ], - "login_page.error.incorrect_username_or_password": [ - { - "type": 0, - "value": "Nome de usuário ou senha incorreta. Tente novamente." - } - ], - "offline_banner.description.browsing_offline_mode": [ - { - "type": 0, - "value": "Você está navegando no modo offline" - } - ], - "order_summary.action.remove_promo": [ - { - "type": 0, - "value": "Remover" - } - ], - "order_summary.cart_items.action.num_of_items_in_cart": [ - { - "offset": 0, - "options": { - "=0": { - "value": [ - { - "type": 0, - "value": "0 itens" - } - ] - }, - "one": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": " item" - } - ] - }, - "other": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": " itens" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "itemCount" - }, - { - "type": 0, - "value": " no carrinho" - } - ], - "order_summary.cart_items.link.edit_cart": [ - { - "type": 0, - "value": "Editar carrinho" - } - ], - "order_summary.heading.order_summary": [ - { - "type": 0, - "value": "Resumo do pedido" - } - ], - "order_summary.label.estimated_total": [ - { - "type": 0, - "value": "Total estimado" - } - ], - "order_summary.label.free": [ - { - "type": 0, - "value": "Gratuito" - } - ], - "order_summary.label.order_total": [ - { - "type": 0, - "value": "Total do pedido" - } - ], - "order_summary.label.promo_applied": [ - { - "type": 0, - "value": "Promoção aplicada" - } - ], - "order_summary.label.promotions_applied": [ - { - "type": 0, - "value": "Promoções aplicadas" - } - ], - "order_summary.label.shipping": [ - { - "type": 0, - "value": "Frete" - } - ], - "order_summary.label.subtotal": [ - { - "type": 0, - "value": "Subtotal" - } - ], - "order_summary.label.tax": [ - { - "type": 0, - "value": "Imposto" - } - ], - "page_not_found.action.go_back": [ - { - "type": 0, - "value": "Voltar à página anterior" - } - ], - "page_not_found.link.homepage": [ - { - "type": 0, - "value": "Ir à página inicial" - } - ], - "page_not_found.message.suggestion_to_try": [ - { - "type": 0, - "value": "Tente digitar o endereço novamente, voltar à página anterior ou à página inicial." - } - ], - "page_not_found.title.page_cant_be_found": [ - { - "type": 0, - "value": "A página buscada não pôde ser encontrada." - } - ], - "pagination.field.num_of_pages": [ - { - "type": 0, - "value": "de " - }, - { - "type": 1, - "value": "numOfPages" - } - ], - "pagination.link.next": [ - { - "type": 0, - "value": "Próximo" - } - ], - "pagination.link.next.assistive_msg": [ - { - "type": 0, - "value": "Próxima página" - } - ], - "pagination.link.prev": [ - { - "type": 0, - "value": "Ant" - } - ], - "pagination.link.prev.assistive_msg": [ - { - "type": 0, - "value": "Página anterior" - } - ], - "password_card.info.password_updated": [ - { - "type": 0, - "value": "Senha atualizada" - } - ], - "password_card.label.password": [ - { - "type": 0, - "value": "Senha" - } - ], - "password_card.title.password": [ - { - "type": 0, - "value": "Senha" - } - ], - "password_requirements.error.eight_letter_minimum": [ - { - "type": 0, - "value": "Mínimo de 8 caracteres" - } - ], - "password_requirements.error.one_lowercase_letter": [ - { - "type": 0, - "value": "1 letra minúscula" - } - ], - "password_requirements.error.one_number": [ - { - "type": 0, - "value": "1 número" - } - ], - "password_requirements.error.one_special_character": [ - { - "type": 0, - "value": "1 caractere especial (exemplo: , $ ! % #)" - } - ], - "password_requirements.error.one_uppercase_letter": [ - { - "type": 0, - "value": "1 letra maiúscula" - } - ], - "payment_selection.heading.credit_card": [ - { - "type": 0, - "value": "Cartão de crédito" - } - ], - "payment_selection.tooltip.secure_payment": [ - { - "type": 0, - "value": "Este é um pagamento protegido com criptografia SSL." - } - ], - "price_per_item.label.each": [ - { - "type": 0, - "value": "cada" - } - ], - "product_detail.accordion.button.product_detail": [ - { - "type": 0, - "value": "Detalhe do produto" - } - ], - "product_detail.accordion.button.questions": [ - { - "type": 0, - "value": "Perguntas" - } - ], - "product_detail.accordion.button.reviews": [ - { - "type": 0, - "value": "Avaliações" - } - ], - "product_detail.accordion.button.size_fit": [ - { - "type": 0, - "value": "Tamanho" - } - ], - "product_detail.accordion.message.coming_soon": [ - { - "type": 0, - "value": "Em breve" - } - ], - "product_detail.recommended_products.title.complete_set": [ - { - "type": 0, - "value": "Completar o conjunto" - } - ], - "product_detail.recommended_products.title.might_also_like": [ - { - "type": 0, - "value": "Talvez você também queira" - } - ], - "product_detail.recommended_products.title.recently_viewed": [ - { - "type": 0, - "value": "Recentemente visualizados" - } - ], - "product_item.label.quantity": [ - { - "type": 0, - "value": "Quantidade:" - } - ], - "product_list.button.filter": [ - { - "type": 0, - "value": "Filtrar" - } - ], - "product_list.button.sort_by": [ - { - "type": 0, - "value": "Ordenar por: " - }, - { - "type": 1, - "value": "sortOption" - } - ], - "product_list.drawer.title.sort_by": [ - { - "type": 0, - "value": "Ordenar por" - } - ], - "product_list.modal.button.clear_filters": [ - { - "type": 0, - "value": "Limpar filtros" - } - ], - "product_list.modal.button.view_items": [ - { - "type": 0, - "value": "Ver " - }, - { - "type": 1, - "value": "prroductCount" - }, - { - "type": 0, - "value": " itens" - } - ], - "product_list.modal.title.filter": [ - { - "type": 0, - "value": "Filtrar" - } - ], - "product_list.refinements.button.assistive_msg.add_filter": [ - { - "type": 0, - "value": "Adicionar filtro: " - }, - { - "type": 1, - "value": "label" - } - ], - "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": [ - { - "type": 0, - "value": "Adicionar filtro: " - }, - { - "type": 1, - "value": "label" - }, - { - "type": 0, - "value": " (" - }, - { - "type": 1, - "value": "hitCount" - }, - { - "type": 0, - "value": ")" - } - ], - "product_list.refinements.button.assistive_msg.remove_filter": [ - { - "type": 0, - "value": "Remover filtro: " - }, - { - "type": 1, - "value": "label" - } - ], - "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": [ - { - "type": 0, - "value": "Remover filtro: " - }, - { - "type": 1, - "value": "label" - }, - { - "type": 0, - "value": " (" - }, - { - "type": 1, - "value": "hitCount" - }, - { - "type": 0, - "value": ")" - } - ], - "product_list.select.sort_by": [ - { - "type": 0, - "value": "Ordenar por: " - }, - { - "type": 1, - "value": "sortOption" - } - ], - "product_scroller.assistive_msg.scroll_left": [ - { - "type": 0, - "value": "Rolar os produtos para a esquerda" - } - ], - "product_scroller.assistive_msg.scroll_right": [ - { - "type": 0, - "value": "Rolar os produtos para a direita" - } - ], - "product_tile.assistive_msg.add_to_wishlist": [ - { - "type": 0, - "value": "Adicionar " - }, - { - "type": 1, - "value": "product" - }, - { - "type": 0, - "value": " à lista de desejos" - } - ], - "product_tile.assistive_msg.remove_from_wishlist": [ - { - "type": 0, - "value": "Remover " - }, - { - "type": 1, - "value": "product" - }, - { - "type": 0, - "value": " da lista de desejos" - } - ], - "product_tile.label.starting_at_price": [ - { - "type": 0, - "value": "A partir de " - }, - { - "type": 1, - "value": "price" - } - ], - "product_view.button.add_set_to_cart": [ - { - "type": 0, - "value": "Adicionar conjunto ao carrinho" - } - ], - "product_view.button.add_set_to_wishlist": [ - { - "type": 0, - "value": "Adicionar conjunto à lista de desejos" - } - ], - "product_view.button.add_to_cart": [ - { - "type": 0, - "value": "Adicionar ao carrinho" - } - ], - "product_view.button.add_to_wishlist": [ - { - "type": 0, - "value": "Adicionar à lista de desejos" - } - ], - "product_view.button.update": [ - { - "type": 0, - "value": "Atualizar" - } - ], - "product_view.label.assistive_msg.quantity_decrement": [ - { - "type": 0, - "value": "Quantidade de decremento" - } - ], - "product_view.label.assistive_msg.quantity_increment": [ - { - "type": 0, - "value": "Quantidade de incremento" - } - ], - "product_view.label.quantity": [ - { - "type": 0, - "value": "Quantidade" - } - ], - "product_view.label.quantity_decrement": [ - { - "type": 0, - "value": "−" - } - ], - "product_view.label.quantity_increment": [ - { - "type": 0, - "value": "+" - } - ], - "product_view.label.starting_at_price": [ - { - "type": 0, - "value": "A partir de" - } - ], - "product_view.label.variant_type": [ - { - "type": 1, - "value": "variantType" - } - ], - "product_view.link.full_details": [ - { - "type": 0, - "value": "Ver detalhes completos" - } - ], - "profile_card.info.profile_updated": [ - { - "type": 0, - "value": "Perfil atualizado" - } - ], - "profile_card.label.email": [ - { - "type": 0, - "value": "E-mail" - } - ], - "profile_card.label.full_name": [ - { - "type": 0, - "value": "Nome" - } - ], - "profile_card.label.phone": [ - { - "type": 0, - "value": "Número de telefone" - } - ], - "profile_card.message.not_provided": [ - { - "type": 0, - "value": "Não fornecido" - } - ], - "profile_card.title.my_profile": [ - { - "type": 0, - "value": "Meu perfil" - } - ], - "promo_code_fields.button.apply": [ - { - "type": 0, - "value": "Aplicar" - } - ], - "promo_popover.assistive_msg.info": [ - { - "type": 0, - "value": "Informações" - } - ], - "promo_popover.heading.promo_applied": [ - { - "type": 0, - "value": "Promoções aplicadas" - } - ], - "promocode.accordion.button.have_promocode": [ - { - "type": 0, - "value": "Você tem um código promocional?" - } - ], - "recent_searches.action.clear_searches": [ - { - "type": 0, - "value": "Apagar pesquisas recentes" - } - ], - "recent_searches.heading.recent_searches": [ - { - "type": 0, - "value": "Pesquisas recentes" - } - ], - "register_form.action.sign_in": [ - { - "type": 0, - "value": "Fazer logon" - } - ], - "register_form.button.create_account": [ - { - "type": 0, - "value": "Criar conta" - } - ], - "register_form.heading.lets_get_started": [ - { - "type": 0, - "value": "Vamos começar!" - } - ], - "register_form.message.agree_to_policy_terms": [ - { - "type": 0, - "value": "Ao criar uma conta, você concorda com a " - }, - { - "children": [ - { - "type": 0, - "value": "Política de privacidade" - } - ], - "type": 8, - "value": "policy" - }, - { - "type": 0, - "value": " e os " - }, - { - "children": [ - { - "type": 0, - "value": "Termos e condições" - } - ], - "type": 8, - "value": "terms" - }, - { - "type": 0, - "value": " da Salesforce" - } - ], - "register_form.message.already_have_account": [ - { - "type": 0, - "value": "Já tem uma conta?" - } - ], - "register_form.message.create_an_account": [ - { - "type": 0, - "value": "Crie uma conta e tenha acesso aos melhores produtos, ideias e comunidade." - } - ], - "reset_password.button.back_to_sign_in": [ - { - "type": 0, - "value": "Fazer login novamente" - } - ], - "reset_password.info.receive_email_shortly": [ - { - "type": 0, - "value": "Em breve, você receberá um e-mail em " - }, - { - "children": [ - { - "type": 1, - "value": "email" - } - ], - "type": 8, - "value": "b" - }, - { - "type": 0, - "value": " com um link para redefinir a senha." - } - ], - "reset_password.title.password_reset": [ - { - "type": 0, - "value": "Redefinição de senha" - } - ], - "reset_password_form.action.sign_in": [ - { - "type": 0, - "value": "Fazer logon" - } - ], - "reset_password_form.button.reset_password": [ - { - "type": 0, - "value": "Redefinir senha" - } - ], - "reset_password_form.message.enter_your_email": [ - { - "type": 0, - "value": "Digite seu e-mail para receber instruções sobre como redefinir sua senha" - } - ], - "reset_password_form.message.return_to_sign_in": [ - { - "type": 0, - "value": "Ou voltar para" - } - ], - "reset_password_form.title.reset_password": [ - { - "type": 0, - "value": "Redefinir senha" - } - ], - "search.action.cancel": [ - { - "type": 0, - "value": "Cancelar" - } - ], - "selected_refinements.action.assistive_msg.clear_all": [ - { - "type": 0, - "value": "Apagar todos os filtros" - } - ], - "selected_refinements.action.clear_all": [ - { - "type": 0, - "value": "Apagar tudo" - } - ], - "shipping_address.button.continue_to_shipping": [ - { - "type": 0, - "value": "Ir ao método de entrega" - } - ], - "shipping_address.title.shipping_address": [ - { - "type": 0, - "value": "Endereço de entrega" - } - ], - "shipping_address_edit_form.button.save_and_continue": [ - { - "type": 0, - "value": "Salvar e ir ao método de entrega" - } - ], - "shipping_address_form.heading.edit_address": [ - { - "type": 0, - "value": "Editar endereço" - } - ], - "shipping_address_form.heading.new_address": [ - { - "type": 0, - "value": "Adicionar novo endereço" - } - ], - "shipping_address_selection.button.add_address": [ - { - "type": 0, - "value": "Adicionar novo endereço" - } - ], - "shipping_address_selection.button.submit": [ - { - "type": 0, - "value": "Enviar" - } - ], - "shipping_address_selection.title.add_address": [ - { - "type": 0, - "value": "Adicionar novo endereço" - } - ], - "shipping_address_selection.title.edit_shipping": [ - { - "type": 0, - "value": "Editar endereço de entrega" - } - ], - "shipping_options.action.send_as_a_gift": [ - { - "type": 0, - "value": "Deseja enviar esse item como presente?" - } - ], - "shipping_options.button.continue_to_payment": [ - { - "type": 0, - "value": "Ir ao Pagamento" - } - ], - "shipping_options.title.shipping_gift_options": [ - { - "type": 0, - "value": "Opções de frete e presente" - } - ], - "signout_confirmation_dialog.button.cancel": [ - { - "type": 0, - "value": "Cancelar" - } - ], - "signout_confirmation_dialog.button.sign_out": [ - { - "type": 0, - "value": "Fazer logoff" - } - ], - "signout_confirmation_dialog.heading.sign_out": [ - { - "type": 0, - "value": "Fazer logoff" - } - ], - "signout_confirmation_dialog.message.sure_to_sign_out": [ - { - "type": 0, - "value": "Tem certeza de que deseja fazer logout? Será preciso fazer logon novamente para dar continuidade ao seu pedido atual." - } - ], - "swatch_group.selected.label": [ - { - "type": 1, - "value": "label" - }, - { - "type": 0, - "value": ":" - } - ], - "toggle_card.action.edit": [ - { - "type": 0, - "value": "Editar" - } - ], - "update_password_fields.button.forgot_password": [ - { - "type": 0, - "value": "Esqueceu a senha?" - } - ], - "use_address_fields.error.please_enter_first_name": [ - { - "type": 0, - "value": "Insira seu nome." - } - ], - "use_address_fields.error.please_enter_last_name": [ - { - "type": 0, - "value": "Insira seu sobrenome." - } - ], - "use_address_fields.error.please_enter_phone_number": [ - { - "type": 0, - "value": "Insira seu telefone." - } - ], - "use_address_fields.error.please_enter_your_postal_or_zip": [ - { - "type": 0, - "value": "Insira seu código postal." - } - ], - "use_address_fields.error.please_select_your_address": [ - { - "type": 0, - "value": "Insira seu endereço." - } - ], - "use_address_fields.error.please_select_your_city": [ - { - "type": 0, - "value": "Insira sua cidade." - } - ], - "use_address_fields.error.please_select_your_country": [ - { - "type": 0, - "value": "Selecione o país." - } - ], - "use_address_fields.error.please_select_your_state_or_province": [ - { - "type": 0, - "value": "Selecione estado/província." - } - ], - "use_address_fields.error.required": [ - { - "type": 0, - "value": "Requerido" - } - ], - "use_address_fields.error.state_code_invalid": [ - { - "type": 0, - "value": "Insira 2 letras para estado/município." - } - ], - "use_address_fields.label.address": [ - { - "type": 0, - "value": "Endereço" - } - ], - "use_address_fields.label.address_form": [ - { - "type": 0, - "value": "Formulário de endereço" - } - ], - "use_address_fields.label.city": [ - { - "type": 0, - "value": "Cidade" - } - ], - "use_address_fields.label.country": [ - { - "type": 0, - "value": "País" - } - ], - "use_address_fields.label.first_name": [ - { - "type": 0, - "value": "Nome" - } - ], - "use_address_fields.label.last_name": [ - { - "type": 0, - "value": "Sobrenome" - } - ], - "use_address_fields.label.phone": [ - { - "type": 0, - "value": "Telefone" - } - ], - "use_address_fields.label.postal_code": [ - { - "type": 0, - "value": "Código postal" - } - ], - "use_address_fields.label.preferred": [ - { - "type": 0, - "value": "Definir como padrão" - } - ], - "use_address_fields.label.province": [ - { - "type": 0, - "value": "Município" - } - ], - "use_address_fields.label.state": [ - { - "type": 0, - "value": "Estado" - } - ], - "use_address_fields.label.zipCode": [ - { - "type": 0, - "value": "Código postal" - } - ], - "use_credit_card_fields.error.required": [ - { - "type": 0, - "value": "Requerido" - } - ], - "use_credit_card_fields.error.required_card_number": [ - { - "type": 0, - "value": "Insira o número de seu cartão." - } - ], - "use_credit_card_fields.error.required_expiry": [ - { - "type": 0, - "value": "Insira a data de expiração." - } - ], - "use_credit_card_fields.error.required_name": [ - { - "type": 0, - "value": "Insira seu nome exatamente como aparece no cartão." - } - ], - "use_credit_card_fields.error.required_security_code": [ - { - "type": 0, - "value": "Insira seu código de segurança." - } - ], - "use_credit_card_fields.error.valid_card_number": [ - { - "type": 0, - "value": "Insira um número de cartão válido." - } - ], - "use_credit_card_fields.error.valid_date": [ - { - "type": 0, - "value": "Insira uma data válida." - } - ], - "use_credit_card_fields.error.valid_name": [ - { - "type": 0, - "value": "Insira um nome válido." - } - ], - "use_credit_card_fields.error.valid_security_code": [ - { - "type": 0, - "value": "Insira um código de segurança válido." - } - ], - "use_credit_card_fields.label.card_number": [ - { - "type": 0, - "value": "Número de cartão" - } - ], - "use_credit_card_fields.label.card_type": [ - { - "type": 0, - "value": "Tipo de cartão" - } - ], - "use_credit_card_fields.label.expiry": [ - { - "type": 0, - "value": "Data de expiração" - } - ], - "use_credit_card_fields.label.name": [ - { - "type": 0, - "value": "Nome no cartão" - } - ], - "use_credit_card_fields.label.security_code": [ - { - "type": 0, - "value": "Código de segurança" - } - ], - "use_login_fields.error.required_email": [ - { - "type": 0, - "value": "Insira seu endereço de e-mail." - } - ], - "use_login_fields.error.required_password": [ - { - "type": 0, - "value": "Insira sua senha." - } - ], - "use_login_fields.label.email": [ - { - "type": 0, - "value": "E-mail" - } - ], - "use_login_fields.label.password": [ - { - "type": 0, - "value": "Senha" - } - ], - "use_product.message.inventory_remaining": [ - { - "type": 0, - "value": "Somente " - }, - { - "type": 1, - "value": "stockLevel" - }, - { - "type": 0, - "value": " restante(s)!" - } - ], - "use_product.message.out_of_stock": [ - { - "type": 0, - "value": "Fora de estoque" - } - ], - "use_profile_fields.error.required_email": [ - { - "type": 0, - "value": "Insira um endereço de e-mail válido." - } - ], - "use_profile_fields.error.required_first_name": [ - { - "type": 0, - "value": "Insira seu nome." - } - ], - "use_profile_fields.error.required_last_name": [ - { - "type": 0, - "value": "Insira seu sobrenome." - } - ], - "use_profile_fields.error.required_phone": [ - { - "type": 0, - "value": "Insira seu telefone." - } - ], - "use_profile_fields.label.email": [ - { - "type": 0, - "value": "E-mail" - } - ], - "use_profile_fields.label.first_name": [ - { - "type": 0, - "value": "Nome" - } - ], - "use_profile_fields.label.last_name": [ - { - "type": 0, - "value": "Sobrenome" - } - ], - "use_profile_fields.label.phone": [ - { - "type": 0, - "value": "Número de telefone" - } - ], - "use_promo_code_fields.error.required_promo_code": [ - { - "type": 0, - "value": "Forneça um código promocional válido." - } - ], - "use_promo_code_fields.label.promo_code": [ - { - "type": 0, - "value": "Código promocional" - } - ], - "use_promocode.error.check_the_code": [ - { - "type": 0, - "value": "Verifique o código e tente novamente. Talvez ele já tenha sido utilizado ou a promoção já não é mais válida." - } - ], - "use_promocode.info.promo_applied": [ - { - "type": 0, - "value": "Promoção aplicada" - } - ], - "use_promocode.info.promo_removed": [ - { - "type": 0, - "value": "Promoção removida" - } - ], - "use_registration_fields.error.contain_number": [ - { - "type": 0, - "value": "A senha deve conter pelo menos 1 número." - } - ], - "use_registration_fields.error.lowercase_letter": [ - { - "type": 0, - "value": "A senha deve conter pelo menos 1 letra minúscula." - } - ], - "use_registration_fields.error.minimum_characters": [ - { - "type": 0, - "value": "A senha deve conter pelo menos 8 caracteres." - } - ], - "use_registration_fields.error.required_email": [ - { - "type": 0, - "value": "Insira um endereço de e-mail válido." - } - ], - "use_registration_fields.error.required_first_name": [ - { - "type": 0, - "value": "Insira seu nome." - } - ], - "use_registration_fields.error.required_last_name": [ - { - "type": 0, - "value": "Insira seu sobrenome." - } - ], - "use_registration_fields.error.required_password": [ - { - "type": 0, - "value": "Crie uma senha." - } - ], - "use_registration_fields.error.special_character": [ - { - "type": 0, - "value": "A senha deve conter pelo menos 1 caractere especial." - } - ], - "use_registration_fields.error.uppercase_letter": [ - { - "type": 0, - "value": "A senha deve conter pelo menos 1 letra maiúscula." - } - ], - "use_registration_fields.label.email": [ - { - "type": 0, - "value": "E-mail" - } - ], - "use_registration_fields.label.first_name": [ - { - "type": 0, - "value": "Nome" - } - ], - "use_registration_fields.label.last_name": [ - { - "type": 0, - "value": "Sobrenome" - } - ], - "use_registration_fields.label.password": [ - { - "type": 0, - "value": "Senha" - } - ], - "use_registration_fields.label.sign_up_to_emails": [ - { - "type": 0, - "value": "Fazer o meu registro para receber e-mails da Salesforce (você pode cancelar sua inscrição quando quiser)" - } - ], - "use_reset_password_fields.error.required_email": [ - { - "type": 0, - "value": "Insira um endereço de e-mail válido." - } - ], - "use_reset_password_fields.label.email": [ - { - "type": 0, - "value": "E-mail" - } - ], - "use_update_password_fields.error.contain_number": [ - { - "type": 0, - "value": "A senha deve conter pelo menos 1 número." - } - ], - "use_update_password_fields.error.lowercase_letter": [ - { - "type": 0, - "value": "A senha deve conter pelo menos 1 letra minúscula." - } - ], - "use_update_password_fields.error.minimum_characters": [ - { - "type": 0, - "value": "A senha deve conter pelo menos 8 caracteres." - } - ], - "use_update_password_fields.error.required_new_password": [ - { - "type": 0, - "value": "Forneça uma nova senha." - } - ], - "use_update_password_fields.error.required_password": [ - { - "type": 0, - "value": "Insira sua senha." - } - ], - "use_update_password_fields.error.special_character": [ - { - "type": 0, - "value": "A senha deve conter pelo menos 1 caractere especial." - } - ], - "use_update_password_fields.error.uppercase_letter": [ - { - "type": 0, - "value": "A senha deve conter pelo menos 1 letra maiúscula." - } - ], - "use_update_password_fields.label.current_password": [ - { - "type": 0, - "value": "Senha atual" - } - ], - "use_update_password_fields.label.new_password": [ - { - "type": 0, - "value": "Nova senha" - } - ], - "wishlist_primary_action.button.add_set_to_cart": [ - { - "type": 0, - "value": "Adicionar conjunto ao carrinho" - } - ], - "wishlist_primary_action.button.add_to_cart": [ - { - "type": 0, - "value": "Adicionar ao carrinho" - } - ], - "wishlist_primary_action.button.view_full_details": [ - { - "type": 0, - "value": "Ver detalhes completos" - } - ], - "wishlist_primary_action.button.view_options": [ - { - "type": 0, - "value": "Ver opções" - } - ], - "wishlist_primary_action.info.added_to_cart": [ - { - "type": 1, - "value": "quantity" - }, - { - "type": 0, - "value": " " - }, - { - "offset": 0, - "options": { - "one": { - "value": [ - { - "type": 0, - "value": "item" - } - ] - }, - "other": { - "value": [ - { - "type": 0, - "value": "itens" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "quantity" - }, - { - "type": 0, - "value": " adicionado(s) ao carrinho" - } - ], - "wishlist_secondary_button_group.action.remove": [ - { - "type": 0, - "value": "Remover" - } - ], - "wishlist_secondary_button_group.info.item_removed": [ - { - "type": 0, - "value": "Item removido da lista de desejos" - } - ], - "with_registration.info.please_sign_in": [ - { - "type": 0, - "value": "Faça logon para continuar!" - } - ] -} \ No newline at end of file diff --git a/my-test-project/overrides/app/static/translations/compiled/zh-CN.json b/my-test-project/overrides/app/static/translations/compiled/zh-CN.json deleted file mode 100644 index d406c55c72..0000000000 --- a/my-test-project/overrides/app/static/translations/compiled/zh-CN.json +++ /dev/null @@ -1,3474 +0,0 @@ -{ - "account.accordion.button.my_account": [ - { - "type": 0, - "value": "我的账户" - } - ], - "account.heading.my_account": [ - { - "type": 0, - "value": "我的账户" - } - ], - "account.logout_button.button.log_out": [ - { - "type": 0, - "value": "登出" - } - ], - "account_addresses.badge.default": [ - { - "type": 0, - "value": "默认" - } - ], - "account_addresses.button.add_address": [ - { - "type": 0, - "value": "添加地址" - } - ], - "account_addresses.info.address_removed": [ - { - "type": 0, - "value": "已删除地址" - } - ], - "account_addresses.info.address_updated": [ - { - "type": 0, - "value": "已更新地址" - } - ], - "account_addresses.info.new_address_saved": [ - { - "type": 0, - "value": "已保存新地址" - } - ], - "account_addresses.page_action_placeholder.button.add_address": [ - { - "type": 0, - "value": "添加地址" - } - ], - "account_addresses.page_action_placeholder.heading.no_saved_addresses": [ - { - "type": 0, - "value": "没有保存的地址" - } - ], - "account_addresses.page_action_placeholder.message.add_new_address": [ - { - "type": 0, - "value": "添加新地址方式,加快结账速度。" - } - ], - "account_addresses.title.addresses": [ - { - "type": 0, - "value": "地址" - } - ], - "account_detail.title.account_details": [ - { - "type": 0, - "value": "账户详情" - } - ], - "account_order_detail.heading.billing_address": [ - { - "type": 0, - "value": "账单地址" - } - ], - "account_order_detail.heading.num_of_items": [ - { - "type": 1, - "value": "count" - }, - { - "type": 0, - "value": " 件商品" - } - ], - "account_order_detail.heading.payment_method": [ - { - "type": 0, - "value": "付款方式" - } - ], - "account_order_detail.heading.shipping_address": [ - { - "type": 0, - "value": "送货地址" - } - ], - "account_order_detail.heading.shipping_method": [ - { - "type": 0, - "value": "送货方式" - } - ], - "account_order_detail.label.order_number": [ - { - "type": 0, - "value": "订单编号:" - }, - { - "type": 1, - "value": "orderNumber" - } - ], - "account_order_detail.label.ordered_date": [ - { - "type": 0, - "value": "下单日期:" - }, - { - "type": 1, - "value": "date" - } - ], - "account_order_detail.label.pending_tracking_number": [ - { - "type": 0, - "value": "待处理" - } - ], - "account_order_detail.label.tracking_number": [ - { - "type": 0, - "value": "跟踪编号" - } - ], - "account_order_detail.link.back_to_history": [ - { - "type": 0, - "value": "返回订单记录" - } - ], - "account_order_detail.shipping_status.not_shipped": [ - { - "type": 0, - "value": "未发货" - } - ], - "account_order_detail.shipping_status.part_shipped": [ - { - "type": 0, - "value": "部分已发货" - } - ], - "account_order_detail.shipping_status.shipped": [ - { - "type": 0, - "value": "已发货" - } - ], - "account_order_detail.title.order_details": [ - { - "type": 0, - "value": "订单详情" - } - ], - "account_order_history.button.continue_shopping": [ - { - "type": 0, - "value": "继续购物" - } - ], - "account_order_history.description.once_you_place_order": [ - { - "type": 0, - "value": "下订单后,详细信息将显示在此处。" - } - ], - "account_order_history.heading.no_order_yet": [ - { - "type": 0, - "value": "您尚未下订单。" - } - ], - "account_order_history.label.num_of_items": [ - { - "type": 1, - "value": "count" - }, - { - "type": 0, - "value": " 件商品" - } - ], - "account_order_history.label.order_number": [ - { - "type": 0, - "value": "订单编号:" - }, - { - "type": 1, - "value": "orderNumber" - } - ], - "account_order_history.label.ordered_date": [ - { - "type": 0, - "value": "下单日期:" - }, - { - "type": 1, - "value": "date" - } - ], - "account_order_history.label.shipped_to": [ - { - "type": 0, - "value": "送货至:" - }, - { - "type": 1, - "value": "name" - } - ], - "account_order_history.link.view_details": [ - { - "type": 0, - "value": "查看详情" - } - ], - "account_order_history.title.order_history": [ - { - "type": 0, - "value": "订单记录" - } - ], - "account_wishlist.button.continue_shopping": [ - { - "type": 0, - "value": "继续购物" - } - ], - "account_wishlist.description.continue_shopping": [ - { - "type": 0, - "value": "继续购物并将商品加入愿望清单。" - } - ], - "account_wishlist.heading.no_wishlist": [ - { - "type": 0, - "value": "没有愿望清单商品" - } - ], - "account_wishlist.title.wishlist": [ - { - "type": 0, - "value": "愿望清单" - } - ], - "action_card.action.edit": [ - { - "type": 0, - "value": "编辑" - } - ], - "action_card.action.remove": [ - { - "type": 0, - "value": "移除" - } - ], - "add_to_cart_modal.info.added_to_cart": [ - { - "type": 1, - "value": "quantity" - }, - { - "type": 0, - "value": " " - }, - { - "offset": 0, - "options": { - "one": { - "value": [ - { - "type": 0, - "value": " 件商品" - } - ] - }, - "other": { - "value": [ - { - "type": 0, - "value": " 件商品" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "quantity" - }, - { - "type": 0, - "value": "已添加至购物车" - } - ], - "add_to_cart_modal.label.cart_subtotal": [ - { - "type": 0, - "value": "购物车小计(" - }, - { - "type": 1, - "value": "itemAccumulatedCount" - }, - { - "type": 0, - "value": " 件商品)" - } - ], - "add_to_cart_modal.label.quantity": [ - { - "type": 0, - "value": "数量" - } - ], - "add_to_cart_modal.link.checkout": [ - { - "type": 0, - "value": "继续以结账" - } - ], - "add_to_cart_modal.link.view_cart": [ - { - "type": 0, - "value": "查看购物车" - } - ], - "add_to_cart_modal.recommended_products.title.might_also_like": [ - { - "type": 0, - "value": "您可能还喜欢" - } - ], - "auth_modal.button.close.assistive_msg": [ - { - "type": 0, - "value": "关闭登录表单" - } - ], - "auth_modal.description.now_signed_in": [ - { - "type": 0, - "value": "您现在已登录。" - } - ], - "auth_modal.error.incorrect_email_or_password": [ - { - "type": 0, - "value": "您的电子邮件或密码有问题。重试" - } - ], - "auth_modal.info.welcome_user": [ - { - "type": 0, - "value": "欢迎 " - }, - { - "type": 1, - "value": "name" - }, - { - "type": 0, - "value": "," - } - ], - "auth_modal.password_reset_success.button.back_to_sign_in": [ - { - "type": 0, - "value": "返回登录" - } - ], - "auth_modal.password_reset_success.info.will_email_shortly": [ - { - "type": 0, - "value": "您将通过 " - }, - { - "children": [ - { - "type": 1, - "value": "email" - } - ], - "type": 8, - "value": "b" - }, - { - "type": 0, - "value": " 收到包含重置密码链接的电子邮件。" - } - ], - "auth_modal.password_reset_success.title.password_reset": [ - { - "type": 0, - "value": "密码重置" - } - ], - "carousel.button.scroll_left.assistive_msg": [ - { - "type": 0, - "value": "向左滚动转盘" - } - ], - "carousel.button.scroll_right.assistive_msg": [ - { - "type": 0, - "value": "向右滚动转盘" - } - ], - "cart.info.removed_from_cart": [ - { - "type": 0, - "value": "从购物车中移除商品" - } - ], - "cart.recommended_products.title.may_also_like": [ - { - "type": 0, - "value": "您可能还喜欢" - } - ], - "cart.recommended_products.title.recently_viewed": [ - { - "type": 0, - "value": "最近查看" - } - ], - "cart_cta.link.checkout": [ - { - "type": 0, - "value": "继续以结账" - } - ], - "cart_secondary_button_group.action.added_to_wishlist": [ - { - "type": 0, - "value": "添加到愿望清单" - } - ], - "cart_secondary_button_group.action.edit": [ - { - "type": 0, - "value": "编辑" - } - ], - "cart_secondary_button_group.action.remove": [ - { - "type": 0, - "value": "移除" - } - ], - "cart_secondary_button_group.label.this_is_gift": [ - { - "type": 0, - "value": "这是礼品。" - } - ], - "cart_skeleton.heading.order_summary": [ - { - "type": 0, - "value": "订单摘要" - } - ], - "cart_skeleton.title.cart": [ - { - "type": 0, - "value": "购物车" - } - ], - "cart_title.title.cart_num_of_items": [ - { - "type": 0, - "value": "购物车(" - }, - { - "offset": 0, - "options": { - "=0": { - "value": [ - { - "type": 0, - "value": "0 件商品" - } - ] - }, - "one": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": " 件商品" - } - ] - }, - "other": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": " 件商品" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "itemCount" - }, - { - "type": 0, - "value": ")" - } - ], - "cc_radio_group.action.remove": [ - { - "type": 0, - "value": "移除" - } - ], - "cc_radio_group.button.add_new_card": [ - { - "type": 0, - "value": "添加新卡" - } - ], - "checkout.button.place_order": [ - { - "type": 0, - "value": "下订单" - } - ], - "checkout.message.generic_error": [ - { - "type": 0, - "value": "结账时发生意外错误。" - } - ], - "checkout_confirmation.button.create_account": [ - { - "type": 0, - "value": "创建账户" - } - ], - "checkout_confirmation.heading.billing_address": [ - { - "type": 0, - "value": "账单地址" - } - ], - "checkout_confirmation.heading.create_account": [ - { - "type": 0, - "value": "创建账户,加快结账速度" - } - ], - "checkout_confirmation.heading.credit_card": [ - { - "type": 0, - "value": "信用卡" - } - ], - "checkout_confirmation.heading.delivery_details": [ - { - "type": 0, - "value": "交货详情" - } - ], - "checkout_confirmation.heading.order_summary": [ - { - "type": 0, - "value": "订单摘要" - } - ], - "checkout_confirmation.heading.payment_details": [ - { - "type": 0, - "value": "付款详情" - } - ], - "checkout_confirmation.heading.shipping_address": [ - { - "type": 0, - "value": "送货地址" - } - ], - "checkout_confirmation.heading.shipping_method": [ - { - "type": 0, - "value": "送货方式" - } - ], - "checkout_confirmation.heading.thank_you_for_order": [ - { - "type": 0, - "value": "感谢您订购商品!" - } - ], - "checkout_confirmation.label.free": [ - { - "type": 0, - "value": "免费" - } - ], - "checkout_confirmation.label.order_number": [ - { - "type": 0, - "value": "订单编号" - } - ], - "checkout_confirmation.label.order_total": [ - { - "type": 0, - "value": "订单总额" - } - ], - "checkout_confirmation.label.promo_applied": [ - { - "type": 0, - "value": "已应用促销" - } - ], - "checkout_confirmation.label.shipping": [ - { - "type": 0, - "value": "送货" - } - ], - "checkout_confirmation.label.subtotal": [ - { - "type": 0, - "value": "小计" - } - ], - "checkout_confirmation.label.tax": [ - { - "type": 0, - "value": "税项" - } - ], - "checkout_confirmation.link.continue_shopping": [ - { - "type": 0, - "value": "继续购物" - } - ], - "checkout_confirmation.link.login": [ - { - "type": 0, - "value": "在此处登录" - } - ], - "checkout_confirmation.message.already_has_account": [ - { - "type": 0, - "value": "此电子邮件地址已注册账户。" - } - ], - "checkout_confirmation.message.num_of_items_in_order": [ - { - "offset": 0, - "options": { - "=0": { - "value": [ - { - "type": 0, - "value": "0 件商品" - } - ] - }, - "one": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": " 件商品" - } - ] - }, - "other": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": " 件商品" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "itemCount" - } - ], - "checkout_confirmation.message.will_email_shortly": [ - { - "type": 0, - "value": "我们会尽快向 " - }, - { - "children": [ - { - "type": 1, - "value": "email" - } - ], - "type": 8, - "value": "b" - }, - { - "type": 0, - "value": " 发送带有您的确认号码和收据的电子邮件。" - } - ], - "checkout_footer.link.privacy_policy": [ - { - "type": 0, - "value": "隐私政策" - } - ], - "checkout_footer.link.returns_exchanges": [ - { - "type": 0, - "value": "退货与换货" - } - ], - "checkout_footer.link.shipping": [ - { - "type": 0, - "value": "送货" - } - ], - "checkout_footer.link.site_map": [ - { - "type": 0, - "value": "站点地图" - } - ], - "checkout_footer.link.terms_conditions": [ - { - "type": 0, - "value": "条款与条件" - } - ], - "checkout_footer.message.copyright": [ - { - "type": 0, - "value": "Salesforce 或其附属公司。保留所有权利。此仅为示范商店。所下订单不会被处理。" - } - ], - "checkout_header.link.assistive_msg.cart": [ - { - "type": 0, - "value": "返回购物车,商品数量:" - }, - { - "type": 1, - "value": "numItems" - } - ], - "checkout_header.link.cart": [ - { - "type": 0, - "value": "返回购物车" - } - ], - "checkout_payment.action.remove": [ - { - "type": 0, - "value": "移除" - } - ], - "checkout_payment.button.review_order": [ - { - "type": 0, - "value": "检查订单" - } - ], - "checkout_payment.heading.billing_address": [ - { - "type": 0, - "value": "账单地址" - } - ], - "checkout_payment.heading.credit_card": [ - { - "type": 0, - "value": "信用卡" - } - ], - "checkout_payment.label.same_as_shipping": [ - { - "type": 0, - "value": "与送货地址相同" - } - ], - "checkout_payment.title.payment": [ - { - "type": 0, - "value": "付款" - } - ], - "colorRefinements.label.hitCount": [ - { - "type": 1, - "value": "colorLabel" - }, - { - "type": 0, - "value": " (" - }, - { - "type": 1, - "value": "colorHitCount" - }, - { - "type": 0, - "value": ")" - } - ], - "confirmation_modal.default.action.no": [ - { - "type": 0, - "value": "否" - } - ], - "confirmation_modal.default.action.yes": [ - { - "type": 0, - "value": "是" - } - ], - "confirmation_modal.default.message.you_want_to_continue": [ - { - "type": 0, - "value": "是否确定要继续?" - } - ], - "confirmation_modal.default.title.confirm_action": [ - { - "type": 0, - "value": "确认操作" - } - ], - "confirmation_modal.remove_cart_item.action.no": [ - { - "type": 0, - "value": "否,保留商品" - } - ], - "confirmation_modal.remove_cart_item.action.remove": [ - { - "type": 0, - "value": "移除" - } - ], - "confirmation_modal.remove_cart_item.action.yes": [ - { - "type": 0, - "value": "是,移除商品" - } - ], - "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": [ - { - "type": 0, - "value": "某些商品不再在线销售,并将从您的购物车中删除。" - } - ], - "confirmation_modal.remove_cart_item.message.sure_to_remove": [ - { - "type": 0, - "value": "是否确定要从购物车移除此商品?" - } - ], - "confirmation_modal.remove_cart_item.title.confirm_remove": [ - { - "type": 0, - "value": "确认移除商品" - } - ], - "confirmation_modal.remove_cart_item.title.items_unavailable": [ - { - "type": 0, - "value": "商品缺货" - } - ], - "confirmation_modal.remove_wishlist_item.action.no": [ - { - "type": 0, - "value": "否,保留商品" - } - ], - "confirmation_modal.remove_wishlist_item.action.yes": [ - { - "type": 0, - "value": "是,移除商品" - } - ], - "confirmation_modal.remove_wishlist_item.message.sure_to_remove": [ - { - "type": 0, - "value": "是否确定要从愿望清单移除此商品?" - } - ], - "confirmation_modal.remove_wishlist_item.title.confirm_remove": [ - { - "type": 0, - "value": "确认移除商品" - } - ], - "contact_info.action.sign_out": [ - { - "type": 0, - "value": "注销" - } - ], - "contact_info.button.already_have_account": [ - { - "type": 0, - "value": "已有账户?登录" - } - ], - "contact_info.button.checkout_as_guest": [ - { - "type": 0, - "value": "以访客身份结账" - } - ], - "contact_info.button.login": [ - { - "type": 0, - "value": "登录" - } - ], - "contact_info.error.incorrect_username_or_password": [ - { - "type": 0, - "value": "用户名或密码错误,请重试。" - } - ], - "contact_info.link.forgot_password": [ - { - "type": 0, - "value": "忘记密码?" - } - ], - "contact_info.title.contact_info": [ - { - "type": 0, - "value": "联系信息" - } - ], - "credit_card_fields.tool_tip.security_code": [ - { - "type": 0, - "value": "此 3 位数字码可以在卡的背面找到。" - } - ], - "credit_card_fields.tool_tip.security_code.american_express": [ - { - "type": 0, - "value": "此 4 位数字码可以在卡的正找到。" - } - ], - "credit_card_fields.tool_tip.security_code_aria_label": [ - { - "type": 0, - "value": "安全码信息" - } - ], - "drawer_menu.button.account_details": [ - { - "type": 0, - "value": "账户详情" - } - ], - "drawer_menu.button.addresses": [ - { - "type": 0, - "value": "地址" - } - ], - "drawer_menu.button.log_out": [ - { - "type": 0, - "value": "登出" - } - ], - "drawer_menu.button.my_account": [ - { - "type": 0, - "value": "我的账户" - } - ], - "drawer_menu.button.order_history": [ - { - "type": 0, - "value": "订单记录" - } - ], - "drawer_menu.link.about_us": [ - { - "type": 0, - "value": "关于我们" - } - ], - "drawer_menu.link.customer_support": [ - { - "type": 0, - "value": "客户支持" - } - ], - "drawer_menu.link.customer_support.contact_us": [ - { - "type": 0, - "value": "联系我们" - } - ], - "drawer_menu.link.customer_support.shipping_and_returns": [ - { - "type": 0, - "value": "送货与退货" - } - ], - "drawer_menu.link.our_company": [ - { - "type": 0, - "value": "我们的公司" - } - ], - "drawer_menu.link.privacy_and_security": [ - { - "type": 0, - "value": "隐私及安全" - } - ], - "drawer_menu.link.privacy_policy": [ - { - "type": 0, - "value": "隐私政策" - } - ], - "drawer_menu.link.shop_all": [ - { - "type": 0, - "value": "购买全部" - } - ], - "drawer_menu.link.sign_in": [ - { - "type": 0, - "value": "登录" - } - ], - "drawer_menu.link.site_map": [ - { - "type": 0, - "value": "站点地图" - } - ], - "drawer_menu.link.store_locator": [ - { - "type": 0, - "value": "实体店地址搜索" - } - ], - "drawer_menu.link.terms_and_conditions": [ - { - "type": 0, - "value": "条款与条件" - } - ], - "empty_cart.description.empty_cart": [ - { - "type": 0, - "value": "购物车内没有商品。" - } - ], - "empty_cart.link.continue_shopping": [ - { - "type": 0, - "value": "继续购物" - } - ], - "empty_cart.link.sign_in": [ - { - "type": 0, - "value": "登录" - } - ], - "empty_cart.message.continue_shopping": [ - { - "type": 0, - "value": "继续购物并将商品加入购物车。" - } - ], - "empty_cart.message.sign_in_or_continue_shopping": [ - { - "type": 0, - "value": "登录以检索您保存的商品或继续购物。" - } - ], - "empty_search_results.info.cant_find_anything_for_category": [ - { - "type": 0, - "value": "我们找不到" - }, - { - "type": 1, - "value": "category" - }, - { - "type": 0, - "value": "的任何内容。尝试搜索产品或" - }, - { - "type": 1, - "value": "link" - }, - { - "type": 0, - "value": "。" - } - ], - "empty_search_results.info.cant_find_anything_for_query": [ - { - "type": 0, - "value": "我们找不到“" - }, - { - "type": 1, - "value": "searchQuery" - }, - { - "type": 0, - "value": "”的任何内容。" - } - ], - "empty_search_results.info.double_check_spelling": [ - { - "type": 0, - "value": "请仔细检查您的拼写并重试或" - }, - { - "type": 1, - "value": "link" - }, - { - "type": 0, - "value": "。" - } - ], - "empty_search_results.link.contact_us": [ - { - "type": 0, - "value": "联系我们" - } - ], - "empty_search_results.recommended_products.title.most_viewed": [ - { - "type": 0, - "value": "查看最多的商品" - } - ], - "empty_search_results.recommended_products.title.top_sellers": [ - { - "type": 0, - "value": "最畅销" - } - ], - "field.password.assistive_msg.hide_password": [ - { - "type": 0, - "value": "隐藏密码" - } - ], - "field.password.assistive_msg.show_password": [ - { - "type": 0, - "value": "显示密码" - } - ], - "footer.column.account": [ - { - "type": 0, - "value": "账户" - } - ], - "footer.column.customer_support": [ - { - "type": 0, - "value": "客户支持" - } - ], - "footer.column.our_company": [ - { - "type": 0, - "value": "我们的公司" - } - ], - "footer.link.about_us": [ - { - "type": 0, - "value": "关于我们" - } - ], - "footer.link.contact_us": [ - { - "type": 0, - "value": "联系我们" - } - ], - "footer.link.order_status": [ - { - "type": 0, - "value": "订单状态" - } - ], - "footer.link.privacy_policy": [ - { - "type": 0, - "value": "隐私政策" - } - ], - "footer.link.shipping": [ - { - "type": 0, - "value": "送货" - } - ], - "footer.link.signin_create_account": [ - { - "type": 0, - "value": "登录或创建账户" - } - ], - "footer.link.site_map": [ - { - "type": 0, - "value": "站点地图" - } - ], - "footer.link.store_locator": [ - { - "type": 0, - "value": "实体店地址搜索" - } - ], - "footer.link.terms_conditions": [ - { - "type": 0, - "value": "条款与条件" - } - ], - "footer.message.copyright": [ - { - "type": 0, - "value": "Salesforce 或其附属公司。保留所有权利。此仅为示范商店。所下订单不会被处理。" - } - ], - "footer.subscribe.button.sign_up": [ - { - "type": 0, - "value": "注册" - } - ], - "footer.subscribe.description.sign_up": [ - { - "type": 0, - "value": "注册以随时了解最热门的交易" - } - ], - "footer.subscribe.heading.first_to_know": [ - { - "type": 0, - "value": "率先了解" - } - ], - "form_action_buttons.button.cancel": [ - { - "type": 0, - "value": "取消" - } - ], - "form_action_buttons.button.save": [ - { - "type": 0, - "value": "保存" - } - ], - "global.account.link.account_details": [ - { - "type": 0, - "value": "账户详情" - } - ], - "global.account.link.addresses": [ - { - "type": 0, - "value": "地址" - } - ], - "global.account.link.order_history": [ - { - "type": 0, - "value": "订单记录" - } - ], - "global.account.link.wishlist": [ - { - "type": 0, - "value": "愿望清单" - } - ], - "global.error.something_went_wrong": [ - { - "type": 0, - "value": "出现错误。重试。" - } - ], - "global.info.added_to_wishlist": [ - { - "type": 1, - "value": "quantity" - }, - { - "type": 0, - "value": " " - }, - { - "offset": 0, - "options": { - "one": { - "value": [ - { - "type": 0, - "value": " 件商品" - } - ] - }, - "other": { - "value": [ - { - "type": 0, - "value": " 件商品" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "quantity" - }, - { - "type": 0, - "value": "已添加至愿望清单" - } - ], - "global.info.already_in_wishlist": [ - { - "type": 0, - "value": "商品已在愿望清单中" - } - ], - "global.info.removed_from_wishlist": [ - { - "type": 0, - "value": "从愿望清单中移除商品" - } - ], - "global.link.added_to_wishlist.view_wishlist": [ - { - "type": 0, - "value": "查看" - } - ], - "header.button.assistive_msg.logo": [ - { - "type": 0, - "value": "标志" - } - ], - "header.button.assistive_msg.menu": [ - { - "type": 0, - "value": "菜单" - } - ], - "header.button.assistive_msg.my_account": [ - { - "type": 0, - "value": "我的账户" - } - ], - "header.button.assistive_msg.my_account_menu": [ - { - "type": 0, - "value": "打开账户菜单" - } - ], - "header.button.assistive_msg.my_cart_with_num_items": [ - { - "type": 0, - "value": "我的购物车,商品数量:" - }, - { - "type": 1, - "value": "numItems" - } - ], - "header.button.assistive_msg.wishlist": [ - { - "type": 0, - "value": "愿望清单" - } - ], - "header.field.placeholder.search_for_products": [ - { - "type": 0, - "value": "搜索产品..." - } - ], - "header.popover.action.log_out": [ - { - "type": 0, - "value": "登出" - } - ], - "header.popover.title.my_account": [ - { - "type": 0, - "value": "我的账户" - } - ], - "home.description.features": [ - { - "type": 0, - "value": "开箱即用的功能,让您只需专注于添加增强功能。" - } - ], - "home.description.here_to_help": [ - { - "type": 0, - "value": "联系我们的支持人员。" - } - ], - "home.description.here_to_help_line_2": [ - { - "type": 0, - "value": "他们将向您提供适当指导。" - } - ], - "home.description.shop_products": [ - { - "type": 0, - "value": "本节包含目录中的内容。" - }, - { - "type": 1, - "value": "docLink" - }, - { - "type": 0, - "value": "了解如何进行更换。" - } - ], - "home.features.description.cart_checkout": [ - { - "type": 0, - "value": "购物者购物车和结账体验的电子商务最佳实践。" - } - ], - "home.features.description.components": [ - { - "type": 0, - "value": "使用 Chakra UI 构建,Chakra UI 是一个简单、模块化且可访问的 React 组件库。" - } - ], - "home.features.description.einstein_recommendations": [ - { - "type": 0, - "value": "通过产品推荐向每位购物者提供下一个最佳产品或优惠。" - } - ], - "home.features.description.my_account": [ - { - "type": 0, - "value": "购物者可以管理账户信息,例如个人概况、地址、付款和订单。" - } - ], - "home.features.description.shopper_login": [ - { - "type": 0, - "value": "使购物者能够轻松登录并获得更加个性化的购物体验。" - } - ], - "home.features.description.wishlist": [ - { - "type": 0, - "value": "已注册的购物者可以将产品添加到愿望清单,以便日后购买。" - } - ], - "home.features.heading.cart_checkout": [ - { - "type": 0, - "value": "购物车和结账" - } - ], - "home.features.heading.components": [ - { - "type": 0, - "value": "组件和设计套件" - } - ], - "home.features.heading.einstein_recommendations": [ - { - "type": 0, - "value": "Einstein 推荐" - } - ], - "home.features.heading.my_account": [ - { - "type": 0, - "value": "我的账户" - } - ], - "home.features.heading.shopper_login": [ - { - "type": 0, - "value": "Shopper Login and API Access Service (SLAS)" - } - ], - "home.features.heading.wishlist": [ - { - "type": 0, - "value": "愿望清单" - } - ], - "home.heading.features": [ - { - "type": 0, - "value": "功能" - } - ], - "home.heading.here_to_help": [ - { - "type": 0, - "value": "我们随时提供帮助" - } - ], - "home.heading.shop_products": [ - { - "type": 0, - "value": "购买产品" - } - ], - "home.hero_features.link.design_kit": [ - { - "type": 0, - "value": "采用 Figma PWA Design Kit 创建" - } - ], - "home.hero_features.link.on_github": [ - { - "type": 0, - "value": "在 Github 下载" - } - ], - "home.hero_features.link.on_managed_runtime": [ - { - "type": 0, - "value": "在 Managed Runtime 中部署" - } - ], - "home.link.contact_us": [ - { - "type": 0, - "value": "联系我们" - } - ], - "home.link.get_started": [ - { - "type": 0, - "value": "入门指南" - } - ], - "home.link.read_docs": [ - { - "type": 0, - "value": "阅读文档" - } - ], - "home.title.react_starter_store": [ - { - "type": 0, - "value": "零售 React PWA Starter Store" - } - ], - "icons.assistive_msg.lock": [ - { - "type": 0, - "value": "安全" - } - ], - "item_attributes.label.promotions": [ - { - "type": 0, - "value": "促销" - } - ], - "item_attributes.label.quantity": [ - { - "type": 0, - "value": "数量:" - }, - { - "type": 1, - "value": "quantity" - } - ], - "item_image.label.sale": [ - { - "type": 0, - "value": "销售" - } - ], - "item_image.label.unavailable": [ - { - "type": 0, - "value": "不可用" - } - ], - "item_price.label.starting_at": [ - { - "type": 0, - "value": "起价:" - } - ], - "lCPCxk": [ - { - "type": 0, - "value": "请在上方选择您的所有选项" - } - ], - "list_menu.nav.assistive_msg": [ - { - "type": 0, - "value": "主导航" - } - ], - "locale_text.message.ar-SA": [ - { - "type": 0, - "value": "阿拉伯语(沙特阿拉伯)" - } - ], - "locale_text.message.bn-BD": [ - { - "type": 0, - "value": "孟加拉语(孟加拉国)" - } - ], - "locale_text.message.bn-IN": [ - { - "type": 0, - "value": "孟加拉语(印度)" - } - ], - "locale_text.message.cs-CZ": [ - { - "type": 0, - "value": "捷克语(捷克共和国)" - } - ], - "locale_text.message.da-DK": [ - { - "type": 0, - "value": "丹麦语(丹麦)" - } - ], - "locale_text.message.de-AT": [ - { - "type": 0, - "value": "德语(奥地利)" - } - ], - "locale_text.message.de-CH": [ - { - "type": 0, - "value": "德语(瑞士)" - } - ], - "locale_text.message.de-DE": [ - { - "type": 0, - "value": "德语(德国)" - } - ], - "locale_text.message.el-GR": [ - { - "type": 0, - "value": "希腊语(希腊)" - } - ], - "locale_text.message.en-AU": [ - { - "type": 0, - "value": "英语(澳大利亚)" - } - ], - "locale_text.message.en-CA": [ - { - "type": 0, - "value": "英语(加拿大)" - } - ], - "locale_text.message.en-GB": [ - { - "type": 0, - "value": "英语(英国)" - } - ], - "locale_text.message.en-IE": [ - { - "type": 0, - "value": "英语(爱尔兰)" - } - ], - "locale_text.message.en-IN": [ - { - "type": 0, - "value": "英语(印度)" - } - ], - "locale_text.message.en-NZ": [ - { - "type": 0, - "value": "英语(新西兰)" - } - ], - "locale_text.message.en-US": [ - { - "type": 0, - "value": "英语(美国)" - } - ], - "locale_text.message.en-ZA": [ - { - "type": 0, - "value": "英语(南非)" - } - ], - "locale_text.message.es-AR": [ - { - "type": 0, - "value": "西班牙语(阿根廷)" - } - ], - "locale_text.message.es-CL": [ - { - "type": 0, - "value": "西班牙语(智利)" - } - ], - "locale_text.message.es-CO": [ - { - "type": 0, - "value": "西班牙语(哥伦比亚)" - } - ], - "locale_text.message.es-ES": [ - { - "type": 0, - "value": "西班牙语(西班牙)" - } - ], - "locale_text.message.es-MX": [ - { - "type": 0, - "value": "西班牙语(墨西哥)" - } - ], - "locale_text.message.es-US": [ - { - "type": 0, - "value": "西班牙语(美国)" - } - ], - "locale_text.message.fi-FI": [ - { - "type": 0, - "value": "芬兰语(芬兰)" - } - ], - "locale_text.message.fr-BE": [ - { - "type": 0, - "value": "法语(比利时)" - } - ], - "locale_text.message.fr-CA": [ - { - "type": 0, - "value": "法语(加拿大)" - } - ], - "locale_text.message.fr-CH": [ - { - "type": 0, - "value": "法语(瑞士)" - } - ], - "locale_text.message.fr-FR": [ - { - "type": 0, - "value": "法语(法国)" - } - ], - "locale_text.message.he-IL": [ - { - "type": 0, - "value": "希伯来语(以色列)" - } - ], - "locale_text.message.hi-IN": [ - { - "type": 0, - "value": "印地语(印度)" - } - ], - "locale_text.message.hu-HU": [ - { - "type": 0, - "value": "匈牙利语(匈牙利)" - } - ], - "locale_text.message.id-ID": [ - { - "type": 0, - "value": "印尼语(印度尼西亚)" - } - ], - "locale_text.message.it-CH": [ - { - "type": 0, - "value": "意大利语(瑞士)" - } - ], - "locale_text.message.it-IT": [ - { - "type": 0, - "value": "意大利语(意大利)" - } - ], - "locale_text.message.ja-JP": [ - { - "type": 0, - "value": "日语(日本)" - } - ], - "locale_text.message.ko-KR": [ - { - "type": 0, - "value": "韩语(韩国)" - } - ], - "locale_text.message.nl-BE": [ - { - "type": 0, - "value": "荷兰语(比利时)" - } - ], - "locale_text.message.nl-NL": [ - { - "type": 0, - "value": "荷兰语(荷兰)" - } - ], - "locale_text.message.no-NO": [ - { - "type": 0, - "value": "挪威语(挪威)" - } - ], - "locale_text.message.pl-PL": [ - { - "type": 0, - "value": "波兰语(波兰)" - } - ], - "locale_text.message.pt-BR": [ - { - "type": 0, - "value": "葡萄牙语(巴西)" - } - ], - "locale_text.message.pt-PT": [ - { - "type": 0, - "value": "葡萄牙语(葡萄牙)" - } - ], - "locale_text.message.ro-RO": [ - { - "type": 0, - "value": "罗马尼亚语(罗马尼亚)" - } - ], - "locale_text.message.ru-RU": [ - { - "type": 0, - "value": "俄语(俄罗斯联邦)" - } - ], - "locale_text.message.sk-SK": [ - { - "type": 0, - "value": "斯洛伐克语(斯洛伐克)" - } - ], - "locale_text.message.sv-SE": [ - { - "type": 0, - "value": "瑞典语(瑞典)" - } - ], - "locale_text.message.ta-IN": [ - { - "type": 0, - "value": "泰米尔语(印度)" - } - ], - "locale_text.message.ta-LK": [ - { - "type": 0, - "value": "泰米尔语(斯里兰卡)" - } - ], - "locale_text.message.th-TH": [ - { - "type": 0, - "value": "泰语(泰国)" - } - ], - "locale_text.message.tr-TR": [ - { - "type": 0, - "value": "土耳其语(土耳其)" - } - ], - "locale_text.message.zh-CN": [ - { - "type": 0, - "value": "中文(中国)" - } - ], - "locale_text.message.zh-HK": [ - { - "type": 0, - "value": "中文(香港)" - } - ], - "locale_text.message.zh-TW": [ - { - "type": 0, - "value": "中文(台湾)" - } - ], - "login_form.action.create_account": [ - { - "type": 0, - "value": "创建账户" - } - ], - "login_form.button.sign_in": [ - { - "type": 0, - "value": "登录" - } - ], - "login_form.link.forgot_password": [ - { - "type": 0, - "value": "忘记密码?" - } - ], - "login_form.message.dont_have_account": [ - { - "type": 0, - "value": "没有账户?" - } - ], - "login_form.message.welcome_back": [ - { - "type": 0, - "value": "欢迎回来" - } - ], - "login_page.error.incorrect_username_or_password": [ - { - "type": 0, - "value": "用户名或密码错误,请重试。" - } - ], - "offline_banner.description.browsing_offline_mode": [ - { - "type": 0, - "value": "您正在离线模式下浏览" - } - ], - "order_summary.action.remove_promo": [ - { - "type": 0, - "value": "移除" - } - ], - "order_summary.cart_items.action.num_of_items_in_cart": [ - { - "type": 0, - "value": "购物车内有 " - }, - { - "offset": 0, - "options": { - "=0": { - "value": [ - { - "type": 0, - "value": "0 件商品" - } - ] - }, - "one": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": " 件商品" - } - ] - }, - "other": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": " 件商品" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "itemCount" - } - ], - "order_summary.cart_items.link.edit_cart": [ - { - "type": 0, - "value": "编辑购物车" - } - ], - "order_summary.heading.order_summary": [ - { - "type": 0, - "value": "订单摘要" - } - ], - "order_summary.label.estimated_total": [ - { - "type": 0, - "value": "预计总数" - } - ], - "order_summary.label.free": [ - { - "type": 0, - "value": "免费" - } - ], - "order_summary.label.order_total": [ - { - "type": 0, - "value": "订单总额" - } - ], - "order_summary.label.promo_applied": [ - { - "type": 0, - "value": "已应用促销" - } - ], - "order_summary.label.promotions_applied": [ - { - "type": 0, - "value": "已应用促销" - } - ], - "order_summary.label.shipping": [ - { - "type": 0, - "value": "送货" - } - ], - "order_summary.label.subtotal": [ - { - "type": 0, - "value": "小计" - } - ], - "order_summary.label.tax": [ - { - "type": 0, - "value": "税项" - } - ], - "page_not_found.action.go_back": [ - { - "type": 0, - "value": "返回上一页" - } - ], - "page_not_found.link.homepage": [ - { - "type": 0, - "value": "返回主页" - } - ], - "page_not_found.message.suggestion_to_try": [ - { - "type": 0, - "value": "请尝试重新输入地址、返回上一页或返回主页。" - } - ], - "page_not_found.title.page_cant_be_found": [ - { - "type": 0, - "value": "找不到您要查找的页面。" - } - ], - "pagination.field.num_of_pages": [ - { - "type": 0, - "value": "/ " - }, - { - "type": 1, - "value": "numOfPages" - } - ], - "pagination.link.next": [ - { - "type": 0, - "value": "下一步" - } - ], - "pagination.link.next.assistive_msg": [ - { - "type": 0, - "value": "下一页" - } - ], - "pagination.link.prev": [ - { - "type": 0, - "value": "上一步" - } - ], - "pagination.link.prev.assistive_msg": [ - { - "type": 0, - "value": "上一页" - } - ], - "password_card.info.password_updated": [ - { - "type": 0, - "value": "密码已更新" - } - ], - "password_card.label.password": [ - { - "type": 0, - "value": "密码" - } - ], - "password_card.title.password": [ - { - "type": 0, - "value": "密码" - } - ], - "password_requirements.error.eight_letter_minimum": [ - { - "type": 0, - "value": "最短 8 个字符" - } - ], - "password_requirements.error.one_lowercase_letter": [ - { - "type": 0, - "value": "1 个小写字母" - } - ], - "password_requirements.error.one_number": [ - { - "type": 0, - "value": "1 个数字" - } - ], - "password_requirements.error.one_special_character": [ - { - "type": 0, - "value": "1 个特殊字符(例如:, S ! %)" - } - ], - "password_requirements.error.one_uppercase_letter": [ - { - "type": 0, - "value": "1 个大写字母" - } - ], - "payment_selection.heading.credit_card": [ - { - "type": 0, - "value": "信用卡" - } - ], - "payment_selection.tooltip.secure_payment": [ - { - "type": 0, - "value": "这是一种安全的 SSL 加密支付。" - } - ], - "price_per_item.label.each": [ - { - "type": 0, - "value": "每件" - } - ], - "product_detail.accordion.button.product_detail": [ - { - "type": 0, - "value": "产品详情" - } - ], - "product_detail.accordion.button.questions": [ - { - "type": 0, - "value": "问题" - } - ], - "product_detail.accordion.button.reviews": [ - { - "type": 0, - "value": "点评" - } - ], - "product_detail.accordion.button.size_fit": [ - { - "type": 0, - "value": "尺寸与合身" - } - ], - "product_detail.accordion.message.coming_soon": [ - { - "type": 0, - "value": "即将到货" - } - ], - "product_detail.recommended_products.title.complete_set": [ - { - "type": 0, - "value": "Complete the Set(完成组合)" - } - ], - "product_detail.recommended_products.title.might_also_like": [ - { - "type": 0, - "value": "您可能还喜欢" - } - ], - "product_detail.recommended_products.title.recently_viewed": [ - { - "type": 0, - "value": "最近查看" - } - ], - "product_item.label.quantity": [ - { - "type": 0, - "value": "数量:" - } - ], - "product_list.button.filter": [ - { - "type": 0, - "value": "筛选器" - } - ], - "product_list.button.sort_by": [ - { - "type": 0, - "value": "排序标准:" - }, - { - "type": 1, - "value": "sortOption" - } - ], - "product_list.drawer.title.sort_by": [ - { - "type": 0, - "value": "排序标准" - } - ], - "product_list.modal.button.clear_filters": [ - { - "type": 0, - "value": "清除筛选器" - } - ], - "product_list.modal.button.view_items": [ - { - "type": 0, - "value": "查看 " - }, - { - "type": 1, - "value": "prroductCount" - }, - { - "type": 0, - "value": " 件商品" - } - ], - "product_list.modal.title.filter": [ - { - "type": 0, - "value": "筛选器" - } - ], - "product_list.refinements.button.assistive_msg.add_filter": [ - { - "type": 0, - "value": "添加筛选器:" - }, - { - "type": 1, - "value": "label" - } - ], - "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": [ - { - "type": 0, - "value": "添加筛选器:" - }, - { - "type": 1, - "value": "label" - }, - { - "type": 0, - "value": " (" - }, - { - "type": 1, - "value": "hitCount" - }, - { - "type": 0, - "value": ")" - } - ], - "product_list.refinements.button.assistive_msg.remove_filter": [ - { - "type": 0, - "value": "删除筛选器:" - }, - { - "type": 1, - "value": "label" - } - ], - "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": [ - { - "type": 0, - "value": "删除筛选器:" - }, - { - "type": 1, - "value": "label" - }, - { - "type": 0, - "value": " (" - }, - { - "type": 1, - "value": "hitCount" - }, - { - "type": 0, - "value": ")" - } - ], - "product_list.select.sort_by": [ - { - "type": 0, - "value": "排序标准:" - }, - { - "type": 1, - "value": "sortOption" - } - ], - "product_scroller.assistive_msg.scroll_left": [ - { - "type": 0, - "value": "向左滚动产品" - } - ], - "product_scroller.assistive_msg.scroll_right": [ - { - "type": 0, - "value": "向右滚动产品" - } - ], - "product_tile.assistive_msg.add_to_wishlist": [ - { - "type": 0, - "value": "添加 " - }, - { - "type": 1, - "value": "product" - }, - { - "type": 0, - "value": " 到愿望清单" - } - ], - "product_tile.assistive_msg.remove_from_wishlist": [ - { - "type": 0, - "value": "从愿望清单删除 " - }, - { - "type": 1, - "value": "product" - } - ], - "product_tile.label.starting_at_price": [ - { - "type": 0, - "value": "起价:" - }, - { - "type": 1, - "value": "price" - } - ], - "product_view.button.add_set_to_cart": [ - { - "type": 0, - "value": "将套装添加到购物车" - } - ], - "product_view.button.add_set_to_wishlist": [ - { - "type": 0, - "value": "将套装添加到愿望清单" - } - ], - "product_view.button.add_to_cart": [ - { - "type": 0, - "value": "添加到购物车" - } - ], - "product_view.button.add_to_wishlist": [ - { - "type": 0, - "value": "添加到愿望清单" - } - ], - "product_view.button.update": [ - { - "type": 0, - "value": "更新" - } - ], - "product_view.label.assistive_msg.quantity_decrement": [ - { - "type": 0, - "value": "递减数量" - } - ], - "product_view.label.assistive_msg.quantity_increment": [ - { - "type": 0, - "value": "递增数量" - } - ], - "product_view.label.quantity": [ - { - "type": 0, - "value": "数量" - } - ], - "product_view.label.quantity_decrement": [ - { - "type": 0, - "value": "−" - } - ], - "product_view.label.quantity_increment": [ - { - "type": 0, - "value": "+" - } - ], - "product_view.label.starting_at_price": [ - { - "type": 0, - "value": "起价:" - } - ], - "product_view.label.variant_type": [ - { - "type": 1, - "value": "variantType" - } - ], - "product_view.link.full_details": [ - { - "type": 0, - "value": "查看完整详情" - } - ], - "profile_card.info.profile_updated": [ - { - "type": 0, - "value": "已更新概况" - } - ], - "profile_card.label.email": [ - { - "type": 0, - "value": "电子邮件" - } - ], - "profile_card.label.full_name": [ - { - "type": 0, - "value": "全名" - } - ], - "profile_card.label.phone": [ - { - "type": 0, - "value": "电话号码" - } - ], - "profile_card.message.not_provided": [ - { - "type": 0, - "value": "未提供" - } - ], - "profile_card.title.my_profile": [ - { - "type": 0, - "value": "我的概况" - } - ], - "promo_code_fields.button.apply": [ - { - "type": 0, - "value": "确定" - } - ], - "promo_popover.assistive_msg.info": [ - { - "type": 0, - "value": "Info" - } - ], - "promo_popover.heading.promo_applied": [ - { - "type": 0, - "value": "已应用促销" - } - ], - "promocode.accordion.button.have_promocode": [ - { - "type": 0, - "value": "您是否有促销码?" - } - ], - "recent_searches.action.clear_searches": [ - { - "type": 0, - "value": "清除最近搜索" - } - ], - "recent_searches.heading.recent_searches": [ - { - "type": 0, - "value": "最近搜索" - } - ], - "register_form.action.sign_in": [ - { - "type": 0, - "value": "登录" - } - ], - "register_form.button.create_account": [ - { - "type": 0, - "value": "创建账户" - } - ], - "register_form.heading.lets_get_started": [ - { - "type": 0, - "value": "开始使用!" - } - ], - "register_form.message.agree_to_policy_terms": [ - { - "type": 0, - "value": "创建账户即表明您同意 Salesforce " - }, - { - "children": [ - { - "type": 0, - "value": "隐私政策" - } - ], - "type": 8, - "value": "policy" - }, - { - "type": 0, - "value": "以及" - }, - { - "children": [ - { - "type": 0, - "value": "条款与条件" - } - ], - "type": 8, - "value": "terms" - } - ], - "register_form.message.already_have_account": [ - { - "type": 0, - "value": "已有账户?" - } - ], - "register_form.message.create_an_account": [ - { - "type": 0, - "value": "创建账户并首先查看最佳产品、妙招和虚拟社区。" - } - ], - "reset_password.button.back_to_sign_in": [ - { - "type": 0, - "value": "返回登录" - } - ], - "reset_password.info.receive_email_shortly": [ - { - "type": 0, - "value": "您将通过 " - }, - { - "children": [ - { - "type": 1, - "value": "email" - } - ], - "type": 8, - "value": "b" - }, - { - "type": 0, - "value": " 收到包含重置密码链接的电子邮件。" - } - ], - "reset_password.title.password_reset": [ - { - "type": 0, - "value": "密码重置" - } - ], - "reset_password_form.action.sign_in": [ - { - "type": 0, - "value": "登录" - } - ], - "reset_password_form.button.reset_password": [ - { - "type": 0, - "value": "重置密码" - } - ], - "reset_password_form.message.enter_your_email": [ - { - "type": 0, - "value": "进入您的电子邮件,获取重置密码说明" - } - ], - "reset_password_form.message.return_to_sign_in": [ - { - "type": 0, - "value": "或返回" - } - ], - "reset_password_form.title.reset_password": [ - { - "type": 0, - "value": "重置密码" - } - ], - "search.action.cancel": [ - { - "type": 0, - "value": "取消" - } - ], - "selected_refinements.action.assistive_msg.clear_all": [ - { - "type": 0, - "value": "清除所有筛选器" - } - ], - "selected_refinements.action.clear_all": [ - { - "type": 0, - "value": "全部清除" - } - ], - "shipping_address.button.continue_to_shipping": [ - { - "type": 0, - "value": "继续并选择送货方式" - } - ], - "shipping_address.title.shipping_address": [ - { - "type": 0, - "value": "送货地址" - } - ], - "shipping_address_edit_form.button.save_and_continue": [ - { - "type": 0, - "value": "保存并继续选择送货方式" - } - ], - "shipping_address_form.heading.edit_address": [ - { - "type": 0, - "value": "编辑地址" - } - ], - "shipping_address_form.heading.new_address": [ - { - "type": 0, - "value": "添加新地址" - } - ], - "shipping_address_selection.button.add_address": [ - { - "type": 0, - "value": "添加新地址" - } - ], - "shipping_address_selection.button.submit": [ - { - "type": 0, - "value": "提交" - } - ], - "shipping_address_selection.title.add_address": [ - { - "type": 0, - "value": "添加新地址" - } - ], - "shipping_address_selection.title.edit_shipping": [ - { - "type": 0, - "value": "编辑送货地址" - } - ], - "shipping_options.action.send_as_a_gift": [ - { - "type": 0, - "value": "您想将此作为礼品发送吗?" - } - ], - "shipping_options.button.continue_to_payment": [ - { - "type": 0, - "value": "继续并选择付款" - } - ], - "shipping_options.title.shipping_gift_options": [ - { - "type": 0, - "value": "送货与礼品选项" - } - ], - "signout_confirmation_dialog.button.cancel": [ - { - "type": 0, - "value": "取消" - } - ], - "signout_confirmation_dialog.button.sign_out": [ - { - "type": 0, - "value": "注销" - } - ], - "signout_confirmation_dialog.heading.sign_out": [ - { - "type": 0, - "value": "注销" - } - ], - "signout_confirmation_dialog.message.sure_to_sign_out": [ - { - "type": 0, - "value": "是否确定要注销?您需要重新登录才能继续处理当前订单。" - } - ], - "swatch_group.selected.label": [ - { - "type": 1, - "value": "label" - }, - { - "type": 0, - "value": ":" - } - ], - "toggle_card.action.edit": [ - { - "type": 0, - "value": "编辑" - } - ], - "update_password_fields.button.forgot_password": [ - { - "type": 0, - "value": "忘记密码?" - } - ], - "use_address_fields.error.please_enter_first_name": [ - { - "type": 0, - "value": "请输入您的名字。" - } - ], - "use_address_fields.error.please_enter_last_name": [ - { - "type": 0, - "value": "请输入您的姓氏。" - } - ], - "use_address_fields.error.please_enter_phone_number": [ - { - "type": 0, - "value": "请输入您的电话号码。" - } - ], - "use_address_fields.error.please_enter_your_postal_or_zip": [ - { - "type": 0, - "value": "请输入您的邮政编码。" - } - ], - "use_address_fields.error.please_select_your_address": [ - { - "type": 0, - "value": "请输入您的地址。" - } - ], - "use_address_fields.error.please_select_your_city": [ - { - "type": 0, - "value": "请输入您所在城市。" - } - ], - "use_address_fields.error.please_select_your_country": [ - { - "type": 0, - "value": "请输入您所在国家/地区。" - } - ], - "use_address_fields.error.please_select_your_state_or_province": [ - { - "type": 0, - "value": "请选择您所在的州/省。" - } - ], - "use_address_fields.error.required": [ - { - "type": 0, - "value": "必填" - } - ], - "use_address_fields.error.state_code_invalid": [ - { - "type": 0, - "value": "请输入两个字母的州/省名称。" - } - ], - "use_address_fields.label.address": [ - { - "type": 0, - "value": "地址" - } - ], - "use_address_fields.label.address_form": [ - { - "type": 0, - "value": "地址表格" - } - ], - "use_address_fields.label.city": [ - { - "type": 0, - "value": "城市" - } - ], - "use_address_fields.label.country": [ - { - "type": 0, - "value": "国家" - } - ], - "use_address_fields.label.first_name": [ - { - "type": 0, - "value": "名字" - } - ], - "use_address_fields.label.last_name": [ - { - "type": 0, - "value": "姓氏" - } - ], - "use_address_fields.label.phone": [ - { - "type": 0, - "value": "电话" - } - ], - "use_address_fields.label.postal_code": [ - { - "type": 0, - "value": "邮政编码" - } - ], - "use_address_fields.label.preferred": [ - { - "type": 0, - "value": "设为默认值" - } - ], - "use_address_fields.label.province": [ - { - "type": 0, - "value": "省" - } - ], - "use_address_fields.label.state": [ - { - "type": 0, - "value": "州/省" - } - ], - "use_address_fields.label.zipCode": [ - { - "type": 0, - "value": "邮政编码" - } - ], - "use_credit_card_fields.error.required": [ - { - "type": 0, - "value": "必填" - } - ], - "use_credit_card_fields.error.required_card_number": [ - { - "type": 0, - "value": "请输入您的卡号。" - } - ], - "use_credit_card_fields.error.required_expiry": [ - { - "type": 0, - "value": "请输入卡的到期日期。" - } - ], - "use_credit_card_fields.error.required_name": [ - { - "type": 0, - "value": "请输入卡上显示的名字。" - } - ], - "use_credit_card_fields.error.required_security_code": [ - { - "type": 0, - "value": "请输入您的安全码。" - } - ], - "use_credit_card_fields.error.valid_card_number": [ - { - "type": 0, - "value": "请输入有效的卡号。" - } - ], - "use_credit_card_fields.error.valid_date": [ - { - "type": 0, - "value": "请输入有效的日期。" - } - ], - "use_credit_card_fields.error.valid_name": [ - { - "type": 0, - "value": "请输入有效的名称。" - } - ], - "use_credit_card_fields.error.valid_security_code": [ - { - "type": 0, - "value": "请输入有效的安全码。" - } - ], - "use_credit_card_fields.label.card_number": [ - { - "type": 0, - "value": "卡号" - } - ], - "use_credit_card_fields.label.card_type": [ - { - "type": 0, - "value": "卡类型" - } - ], - "use_credit_card_fields.label.expiry": [ - { - "type": 0, - "value": "到期日期" - } - ], - "use_credit_card_fields.label.name": [ - { - "type": 0, - "value": "持卡人姓名" - } - ], - "use_credit_card_fields.label.security_code": [ - { - "type": 0, - "value": "安全码" - } - ], - "use_login_fields.error.required_email": [ - { - "type": 0, - "value": "请输入您的电子邮件地址。" - } - ], - "use_login_fields.error.required_password": [ - { - "type": 0, - "value": "请输入您的密码。" - } - ], - "use_login_fields.label.email": [ - { - "type": 0, - "value": "电子邮件" - } - ], - "use_login_fields.label.password": [ - { - "type": 0, - "value": "密码" - } - ], - "use_product.message.inventory_remaining": [ - { - "type": 0, - "value": "仅剩 " - }, - { - "type": 1, - "value": "stockLevel" - }, - { - "type": 0, - "value": " 件!" - } - ], - "use_product.message.out_of_stock": [ - { - "type": 0, - "value": "无库存" - } - ], - "use_profile_fields.error.required_email": [ - { - "type": 0, - "value": "请输入有效的电子邮件地址。" - } - ], - "use_profile_fields.error.required_first_name": [ - { - "type": 0, - "value": "请输入您的名字。" - } - ], - "use_profile_fields.error.required_last_name": [ - { - "type": 0, - "value": "请输入您的姓氏。" - } - ], - "use_profile_fields.error.required_phone": [ - { - "type": 0, - "value": "请输入您的电话号码。" - } - ], - "use_profile_fields.label.email": [ - { - "type": 0, - "value": "电子邮件" - } - ], - "use_profile_fields.label.first_name": [ - { - "type": 0, - "value": "名字" - } - ], - "use_profile_fields.label.last_name": [ - { - "type": 0, - "value": "姓氏" - } - ], - "use_profile_fields.label.phone": [ - { - "type": 0, - "value": "电话号码" - } - ], - "use_promo_code_fields.error.required_promo_code": [ - { - "type": 0, - "value": "请提供有效的促销码。" - } - ], - "use_promo_code_fields.label.promo_code": [ - { - "type": 0, - "value": "促销码" - } - ], - "use_promocode.error.check_the_code": [ - { - "type": 0, - "value": "检查促销码并重试,该促销码可能已被使用或促销已过期。" - } - ], - "use_promocode.info.promo_applied": [ - { - "type": 0, - "value": "已应用促销" - } - ], - "use_promocode.info.promo_removed": [ - { - "type": 0, - "value": "已删除促销" - } - ], - "use_registration_fields.error.contain_number": [ - { - "type": 0, - "value": "密码必须至少包含一个数字。" - } - ], - "use_registration_fields.error.lowercase_letter": [ - { - "type": 0, - "value": "密码必须至少包含一个小写字母。" - } - ], - "use_registration_fields.error.minimum_characters": [ - { - "type": 0, - "value": "密码必须至少包含 8 个字符。" - } - ], - "use_registration_fields.error.required_email": [ - { - "type": 0, - "value": "请输入有效的电子邮件地址。" - } - ], - "use_registration_fields.error.required_first_name": [ - { - "type": 0, - "value": "请输入您的名字。" - } - ], - "use_registration_fields.error.required_last_name": [ - { - "type": 0, - "value": "请输入您的姓氏。" - } - ], - "use_registration_fields.error.required_password": [ - { - "type": 0, - "value": "请创建密码。" - } - ], - "use_registration_fields.error.special_character": [ - { - "type": 0, - "value": "密码必须至少包含一个特殊字符。" - } - ], - "use_registration_fields.error.uppercase_letter": [ - { - "type": 0, - "value": "密码必须至少包含一个大写字母。" - } - ], - "use_registration_fields.label.email": [ - { - "type": 0, - "value": "电子邮件" - } - ], - "use_registration_fields.label.first_name": [ - { - "type": 0, - "value": "名字" - } - ], - "use_registration_fields.label.last_name": [ - { - "type": 0, - "value": "姓氏" - } - ], - "use_registration_fields.label.password": [ - { - "type": 0, - "value": "密码" - } - ], - "use_registration_fields.label.sign_up_to_emails": [ - { - "type": 0, - "value": "为我注册 Salesforce 电子邮件(您可以随时取消订阅)" - } - ], - "use_reset_password_fields.error.required_email": [ - { - "type": 0, - "value": "请输入有效的电子邮件地址。" - } - ], - "use_reset_password_fields.label.email": [ - { - "type": 0, - "value": "电子邮件" - } - ], - "use_update_password_fields.error.contain_number": [ - { - "type": 0, - "value": "密码必须至少包含一个数字。" - } - ], - "use_update_password_fields.error.lowercase_letter": [ - { - "type": 0, - "value": "密码必须至少包含一个小写字母。" - } - ], - "use_update_password_fields.error.minimum_characters": [ - { - "type": 0, - "value": "密码必须至少包含 8 个字符。" - } - ], - "use_update_password_fields.error.required_new_password": [ - { - "type": 0, - "value": "请提供新密码。" - } - ], - "use_update_password_fields.error.required_password": [ - { - "type": 0, - "value": "请输入您的密码。" - } - ], - "use_update_password_fields.error.special_character": [ - { - "type": 0, - "value": "密码必须至少包含一个特殊字符。" - } - ], - "use_update_password_fields.error.uppercase_letter": [ - { - "type": 0, - "value": "密码必须至少包含一个大写字母。" - } - ], - "use_update_password_fields.label.current_password": [ - { - "type": 0, - "value": "当前密码" - } - ], - "use_update_password_fields.label.new_password": [ - { - "type": 0, - "value": "新密码" - } - ], - "wishlist_primary_action.button.add_set_to_cart": [ - { - "type": 0, - "value": "将套装添加到购物车" - } - ], - "wishlist_primary_action.button.add_to_cart": [ - { - "type": 0, - "value": "添加到购物车" - } - ], - "wishlist_primary_action.button.view_full_details": [ - { - "type": 0, - "value": "查看完整详情" - } - ], - "wishlist_primary_action.button.view_options": [ - { - "type": 0, - "value": "查看选项" - } - ], - "wishlist_primary_action.info.added_to_cart": [ - { - "type": 1, - "value": "quantity" - }, - { - "type": 0, - "value": " " - }, - { - "offset": 0, - "options": { - "one": { - "value": [ - { - "type": 0, - "value": " 件商品" - } - ] - }, - "other": { - "value": [ - { - "type": 0, - "value": " 件商品" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "quantity" - }, - { - "type": 0, - "value": "已添加至购物车" - } - ], - "wishlist_secondary_button_group.action.remove": [ - { - "type": 0, - "value": "移除" - } - ], - "wishlist_secondary_button_group.info.item_removed": [ - { - "type": 0, - "value": "从愿望清单中移除商品" - } - ], - "with_registration.info.please_sign_in": [ - { - "type": 0, - "value": "请登录以继续!" - } - ] -} \ No newline at end of file diff --git a/my-test-project/overrides/app/static/translations/compiled/zh-TW.json b/my-test-project/overrides/app/static/translations/compiled/zh-TW.json deleted file mode 100644 index 3877030193..0000000000 --- a/my-test-project/overrides/app/static/translations/compiled/zh-TW.json +++ /dev/null @@ -1,3470 +0,0 @@ -{ - "account.accordion.button.my_account": [ - { - "type": 0, - "value": "我的帳戶" - } - ], - "account.heading.my_account": [ - { - "type": 0, - "value": "我的帳戶" - } - ], - "account.logout_button.button.log_out": [ - { - "type": 0, - "value": "登出" - } - ], - "account_addresses.badge.default": [ - { - "type": 0, - "value": "預設" - } - ], - "account_addresses.button.add_address": [ - { - "type": 0, - "value": "新增地址" - } - ], - "account_addresses.info.address_removed": [ - { - "type": 0, - "value": "已移除地址" - } - ], - "account_addresses.info.address_updated": [ - { - "type": 0, - "value": "地址已更新" - } - ], - "account_addresses.info.new_address_saved": [ - { - "type": 0, - "value": "新地址已儲存" - } - ], - "account_addresses.page_action_placeholder.button.add_address": [ - { - "type": 0, - "value": "新增地址" - } - ], - "account_addresses.page_action_placeholder.heading.no_saved_addresses": [ - { - "type": 0, - "value": "沒有已儲存的地址" - } - ], - "account_addresses.page_action_placeholder.message.add_new_address": [ - { - "type": 0, - "value": "新增地址,加快結帳流程。" - } - ], - "account_addresses.title.addresses": [ - { - "type": 0, - "value": "地址" - } - ], - "account_detail.title.account_details": [ - { - "type": 0, - "value": "帳戶詳細資料" - } - ], - "account_order_detail.heading.billing_address": [ - { - "type": 0, - "value": "帳單地址" - } - ], - "account_order_detail.heading.num_of_items": [ - { - "type": 1, - "value": "count" - }, - { - "type": 0, - "value": " 件商品" - } - ], - "account_order_detail.heading.payment_method": [ - { - "type": 0, - "value": "付款方式" - } - ], - "account_order_detail.heading.shipping_address": [ - { - "type": 0, - "value": "運送地址" - } - ], - "account_order_detail.heading.shipping_method": [ - { - "type": 0, - "value": "運送方式" - } - ], - "account_order_detail.label.order_number": [ - { - "type": 0, - "value": "訂單編號:" - }, - { - "type": 1, - "value": "orderNumber" - } - ], - "account_order_detail.label.ordered_date": [ - { - "type": 0, - "value": "下單日期:" - }, - { - "type": 1, - "value": "date" - } - ], - "account_order_detail.label.pending_tracking_number": [ - { - "type": 0, - "value": "待處理" - } - ], - "account_order_detail.label.tracking_number": [ - { - "type": 0, - "value": "追蹤編號" - } - ], - "account_order_detail.link.back_to_history": [ - { - "type": 0, - "value": "返回訂單記錄" - } - ], - "account_order_detail.shipping_status.not_shipped": [ - { - "type": 0, - "value": "未出貨" - } - ], - "account_order_detail.shipping_status.part_shipped": [ - { - "type": 0, - "value": "已部分出貨" - } - ], - "account_order_detail.shipping_status.shipped": [ - { - "type": 0, - "value": "已出貨" - } - ], - "account_order_detail.title.order_details": [ - { - "type": 0, - "value": "訂單詳細資料" - } - ], - "account_order_history.button.continue_shopping": [ - { - "type": 0, - "value": "繼續選購" - } - ], - "account_order_history.description.once_you_place_order": [ - { - "type": 0, - "value": "下訂單後,詳細資料將會在這裡顯示。" - } - ], - "account_order_history.heading.no_order_yet": [ - { - "type": 0, - "value": "您尚未下訂單。" - } - ], - "account_order_history.label.num_of_items": [ - { - "type": 1, - "value": "count" - }, - { - "type": 0, - "value": " 件商品" - } - ], - "account_order_history.label.order_number": [ - { - "type": 0, - "value": "訂單編號:" - }, - { - "type": 1, - "value": "orderNumber" - } - ], - "account_order_history.label.ordered_date": [ - { - "type": 0, - "value": "下單日期:" - }, - { - "type": 1, - "value": "date" - } - ], - "account_order_history.label.shipped_to": [ - { - "type": 0, - "value": "已出貨至:" - }, - { - "type": 1, - "value": "name" - } - ], - "account_order_history.link.view_details": [ - { - "type": 0, - "value": "檢視詳細資料" - } - ], - "account_order_history.title.order_history": [ - { - "type": 0, - "value": "訂單記錄" - } - ], - "account_wishlist.button.continue_shopping": [ - { - "type": 0, - "value": "繼續選購" - } - ], - "account_wishlist.description.continue_shopping": [ - { - "type": 0, - "value": "繼續選購,並將商品新增至願望清單。" - } - ], - "account_wishlist.heading.no_wishlist": [ - { - "type": 0, - "value": "沒有願望清單商品" - } - ], - "account_wishlist.title.wishlist": [ - { - "type": 0, - "value": "願望清單" - } - ], - "action_card.action.edit": [ - { - "type": 0, - "value": "編輯" - } - ], - "action_card.action.remove": [ - { - "type": 0, - "value": "移除" - } - ], - "add_to_cart_modal.info.added_to_cart": [ - { - "type": 1, - "value": "quantity" - }, - { - "type": 0, - "value": " " - }, - { - "offset": 0, - "options": { - "one": { - "value": [ - { - "type": 0, - "value": "件商品" - } - ] - }, - "other": { - "value": [ - { - "type": 0, - "value": "件商品" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "quantity" - }, - { - "type": 0, - "value": "已新增至購物車" - } - ], - "add_to_cart_modal.label.cart_subtotal": [ - { - "type": 0, - "value": "購物車小計 (" - }, - { - "type": 1, - "value": "itemAccumulatedCount" - }, - { - "type": 0, - "value": " 件商品)" - } - ], - "add_to_cart_modal.label.quantity": [ - { - "type": 0, - "value": "數量" - } - ], - "add_to_cart_modal.link.checkout": [ - { - "type": 0, - "value": "繼續以結帳" - } - ], - "add_to_cart_modal.link.view_cart": [ - { - "type": 0, - "value": "檢視購物車" - } - ], - "add_to_cart_modal.recommended_products.title.might_also_like": [ - { - "type": 0, - "value": "您可能也喜歡" - } - ], - "auth_modal.button.close.assistive_msg": [ - { - "type": 0, - "value": "關閉登入表單" - } - ], - "auth_modal.description.now_signed_in": [ - { - "type": 0, - "value": "您現在已登入。" - } - ], - "auth_modal.error.incorrect_email_or_password": [ - { - "type": 0, - "value": "您的電子郵件或密碼不正確。請再試一次。" - } - ], - "auth_modal.info.welcome_user": [ - { - "type": 1, - "value": "name" - }, - { - "type": 0, - "value": ",歡迎:" - } - ], - "auth_modal.password_reset_success.button.back_to_sign_in": [ - { - "type": 0, - "value": "返回登入" - } - ], - "auth_modal.password_reset_success.info.will_email_shortly": [ - { - "type": 0, - "value": "您很快就會在 " - }, - { - "children": [ - { - "type": 1, - "value": "email" - } - ], - "type": 8, - "value": "b" - }, - { - "type": 0, - "value": " 收到一封電子郵件,內含重設密碼的連結。" - } - ], - "auth_modal.password_reset_success.title.password_reset": [ - { - "type": 0, - "value": "重設密碼" - } - ], - "carousel.button.scroll_left.assistive_msg": [ - { - "type": 0, - "value": "向左捲動輪播" - } - ], - "carousel.button.scroll_right.assistive_msg": [ - { - "type": 0, - "value": "向右捲動輪播" - } - ], - "cart.info.removed_from_cart": [ - { - "type": 0, - "value": "已從購物車移除商品" - } - ], - "cart.recommended_products.title.may_also_like": [ - { - "type": 0, - "value": "您可能也喜歡" - } - ], - "cart.recommended_products.title.recently_viewed": [ - { - "type": 0, - "value": "最近檢視" - } - ], - "cart_cta.link.checkout": [ - { - "type": 0, - "value": "繼續以結帳" - } - ], - "cart_secondary_button_group.action.added_to_wishlist": [ - { - "type": 0, - "value": "新增至願望清單" - } - ], - "cart_secondary_button_group.action.edit": [ - { - "type": 0, - "value": "編輯" - } - ], - "cart_secondary_button_group.action.remove": [ - { - "type": 0, - "value": "移除" - } - ], - "cart_secondary_button_group.label.this_is_gift": [ - { - "type": 0, - "value": "這是禮物。" - } - ], - "cart_skeleton.heading.order_summary": [ - { - "type": 0, - "value": "訂單摘要" - } - ], - "cart_skeleton.title.cart": [ - { - "type": 0, - "value": "購物車" - } - ], - "cart_title.title.cart_num_of_items": [ - { - "type": 0, - "value": "購物車 (" - }, - { - "offset": 0, - "options": { - "=0": { - "value": [ - { - "type": 0, - "value": "0 件商品" - } - ] - }, - "one": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": " 件商品" - } - ] - }, - "other": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": " 件商品" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "itemCount" - }, - { - "type": 0, - "value": ")" - } - ], - "cc_radio_group.action.remove": [ - { - "type": 0, - "value": "移除" - } - ], - "cc_radio_group.button.add_new_card": [ - { - "type": 0, - "value": "新增卡片" - } - ], - "checkout.button.place_order": [ - { - "type": 0, - "value": "送出訂單" - } - ], - "checkout.message.generic_error": [ - { - "type": 0, - "value": "結帳時發生意外錯誤。" - } - ], - "checkout_confirmation.button.create_account": [ - { - "type": 0, - "value": "建立帳戶" - } - ], - "checkout_confirmation.heading.billing_address": [ - { - "type": 0, - "value": "帳單地址" - } - ], - "checkout_confirmation.heading.create_account": [ - { - "type": 0, - "value": "建立帳戶,加快結帳流程" - } - ], - "checkout_confirmation.heading.credit_card": [ - { - "type": 0, - "value": "信用卡" - } - ], - "checkout_confirmation.heading.delivery_details": [ - { - "type": 0, - "value": "運送詳細資料" - } - ], - "checkout_confirmation.heading.order_summary": [ - { - "type": 0, - "value": "訂單摘要" - } - ], - "checkout_confirmation.heading.payment_details": [ - { - "type": 0, - "value": "付款詳細資料" - } - ], - "checkout_confirmation.heading.shipping_address": [ - { - "type": 0, - "value": "運送地址" - } - ], - "checkout_confirmation.heading.shipping_method": [ - { - "type": 0, - "value": "運送方式" - } - ], - "checkout_confirmation.heading.thank_you_for_order": [ - { - "type": 0, - "value": "感謝您的訂購!" - } - ], - "checkout_confirmation.label.free": [ - { - "type": 0, - "value": "免費" - } - ], - "checkout_confirmation.label.order_number": [ - { - "type": 0, - "value": "訂單編號" - } - ], - "checkout_confirmation.label.order_total": [ - { - "type": 0, - "value": "訂單總計" - } - ], - "checkout_confirmation.label.promo_applied": [ - { - "type": 0, - "value": "已套用促銷" - } - ], - "checkout_confirmation.label.shipping": [ - { - "type": 0, - "value": "運送" - } - ], - "checkout_confirmation.label.subtotal": [ - { - "type": 0, - "value": "小計" - } - ], - "checkout_confirmation.label.tax": [ - { - "type": 0, - "value": "稅項" - } - ], - "checkout_confirmation.link.continue_shopping": [ - { - "type": 0, - "value": "繼續選購" - } - ], - "checkout_confirmation.link.login": [ - { - "type": 0, - "value": "於此處登入" - } - ], - "checkout_confirmation.message.already_has_account": [ - { - "type": 0, - "value": "此電子郵件已擁有帳戶。" - } - ], - "checkout_confirmation.message.num_of_items_in_order": [ - { - "offset": 0, - "options": { - "=0": { - "value": [ - { - "type": 0, - "value": "0 件商品" - } - ] - }, - "one": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": " 件商品" - } - ] - }, - "other": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": " 件商品" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "itemCount" - } - ], - "checkout_confirmation.message.will_email_shortly": [ - { - "type": 0, - "value": "我們很快就會寄送電子郵件至 " - }, - { - "children": [ - { - "type": 1, - "value": "email" - } - ], - "type": 8, - "value": "b" - }, - { - "type": 0, - "value": ",內含您的確認號碼和收據。" - } - ], - "checkout_footer.link.privacy_policy": [ - { - "type": 0, - "value": "隱私政策" - } - ], - "checkout_footer.link.returns_exchanges": [ - { - "type": 0, - "value": "退貨與換貨" - } - ], - "checkout_footer.link.shipping": [ - { - "type": 0, - "value": "運送" - } - ], - "checkout_footer.link.site_map": [ - { - "type": 0, - "value": "網站地圖" - } - ], - "checkout_footer.link.terms_conditions": [ - { - "type": 0, - "value": "條款與條件" - } - ], - "checkout_footer.message.copyright": [ - { - "type": 0, - "value": "Salesforce 或相關企業。保留一切權利。這只是一個示範商店。在此下單將「不會」進行處理。" - } - ], - "checkout_header.link.assistive_msg.cart": [ - { - "type": 0, - "value": "返回購物車,商品數量:" - }, - { - "type": 1, - "value": "numItems" - } - ], - "checkout_header.link.cart": [ - { - "type": 0, - "value": "返回購物車" - } - ], - "checkout_payment.action.remove": [ - { - "type": 0, - "value": "移除" - } - ], - "checkout_payment.button.review_order": [ - { - "type": 0, - "value": "檢查訂單" - } - ], - "checkout_payment.heading.billing_address": [ - { - "type": 0, - "value": "帳單地址" - } - ], - "checkout_payment.heading.credit_card": [ - { - "type": 0, - "value": "信用卡" - } - ], - "checkout_payment.label.same_as_shipping": [ - { - "type": 0, - "value": "與運送地址相同" - } - ], - "checkout_payment.title.payment": [ - { - "type": 0, - "value": "付款" - } - ], - "colorRefinements.label.hitCount": [ - { - "type": 1, - "value": "colorLabel" - }, - { - "type": 0, - "value": " (" - }, - { - "type": 1, - "value": "colorHitCount" - }, - { - "type": 0, - "value": ")" - } - ], - "confirmation_modal.default.action.no": [ - { - "type": 0, - "value": "否" - } - ], - "confirmation_modal.default.action.yes": [ - { - "type": 0, - "value": "是" - } - ], - "confirmation_modal.default.message.you_want_to_continue": [ - { - "type": 0, - "value": "確定要繼續嗎?" - } - ], - "confirmation_modal.default.title.confirm_action": [ - { - "type": 0, - "value": "確認動作" - } - ], - "confirmation_modal.remove_cart_item.action.no": [ - { - "type": 0, - "value": "否,保留商品" - } - ], - "confirmation_modal.remove_cart_item.action.remove": [ - { - "type": 0, - "value": "移除" - } - ], - "confirmation_modal.remove_cart_item.action.yes": [ - { - "type": 0, - "value": "是,移除商品" - } - ], - "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": [ - { - "type": 0, - "value": "有些商品已無法再於線上取得,因此將從您的購物車中移除。" - } - ], - "confirmation_modal.remove_cart_item.message.sure_to_remove": [ - { - "type": 0, - "value": "確定要將商品從購物車中移除嗎?" - } - ], - "confirmation_modal.remove_cart_item.title.confirm_remove": [ - { - "type": 0, - "value": "確認移除商品" - } - ], - "confirmation_modal.remove_cart_item.title.items_unavailable": [ - { - "type": 0, - "value": "商品不可用" - } - ], - "confirmation_modal.remove_wishlist_item.action.no": [ - { - "type": 0, - "value": "否,保留商品" - } - ], - "confirmation_modal.remove_wishlist_item.action.yes": [ - { - "type": 0, - "value": "是,移除商品" - } - ], - "confirmation_modal.remove_wishlist_item.message.sure_to_remove": [ - { - "type": 0, - "value": "確定要將商品從願望清單中移除嗎?" - } - ], - "confirmation_modal.remove_wishlist_item.title.confirm_remove": [ - { - "type": 0, - "value": "確認移除商品" - } - ], - "contact_info.action.sign_out": [ - { - "type": 0, - "value": "登出" - } - ], - "contact_info.button.already_have_account": [ - { - "type": 0, - "value": "已經有帳戶了?登入" - } - ], - "contact_info.button.checkout_as_guest": [ - { - "type": 0, - "value": "以訪客身份結帳" - } - ], - "contact_info.button.login": [ - { - "type": 0, - "value": "登入" - } - ], - "contact_info.error.incorrect_username_or_password": [ - { - "type": 0, - "value": "使用者名稱或密碼不正確,請再試一次。" - } - ], - "contact_info.link.forgot_password": [ - { - "type": 0, - "value": "忘記密碼了嗎?" - } - ], - "contact_info.title.contact_info": [ - { - "type": 0, - "value": "聯絡資訊" - } - ], - "credit_card_fields.tool_tip.security_code": [ - { - "type": 0, - "value": "此 3 位數代碼可在您卡片的背面找到。" - } - ], - "credit_card_fields.tool_tip.security_code.american_express": [ - { - "type": 0, - "value": "此 4 位數代碼可在您卡片的正面找到。" - } - ], - "credit_card_fields.tool_tip.security_code_aria_label": [ - { - "type": 0, - "value": "安全碼資訊" - } - ], - "drawer_menu.button.account_details": [ - { - "type": 0, - "value": "帳戶詳細資料" - } - ], - "drawer_menu.button.addresses": [ - { - "type": 0, - "value": "地址" - } - ], - "drawer_menu.button.log_out": [ - { - "type": 0, - "value": "登出" - } - ], - "drawer_menu.button.my_account": [ - { - "type": 0, - "value": "我的帳戶" - } - ], - "drawer_menu.button.order_history": [ - { - "type": 0, - "value": "訂單記錄" - } - ], - "drawer_menu.link.about_us": [ - { - "type": 0, - "value": "關於我們" - } - ], - "drawer_menu.link.customer_support": [ - { - "type": 0, - "value": "客戶支援" - } - ], - "drawer_menu.link.customer_support.contact_us": [ - { - "type": 0, - "value": "聯絡我們" - } - ], - "drawer_menu.link.customer_support.shipping_and_returns": [ - { - "type": 0, - "value": "運送與退貨" - } - ], - "drawer_menu.link.our_company": [ - { - "type": 0, - "value": "我們的公司" - } - ], - "drawer_menu.link.privacy_and_security": [ - { - "type": 0, - "value": "隱私與安全" - } - ], - "drawer_menu.link.privacy_policy": [ - { - "type": 0, - "value": "隱私政策" - } - ], - "drawer_menu.link.shop_all": [ - { - "type": 0, - "value": "選購全部" - } - ], - "drawer_menu.link.sign_in": [ - { - "type": 0, - "value": "登入" - } - ], - "drawer_menu.link.site_map": [ - { - "type": 0, - "value": "網站地圖" - } - ], - "drawer_menu.link.store_locator": [ - { - "type": 0, - "value": "商店位置搜尋" - } - ], - "drawer_menu.link.terms_and_conditions": [ - { - "type": 0, - "value": "條款與條件" - } - ], - "empty_cart.description.empty_cart": [ - { - "type": 0, - "value": "您的購物車是空的。" - } - ], - "empty_cart.link.continue_shopping": [ - { - "type": 0, - "value": "繼續選購" - } - ], - "empty_cart.link.sign_in": [ - { - "type": 0, - "value": "登入" - } - ], - "empty_cart.message.continue_shopping": [ - { - "type": 0, - "value": "繼續選購,並將商品新增至購物車。" - } - ], - "empty_cart.message.sign_in_or_continue_shopping": [ - { - "type": 0, - "value": "登入來存取您所儲存的商品,或繼續選購。" - } - ], - "empty_search_results.info.cant_find_anything_for_category": [ - { - "type": 0, - "value": "我們找不到" - }, - { - "type": 1, - "value": "category" - }, - { - "type": 0, - "value": "的結果。請嘗試搜尋產品或" - }, - { - "type": 1, - "value": "link" - }, - { - "type": 0, - "value": "。" - } - ], - "empty_search_results.info.cant_find_anything_for_query": [ - { - "type": 0, - "value": "我們找不到「" - }, - { - "type": 1, - "value": "searchQuery" - }, - { - "type": 0, - "value": "」的結果。" - } - ], - "empty_search_results.info.double_check_spelling": [ - { - "type": 0, - "value": "請確認拼字並再試一次,或" - }, - { - "type": 1, - "value": "link" - }, - { - "type": 0, - "value": "。" - } - ], - "empty_search_results.link.contact_us": [ - { - "type": 0, - "value": "聯絡我們" - } - ], - "empty_search_results.recommended_products.title.most_viewed": [ - { - "type": 0, - "value": "最多檢視" - } - ], - "empty_search_results.recommended_products.title.top_sellers": [ - { - "type": 0, - "value": "最暢銷產品" - } - ], - "field.password.assistive_msg.hide_password": [ - { - "type": 0, - "value": "隱藏密碼" - } - ], - "field.password.assistive_msg.show_password": [ - { - "type": 0, - "value": "顯示密碼" - } - ], - "footer.column.account": [ - { - "type": 0, - "value": "帳戶" - } - ], - "footer.column.customer_support": [ - { - "type": 0, - "value": "客戶支援" - } - ], - "footer.column.our_company": [ - { - "type": 0, - "value": "我們的公司" - } - ], - "footer.link.about_us": [ - { - "type": 0, - "value": "關於我們" - } - ], - "footer.link.contact_us": [ - { - "type": 0, - "value": "聯絡我們" - } - ], - "footer.link.order_status": [ - { - "type": 0, - "value": "訂單狀態" - } - ], - "footer.link.privacy_policy": [ - { - "type": 0, - "value": "隱私政策" - } - ], - "footer.link.shipping": [ - { - "type": 0, - "value": "運送" - } - ], - "footer.link.signin_create_account": [ - { - "type": 0, - "value": "登入或建立帳戶" - } - ], - "footer.link.site_map": [ - { - "type": 0, - "value": "網站地圖" - } - ], - "footer.link.store_locator": [ - { - "type": 0, - "value": "商店位置搜尋" - } - ], - "footer.link.terms_conditions": [ - { - "type": 0, - "value": "條款與條件" - } - ], - "footer.message.copyright": [ - { - "type": 0, - "value": "Salesforce 或相關企業。保留一切權利。這只是一個示範商店。在此下單將「不會」進行處理。" - } - ], - "footer.subscribe.button.sign_up": [ - { - "type": 0, - "value": "註冊" - } - ], - "footer.subscribe.description.sign_up": [ - { - "type": 0, - "value": "註冊來獲得最熱門的優惠消息" - } - ], - "footer.subscribe.heading.first_to_know": [ - { - "type": 0, - "value": "搶先獲得消息" - } - ], - "form_action_buttons.button.cancel": [ - { - "type": 0, - "value": "取消" - } - ], - "form_action_buttons.button.save": [ - { - "type": 0, - "value": "儲存" - } - ], - "global.account.link.account_details": [ - { - "type": 0, - "value": "帳戶詳細資料" - } - ], - "global.account.link.addresses": [ - { - "type": 0, - "value": "地址" - } - ], - "global.account.link.order_history": [ - { - "type": 0, - "value": "訂單記錄" - } - ], - "global.account.link.wishlist": [ - { - "type": 0, - "value": "願望清單" - } - ], - "global.error.something_went_wrong": [ - { - "type": 0, - "value": "發生錯誤。請再試一次。" - } - ], - "global.info.added_to_wishlist": [ - { - "type": 1, - "value": "quantity" - }, - { - "type": 0, - "value": " " - }, - { - "offset": 0, - "options": { - "one": { - "value": [ - { - "type": 0, - "value": "件商品" - } - ] - }, - "other": { - "value": [ - { - "type": 0, - "value": "件商品" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "quantity" - }, - { - "type": 0, - "value": "已新增至願望清單" - } - ], - "global.info.already_in_wishlist": [ - { - "type": 0, - "value": "商品已在願望清單中" - } - ], - "global.info.removed_from_wishlist": [ - { - "type": 0, - "value": "已從願望清單移除商品" - } - ], - "global.link.added_to_wishlist.view_wishlist": [ - { - "type": 0, - "value": "檢視" - } - ], - "header.button.assistive_msg.logo": [ - { - "type": 0, - "value": "標誌" - } - ], - "header.button.assistive_msg.menu": [ - { - "type": 0, - "value": "選單" - } - ], - "header.button.assistive_msg.my_account": [ - { - "type": 0, - "value": "我的帳戶" - } - ], - "header.button.assistive_msg.my_account_menu": [ - { - "type": 0, - "value": "開啟帳戶選單" - } - ], - "header.button.assistive_msg.my_cart_with_num_items": [ - { - "type": 0, - "value": "我的購物車,商品數量:" - }, - { - "type": 1, - "value": "numItems" - } - ], - "header.button.assistive_msg.wishlist": [ - { - "type": 0, - "value": "願望清單" - } - ], - "header.field.placeholder.search_for_products": [ - { - "type": 0, - "value": "搜尋產品..." - } - ], - "header.popover.action.log_out": [ - { - "type": 0, - "value": "登出" - } - ], - "header.popover.title.my_account": [ - { - "type": 0, - "value": "我的帳戶" - } - ], - "home.description.features": [ - { - "type": 0, - "value": "功能皆可立即使用,您只需專注於如何精益求精。" - } - ], - "home.description.here_to_help": [ - { - "type": 0, - "value": "聯絡我們的支援人員," - } - ], - "home.description.here_to_help_line_2": [ - { - "type": 0, - "value": "讓他們為您指點迷津。" - } - ], - "home.description.shop_products": [ - { - "type": 0, - "value": "此區塊包含來自目錄的內容。" - }, - { - "type": 1, - "value": "docLink" - }, - { - "type": 0, - "value": "來了解如何取代。" - } - ], - "home.features.description.cart_checkout": [ - { - "type": 0, - "value": "為購物者提供購物車和結帳體驗的電子商務最佳做法。" - } - ], - "home.features.description.components": [ - { - "type": 0, - "value": "以簡單、模組化、無障礙設計的 React 元件庫 Chakra UI 打造而成。" - } - ], - "home.features.description.einstein_recommendations": [ - { - "type": 0, - "value": "透過產品推薦,向每位購物者傳遞下一個最佳產品或優惠。" - } - ], - "home.features.description.my_account": [ - { - "type": 0, - "value": "購物者可管理帳戶資訊,例如個人資料、地址、付款和訂單。" - } - ], - "home.features.description.shopper_login": [ - { - "type": 0, - "value": "讓購物者能夠輕鬆登入,享受更加個人化的購物體驗。" - } - ], - "home.features.description.wishlist": [ - { - "type": 0, - "value": "已註冊的購物者可以新增產品至願望清單,留待日後購買。" - } - ], - "home.features.heading.cart_checkout": [ - { - "type": 0, - "value": "購物車與結帳" - } - ], - "home.features.heading.components": [ - { - "type": 0, - "value": "元件與設計套件" - } - ], - "home.features.heading.einstein_recommendations": [ - { - "type": 0, - "value": "Einstein 推薦" - } - ], - "home.features.heading.my_account": [ - { - "type": 0, - "value": "我的帳戶" - } - ], - "home.features.heading.shopper_login": [ - { - "type": 0, - "value": "Shopper Login and API Access Service (SLAS)" - } - ], - "home.features.heading.wishlist": [ - { - "type": 0, - "value": "願望清單" - } - ], - "home.heading.features": [ - { - "type": 0, - "value": "功能" - } - ], - "home.heading.here_to_help": [ - { - "type": 0, - "value": "我們很樂意隨時提供協助" - } - ], - "home.heading.shop_products": [ - { - "type": 0, - "value": "選購產品" - } - ], - "home.hero_features.link.design_kit": [ - { - "type": 0, - "value": "使用 Figma PWA Design Kit 揮灑創意" - } - ], - "home.hero_features.link.on_github": [ - { - "type": 0, - "value": "前往 Github 下載" - } - ], - "home.hero_features.link.on_managed_runtime": [ - { - "type": 0, - "value": "在 Managed Runtime 上部署" - } - ], - "home.link.contact_us": [ - { - "type": 0, - "value": "聯絡我們" - } - ], - "home.link.get_started": [ - { - "type": 0, - "value": "開始使用" - } - ], - "home.link.read_docs": [ - { - "type": 0, - "value": "閱讀文件" - } - ], - "home.title.react_starter_store": [ - { - "type": 0, - "value": "零售型 React PWA Starter Store" - } - ], - "icons.assistive_msg.lock": [ - { - "type": 0, - "value": "安全" - } - ], - "item_attributes.label.promotions": [ - { - "type": 0, - "value": "促銷" - } - ], - "item_attributes.label.quantity": [ - { - "type": 0, - "value": "數量:" - }, - { - "type": 1, - "value": "quantity" - } - ], - "item_image.label.sale": [ - { - "type": 0, - "value": "特價" - } - ], - "item_image.label.unavailable": [ - { - "type": 0, - "value": "不可用" - } - ], - "item_price.label.starting_at": [ - { - "type": 0, - "value": "起始" - } - ], - "lCPCxk": [ - { - "type": 0, - "value": "請在上方選擇所有選項" - } - ], - "list_menu.nav.assistive_msg": [ - { - "type": 0, - "value": "主導覽選單" - } - ], - "locale_text.message.ar-SA": [ - { - "type": 0, - "value": "阿拉伯文 (沙烏地阿拉伯)" - } - ], - "locale_text.message.bn-BD": [ - { - "type": 0, - "value": "孟加拉文 (孟加拉)" - } - ], - "locale_text.message.bn-IN": [ - { - "type": 0, - "value": "孟加拉文 (印度)" - } - ], - "locale_text.message.cs-CZ": [ - { - "type": 0, - "value": "捷克文 (捷克)" - } - ], - "locale_text.message.da-DK": [ - { - "type": 0, - "value": "丹麥文 (丹麥)" - } - ], - "locale_text.message.de-AT": [ - { - "type": 0, - "value": "德文 (奧地利)" - } - ], - "locale_text.message.de-CH": [ - { - "type": 0, - "value": "德文 (瑞士)" - } - ], - "locale_text.message.de-DE": [ - { - "type": 0, - "value": "德文 (德國)" - } - ], - "locale_text.message.el-GR": [ - { - "type": 0, - "value": "希臘文 (希臘)" - } - ], - "locale_text.message.en-AU": [ - { - "type": 0, - "value": "英文 (澳洲)" - } - ], - "locale_text.message.en-CA": [ - { - "type": 0, - "value": "英文 (加拿大)" - } - ], - "locale_text.message.en-GB": [ - { - "type": 0, - "value": "英文 (英國)" - } - ], - "locale_text.message.en-IE": [ - { - "type": 0, - "value": "英文 (愛爾蘭)" - } - ], - "locale_text.message.en-IN": [ - { - "type": 0, - "value": "英文 (印度)" - } - ], - "locale_text.message.en-NZ": [ - { - "type": 0, - "value": "英文 (紐西蘭)" - } - ], - "locale_text.message.en-US": [ - { - "type": 0, - "value": "英文 (美國)" - } - ], - "locale_text.message.en-ZA": [ - { - "type": 0, - "value": "英文 (南非)" - } - ], - "locale_text.message.es-AR": [ - { - "type": 0, - "value": "西班牙文 (阿根廷)" - } - ], - "locale_text.message.es-CL": [ - { - "type": 0, - "value": "西班牙文 (智利)" - } - ], - "locale_text.message.es-CO": [ - { - "type": 0, - "value": "西班牙文 (哥倫比亞)" - } - ], - "locale_text.message.es-ES": [ - { - "type": 0, - "value": "西班牙文 (西班牙)" - } - ], - "locale_text.message.es-MX": [ - { - "type": 0, - "value": "西班牙文 (墨西哥)" - } - ], - "locale_text.message.es-US": [ - { - "type": 0, - "value": "西班牙文 (美國)" - } - ], - "locale_text.message.fi-FI": [ - { - "type": 0, - "value": "芬蘭文 (芬蘭)" - } - ], - "locale_text.message.fr-BE": [ - { - "type": 0, - "value": "法文 (比利時)" - } - ], - "locale_text.message.fr-CA": [ - { - "type": 0, - "value": "法文 (加拿大)" - } - ], - "locale_text.message.fr-CH": [ - { - "type": 0, - "value": "法文 (瑞士)" - } - ], - "locale_text.message.fr-FR": [ - { - "type": 0, - "value": "法文 (法國)" - } - ], - "locale_text.message.he-IL": [ - { - "type": 0, - "value": "希伯來文 (以色列)" - } - ], - "locale_text.message.hi-IN": [ - { - "type": 0, - "value": "印度文 (印度)" - } - ], - "locale_text.message.hu-HU": [ - { - "type": 0, - "value": "匈牙利文 (匈牙利)" - } - ], - "locale_text.message.id-ID": [ - { - "type": 0, - "value": "印尼文 (印尼)" - } - ], - "locale_text.message.it-CH": [ - { - "type": 0, - "value": "義大利文 (瑞士)" - } - ], - "locale_text.message.it-IT": [ - { - "type": 0, - "value": "義大利文 (義大利)" - } - ], - "locale_text.message.ja-JP": [ - { - "type": 0, - "value": "日文 (日本)" - } - ], - "locale_text.message.ko-KR": [ - { - "type": 0, - "value": "韓文 (韓國)" - } - ], - "locale_text.message.nl-BE": [ - { - "type": 0, - "value": "荷蘭文 (比利時)" - } - ], - "locale_text.message.nl-NL": [ - { - "type": 0, - "value": "荷蘭文 (荷蘭)" - } - ], - "locale_text.message.no-NO": [ - { - "type": 0, - "value": "挪威文 (挪威)" - } - ], - "locale_text.message.pl-PL": [ - { - "type": 0, - "value": "波蘭文 (波蘭)" - } - ], - "locale_text.message.pt-BR": [ - { - "type": 0, - "value": "葡萄牙文 (巴西)" - } - ], - "locale_text.message.pt-PT": [ - { - "type": 0, - "value": "葡萄牙文 (葡萄牙)" - } - ], - "locale_text.message.ro-RO": [ - { - "type": 0, - "value": "羅馬尼亞文 (羅馬尼亞)" - } - ], - "locale_text.message.ru-RU": [ - { - "type": 0, - "value": "俄文 (俄羅斯聯邦)" - } - ], - "locale_text.message.sk-SK": [ - { - "type": 0, - "value": "斯洛伐克文 (斯洛伐克)" - } - ], - "locale_text.message.sv-SE": [ - { - "type": 0, - "value": "瑞典文 (瑞典)" - } - ], - "locale_text.message.ta-IN": [ - { - "type": 0, - "value": "泰米爾文 (印度)" - } - ], - "locale_text.message.ta-LK": [ - { - "type": 0, - "value": "泰米爾文 (斯里蘭卡)" - } - ], - "locale_text.message.th-TH": [ - { - "type": 0, - "value": "泰文 (泰國)" - } - ], - "locale_text.message.tr-TR": [ - { - "type": 0, - "value": "土耳其文 (土耳其)" - } - ], - "locale_text.message.zh-CN": [ - { - "type": 0, - "value": "中文 (中國)" - } - ], - "locale_text.message.zh-HK": [ - { - "type": 0, - "value": "中文 (香港)" - } - ], - "locale_text.message.zh-TW": [ - { - "type": 0, - "value": "中文 (台灣)" - } - ], - "login_form.action.create_account": [ - { - "type": 0, - "value": "建立帳戶" - } - ], - "login_form.button.sign_in": [ - { - "type": 0, - "value": "登入" - } - ], - "login_form.link.forgot_password": [ - { - "type": 0, - "value": "忘記密碼了嗎?" - } - ], - "login_form.message.dont_have_account": [ - { - "type": 0, - "value": "沒有帳戶嗎?" - } - ], - "login_form.message.welcome_back": [ - { - "type": 0, - "value": "歡迎回來" - } - ], - "login_page.error.incorrect_username_or_password": [ - { - "type": 0, - "value": "使用者名稱或密碼不正確,請再試一次。" - } - ], - "offline_banner.description.browsing_offline_mode": [ - { - "type": 0, - "value": "您目前正以離線模式瀏覽" - } - ], - "order_summary.action.remove_promo": [ - { - "type": 0, - "value": "移除" - } - ], - "order_summary.cart_items.action.num_of_items_in_cart": [ - { - "type": 0, - "value": "購物車有 " - }, - { - "offset": 0, - "options": { - "=0": { - "value": [ - { - "type": 0, - "value": "0 件商品" - } - ] - }, - "one": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": " 件商品" - } - ] - }, - "other": { - "value": [ - { - "type": 7 - }, - { - "type": 0, - "value": " 件商品" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "itemCount" - } - ], - "order_summary.cart_items.link.edit_cart": [ - { - "type": 0, - "value": "編輯購物車" - } - ], - "order_summary.heading.order_summary": [ - { - "type": 0, - "value": "訂單摘要" - } - ], - "order_summary.label.estimated_total": [ - { - "type": 0, - "value": "預估總計" - } - ], - "order_summary.label.free": [ - { - "type": 0, - "value": "免費" - } - ], - "order_summary.label.order_total": [ - { - "type": 0, - "value": "訂單總計" - } - ], - "order_summary.label.promo_applied": [ - { - "type": 0, - "value": "已套用促銷" - } - ], - "order_summary.label.promotions_applied": [ - { - "type": 0, - "value": "已套用促銷" - } - ], - "order_summary.label.shipping": [ - { - "type": 0, - "value": "運送" - } - ], - "order_summary.label.subtotal": [ - { - "type": 0, - "value": "小計" - } - ], - "order_summary.label.tax": [ - { - "type": 0, - "value": "稅項" - } - ], - "page_not_found.action.go_back": [ - { - "type": 0, - "value": "返回上一頁" - } - ], - "page_not_found.link.homepage": [ - { - "type": 0, - "value": "前往首頁" - } - ], - "page_not_found.message.suggestion_to_try": [ - { - "type": 0, - "value": "請嘗試重新輸入地址、返回上一頁或前往首頁。" - } - ], - "page_not_found.title.page_cant_be_found": [ - { - "type": 0, - "value": "找不到您在尋找的頁面。" - } - ], - "pagination.field.num_of_pages": [ - { - "type": 1, - "value": "numOfPages" - }, - { - "type": 0, - "value": " 頁" - } - ], - "pagination.link.next": [ - { - "type": 0, - "value": "下一頁" - } - ], - "pagination.link.next.assistive_msg": [ - { - "type": 0, - "value": "下一頁" - } - ], - "pagination.link.prev": [ - { - "type": 0, - "value": "上一頁" - } - ], - "pagination.link.prev.assistive_msg": [ - { - "type": 0, - "value": "上一頁" - } - ], - "password_card.info.password_updated": [ - { - "type": 0, - "value": "密碼已更新" - } - ], - "password_card.label.password": [ - { - "type": 0, - "value": "密碼" - } - ], - "password_card.title.password": [ - { - "type": 0, - "value": "密碼" - } - ], - "password_requirements.error.eight_letter_minimum": [ - { - "type": 0, - "value": "最少 8 個字元" - } - ], - "password_requirements.error.one_lowercase_letter": [ - { - "type": 0, - "value": "1 個小寫字母" - } - ], - "password_requirements.error.one_number": [ - { - "type": 0, - "value": "1 個數字" - } - ], - "password_requirements.error.one_special_character": [ - { - "type": 0, - "value": "1 個特殊字元 (例如:, $ ! % #)" - } - ], - "password_requirements.error.one_uppercase_letter": [ - { - "type": 0, - "value": "1 個大寫字母" - } - ], - "payment_selection.heading.credit_card": [ - { - "type": 0, - "value": "信用卡" - } - ], - "payment_selection.tooltip.secure_payment": [ - { - "type": 0, - "value": "此為安全 SSL 加密付款。" - } - ], - "price_per_item.label.each": [ - { - "type": 0, - "value": "每件" - } - ], - "product_detail.accordion.button.product_detail": [ - { - "type": 0, - "value": "產品詳細資料" - } - ], - "product_detail.accordion.button.questions": [ - { - "type": 0, - "value": "問題" - } - ], - "product_detail.accordion.button.reviews": [ - { - "type": 0, - "value": "評價" - } - ], - "product_detail.accordion.button.size_fit": [ - { - "type": 0, - "value": "尺寸與版型" - } - ], - "product_detail.accordion.message.coming_soon": [ - { - "type": 0, - "value": "即將推出" - } - ], - "product_detail.recommended_products.title.complete_set": [ - { - "type": 0, - "value": "完成組合" - } - ], - "product_detail.recommended_products.title.might_also_like": [ - { - "type": 0, - "value": "您可能也喜歡" - } - ], - "product_detail.recommended_products.title.recently_viewed": [ - { - "type": 0, - "value": "最近檢視" - } - ], - "product_item.label.quantity": [ - { - "type": 0, - "value": "數量:" - } - ], - "product_list.button.filter": [ - { - "type": 0, - "value": "篩選條件" - } - ], - "product_list.button.sort_by": [ - { - "type": 0, - "value": "排序方式:" - }, - { - "type": 1, - "value": "sortOption" - } - ], - "product_list.drawer.title.sort_by": [ - { - "type": 0, - "value": "排序方式" - } - ], - "product_list.modal.button.clear_filters": [ - { - "type": 0, - "value": "清除篩選條件" - } - ], - "product_list.modal.button.view_items": [ - { - "type": 0, - "value": "檢視 " - }, - { - "type": 1, - "value": "prroductCount" - }, - { - "type": 0, - "value": " 件商品" - } - ], - "product_list.modal.title.filter": [ - { - "type": 0, - "value": "篩選條件" - } - ], - "product_list.refinements.button.assistive_msg.add_filter": [ - { - "type": 0, - "value": "新增篩選條件:" - }, - { - "type": 1, - "value": "label" - } - ], - "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": [ - { - "type": 0, - "value": "新增篩選條件:" - }, - { - "type": 1, - "value": "label" - }, - { - "type": 0, - "value": " (" - }, - { - "type": 1, - "value": "hitCount" - }, - { - "type": 0, - "value": ")" - } - ], - "product_list.refinements.button.assistive_msg.remove_filter": [ - { - "type": 0, - "value": "移除篩選條件:" - }, - { - "type": 1, - "value": "label" - } - ], - "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": [ - { - "type": 0, - "value": "移除篩選條件:" - }, - { - "type": 1, - "value": "label" - }, - { - "type": 0, - "value": " (" - }, - { - "type": 1, - "value": "hitCount" - }, - { - "type": 0, - "value": ")" - } - ], - "product_list.select.sort_by": [ - { - "type": 0, - "value": "排序方式:" - }, - { - "type": 1, - "value": "sortOption" - } - ], - "product_scroller.assistive_msg.scroll_left": [ - { - "type": 0, - "value": "向左捲動產品" - } - ], - "product_scroller.assistive_msg.scroll_right": [ - { - "type": 0, - "value": "向右捲動產品" - } - ], - "product_tile.assistive_msg.add_to_wishlist": [ - { - "type": 0, - "value": "將 " - }, - { - "type": 1, - "value": "product" - }, - { - "type": 0, - "value": " 新增至願望清單" - } - ], - "product_tile.assistive_msg.remove_from_wishlist": [ - { - "type": 0, - "value": "從願望清單移除 " - }, - { - "type": 1, - "value": "product" - } - ], - "product_tile.label.starting_at_price": [ - { - "type": 1, - "value": "price" - }, - { - "type": 0, - "value": " 起" - } - ], - "product_view.button.add_set_to_cart": [ - { - "type": 0, - "value": "新增組合至購物車" - } - ], - "product_view.button.add_set_to_wishlist": [ - { - "type": 0, - "value": "新增組合至願望清單" - } - ], - "product_view.button.add_to_cart": [ - { - "type": 0, - "value": "新增至購物車" - } - ], - "product_view.button.add_to_wishlist": [ - { - "type": 0, - "value": "新增至願望清單" - } - ], - "product_view.button.update": [ - { - "type": 0, - "value": "更新" - } - ], - "product_view.label.assistive_msg.quantity_decrement": [ - { - "type": 0, - "value": "遞減數量" - } - ], - "product_view.label.assistive_msg.quantity_increment": [ - { - "type": 0, - "value": "遞增數量" - } - ], - "product_view.label.quantity": [ - { - "type": 0, - "value": "數量" - } - ], - "product_view.label.quantity_decrement": [ - { - "type": 0, - "value": "−" - } - ], - "product_view.label.quantity_increment": [ - { - "type": 0, - "value": "+" - } - ], - "product_view.label.starting_at_price": [ - { - "type": 0, - "value": "起始" - } - ], - "product_view.label.variant_type": [ - { - "type": 1, - "value": "variantType" - } - ], - "product_view.link.full_details": [ - { - "type": 0, - "value": "檢視完整詳細資料" - } - ], - "profile_card.info.profile_updated": [ - { - "type": 0, - "value": "個人資料已更新" - } - ], - "profile_card.label.email": [ - { - "type": 0, - "value": "電子郵件" - } - ], - "profile_card.label.full_name": [ - { - "type": 0, - "value": "全名" - } - ], - "profile_card.label.phone": [ - { - "type": 0, - "value": "電話號碼" - } - ], - "profile_card.message.not_provided": [ - { - "type": 0, - "value": "未提供" - } - ], - "profile_card.title.my_profile": [ - { - "type": 0, - "value": "我的個人資料" - } - ], - "promo_code_fields.button.apply": [ - { - "type": 0, - "value": "套用" - } - ], - "promo_popover.assistive_msg.info": [ - { - "type": 0, - "value": "資訊" - } - ], - "promo_popover.heading.promo_applied": [ - { - "type": 0, - "value": "已套用促銷" - } - ], - "promocode.accordion.button.have_promocode": [ - { - "type": 0, - "value": "您有促銷代碼嗎?" - } - ], - "recent_searches.action.clear_searches": [ - { - "type": 0, - "value": "清除最近搜尋" - } - ], - "recent_searches.heading.recent_searches": [ - { - "type": 0, - "value": "最近搜尋" - } - ], - "register_form.action.sign_in": [ - { - "type": 0, - "value": "登入" - } - ], - "register_form.button.create_account": [ - { - "type": 0, - "value": "建立帳戶" - } - ], - "register_form.heading.lets_get_started": [ - { - "type": 0, - "value": "讓我們開始吧!" - } - ], - "register_form.message.agree_to_policy_terms": [ - { - "type": 0, - "value": "建立帳戶即代表您同意 Salesforce " - }, - { - "children": [ - { - "type": 0, - "value": "隱私權政策" - } - ], - "type": 8, - "value": "policy" - }, - { - "type": 0, - "value": "和" - }, - { - "children": [ - { - "type": 0, - "value": "條款與條件" - } - ], - "type": 8, - "value": "terms" - } - ], - "register_form.message.already_have_account": [ - { - "type": 0, - "value": "已經有帳戶了?" - } - ], - "register_form.message.create_an_account": [ - { - "type": 0, - "value": "建立帳戶,就能搶先獲得最棒產品、靈感來源和社群最新消息。" - } - ], - "reset_password.button.back_to_sign_in": [ - { - "type": 0, - "value": "返回登入" - } - ], - "reset_password.info.receive_email_shortly": [ - { - "type": 0, - "value": "您很快就會在 " - }, - { - "children": [ - { - "type": 1, - "value": "email" - } - ], - "type": 8, - "value": "b" - }, - { - "type": 0, - "value": " 收到一封電子郵件,內含重設密碼的連結。" - } - ], - "reset_password.title.password_reset": [ - { - "type": 0, - "value": "重設密碼" - } - ], - "reset_password_form.action.sign_in": [ - { - "type": 0, - "value": "登入" - } - ], - "reset_password_form.button.reset_password": [ - { - "type": 0, - "value": "重設密碼" - } - ], - "reset_password_form.message.enter_your_email": [ - { - "type": 0, - "value": "請輸入您的電子郵件,以便接收重設密碼的說明" - } - ], - "reset_password_form.message.return_to_sign_in": [ - { - "type": 0, - "value": "或返回" - } - ], - "reset_password_form.title.reset_password": [ - { - "type": 0, - "value": "重設密碼" - } - ], - "search.action.cancel": [ - { - "type": 0, - "value": "取消" - } - ], - "selected_refinements.action.assistive_msg.clear_all": [ - { - "type": 0, - "value": "清除所有篩選條件" - } - ], - "selected_refinements.action.clear_all": [ - { - "type": 0, - "value": "全部清除" - } - ], - "shipping_address.button.continue_to_shipping": [ - { - "type": 0, - "value": "繼續前往運送方式" - } - ], - "shipping_address.title.shipping_address": [ - { - "type": 0, - "value": "運送地址" - } - ], - "shipping_address_edit_form.button.save_and_continue": [ - { - "type": 0, - "value": "儲存並繼續前往運送方式" - } - ], - "shipping_address_form.heading.edit_address": [ - { - "type": 0, - "value": "編輯地址" - } - ], - "shipping_address_form.heading.new_address": [ - { - "type": 0, - "value": "新增地址" - } - ], - "shipping_address_selection.button.add_address": [ - { - "type": 0, - "value": "新增地址" - } - ], - "shipping_address_selection.button.submit": [ - { - "type": 0, - "value": "提交" - } - ], - "shipping_address_selection.title.add_address": [ - { - "type": 0, - "value": "新增地址" - } - ], - "shipping_address_selection.title.edit_shipping": [ - { - "type": 0, - "value": "編輯運送地址" - } - ], - "shipping_options.action.send_as_a_gift": [ - { - "type": 0, - "value": "您想以禮品方式寄送嗎?" - } - ], - "shipping_options.button.continue_to_payment": [ - { - "type": 0, - "value": "繼續前往付款" - } - ], - "shipping_options.title.shipping_gift_options": [ - { - "type": 0, - "value": "運送與禮品選項" - } - ], - "signout_confirmation_dialog.button.cancel": [ - { - "type": 0, - "value": "取消" - } - ], - "signout_confirmation_dialog.button.sign_out": [ - { - "type": 0, - "value": "登出" - } - ], - "signout_confirmation_dialog.heading.sign_out": [ - { - "type": 0, - "value": "登出" - } - ], - "signout_confirmation_dialog.message.sure_to_sign_out": [ - { - "type": 0, - "value": "確定要登出嗎?您必須重新登入,才能繼續目前的訂單流程。" - } - ], - "swatch_group.selected.label": [ - { - "type": 1, - "value": "label" - }, - { - "type": 0, - "value": ":" - } - ], - "toggle_card.action.edit": [ - { - "type": 0, - "value": "編輯" - } - ], - "update_password_fields.button.forgot_password": [ - { - "type": 0, - "value": "忘記密碼了嗎?" - } - ], - "use_address_fields.error.please_enter_first_name": [ - { - "type": 0, - "value": "請輸入您的名字。" - } - ], - "use_address_fields.error.please_enter_last_name": [ - { - "type": 0, - "value": "請輸入您的姓氏。" - } - ], - "use_address_fields.error.please_enter_phone_number": [ - { - "type": 0, - "value": "請輸入您的電話號碼。" - } - ], - "use_address_fields.error.please_enter_your_postal_or_zip": [ - { - "type": 0, - "value": "請輸入您的郵遞區號。" - } - ], - "use_address_fields.error.please_select_your_address": [ - { - "type": 0, - "value": "請輸入您的地址。" - } - ], - "use_address_fields.error.please_select_your_city": [ - { - "type": 0, - "value": "請輸入您的城市。" - } - ], - "use_address_fields.error.please_select_your_country": [ - { - "type": 0, - "value": "請選擇您的國家/地區。" - } - ], - "use_address_fields.error.please_select_your_state_or_province": [ - { - "type": 0, - "value": "請選擇您的州/省。" - } - ], - "use_address_fields.error.required": [ - { - "type": 0, - "value": "必填" - } - ], - "use_address_fields.error.state_code_invalid": [ - { - "type": 0, - "value": "請輸入 2 個字母的州/省名。" - } - ], - "use_address_fields.label.address": [ - { - "type": 0, - "value": "地址" - } - ], - "use_address_fields.label.address_form": [ - { - "type": 0, - "value": "地址表單" - } - ], - "use_address_fields.label.city": [ - { - "type": 0, - "value": "城市" - } - ], - "use_address_fields.label.country": [ - { - "type": 0, - "value": "國家/地區" - } - ], - "use_address_fields.label.first_name": [ - { - "type": 0, - "value": "名字" - } - ], - "use_address_fields.label.last_name": [ - { - "type": 0, - "value": "姓氏" - } - ], - "use_address_fields.label.phone": [ - { - "type": 0, - "value": "電話" - } - ], - "use_address_fields.label.postal_code": [ - { - "type": 0, - "value": "郵遞區號" - } - ], - "use_address_fields.label.preferred": [ - { - "type": 0, - "value": "設為預設" - } - ], - "use_address_fields.label.province": [ - { - "type": 0, - "value": "省" - } - ], - "use_address_fields.label.state": [ - { - "type": 0, - "value": "州" - } - ], - "use_address_fields.label.zipCode": [ - { - "type": 0, - "value": "郵遞區號" - } - ], - "use_credit_card_fields.error.required": [ - { - "type": 0, - "value": "必填" - } - ], - "use_credit_card_fields.error.required_card_number": [ - { - "type": 0, - "value": "請輸入您的卡片號碼。" - } - ], - "use_credit_card_fields.error.required_expiry": [ - { - "type": 0, - "value": "請輸入您的到期日。" - } - ], - "use_credit_card_fields.error.required_name": [ - { - "type": 0, - "value": "請輸入您卡片上的姓名。" - } - ], - "use_credit_card_fields.error.required_security_code": [ - { - "type": 0, - "value": "請輸入您的安全碼。" - } - ], - "use_credit_card_fields.error.valid_card_number": [ - { - "type": 0, - "value": "請輸入有效的卡片號碼。" - } - ], - "use_credit_card_fields.error.valid_date": [ - { - "type": 0, - "value": "請輸入有效的日期。" - } - ], - "use_credit_card_fields.error.valid_name": [ - { - "type": 0, - "value": "請輸入有效的姓名。" - } - ], - "use_credit_card_fields.error.valid_security_code": [ - { - "type": 0, - "value": "請輸入有效的安全碼。" - } - ], - "use_credit_card_fields.label.card_number": [ - { - "type": 0, - "value": "卡片號碼" - } - ], - "use_credit_card_fields.label.card_type": [ - { - "type": 0, - "value": "卡片類型" - } - ], - "use_credit_card_fields.label.expiry": [ - { - "type": 0, - "value": "到期日" - } - ], - "use_credit_card_fields.label.name": [ - { - "type": 0, - "value": "持卡人姓名" - } - ], - "use_credit_card_fields.label.security_code": [ - { - "type": 0, - "value": "安全碼" - } - ], - "use_login_fields.error.required_email": [ - { - "type": 0, - "value": "請輸入您的電子郵件地址。" - } - ], - "use_login_fields.error.required_password": [ - { - "type": 0, - "value": "請輸入您的密碼。" - } - ], - "use_login_fields.label.email": [ - { - "type": 0, - "value": "電子郵件" - } - ], - "use_login_fields.label.password": [ - { - "type": 0, - "value": "密碼" - } - ], - "use_product.message.inventory_remaining": [ - { - "type": 0, - "value": "只剩 " - }, - { - "type": 1, - "value": "stockLevel" - }, - { - "type": 0, - "value": " 個!" - } - ], - "use_product.message.out_of_stock": [ - { - "type": 0, - "value": "缺貨" - } - ], - "use_profile_fields.error.required_email": [ - { - "type": 0, - "value": "請輸入有效的電子郵件地址。" - } - ], - "use_profile_fields.error.required_first_name": [ - { - "type": 0, - "value": "請輸入您的名字。" - } - ], - "use_profile_fields.error.required_last_name": [ - { - "type": 0, - "value": "請輸入您的姓氏。" - } - ], - "use_profile_fields.error.required_phone": [ - { - "type": 0, - "value": "請輸入您的電話號碼。" - } - ], - "use_profile_fields.label.email": [ - { - "type": 0, - "value": "電子郵件" - } - ], - "use_profile_fields.label.first_name": [ - { - "type": 0, - "value": "名字" - } - ], - "use_profile_fields.label.last_name": [ - { - "type": 0, - "value": "姓氏" - } - ], - "use_profile_fields.label.phone": [ - { - "type": 0, - "value": "電話號碼" - } - ], - "use_promo_code_fields.error.required_promo_code": [ - { - "type": 0, - "value": "請提供有效的促銷代碼。" - } - ], - "use_promo_code_fields.label.promo_code": [ - { - "type": 0, - "value": "促銷代碼" - } - ], - "use_promocode.error.check_the_code": [ - { - "type": 0, - "value": "請檢查代碼並再試一次,代碼可能已套用過或促銷已過期。" - } - ], - "use_promocode.info.promo_applied": [ - { - "type": 0, - "value": "已套用促銷" - } - ], - "use_promocode.info.promo_removed": [ - { - "type": 0, - "value": "已移除促銷" - } - ], - "use_registration_fields.error.contain_number": [ - { - "type": 0, - "value": "密碼必須包含至少 1 個數字。" - } - ], - "use_registration_fields.error.lowercase_letter": [ - { - "type": 0, - "value": "密碼必須包含至少 1 個小寫字母。" - } - ], - "use_registration_fields.error.minimum_characters": [ - { - "type": 0, - "value": "密碼必須包含至少 8 個字元。" - } - ], - "use_registration_fields.error.required_email": [ - { - "type": 0, - "value": "請輸入有效的電子郵件地址。" - } - ], - "use_registration_fields.error.required_first_name": [ - { - "type": 0, - "value": "請輸入您的名字。" - } - ], - "use_registration_fields.error.required_last_name": [ - { - "type": 0, - "value": "請輸入您的姓氏。" - } - ], - "use_registration_fields.error.required_password": [ - { - "type": 0, - "value": "請建立密碼。" - } - ], - "use_registration_fields.error.special_character": [ - { - "type": 0, - "value": "密碼必須包含至少 1 個特殊字元。" - } - ], - "use_registration_fields.error.uppercase_letter": [ - { - "type": 0, - "value": "密碼必須包含至少 1 個大寫字母。" - } - ], - "use_registration_fields.label.email": [ - { - "type": 0, - "value": "電子郵件" - } - ], - "use_registration_fields.label.first_name": [ - { - "type": 0, - "value": "名字" - } - ], - "use_registration_fields.label.last_name": [ - { - "type": 0, - "value": "姓氏" - } - ], - "use_registration_fields.label.password": [ - { - "type": 0, - "value": "密碼" - } - ], - "use_registration_fields.label.sign_up_to_emails": [ - { - "type": 0, - "value": "我要訂閱 Salesforce 電子報 (可以隨時取消訂閱)" - } - ], - "use_reset_password_fields.error.required_email": [ - { - "type": 0, - "value": "請輸入有效的電子郵件地址。" - } - ], - "use_reset_password_fields.label.email": [ - { - "type": 0, - "value": "電子郵件" - } - ], - "use_update_password_fields.error.contain_number": [ - { - "type": 0, - "value": "密碼必須包含至少 1 個數字。" - } - ], - "use_update_password_fields.error.lowercase_letter": [ - { - "type": 0, - "value": "密碼必須包含至少 1 個小寫字母。" - } - ], - "use_update_password_fields.error.minimum_characters": [ - { - "type": 0, - "value": "密碼必須包含至少 8 個字元。" - } - ], - "use_update_password_fields.error.required_new_password": [ - { - "type": 0, - "value": "請提供新密碼。" - } - ], - "use_update_password_fields.error.required_password": [ - { - "type": 0, - "value": "請輸入您的密碼。" - } - ], - "use_update_password_fields.error.special_character": [ - { - "type": 0, - "value": "密碼必須包含至少 1 個特殊字元。" - } - ], - "use_update_password_fields.error.uppercase_letter": [ - { - "type": 0, - "value": "密碼必須包含至少 1 個大寫字母。" - } - ], - "use_update_password_fields.label.current_password": [ - { - "type": 0, - "value": "目前密碼" - } - ], - "use_update_password_fields.label.new_password": [ - { - "type": 0, - "value": "新密碼" - } - ], - "wishlist_primary_action.button.add_set_to_cart": [ - { - "type": 0, - "value": "新增組合至購物車" - } - ], - "wishlist_primary_action.button.add_to_cart": [ - { - "type": 0, - "value": "新增至購物車" - } - ], - "wishlist_primary_action.button.view_full_details": [ - { - "type": 0, - "value": "檢視完整詳細資料" - } - ], - "wishlist_primary_action.button.view_options": [ - { - "type": 0, - "value": "檢視選項" - } - ], - "wishlist_primary_action.info.added_to_cart": [ - { - "type": 1, - "value": "quantity" - }, - { - "type": 0, - "value": " " - }, - { - "offset": 0, - "options": { - "one": { - "value": [ - { - "type": 0, - "value": "件商品" - } - ] - }, - "other": { - "value": [ - { - "type": 0, - "value": "件商品" - } - ] - } - }, - "pluralType": "cardinal", - "type": 6, - "value": "quantity" - }, - { - "type": 0, - "value": "已新增至購物車" - } - ], - "wishlist_secondary_button_group.action.remove": [ - { - "type": 0, - "value": "移除" - } - ], - "wishlist_secondary_button_group.info.item_removed": [ - { - "type": 0, - "value": "已從願望清單移除商品" - } - ], - "with_registration.info.please_sign_in": [ - { - "type": 0, - "value": "請登入以繼續。" - } - ] -} \ No newline at end of file diff --git a/my-test-project/package-lock.json b/my-test-project/package-lock.json deleted file mode 100644 index eae01e6462..0000000000 --- a/my-test-project/package-lock.json +++ /dev/null @@ -1,23144 +0,0 @@ -{ - "name": "demo-storefront", - "version": "0.0.1", - "lockfileVersion": 3, - "requires": true, - "packages": { - "": { - "name": "demo-storefront", - "version": "0.0.1", - "hasInstallScript": true, - "license": "See license in LICENSE", - "devDependencies": { - "@salesforce/retail-react-app": "7.0.0-dev.0" - }, - "engines": { - "node": "^18.0.0 || ^20.0.0 || ^22.0.0", - "npm": "^9.0.0 || ^10.0.0 || ^11.0.0" - } - }, - "node_modules/@adobe/css-tools": { - "version": "4.4.3", - "resolved": "http://localhost:4873/@adobe/css-tools/-/css-tools-4.4.3.tgz", - "integrity": "sha512-VQKMkwriZbaOgVCby1UDY/LDk5fIjhQicCvVPFqfe+69fWaPWydbWJ3wRt59/YzIwda1I81loas3oCoHxnqvdA==", - "dev": true, - "license": "MIT" - }, - "node_modules/@ampproject/remapping": { - "version": "2.3.0", - "resolved": "http://localhost:4873/@ampproject/remapping/-/remapping-2.3.0.tgz", - "integrity": "sha512-30iZtAPgz+LTIYoeivqYo853f02jBYSd5uGnGpkFV0M3xOt9aN73erkgYAmZU43x4VfqcnLxW9Kpg3R5LC4YYw==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "@jridgewell/gen-mapping": "^0.3.5", - "@jridgewell/trace-mapping": "^0.3.24" - }, - "engines": { - "node": ">=6.0.0" - } - }, - "node_modules/@babel/cli": { - "version": "7.27.2", - "resolved": "http://localhost:4873/@babel/cli/-/cli-7.27.2.tgz", - "integrity": "sha512-cfd7DnGlhH6OIyuPSSj3vcfIdnbXukhAyKY8NaZrFadC7pXyL9mOL5WgjcptiEJLi5k3j8aYvLIVCzezrWTaiA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jridgewell/trace-mapping": "^0.3.25", - "commander": "^6.2.0", - "convert-source-map": "^2.0.0", - "fs-readdir-recursive": "^1.1.0", - "glob": "^7.2.0", - "make-dir": "^2.1.0", - "slash": "^2.0.0" - }, - "bin": { - "babel": "bin/babel.js", - "babel-external-helpers": "bin/babel-external-helpers.js" - }, - "engines": { - "node": ">=6.9.0" - }, - "optionalDependencies": { - "@nicolo-ribaudo/chokidar-2": "2.1.8-no-fsevents.3", - "chokidar": "^3.6.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/cli/node_modules/commander": { - "version": "6.2.1", - "resolved": "http://localhost:4873/commander/-/commander-6.2.1.tgz", - "integrity": "sha512-U7VdrJFnJgo4xjrHpTzu0yrHPGImdsmD95ZlgYSEajAn2JKzDhDTPG9kBTefmObL2w/ngeZnilk+OV9CG3d7UA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 6" - } - }, - "node_modules/@babel/cli/node_modules/convert-source-map": { - "version": "2.0.0", - "resolved": "http://localhost:4873/convert-source-map/-/convert-source-map-2.0.0.tgz", - "integrity": "sha512-Kvp459HrV2FEJ1CAsi1Ku+MY3kasH19TFykTz2xWmMeq6bk2NU3XXvfJ+Q61m0xktWwt+1HSYf3JZsTms3aRJg==", - "dev": true, - "license": "MIT" - }, - "node_modules/@babel/code-frame": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/code-frame/-/code-frame-7.27.1.tgz", - "integrity": "sha512-cjQ7ZlQ0Mv3b47hABuTevyTuYN4i+loJKGeV9flcCgIK37cCXRh+L1bd3iBHlynerhQ7BhCkn2BPbQUL+rGqFg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-validator-identifier": "^7.27.1", - "js-tokens": "^4.0.0", - "picocolors": "^1.1.1" - }, - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/compat-data": { - "version": "7.27.2", - "resolved": "http://localhost:4873/@babel/compat-data/-/compat-data-7.27.2.tgz", - "integrity": "sha512-TUtMJYRPyUb/9aU8f3K0mjmjf6M9N5Woshn2CS6nqJSeJtTtQcpLUXjGt9vbF8ZGff0El99sWkLgzwW3VXnxZQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/core": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/core/-/core-7.27.1.tgz", - "integrity": "sha512-IaaGWsQqfsQWVLqMn9OB92MNN7zukfVA4s7KKAI0KfrrDsZ0yhi5uV4baBuLuN7n3vsZpwP8asPPcVwApxvjBQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@ampproject/remapping": "^2.2.0", - "@babel/code-frame": "^7.27.1", - "@babel/generator": "^7.27.1", - "@babel/helper-compilation-targets": "^7.27.1", - "@babel/helper-module-transforms": "^7.27.1", - "@babel/helpers": "^7.27.1", - "@babel/parser": "^7.27.1", - "@babel/template": "^7.27.1", - "@babel/traverse": "^7.27.1", - "@babel/types": "^7.27.1", - "convert-source-map": "^2.0.0", - "debug": "^4.1.0", - "gensync": "^1.0.0-beta.2", - "json5": "^2.2.3", - "semver": "^6.3.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/babel" - } - }, - "node_modules/@babel/core/node_modules/convert-source-map": { - "version": "2.0.0", - "resolved": "http://localhost:4873/convert-source-map/-/convert-source-map-2.0.0.tgz", - "integrity": "sha512-Kvp459HrV2FEJ1CAsi1Ku+MY3kasH19TFykTz2xWmMeq6bk2NU3XXvfJ+Q61m0xktWwt+1HSYf3JZsTms3aRJg==", - "dev": true, - "license": "MIT" - }, - "node_modules/@babel/core/node_modules/semver": { - "version": "6.3.1", - "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", - "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", - "dev": true, - "license": "ISC", - "bin": { - "semver": "bin/semver.js" - } - }, - "node_modules/@babel/eslint-parser": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/eslint-parser/-/eslint-parser-7.27.1.tgz", - "integrity": "sha512-q8rjOuadH0V6Zo4XLMkJ3RMQ9MSBqwaDByyYB0izsYdaIWGNLmEblbCOf1vyFHICcg16CD7Fsi51vcQnYxmt6Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "@nicolo-ribaudo/eslint-scope-5-internals": "5.1.1-v1", - "eslint-visitor-keys": "^2.1.0", - "semver": "^6.3.1" - }, - "engines": { - "node": "^10.13.0 || ^12.13.0 || >=14.0.0" - }, - "peerDependencies": { - "@babel/core": "^7.11.0", - "eslint": "^7.5.0 || ^8.0.0 || ^9.0.0" - } - }, - "node_modules/@babel/eslint-parser/node_modules/semver": { - "version": "6.3.1", - "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", - "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", - "dev": true, - "license": "ISC", - "bin": { - "semver": "bin/semver.js" - } - }, - "node_modules/@babel/generator": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/generator/-/generator-7.27.1.tgz", - "integrity": "sha512-UnJfnIpc/+JO0/+KRVQNGU+y5taA5vCbwN8+azkX6beii/ZF+enZJSOKo11ZSzGJjlNfJHfQtmQT8H+9TXPG2w==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/parser": "^7.27.1", - "@babel/types": "^7.27.1", - "@jridgewell/gen-mapping": "^0.3.5", - "@jridgewell/trace-mapping": "^0.3.25", - "jsesc": "^3.0.2" - }, - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/helper-annotate-as-pure": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.27.1.tgz", - "integrity": "sha512-WnuuDILl9oOBbKnb4L+DyODx7iC47XfzmNCpTttFsSp6hTG7XZxu60+4IO+2/hPfcGOoKbFiwoI/+zwARbNQow==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/types": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/helper-compilation-targets": { - "version": "7.27.2", - "resolved": "http://localhost:4873/@babel/helper-compilation-targets/-/helper-compilation-targets-7.27.2.tgz", - "integrity": "sha512-2+1thGUUWWjLTYTHZWK1n8Yga0ijBz1XAhUXcKy81rd5g6yh7hGqMp45v7cadSbEHc9G3OTv45SyneRN3ps4DQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/compat-data": "^7.27.2", - "@babel/helper-validator-option": "^7.27.1", - "browserslist": "^4.24.0", - "lru-cache": "^5.1.1", - "semver": "^6.3.1" - }, - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/helper-compilation-targets/node_modules/semver": { - "version": "6.3.1", - "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", - "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", - "dev": true, - "license": "ISC", - "bin": { - "semver": "bin/semver.js" - } - }, - "node_modules/@babel/helper-create-class-features-plugin": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/helper-create-class-features-plugin/-/helper-create-class-features-plugin-7.27.1.tgz", - "integrity": "sha512-QwGAmuvM17btKU5VqXfb+Giw4JcN0hjuufz3DYnpeVDvZLAObloM77bhMXiqry3Iio+Ai4phVRDwl6WU10+r5A==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-annotate-as-pure": "^7.27.1", - "@babel/helper-member-expression-to-functions": "^7.27.1", - "@babel/helper-optimise-call-expression": "^7.27.1", - "@babel/helper-replace-supers": "^7.27.1", - "@babel/helper-skip-transparent-expression-wrappers": "^7.27.1", - "@babel/traverse": "^7.27.1", - "semver": "^6.3.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0" - } - }, - "node_modules/@babel/helper-create-class-features-plugin/node_modules/semver": { - "version": "6.3.1", - "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", - "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", - "dev": true, - "license": "ISC", - "bin": { - "semver": "bin/semver.js" - } - }, - "node_modules/@babel/helper-create-regexp-features-plugin": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/helper-create-regexp-features-plugin/-/helper-create-regexp-features-plugin-7.27.1.tgz", - "integrity": "sha512-uVDC72XVf8UbrH5qQTc18Agb8emwjTiZrQE11Nv3CuBEZmVvTwwE9CBUEvHku06gQCAyYf8Nv6ja1IN+6LMbxQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-annotate-as-pure": "^7.27.1", - "regexpu-core": "^6.2.0", - "semver": "^6.3.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0" - } - }, - "node_modules/@babel/helper-create-regexp-features-plugin/node_modules/semver": { - "version": "6.3.1", - "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", - "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", - "dev": true, - "license": "ISC", - "bin": { - "semver": "bin/semver.js" - } - }, - "node_modules/@babel/helper-define-polyfill-provider": { - "version": "0.6.4", - "resolved": "http://localhost:4873/@babel/helper-define-polyfill-provider/-/helper-define-polyfill-provider-0.6.4.tgz", - "integrity": "sha512-jljfR1rGnXXNWnmQg2K3+bvhkxB51Rl32QRaOTuwwjviGrHzIbSc8+x9CpraDtbT7mfyjXObULP4w/adunNwAw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-compilation-targets": "^7.22.6", - "@babel/helper-plugin-utils": "^7.22.5", - "debug": "^4.1.1", - "lodash.debounce": "^4.0.8", - "resolve": "^1.14.2" - }, - "peerDependencies": { - "@babel/core": "^7.4.0 || ^8.0.0-0 <8.0.0" - } - }, - "node_modules/@babel/helper-member-expression-to-functions": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/helper-member-expression-to-functions/-/helper-member-expression-to-functions-7.27.1.tgz", - "integrity": "sha512-E5chM8eWjTp/aNoVpcbfM7mLxu9XGLWYise2eBKGQomAk/Mb4XoxyqXTZbuTohbsl8EKqdlMhnDI2CCLfcs9wA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/traverse": "^7.27.1", - "@babel/types": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/helper-module-imports": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/helper-module-imports/-/helper-module-imports-7.27.1.tgz", - "integrity": "sha512-0gSFWUPNXNopqtIPQvlD5WgXYI5GY2kP2cCvoT8kczjbfcfuIljTbcWrulD1CIPIX2gt1wghbDy08yE1p+/r3w==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/traverse": "^7.27.1", - "@babel/types": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/helper-module-transforms": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/helper-module-transforms/-/helper-module-transforms-7.27.1.tgz", - "integrity": "sha512-9yHn519/8KvTU5BjTVEEeIM3w9/2yXNKoD82JifINImhpKkARMJKPP59kLo+BafpdN5zgNeIcS4jsGDmd3l58g==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-module-imports": "^7.27.1", - "@babel/helper-validator-identifier": "^7.27.1", - "@babel/traverse": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0" - } - }, - "node_modules/@babel/helper-optimise-call-expression": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/helper-optimise-call-expression/-/helper-optimise-call-expression-7.27.1.tgz", - "integrity": "sha512-URMGH08NzYFhubNSGJrpUEphGKQwMQYBySzat5cAByY1/YgIRkULnIy3tAMeszlL/so2HbeilYloUmSpd7GdVw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/types": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/helper-plugin-utils": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/helper-plugin-utils/-/helper-plugin-utils-7.27.1.tgz", - "integrity": "sha512-1gn1Up5YXka3YYAHGKpbideQ5Yjf1tDa9qYcgysz+cNCXukyLl6DjPXhD3VRwSb8c0J9tA4b2+rHEZtc6R0tlw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/helper-remap-async-to-generator": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/helper-remap-async-to-generator/-/helper-remap-async-to-generator-7.27.1.tgz", - "integrity": "sha512-7fiA521aVw8lSPeI4ZOD3vRFkoqkJcS+z4hFo82bFSH/2tNd6eJ5qCVMS5OzDmZh/kaHQeBaeyxK6wljcPtveA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-annotate-as-pure": "^7.27.1", - "@babel/helper-wrap-function": "^7.27.1", - "@babel/traverse": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0" - } - }, - "node_modules/@babel/helper-replace-supers": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/helper-replace-supers/-/helper-replace-supers-7.27.1.tgz", - "integrity": "sha512-7EHz6qDZc8RYS5ElPoShMheWvEgERonFCs7IAonWLLUTXW59DP14bCZt89/GKyreYn8g3S83m21FelHKbeDCKA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-member-expression-to-functions": "^7.27.1", - "@babel/helper-optimise-call-expression": "^7.27.1", - "@babel/traverse": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0" - } - }, - "node_modules/@babel/helper-skip-transparent-expression-wrappers": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/helper-skip-transparent-expression-wrappers/-/helper-skip-transparent-expression-wrappers-7.27.1.tgz", - "integrity": "sha512-Tub4ZKEXqbPjXgWLl2+3JpQAYBJ8+ikpQ2Ocj/q/r0LwE3UhENh7EUabyHjz2kCEsrRY83ew2DQdHluuiDQFzg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/traverse": "^7.27.1", - "@babel/types": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/helper-string-parser": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/helper-string-parser/-/helper-string-parser-7.27.1.tgz", - "integrity": "sha512-qMlSxKbpRlAridDExk92nSobyDdpPijUq2DW6oDnUqd0iOGxmQjyqhMIihI9+zv4LPyZdRje2cavWPbCbWm3eA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/helper-validator-identifier": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/helper-validator-identifier/-/helper-validator-identifier-7.27.1.tgz", - "integrity": "sha512-D2hP9eA+Sqx1kBZgzxZh0y1trbuU+JoDkiEwqhQ36nodYqJwyEIhPSdMNd7lOm/4io72luTPWH20Yda0xOuUow==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/helper-validator-option": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/helper-validator-option/-/helper-validator-option-7.27.1.tgz", - "integrity": "sha512-YvjJow9FxbhFFKDSuFnVCe2WxXk1zWc22fFePVNEaWJEu8IrZVlda6N0uHwzZrUM1il7NC9Mlp4MaJYbYd9JSg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/helper-wrap-function": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/helper-wrap-function/-/helper-wrap-function-7.27.1.tgz", - "integrity": "sha512-NFJK2sHUvrjo8wAU/nQTWU890/zB2jj0qBcCbZbbf+005cAsv6tMjXz31fBign6M5ov1o0Bllu+9nbqkfsjjJQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/template": "^7.27.1", - "@babel/traverse": "^7.27.1", - "@babel/types": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/helpers": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/helpers/-/helpers-7.27.1.tgz", - "integrity": "sha512-FCvFTm0sWV8Fxhpp2McP5/W53GPllQ9QeQ7SiqGWjMf/LVG07lFa5+pgK05IRhVwtvafT22KF+ZSnM9I545CvQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/template": "^7.27.1", - "@babel/types": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/node": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/node/-/node-7.27.1.tgz", - "integrity": "sha512-ef8ZrhxIku9LrphvyNywpiMf1UJsYQll7S4eKa228ivswPcwmObp98o5h5wL2n9FrSAuo1dsMwJ8cS1LEcBSog==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/register": "^7.27.1", - "commander": "^6.2.0", - "core-js": "^3.30.2", - "node-environment-flags": "^1.0.5", - "regenerator-runtime": "^0.14.0", - "v8flags": "^3.1.1" - }, - "bin": { - "babel-node": "bin/babel-node.js" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/node/node_modules/commander": { - "version": "6.2.1", - "resolved": "http://localhost:4873/commander/-/commander-6.2.1.tgz", - "integrity": "sha512-U7VdrJFnJgo4xjrHpTzu0yrHPGImdsmD95ZlgYSEajAn2JKzDhDTPG9kBTefmObL2w/ngeZnilk+OV9CG3d7UA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 6" - } - }, - "node_modules/@babel/parser": { - "version": "7.27.2", - "resolved": "http://localhost:4873/@babel/parser/-/parser-7.27.2.tgz", - "integrity": "sha512-QYLs8299NA7WM/bZAdp+CviYYkVoYXlDW2rzliy3chxd1PQjej7JORuMJDJXJUb9g0TT+B99EwaVLKmX+sPXWw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/types": "^7.27.1" - }, - "bin": { - "parser": "bin/babel-parser.js" - }, - "engines": { - "node": ">=6.0.0" - } - }, - "node_modules/@babel/plugin-bugfix-firefox-class-in-computed-class-key": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-bugfix-firefox-class-in-computed-class-key/-/plugin-bugfix-firefox-class-in-computed-class-key-7.27.1.tgz", - "integrity": "sha512-QPG3C9cCVRQLxAVwmefEmwdTanECuUBMQZ/ym5kiw3XKCGA7qkuQLcjWWHcrD/GKbn/WmJwaezfuuAOcyKlRPA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1", - "@babel/traverse": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0" - } - }, - "node_modules/@babel/plugin-bugfix-safari-class-field-initializer-scope": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-bugfix-safari-class-field-initializer-scope/-/plugin-bugfix-safari-class-field-initializer-scope-7.27.1.tgz", - "integrity": "sha512-qNeq3bCKnGgLkEXUuFry6dPlGfCdQNZbn7yUAPCInwAJHMU7THJfrBSozkcWq5sNM6RcF3S8XyQL2A52KNR9IA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0" - } - }, - "node_modules/@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression/-/plugin-bugfix-safari-id-destructuring-collision-in-function-expression-7.27.1.tgz", - "integrity": "sha512-g4L7OYun04N1WyqMNjldFwlfPCLVkgB54A/YCXICZYBsvJJE3kByKv9c9+R/nAfmIfjl2rKYLNyMHboYbZaWaA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0" - } - }, - "node_modules/@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining/-/plugin-bugfix-v8-spread-parameters-in-optional-chaining-7.27.1.tgz", - "integrity": "sha512-oO02gcONcD5O1iTLi/6frMJBIwWEHceWGSGqrpCmEL8nogiS6J9PBlE48CaK20/Jx1LuRml9aDftLgdjXT8+Cw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1", - "@babel/helper-skip-transparent-expression-wrappers": "^7.27.1", - "@babel/plugin-transform-optional-chaining": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.13.0" - } - }, - "node_modules/@babel/plugin-bugfix-v8-static-class-fields-redefine-readonly": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-bugfix-v8-static-class-fields-redefine-readonly/-/plugin-bugfix-v8-static-class-fields-redefine-readonly-7.27.1.tgz", - "integrity": "sha512-6BpaYGDavZqkI6yT+KSPdpZFfpnd68UKXbcjI9pJ13pvHhPrCKWOOLp+ysvMeA+DxnhuPpgIaRpxRxo5A9t5jw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1", - "@babel/traverse": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0" - } - }, - "node_modules/@babel/plugin-proposal-object-rest-spread": { - "version": "7.20.7", - "resolved": "http://localhost:4873/@babel/plugin-proposal-object-rest-spread/-/plugin-proposal-object-rest-spread-7.20.7.tgz", - "integrity": "sha512-d2S98yCiLxDVmBmE8UjGcfPvNEUbA1U5q5WxaWFUGRzJSVAZqm5W6MbPct0jxnegUZ0niLeNX+IOzEs7wYg9Dg==", - "deprecated": "This proposal has been merged to the ECMAScript standard and thus this plugin is no longer maintained. Please use @babel/plugin-transform-object-rest-spread instead.", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/compat-data": "^7.20.5", - "@babel/helper-compilation-targets": "^7.20.7", - "@babel/helper-plugin-utils": "^7.20.2", - "@babel/plugin-syntax-object-rest-spread": "^7.8.3", - "@babel/plugin-transform-parameters": "^7.20.7" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-proposal-optional-chaining": { - "version": "7.21.0", - "resolved": "http://localhost:4873/@babel/plugin-proposal-optional-chaining/-/plugin-proposal-optional-chaining-7.21.0.tgz", - "integrity": "sha512-p4zeefM72gpmEe2fkUr/OnOXpWEf8nAgk7ZYVqqfFiyIG7oFfVZcCrU64hWn5xp4tQ9LkV4bTIa5rD0KANpKNA==", - "deprecated": "This proposal has been merged to the ECMAScript standard and thus this plugin is no longer maintained. Please use @babel/plugin-transform-optional-chaining instead.", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.20.2", - "@babel/helper-skip-transparent-expression-wrappers": "^7.20.0", - "@babel/plugin-syntax-optional-chaining": "^7.8.3" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-proposal-private-property-in-object": { - "version": "7.21.0-placeholder-for-preset-env.2", - "resolved": "http://localhost:4873/@babel/plugin-proposal-private-property-in-object/-/plugin-proposal-private-property-in-object-7.21.0-placeholder-for-preset-env.2.tgz", - "integrity": "sha512-SOSkfJDddaM7mak6cPEpswyTRnuRltl429hMraQEglW+OkovnCzsiszTmsrlY//qLFjCpQDFRvjdm2wA5pPm9w==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-async-generators": { - "version": "7.8.4", - "resolved": "http://localhost:4873/@babel/plugin-syntax-async-generators/-/plugin-syntax-async-generators-7.8.4.tgz", - "integrity": "sha512-tycmZxkGfZaxhMRbXlPXuVFpdWlXpir2W4AMhSJgRKzk/eDlIXOhb2LHWoLpDF7TEHylV5zNhykX6KAgHJmTNw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.8.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-bigint": { - "version": "7.8.3", - "resolved": "http://localhost:4873/@babel/plugin-syntax-bigint/-/plugin-syntax-bigint-7.8.3.tgz", - "integrity": "sha512-wnTnFlG+YxQm3vDxpGE57Pj0srRU4sHE/mDkt1qv2YJJSeUAec2ma4WLUnUPeKjyrfntVwe/N6dCXpU+zL3Npg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.8.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-class-properties": { - "version": "7.12.13", - "resolved": "http://localhost:4873/@babel/plugin-syntax-class-properties/-/plugin-syntax-class-properties-7.12.13.tgz", - "integrity": "sha512-fm4idjKla0YahUNgFNLCB0qySdsoPiZP3iQE3rky0mBUtMZ23yDJ9SJdg6dXTSDnulOVqiF3Hgr9nbXvXTQZYA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.12.13" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-class-static-block": { - "version": "7.14.5", - "resolved": "http://localhost:4873/@babel/plugin-syntax-class-static-block/-/plugin-syntax-class-static-block-7.14.5.tgz", - "integrity": "sha512-b+YyPmr6ldyNnM6sqYeMWE+bgJcJpO6yS4QD7ymxgH34GBPNDM/THBh8iunyvKIZztiwLH4CJZ0RxTk9emgpjw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.14.5" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-dynamic-import": { - "version": "7.8.3", - "resolved": "http://localhost:4873/@babel/plugin-syntax-dynamic-import/-/plugin-syntax-dynamic-import-7.8.3.tgz", - "integrity": "sha512-5gdGbFon+PszYzqs83S3E5mpi7/y/8M9eC90MRTZfduQOYW76ig6SOSPNe41IG5LoP3FGBn2N0RjVDSQiS94kQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.8.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-import-assertions": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-syntax-import-assertions/-/plugin-syntax-import-assertions-7.27.1.tgz", - "integrity": "sha512-UT/Jrhw57xg4ILHLFnzFpPDlMbcdEicaAtjPQpbj9wa8T4r5KVWCimHcL/460g8Ht0DMxDyjsLgiWSkVjnwPFg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-import-attributes": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-syntax-import-attributes/-/plugin-syntax-import-attributes-7.27.1.tgz", - "integrity": "sha512-oFT0FrKHgF53f4vOsZGi2Hh3I35PfSmVs4IBFLFj4dnafP+hIWDLg3VyKmUHfLoLHlyxY4C7DGtmHuJgn+IGww==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-import-meta": { - "version": "7.10.4", - "resolved": "http://localhost:4873/@babel/plugin-syntax-import-meta/-/plugin-syntax-import-meta-7.10.4.tgz", - "integrity": "sha512-Yqfm+XDx0+Prh3VSeEQCPU81yC+JWZ2pDPFSS4ZdpfZhp4MkFMaDC1UqseovEKwSUpnIL7+vK+Clp7bfh0iD7g==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.10.4" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-json-strings": { - "version": "7.8.3", - "resolved": "http://localhost:4873/@babel/plugin-syntax-json-strings/-/plugin-syntax-json-strings-7.8.3.tgz", - "integrity": "sha512-lY6kdGpWHvjoe2vk4WrAapEuBR69EMxZl+RoGRhrFGNYVK8mOPAW8VfbT/ZgrFbXlDNiiaxQnAtgVCZ6jv30EA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.8.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-jsx": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-syntax-jsx/-/plugin-syntax-jsx-7.27.1.tgz", - "integrity": "sha512-y8YTNIeKoyhGd9O0Jiyzyyqk8gdjnumGTQPsz0xOZOQ2RmkVJeZ1vmmfIvFEKqucBG6axJGBZDE/7iI5suUI/w==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-logical-assignment-operators": { - "version": "7.10.4", - "resolved": "http://localhost:4873/@babel/plugin-syntax-logical-assignment-operators/-/plugin-syntax-logical-assignment-operators-7.10.4.tgz", - "integrity": "sha512-d8waShlpFDinQ5MtvGU9xDAOzKH47+FFoney2baFIoMr952hKOLp1HR7VszoZvOsV/4+RRszNY7D17ba0te0ig==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.10.4" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-nullish-coalescing-operator": { - "version": "7.8.3", - "resolved": "http://localhost:4873/@babel/plugin-syntax-nullish-coalescing-operator/-/plugin-syntax-nullish-coalescing-operator-7.8.3.tgz", - "integrity": "sha512-aSff4zPII1u2QD7y+F8oDsz19ew4IGEJg9SVW+bqwpwtfFleiQDMdzA/R+UlWDzfnHFCxxleFT0PMIrR36XLNQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.8.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-numeric-separator": { - "version": "7.10.4", - "resolved": "http://localhost:4873/@babel/plugin-syntax-numeric-separator/-/plugin-syntax-numeric-separator-7.10.4.tgz", - "integrity": "sha512-9H6YdfkcK/uOnY/K7/aA2xpzaAgkQn37yzWUMRK7OaPOqOpGS1+n0H5hxT9AUw9EsSjPW8SVyMJwYRtWs3X3ug==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.10.4" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-object-rest-spread": { - "version": "7.8.3", - "resolved": "http://localhost:4873/@babel/plugin-syntax-object-rest-spread/-/plugin-syntax-object-rest-spread-7.8.3.tgz", - "integrity": "sha512-XoqMijGZb9y3y2XskN+P1wUGiVwWZ5JmoDRwx5+3GmEplNyVM2s2Dg8ILFQm8rWM48orGy5YpI5Bl8U1y7ydlA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.8.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-optional-catch-binding": { - "version": "7.8.3", - "resolved": "http://localhost:4873/@babel/plugin-syntax-optional-catch-binding/-/plugin-syntax-optional-catch-binding-7.8.3.tgz", - "integrity": "sha512-6VPD0Pc1lpTqw0aKoeRTMiB+kWhAoT24PA+ksWSBrFtl5SIRVpZlwN3NNPQjehA2E/91FV3RjLWoVTglWcSV3Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.8.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-optional-chaining": { - "version": "7.8.3", - "resolved": "http://localhost:4873/@babel/plugin-syntax-optional-chaining/-/plugin-syntax-optional-chaining-7.8.3.tgz", - "integrity": "sha512-KoK9ErH1MBlCPxV0VANkXW2/dw4vlbGDrFgz8bmUsBGYkFRcbRwMh6cIJubdPrkxRwuGdtCk0v/wPTKbQgBjkg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.8.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-private-property-in-object": { - "version": "7.14.5", - "resolved": "http://localhost:4873/@babel/plugin-syntax-private-property-in-object/-/plugin-syntax-private-property-in-object-7.14.5.tgz", - "integrity": "sha512-0wVnp9dxJ72ZUJDV27ZfbSj6iHLoytYZmh3rFcxNnvsJF3ktkzLDZPy/mA17HGsaQT3/DQsWYX1f1QGWkCoVUg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.14.5" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-top-level-await": { - "version": "7.14.5", - "resolved": "http://localhost:4873/@babel/plugin-syntax-top-level-await/-/plugin-syntax-top-level-await-7.14.5.tgz", - "integrity": "sha512-hx++upLv5U1rgYfwe1xBQUhRmU41NEvpUvrp8jkrSCdvGSnM5/qdRMtylJ6PG5OFkBaHkbTAKTnd3/YyESRHFw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.14.5" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-typescript": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-syntax-typescript/-/plugin-syntax-typescript-7.27.1.tgz", - "integrity": "sha512-xfYCBMxveHrRMnAWl1ZlPXOZjzkN82THFvLhQhFXFt81Z5HnN+EtUkZhv/zcKpmT3fzmWZB0ywiBrbC3vogbwQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-syntax-unicode-sets-regex": { - "version": "7.18.6", - "resolved": "http://localhost:4873/@babel/plugin-syntax-unicode-sets-regex/-/plugin-syntax-unicode-sets-regex-7.18.6.tgz", - "integrity": "sha512-727YkEAPwSIQTv5im8QHz3upqp92JTWhidIC81Tdx4VJYIte/VndKf1qKrfnnhPLiPghStWfvC/iFaMCQu7Nqg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-create-regexp-features-plugin": "^7.18.6", - "@babel/helper-plugin-utils": "^7.18.6" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0" - } - }, - "node_modules/@babel/plugin-transform-arrow-functions": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-arrow-functions/-/plugin-transform-arrow-functions-7.27.1.tgz", - "integrity": "sha512-8Z4TGic6xW70FKThA5HYEKKyBpOOsucTOD1DjU3fZxDg+K3zBJcXMFnt/4yQiZnf5+MiOMSXQ9PaEK/Ilh1DeA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-async-generator-functions": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-async-generator-functions/-/plugin-transform-async-generator-functions-7.27.1.tgz", - "integrity": "sha512-eST9RrwlpaoJBDHShc+DS2SG4ATTi2MYNb4OxYkf3n+7eb49LWpnS+HSpVfW4x927qQwgk8A2hGNVaajAEw0EA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1", - "@babel/helper-remap-async-to-generator": "^7.27.1", - "@babel/traverse": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-async-to-generator": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-async-to-generator/-/plugin-transform-async-to-generator-7.27.1.tgz", - "integrity": "sha512-NREkZsZVJS4xmTr8qzE5y8AfIPqsdQfRuUiLRTEzb7Qii8iFWCyDKaUV2c0rCuh4ljDZ98ALHP/PetiBV2nddA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-module-imports": "^7.27.1", - "@babel/helper-plugin-utils": "^7.27.1", - "@babel/helper-remap-async-to-generator": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-block-scoped-functions": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-block-scoped-functions/-/plugin-transform-block-scoped-functions-7.27.1.tgz", - "integrity": "sha512-cnqkuOtZLapWYZUYM5rVIdv1nXYuFVIltZ6ZJ7nIj585QsjKM5dhL2Fu/lICXZ1OyIAFc7Qy+bvDAtTXqGrlhg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-block-scoping": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-block-scoping/-/plugin-transform-block-scoping-7.27.1.tgz", - "integrity": "sha512-QEcFlMl9nGTgh1rn2nIeU5bkfb9BAjaQcWbiP4LvKxUot52ABcTkpcyJ7f2Q2U2RuQ84BNLgts3jRme2dTx6Fw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-class-properties": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-class-properties/-/plugin-transform-class-properties-7.27.1.tgz", - "integrity": "sha512-D0VcalChDMtuRvJIu3U/fwWjf8ZMykz5iZsg77Nuj821vCKI3zCyRLwRdWbsuJ/uRwZhZ002QtCqIkwC/ZkvbA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-create-class-features-plugin": "^7.27.1", - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-class-static-block": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-class-static-block/-/plugin-transform-class-static-block-7.27.1.tgz", - "integrity": "sha512-s734HmYU78MVzZ++joYM+NkJusItbdRcbm+AGRgJCt3iA+yux0QpD9cBVdz3tKyrjVYWRl7j0mHSmv4lhV0aoA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-create-class-features-plugin": "^7.27.1", - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.12.0" - } - }, - "node_modules/@babel/plugin-transform-classes": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-classes/-/plugin-transform-classes-7.27.1.tgz", - "integrity": "sha512-7iLhfFAubmpeJe/Wo2TVuDrykh/zlWXLzPNdL0Jqn/Xu8R3QQ8h9ff8FQoISZOsw74/HFqFI7NX63HN7QFIHKA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-annotate-as-pure": "^7.27.1", - "@babel/helper-compilation-targets": "^7.27.1", - "@babel/helper-plugin-utils": "^7.27.1", - "@babel/helper-replace-supers": "^7.27.1", - "@babel/traverse": "^7.27.1", - "globals": "^11.1.0" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-computed-properties": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-computed-properties/-/plugin-transform-computed-properties-7.27.1.tgz", - "integrity": "sha512-lj9PGWvMTVksbWiDT2tW68zGS/cyo4AkZ/QTp0sQT0mjPopCmrSkzxeXkznjqBxzDI6TclZhOJbBmbBLjuOZUw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1", - "@babel/template": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-destructuring": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-destructuring/-/plugin-transform-destructuring-7.27.1.tgz", - "integrity": "sha512-ttDCqhfvpE9emVkXbPD8vyxxh4TWYACVybGkDj+oReOGwnp066ITEivDlLwe0b1R0+evJ13IXQuLNB5w1fhC5Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-dotall-regex": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-dotall-regex/-/plugin-transform-dotall-regex-7.27.1.tgz", - "integrity": "sha512-gEbkDVGRvjj7+T1ivxrfgygpT7GUd4vmODtYpbs0gZATdkX8/iSnOtZSxiZnsgm1YjTgjI6VKBGSJJevkrclzw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-create-regexp-features-plugin": "^7.27.1", - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-duplicate-keys": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-duplicate-keys/-/plugin-transform-duplicate-keys-7.27.1.tgz", - "integrity": "sha512-MTyJk98sHvSs+cvZ4nOauwTTG1JeonDjSGvGGUNHreGQns+Mpt6WX/dVzWBHgg+dYZhkC4X+zTDfkTU+Vy9y7Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-duplicate-named-capturing-groups-regex": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-duplicate-named-capturing-groups-regex/-/plugin-transform-duplicate-named-capturing-groups-regex-7.27.1.tgz", - "integrity": "sha512-hkGcueTEzuhB30B3eJCbCYeCaaEQOmQR0AdvzpD4LoN0GXMWzzGSuRrxR2xTnCrvNbVwK9N6/jQ92GSLfiZWoQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-create-regexp-features-plugin": "^7.27.1", - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0" - } - }, - "node_modules/@babel/plugin-transform-dynamic-import": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-dynamic-import/-/plugin-transform-dynamic-import-7.27.1.tgz", - "integrity": "sha512-MHzkWQcEmjzzVW9j2q8LGjwGWpG2mjwaaB0BNQwst3FIjqsg8Ct/mIZlvSPJvfi9y2AC8mi/ktxbFVL9pZ1I4A==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-exponentiation-operator": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-exponentiation-operator/-/plugin-transform-exponentiation-operator-7.27.1.tgz", - "integrity": "sha512-uspvXnhHvGKf2r4VVtBpeFnuDWsJLQ6MF6lGJLC89jBR1uoVeqM416AZtTuhTezOfgHicpJQmoD5YUakO/YmXQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-export-namespace-from": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-export-namespace-from/-/plugin-transform-export-namespace-from-7.27.1.tgz", - "integrity": "sha512-tQvHWSZ3/jH2xuq/vZDy0jNn+ZdXJeM8gHvX4lnJmsc3+50yPlWdZXIc5ay+umX+2/tJIqHqiEqcJvxlmIvRvQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-for-of": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-for-of/-/plugin-transform-for-of-7.27.1.tgz", - "integrity": "sha512-BfbWFFEJFQzLCQ5N8VocnCtA8J1CLkNTe2Ms2wocj75dd6VpiqS5Z5quTYcUoo4Yq+DN0rtikODccuv7RU81sw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1", - "@babel/helper-skip-transparent-expression-wrappers": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-function-name": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-function-name/-/plugin-transform-function-name-7.27.1.tgz", - "integrity": "sha512-1bQeydJF9Nr1eBCMMbC+hdwmRlsv5XYOMu03YSWFwNs0HsAmtSxxF1fyuYPqemVldVyFmlCU7w8UE14LupUSZQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-compilation-targets": "^7.27.1", - "@babel/helper-plugin-utils": "^7.27.1", - "@babel/traverse": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-json-strings": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-json-strings/-/plugin-transform-json-strings-7.27.1.tgz", - "integrity": "sha512-6WVLVJiTjqcQauBhn1LkICsR2H+zm62I3h9faTDKt1qP4jn2o72tSvqMwtGFKGTpojce0gJs+76eZ2uCHRZh0Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-literals": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-literals/-/plugin-transform-literals-7.27.1.tgz", - "integrity": "sha512-0HCFSepIpLTkLcsi86GG3mTUzxV5jpmbv97hTETW3yzrAij8aqlD36toB1D0daVFJM8NK6GvKO0gslVQmm+zZA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-logical-assignment-operators": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-logical-assignment-operators/-/plugin-transform-logical-assignment-operators-7.27.1.tgz", - "integrity": "sha512-SJvDs5dXxiae4FbSL1aBJlG4wvl594N6YEVVn9e3JGulwioy6z3oPjx/sQBO3Y4NwUu5HNix6KJ3wBZoewcdbw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-member-expression-literals": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-member-expression-literals/-/plugin-transform-member-expression-literals-7.27.1.tgz", - "integrity": "sha512-hqoBX4dcZ1I33jCSWcXrP+1Ku7kdqXf1oeah7ooKOIiAdKQ+uqftgCFNOSzA5AMS2XIHEYeGFg4cKRCdpxzVOQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-modules-amd": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-modules-amd/-/plugin-transform-modules-amd-7.27.1.tgz", - "integrity": "sha512-iCsytMg/N9/oFq6n+gFTvUYDZQOMK5kEdeYxmxt91fcJGycfxVP9CnrxoliM0oumFERba2i8ZtwRUCMhvP1LnA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-module-transforms": "^7.27.1", - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-modules-commonjs": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-modules-commonjs/-/plugin-transform-modules-commonjs-7.27.1.tgz", - "integrity": "sha512-OJguuwlTYlN0gBZFRPqwOGNWssZjfIUdS7HMYtN8c1KmwpwHFBwTeFZrg9XZa+DFTitWOW5iTAG7tyCUPsCCyw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-module-transforms": "^7.27.1", - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-modules-systemjs": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-modules-systemjs/-/plugin-transform-modules-systemjs-7.27.1.tgz", - "integrity": "sha512-w5N1XzsRbc0PQStASMksmUeqECuzKuTJer7kFagK8AXgpCMkeDMO5S+aaFb7A51ZYDF7XI34qsTX+fkHiIm5yA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-module-transforms": "^7.27.1", - "@babel/helper-plugin-utils": "^7.27.1", - "@babel/helper-validator-identifier": "^7.27.1", - "@babel/traverse": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-modules-umd": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-modules-umd/-/plugin-transform-modules-umd-7.27.1.tgz", - "integrity": "sha512-iQBE/xC5BV1OxJbp6WG7jq9IWiD+xxlZhLrdwpPkTX3ydmXdvoCpyfJN7acaIBZaOqTfr76pgzqBJflNbeRK+w==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-module-transforms": "^7.27.1", - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-named-capturing-groups-regex": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-named-capturing-groups-regex/-/plugin-transform-named-capturing-groups-regex-7.27.1.tgz", - "integrity": "sha512-SstR5JYy8ddZvD6MhV0tM/j16Qds4mIpJTOd1Yu9J9pJjH93bxHECF7pgtc28XvkzTD6Pxcm/0Z73Hvk7kb3Ng==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-create-regexp-features-plugin": "^7.27.1", - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0" - } - }, - "node_modules/@babel/plugin-transform-new-target": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-new-target/-/plugin-transform-new-target-7.27.1.tgz", - "integrity": "sha512-f6PiYeqXQ05lYq3TIfIDu/MtliKUbNwkGApPUvyo6+tc7uaR4cPjPe7DFPr15Uyycg2lZU6btZ575CuQoYh7MQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-nullish-coalescing-operator": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-nullish-coalescing-operator/-/plugin-transform-nullish-coalescing-operator-7.27.1.tgz", - "integrity": "sha512-aGZh6xMo6q9vq1JGcw58lZ1Z0+i0xB2x0XaauNIUXd6O1xXc3RwoWEBlsTQrY4KQ9Jf0s5rgD6SiNkaUdJegTA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-numeric-separator": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-numeric-separator/-/plugin-transform-numeric-separator-7.27.1.tgz", - "integrity": "sha512-fdPKAcujuvEChxDBJ5c+0BTaS6revLV7CJL08e4m3de8qJfNIuCc2nc7XJYOjBoTMJeqSmwXJ0ypE14RCjLwaw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-object-assign": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-object-assign/-/plugin-transform-object-assign-7.27.1.tgz", - "integrity": "sha512-LP6tsnirA6iy13uBKiYgjJsfQrodmlSrpZModtlo1Vk8sOO68gfo7dfA9TGJyEgxTiO7czK4EGZm8FJEZtk4kQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-object-rest-spread": { - "version": "7.27.2", - "resolved": "http://localhost:4873/@babel/plugin-transform-object-rest-spread/-/plugin-transform-object-rest-spread-7.27.2.tgz", - "integrity": "sha512-AIUHD7xJ1mCrj3uPozvtngY3s0xpv7Nu7DoUSnzNY6Xam1Cy4rUznR//pvMHOhQ4AvbCexhbqXCtpxGHOGOO6g==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-compilation-targets": "^7.27.2", - "@babel/helper-plugin-utils": "^7.27.1", - "@babel/plugin-transform-destructuring": "^7.27.1", - "@babel/plugin-transform-parameters": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-object-super": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-object-super/-/plugin-transform-object-super-7.27.1.tgz", - "integrity": "sha512-SFy8S9plRPbIcxlJ8A6mT/CxFdJx/c04JEctz4jf8YZaVS2px34j7NXRrlGlHkN/M2gnpL37ZpGRGVFLd3l8Ng==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1", - "@babel/helper-replace-supers": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-optional-catch-binding": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-optional-catch-binding/-/plugin-transform-optional-catch-binding-7.27.1.tgz", - "integrity": "sha512-txEAEKzYrHEX4xSZN4kJ+OfKXFVSWKB2ZxM9dpcE3wT7smwkNmXo5ORRlVzMVdJbD+Q8ILTgSD7959uj+3Dm3Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-optional-chaining": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-optional-chaining/-/plugin-transform-optional-chaining-7.27.1.tgz", - "integrity": "sha512-BQmKPPIuc8EkZgNKsv0X4bPmOoayeu4F1YCwx2/CfmDSXDbp7GnzlUH+/ul5VGfRg1AoFPsrIThlEBj2xb4CAg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1", - "@babel/helper-skip-transparent-expression-wrappers": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-parameters": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-parameters/-/plugin-transform-parameters-7.27.1.tgz", - "integrity": "sha512-018KRk76HWKeZ5l4oTj2zPpSh+NbGdt0st5S6x0pga6HgrjBOJb24mMDHorFopOOd6YHkLgOZ+zaCjZGPO4aKg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-private-methods": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-private-methods/-/plugin-transform-private-methods-7.27.1.tgz", - "integrity": "sha512-10FVt+X55AjRAYI9BrdISN9/AQWHqldOeZDUoLyif1Kn05a56xVBXb8ZouL8pZ9jem8QpXaOt8TS7RHUIS+GPA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-create-class-features-plugin": "^7.27.1", - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-private-property-in-object": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-private-property-in-object/-/plugin-transform-private-property-in-object-7.27.1.tgz", - "integrity": "sha512-5J+IhqTi1XPa0DXF83jYOaARrX+41gOewWbkPyjMNRDqgOCqdffGh8L3f/Ek5utaEBZExjSAzcyjmV9SSAWObQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-annotate-as-pure": "^7.27.1", - "@babel/helper-create-class-features-plugin": "^7.27.1", - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-property-literals": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-property-literals/-/plugin-transform-property-literals-7.27.1.tgz", - "integrity": "sha512-oThy3BCuCha8kDZ8ZkgOg2exvPYUlprMukKQXI1r1pJ47NCvxfkEy8vK+r/hT9nF0Aa4H1WUPZZjHTFtAhGfmQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-react-display-name": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-react-display-name/-/plugin-transform-react-display-name-7.27.1.tgz", - "integrity": "sha512-p9+Vl3yuHPmkirRrg021XiP+EETmPMQTLr6Ayjj85RLNEbb3Eya/4VI0vAdzQG9SEAl2Lnt7fy5lZyMzjYoZQQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-react-jsx": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-react-jsx/-/plugin-transform-react-jsx-7.27.1.tgz", - "integrity": "sha512-2KH4LWGSrJIkVf5tSiBFYuXDAoWRq2MMwgivCf+93dd0GQi8RXLjKA/0EvRnVV5G0hrHczsquXuD01L8s6dmBw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-annotate-as-pure": "^7.27.1", - "@babel/helper-module-imports": "^7.27.1", - "@babel/helper-plugin-utils": "^7.27.1", - "@babel/plugin-syntax-jsx": "^7.27.1", - "@babel/types": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-react-jsx-development": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-react-jsx-development/-/plugin-transform-react-jsx-development-7.27.1.tgz", - "integrity": "sha512-ykDdF5yI4f1WrAolLqeF3hmYU12j9ntLQl/AOG1HAS21jxyg1Q0/J/tpREuYLfatGdGmXp/3yS0ZA76kOlVq9Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/plugin-transform-react-jsx": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-react-pure-annotations": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-react-pure-annotations/-/plugin-transform-react-pure-annotations-7.27.1.tgz", - "integrity": "sha512-JfuinvDOsD9FVMTHpzA/pBLisxpv1aSf+OIV8lgH3MuWrks19R27e6a6DipIg4aX1Zm9Wpb04p8wljfKrVSnPA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-annotate-as-pure": "^7.27.1", - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-regenerator": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-regenerator/-/plugin-transform-regenerator-7.27.1.tgz", - "integrity": "sha512-B19lbbL7PMrKr52BNPjCqg1IyNUIjTcxKj8uX9zHO+PmWN93s19NDr/f69mIkEp2x9nmDJ08a7lgHaTTzvW7mw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-regexp-modifiers": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-regexp-modifiers/-/plugin-transform-regexp-modifiers-7.27.1.tgz", - "integrity": "sha512-TtEciroaiODtXvLZv4rmfMhkCv8jx3wgKpL68PuiPh2M4fvz5jhsA7697N1gMvkvr/JTF13DrFYyEbY9U7cVPA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-create-regexp-features-plugin": "^7.27.1", - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0" - } - }, - "node_modules/@babel/plugin-transform-reserved-words": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-reserved-words/-/plugin-transform-reserved-words-7.27.1.tgz", - "integrity": "sha512-V2ABPHIJX4kC7HegLkYoDpfg9PVmuWy/i6vUM5eGK22bx4YVFD3M5F0QQnWQoDs6AGsUWTVOopBiMFQgHaSkVw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-runtime": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-runtime/-/plugin-transform-runtime-7.27.1.tgz", - "integrity": "sha512-TqGF3desVsTcp3WrJGj4HfKokfCXCLcHpt4PJF0D8/iT6LPd9RS82Upw3KPeyr6B22Lfd3DO8MVrmp0oRkUDdw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-module-imports": "^7.27.1", - "@babel/helper-plugin-utils": "^7.27.1", - "babel-plugin-polyfill-corejs2": "^0.4.10", - "babel-plugin-polyfill-corejs3": "^0.11.0", - "babel-plugin-polyfill-regenerator": "^0.6.1", - "semver": "^6.3.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-runtime/node_modules/semver": { - "version": "6.3.1", - "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", - "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", - "dev": true, - "license": "ISC", - "bin": { - "semver": "bin/semver.js" - } - }, - "node_modules/@babel/plugin-transform-shorthand-properties": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-shorthand-properties/-/plugin-transform-shorthand-properties-7.27.1.tgz", - "integrity": "sha512-N/wH1vcn4oYawbJ13Y/FxcQrWk63jhfNa7jef0ih7PHSIHX2LB7GWE1rkPrOnka9kwMxb6hMl19p7lidA+EHmQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-spread": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-spread/-/plugin-transform-spread-7.27.1.tgz", - "integrity": "sha512-kpb3HUqaILBJcRFVhFUs6Trdd4mkrzcGXss+6/mxUd273PfbWqSDHRzMT2234gIg2QYfAjvXLSquP1xECSg09Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1", - "@babel/helper-skip-transparent-expression-wrappers": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-sticky-regex": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-sticky-regex/-/plugin-transform-sticky-regex-7.27.1.tgz", - "integrity": "sha512-lhInBO5bi/Kowe2/aLdBAawijx+q1pQzicSgnkB6dUPc1+RC8QmJHKf2OjvU+NZWitguJHEaEmbV6VWEouT58g==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-template-literals": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-template-literals/-/plugin-transform-template-literals-7.27.1.tgz", - "integrity": "sha512-fBJKiV7F2DxZUkg5EtHKXQdbsbURW3DZKQUWphDum0uRP6eHGGa/He9mc0mypL680pb+e/lDIthRohlv8NCHkg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-typeof-symbol": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-typeof-symbol/-/plugin-transform-typeof-symbol-7.27.1.tgz", - "integrity": "sha512-RiSILC+nRJM7FY5srIyc4/fGIwUhyDuuBSdWn4y6yT6gm652DpCHZjIipgn6B7MQ1ITOUnAKWixEUjQRIBIcLw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-typescript": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-typescript/-/plugin-transform-typescript-7.27.1.tgz", - "integrity": "sha512-Q5sT5+O4QUebHdbwKedFBEwRLb02zJ7r4A5Gg2hUoLuU3FjdMcyqcywqUrLCaDsFCxzokf7u9kuy7qz51YUuAg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-annotate-as-pure": "^7.27.1", - "@babel/helper-create-class-features-plugin": "^7.27.1", - "@babel/helper-plugin-utils": "^7.27.1", - "@babel/helper-skip-transparent-expression-wrappers": "^7.27.1", - "@babel/plugin-syntax-typescript": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-unicode-escapes": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-unicode-escapes/-/plugin-transform-unicode-escapes-7.27.1.tgz", - "integrity": "sha512-Ysg4v6AmF26k9vpfFuTZg8HRfVWzsh1kVfowA23y9j/Gu6dOuahdUVhkLqpObp3JIv27MLSii6noRnuKN8H0Mg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-unicode-property-regex": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-unicode-property-regex/-/plugin-transform-unicode-property-regex-7.27.1.tgz", - "integrity": "sha512-uW20S39PnaTImxp39O5qFlHLS9LJEmANjMG7SxIhap8rCHqu0Ik+tLEPX5DKmHn6CsWQ7j3lix2tFOa5YtL12Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-create-regexp-features-plugin": "^7.27.1", - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-unicode-regex": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-unicode-regex/-/plugin-transform-unicode-regex-7.27.1.tgz", - "integrity": "sha512-xvINq24TRojDuyt6JGtHmkVkrfVV3FPT16uytxImLeBZqW3/H52yN+kM1MGuyPkIQxrzKwPHs5U/MP3qKyzkGw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-create-regexp-features-plugin": "^7.27.1", - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/plugin-transform-unicode-sets-regex": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/plugin-transform-unicode-sets-regex/-/plugin-transform-unicode-sets-regex-7.27.1.tgz", - "integrity": "sha512-EtkOujbc4cgvb0mlpQefi4NTPBzhSIevblFevACNLUspmrALgmEBdL/XfnyyITfd8fKBZrZys92zOWcik7j9Tw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-create-regexp-features-plugin": "^7.27.1", - "@babel/helper-plugin-utils": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0" - } - }, - "node_modules/@babel/preset-env": { - "version": "7.27.2", - "resolved": "http://localhost:4873/@babel/preset-env/-/preset-env-7.27.2.tgz", - "integrity": "sha512-Ma4zSuYSlGNRlCLO+EAzLnCmJK2vdstgv+n7aUP+/IKZrOfWHOJVdSJtuub8RzHTj3ahD37k5OKJWvzf16TQyQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/compat-data": "^7.27.2", - "@babel/helper-compilation-targets": "^7.27.2", - "@babel/helper-plugin-utils": "^7.27.1", - "@babel/helper-validator-option": "^7.27.1", - "@babel/plugin-bugfix-firefox-class-in-computed-class-key": "^7.27.1", - "@babel/plugin-bugfix-safari-class-field-initializer-scope": "^7.27.1", - "@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression": "^7.27.1", - "@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining": "^7.27.1", - "@babel/plugin-bugfix-v8-static-class-fields-redefine-readonly": "^7.27.1", - "@babel/plugin-proposal-private-property-in-object": "7.21.0-placeholder-for-preset-env.2", - "@babel/plugin-syntax-import-assertions": "^7.27.1", - "@babel/plugin-syntax-import-attributes": "^7.27.1", - "@babel/plugin-syntax-unicode-sets-regex": "^7.18.6", - "@babel/plugin-transform-arrow-functions": "^7.27.1", - "@babel/plugin-transform-async-generator-functions": "^7.27.1", - "@babel/plugin-transform-async-to-generator": "^7.27.1", - "@babel/plugin-transform-block-scoped-functions": "^7.27.1", - "@babel/plugin-transform-block-scoping": "^7.27.1", - "@babel/plugin-transform-class-properties": "^7.27.1", - "@babel/plugin-transform-class-static-block": "^7.27.1", - "@babel/plugin-transform-classes": "^7.27.1", - "@babel/plugin-transform-computed-properties": "^7.27.1", - "@babel/plugin-transform-destructuring": "^7.27.1", - "@babel/plugin-transform-dotall-regex": "^7.27.1", - "@babel/plugin-transform-duplicate-keys": "^7.27.1", - "@babel/plugin-transform-duplicate-named-capturing-groups-regex": "^7.27.1", - "@babel/plugin-transform-dynamic-import": "^7.27.1", - "@babel/plugin-transform-exponentiation-operator": "^7.27.1", - "@babel/plugin-transform-export-namespace-from": "^7.27.1", - "@babel/plugin-transform-for-of": "^7.27.1", - "@babel/plugin-transform-function-name": "^7.27.1", - "@babel/plugin-transform-json-strings": "^7.27.1", - "@babel/plugin-transform-literals": "^7.27.1", - "@babel/plugin-transform-logical-assignment-operators": "^7.27.1", - "@babel/plugin-transform-member-expression-literals": "^7.27.1", - "@babel/plugin-transform-modules-amd": "^7.27.1", - "@babel/plugin-transform-modules-commonjs": "^7.27.1", - "@babel/plugin-transform-modules-systemjs": "^7.27.1", - "@babel/plugin-transform-modules-umd": "^7.27.1", - "@babel/plugin-transform-named-capturing-groups-regex": "^7.27.1", - "@babel/plugin-transform-new-target": "^7.27.1", - "@babel/plugin-transform-nullish-coalescing-operator": "^7.27.1", - "@babel/plugin-transform-numeric-separator": "^7.27.1", - "@babel/plugin-transform-object-rest-spread": "^7.27.2", - "@babel/plugin-transform-object-super": "^7.27.1", - "@babel/plugin-transform-optional-catch-binding": "^7.27.1", - "@babel/plugin-transform-optional-chaining": "^7.27.1", - "@babel/plugin-transform-parameters": "^7.27.1", - "@babel/plugin-transform-private-methods": "^7.27.1", - "@babel/plugin-transform-private-property-in-object": "^7.27.1", - "@babel/plugin-transform-property-literals": "^7.27.1", - "@babel/plugin-transform-regenerator": "^7.27.1", - "@babel/plugin-transform-regexp-modifiers": "^7.27.1", - "@babel/plugin-transform-reserved-words": "^7.27.1", - "@babel/plugin-transform-shorthand-properties": "^7.27.1", - "@babel/plugin-transform-spread": "^7.27.1", - "@babel/plugin-transform-sticky-regex": "^7.27.1", - "@babel/plugin-transform-template-literals": "^7.27.1", - "@babel/plugin-transform-typeof-symbol": "^7.27.1", - "@babel/plugin-transform-unicode-escapes": "^7.27.1", - "@babel/plugin-transform-unicode-property-regex": "^7.27.1", - "@babel/plugin-transform-unicode-regex": "^7.27.1", - "@babel/plugin-transform-unicode-sets-regex": "^7.27.1", - "@babel/preset-modules": "0.1.6-no-external-plugins", - "babel-plugin-polyfill-corejs2": "^0.4.10", - "babel-plugin-polyfill-corejs3": "^0.11.0", - "babel-plugin-polyfill-regenerator": "^0.6.1", - "core-js-compat": "^3.40.0", - "semver": "^6.3.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/preset-env/node_modules/semver": { - "version": "6.3.1", - "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", - "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", - "dev": true, - "license": "ISC", - "bin": { - "semver": "bin/semver.js" - } - }, - "node_modules/@babel/preset-modules": { - "version": "0.1.6-no-external-plugins", - "resolved": "http://localhost:4873/@babel/preset-modules/-/preset-modules-0.1.6-no-external-plugins.tgz", - "integrity": "sha512-HrcgcIESLm9aIR842yhJ5RWan/gebQUJ6E/E5+rf0y9o6oj7w0Br+sWuL6kEQ/o/AdfvR1Je9jG18/gnpwjEyA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.0.0", - "@babel/types": "^7.4.4", - "esutils": "^2.0.2" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0 || ^8.0.0-0 <8.0.0" - } - }, - "node_modules/@babel/preset-react": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/preset-react/-/preset-react-7.27.1.tgz", - "integrity": "sha512-oJHWh2gLhU9dW9HHr42q0cI0/iHHXTLGe39qvpAZZzagHy0MzYLCnCVV0symeRvzmjHyVU7mw2K06E6u/JwbhA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1", - "@babel/helper-validator-option": "^7.27.1", - "@babel/plugin-transform-react-display-name": "^7.27.1", - "@babel/plugin-transform-react-jsx": "^7.27.1", - "@babel/plugin-transform-react-jsx-development": "^7.27.1", - "@babel/plugin-transform-react-pure-annotations": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/preset-typescript": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/preset-typescript/-/preset-typescript-7.27.1.tgz", - "integrity": "sha512-l7WfQfX0WK4M0v2RudjuQK4u99BS6yLHYEmdtVPP7lKV013zr9DygFuWNlnbvQ9LR+LS0Egz/XAvGx5U9MX0fQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-plugin-utils": "^7.27.1", - "@babel/helper-validator-option": "^7.27.1", - "@babel/plugin-syntax-jsx": "^7.27.1", - "@babel/plugin-transform-modules-commonjs": "^7.27.1", - "@babel/plugin-transform-typescript": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/register": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/register/-/register-7.27.1.tgz", - "integrity": "sha512-K13lQpoV54LATKkzBpBAEu1GGSIRzxR9f4IN4V8DCDgiUMo2UDGagEZr3lPeVNJPLkWUi5JE4hCHKneVTwQlYQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "clone-deep": "^4.0.1", - "find-cache-dir": "^2.0.0", - "make-dir": "^2.1.0", - "pirates": "^4.0.6", - "source-map-support": "^0.5.16" - }, - "engines": { - "node": ">=6.9.0" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@babel/runtime": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/runtime/-/runtime-7.27.1.tgz", - "integrity": "sha512-1x3D2xEk2fRo3PAhwQwu5UubzgiVWSXTBfWpVd2Mx2AzRqJuDJCsgaDVZ7HB5iGzDW1Hl1sWN2mFyKjmR9uAog==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/runtime-corejs2": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/runtime-corejs2/-/runtime-corejs2-7.27.1.tgz", - "integrity": "sha512-MNwUSFn1d0u9M+i9pP0xNMGyS6Qj/UqZsreCb01Mjk821mMHjwUo+hLqkA34miUBYpYDLk/K3rZo2lysI1WF2A==", - "dev": true, - "license": "MIT", - "dependencies": { - "core-js": "^2.6.12" - }, - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/runtime-corejs2/node_modules/core-js": { - "version": "2.6.12", - "resolved": "http://localhost:4873/core-js/-/core-js-2.6.12.tgz", - "integrity": "sha512-Kb2wC0fvsWfQrgk8HU5lW6U/Lcs8+9aaYcy4ZFc6DDlo4nZ7n70dEgE5rtR0oG6ufKDUnrwfWL1mXR5ljDatrQ==", - "deprecated": "core-js@<3.23.3 is no longer maintained and not recommended for usage due to the number of issues. Because of the V8 engine whims, feature detection in old core-js versions could cause a slowdown up to 100x even if nothing is polyfilled. Some versions have web compatibility issues. Please, upgrade your dependencies to the actual version of core-js.", - "dev": true, - "hasInstallScript": true, - "license": "MIT" - }, - "node_modules/@babel/template": { - "version": "7.27.2", - "resolved": "http://localhost:4873/@babel/template/-/template-7.27.2.tgz", - "integrity": "sha512-LPDZ85aEJyYSd18/DkjNh4/y1ntkE5KwUHWTiqgRxruuZL2F1yuHligVHLvcHY2vMHXttKFpJn6LwfI7cw7ODw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/code-frame": "^7.27.1", - "@babel/parser": "^7.27.2", - "@babel/types": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/traverse": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/traverse/-/traverse-7.27.1.tgz", - "integrity": "sha512-ZCYtZciz1IWJB4U61UPu4KEaqyfj+r5T1Q5mqPo+IBpcG9kHv30Z0aD8LXPgC1trYa6rK0orRyAhqUgk4MjmEg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/code-frame": "^7.27.1", - "@babel/generator": "^7.27.1", - "@babel/parser": "^7.27.1", - "@babel/template": "^7.27.1", - "@babel/types": "^7.27.1", - "debug": "^4.3.1", - "globals": "^11.1.0" - }, - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@babel/types": { - "version": "7.27.1", - "resolved": "http://localhost:4873/@babel/types/-/types-7.27.1.tgz", - "integrity": "sha512-+EzkxvLNfiUeKMgy/3luqfsCWFRXLb7U6wNQTk60tovuckwB15B191tJWvpp4HjiQWdJkCxO3Wbvc6jlk3Xb2Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-string-parser": "^7.27.1", - "@babel/helper-validator-identifier": "^7.27.1" - }, - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/@bcoe/v8-coverage": { - "version": "0.2.3", - "resolved": "http://localhost:4873/@bcoe/v8-coverage/-/v8-coverage-0.2.3.tgz", - "integrity": "sha512-0hYQ8SB4Db5zvZB4axdMHGwEaQjkZzFjQiN9LVYvIFB2nSUHW9tYpxWriPrWDASIxiaXax83REcLxuSdnGPZtw==", - "dev": true, - "license": "MIT" - }, - "node_modules/@chakra-ui/anatomy": { - "version": "2.3.6", - "resolved": "http://localhost:4873/@chakra-ui/anatomy/-/anatomy-2.3.6.tgz", - "integrity": "sha512-TjmjyQouIZzha/l8JxdBZN1pKZTj7sLpJ0YkFnQFyqHcbfWggW9jKWzY1E0VBnhtFz/xF3KC6UAVuZVSJx+y0g==", - "dev": true, - "license": "MIT" - }, - "node_modules/@chakra-ui/color-mode": { - "version": "2.2.0", - "resolved": "http://localhost:4873/@chakra-ui/color-mode/-/color-mode-2.2.0.tgz", - "integrity": "sha512-niTEA8PALtMWRI9wJ4LL0CSBDo8NBfLNp4GD6/0hstcm3IlbBHTVKxN6HwSaoNYfphDQLxCjT4yG+0BJA5tFpg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@chakra-ui/react-use-safe-layout-effect": "2.1.0" - }, - "peerDependencies": { - "react": ">=18" - } - }, - "node_modules/@chakra-ui/hooks": { - "version": "2.4.5", - "resolved": "http://localhost:4873/@chakra-ui/hooks/-/hooks-2.4.5.tgz", - "integrity": "sha512-601fWfHE2i7UjaxK/9lDLlOni6vk/I+04YDbM0BrelJy+eqxdlOmoN8Z6MZ3PzFh7ofERUASor+vL+/HaCaZ7w==", - "dev": true, - "license": "MIT", - "dependencies": { - "@chakra-ui/utils": "2.2.5", - "@zag-js/element-size": "0.31.1", - "copy-to-clipboard": "3.3.3", - "framesync": "6.1.2" - }, - "peerDependencies": { - "react": ">=18" - } - }, - "node_modules/@chakra-ui/icons": { - "version": "2.2.4", - "resolved": "http://localhost:4873/@chakra-ui/icons/-/icons-2.2.4.tgz", - "integrity": "sha512-l5QdBgwrAg3Sc2BRqtNkJpfuLw/pWRDwwT58J6c4PqQT6wzXxyNa8Q0PForu1ltB5qEiFb1kxr/F/HO1EwNa6g==", - "dev": true, - "license": "MIT", - "peerDependencies": { - "@chakra-ui/react": ">=2.0.0", - "react": ">=18" - } - }, - "node_modules/@chakra-ui/object-utils": { - "version": "2.1.0", - "resolved": "http://localhost:4873/@chakra-ui/object-utils/-/object-utils-2.1.0.tgz", - "integrity": "sha512-tgIZOgLHaoti5PYGPTwK3t/cqtcycW0owaiOXoZOcpwwX/vlVb+H1jFsQyWiiwQVPt9RkoSLtxzXamx+aHH+bQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/@chakra-ui/react": { - "version": "2.10.9", - "resolved": "http://localhost:4873/@chakra-ui/react/-/react-2.10.9.tgz", - "integrity": "sha512-lhdcgoocOiURwBNR3L8OioCNIaGCZqRfuKioLyaQLjOanl4jr0PQclsGb+w0cmito252vEWpsz2xRqF7y+Flrw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@chakra-ui/hooks": "2.4.5", - "@chakra-ui/styled-system": "2.12.4", - "@chakra-ui/theme": "3.4.9", - "@chakra-ui/utils": "2.2.5", - "@popperjs/core": "^2.11.8", - "@zag-js/focus-visible": "^0.31.1", - "aria-hidden": "^1.2.3", - "react-fast-compare": "3.2.2", - "react-focus-lock": "^2.9.6", - "react-remove-scroll": "^2.5.7" - }, - "peerDependencies": { - "@emotion/react": ">=11", - "@emotion/styled": ">=11", - "framer-motion": ">=4.0.0", - "react": ">=18", - "react-dom": ">=18" - } - }, - "node_modules/@chakra-ui/react-use-safe-layout-effect": { - "version": "2.1.0", - "resolved": "http://localhost:4873/@chakra-ui/react-use-safe-layout-effect/-/react-use-safe-layout-effect-2.1.0.tgz", - "integrity": "sha512-Knbrrx/bcPwVS1TorFdzrK/zWA8yuU/eaXDkNj24IrKoRlQrSBFarcgAEzlCHtzuhufP3OULPkELTzz91b0tCw==", - "dev": true, - "license": "MIT", - "peerDependencies": { - "react": ">=18" - } - }, - "node_modules/@chakra-ui/react-utils": { - "version": "2.0.12", - "resolved": "http://localhost:4873/@chakra-ui/react-utils/-/react-utils-2.0.12.tgz", - "integrity": "sha512-GbSfVb283+YA3kA8w8xWmzbjNWk14uhNpntnipHCftBibl0lxtQ9YqMFQLwuFOO0U2gYVocszqqDWX+XNKq9hw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@chakra-ui/utils": "2.0.15" - }, - "peerDependencies": { - "react": ">=18" - } - }, - "node_modules/@chakra-ui/react-utils/node_modules/@chakra-ui/utils": { - "version": "2.0.15", - "resolved": "http://localhost:4873/@chakra-ui/utils/-/utils-2.0.15.tgz", - "integrity": "sha512-El4+jL0WSaYYs+rJbuYFDbjmfCcfGDmRY95GO4xwzit6YAPZBLcR65rOEwLps+XWluZTy1xdMrusg/hW0c1aAA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/lodash.mergewith": "4.6.7", - "css-box-model": "1.2.1", - "framesync": "6.1.2", - "lodash.mergewith": "4.6.2" - } - }, - "node_modules/@chakra-ui/react-utils/node_modules/@types/lodash.mergewith": { - "version": "4.6.7", - "resolved": "http://localhost:4873/@types/lodash.mergewith/-/lodash.mergewith-4.6.7.tgz", - "integrity": "sha512-3m+lkO5CLRRYU0fhGRp7zbsGi6+BZj0uTVSwvcKU+nSlhjA9/QRNfuSGnD2mX6hQA7ZbmcCkzk5h4ZYGOtk14A==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/lodash": "*" - } - }, - "node_modules/@chakra-ui/shared-utils": { - "version": "2.0.5", - "resolved": "http://localhost:4873/@chakra-ui/shared-utils/-/shared-utils-2.0.5.tgz", - "integrity": "sha512-4/Wur0FqDov7Y0nCXl7HbHzCg4aq86h+SXdoUeuCMD3dSj7dpsVnStLYhng1vxvlbUnLpdF4oz5Myt3i/a7N3Q==", - "dev": true, - "license": "MIT" - }, - "node_modules/@chakra-ui/skip-nav": { - "version": "2.1.0", - "resolved": "http://localhost:4873/@chakra-ui/skip-nav/-/skip-nav-2.1.0.tgz", - "integrity": "sha512-Hk+FG+vadBSH0/7hwp9LJnLjkO0RPGnx7gBJWI4/SpoJf3e4tZlWYtwGj0toYY4aGKl93jVghuwGbDBEMoHDug==", - "dev": true, - "license": "MIT", - "peerDependencies": { - "@chakra-ui/system": ">=2.0.0", - "react": ">=18" - } - }, - "node_modules/@chakra-ui/styled-system": { - "version": "2.12.4", - "resolved": "http://localhost:4873/@chakra-ui/styled-system/-/styled-system-2.12.4.tgz", - "integrity": "sha512-oa07UG7Lic5hHSQtGRiMEnYjuhIa8lszyuVhZjZqR2Ap3VMF688y1MVPJ1pK+8OwY5uhXBgVd5c0+rI8aBZlwg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@chakra-ui/utils": "2.2.5", - "csstype": "^3.1.2" - } - }, - "node_modules/@chakra-ui/system": { - "version": "2.6.2", - "resolved": "http://localhost:4873/@chakra-ui/system/-/system-2.6.2.tgz", - "integrity": "sha512-EGtpoEjLrUu4W1fHD+a62XR+hzC5YfsWm+6lO0Kybcga3yYEij9beegO0jZgug27V+Rf7vns95VPVP6mFd/DEQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@chakra-ui/color-mode": "2.2.0", - "@chakra-ui/object-utils": "2.1.0", - "@chakra-ui/react-utils": "2.0.12", - "@chakra-ui/styled-system": "2.9.2", - "@chakra-ui/theme-utils": "2.0.21", - "@chakra-ui/utils": "2.0.15", - "react-fast-compare": "3.2.2" - }, - "peerDependencies": { - "@emotion/react": "^11.0.0", - "@emotion/styled": "^11.0.0", - "react": ">=18" - } - }, - "node_modules/@chakra-ui/system/node_modules/@chakra-ui/styled-system": { - "version": "2.9.2", - "resolved": "http://localhost:4873/@chakra-ui/styled-system/-/styled-system-2.9.2.tgz", - "integrity": "sha512-To/Z92oHpIE+4nk11uVMWqo2GGRS86coeMmjxtpnErmWRdLcp1WVCVRAvn+ZwpLiNR+reWFr2FFqJRsREuZdAg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@chakra-ui/shared-utils": "2.0.5", - "csstype": "^3.1.2", - "lodash.mergewith": "4.6.2" - } - }, - "node_modules/@chakra-ui/system/node_modules/@chakra-ui/utils": { - "version": "2.0.15", - "resolved": "http://localhost:4873/@chakra-ui/utils/-/utils-2.0.15.tgz", - "integrity": "sha512-El4+jL0WSaYYs+rJbuYFDbjmfCcfGDmRY95GO4xwzit6YAPZBLcR65rOEwLps+XWluZTy1xdMrusg/hW0c1aAA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/lodash.mergewith": "4.6.7", - "css-box-model": "1.2.1", - "framesync": "6.1.2", - "lodash.mergewith": "4.6.2" - } - }, - "node_modules/@chakra-ui/system/node_modules/@types/lodash.mergewith": { - "version": "4.6.7", - "resolved": "http://localhost:4873/@types/lodash.mergewith/-/lodash.mergewith-4.6.7.tgz", - "integrity": "sha512-3m+lkO5CLRRYU0fhGRp7zbsGi6+BZj0uTVSwvcKU+nSlhjA9/QRNfuSGnD2mX6hQA7ZbmcCkzk5h4ZYGOtk14A==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/lodash": "*" - } - }, - "node_modules/@chakra-ui/theme": { - "version": "3.4.9", - "resolved": "http://localhost:4873/@chakra-ui/theme/-/theme-3.4.9.tgz", - "integrity": "sha512-GAom2SjSdRWTcX76/2yJOFJsOWHQeBgaynCUNBsHq62OafzvELrsSHDUw0bBqBb1c2ww0CclIvGilPup8kXBFA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@chakra-ui/anatomy": "2.3.6", - "@chakra-ui/theme-tools": "2.2.9", - "@chakra-ui/utils": "2.2.5" - }, - "peerDependencies": { - "@chakra-ui/styled-system": ">=2.8.0" - } - }, - "node_modules/@chakra-ui/theme-tools": { - "version": "2.2.9", - "resolved": "http://localhost:4873/@chakra-ui/theme-tools/-/theme-tools-2.2.9.tgz", - "integrity": "sha512-PcbYL19lrVvEc7Oydy//jsy/MO/rZz1DvLyO6AoI+bI/+Kwz9WfOKsspbulEhRg5COayE0R/IZPsskXZ7Mp4bA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@chakra-ui/anatomy": "2.3.6", - "@chakra-ui/utils": "2.2.5", - "color2k": "^2.0.2" - }, - "peerDependencies": { - "@chakra-ui/styled-system": ">=2.0.0" - } - }, - "node_modules/@chakra-ui/theme-utils": { - "version": "2.0.21", - "resolved": "http://localhost:4873/@chakra-ui/theme-utils/-/theme-utils-2.0.21.tgz", - "integrity": "sha512-FjH5LJbT794r0+VSCXB3lT4aubI24bLLRWB+CuRKHijRvsOg717bRdUN/N1fEmEpFnRVrbewttWh/OQs0EWpWw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@chakra-ui/shared-utils": "2.0.5", - "@chakra-ui/styled-system": "2.9.2", - "@chakra-ui/theme": "3.3.1", - "lodash.mergewith": "4.6.2" - } - }, - "node_modules/@chakra-ui/theme-utils/node_modules/@chakra-ui/anatomy": { - "version": "2.2.2", - "resolved": "http://localhost:4873/@chakra-ui/anatomy/-/anatomy-2.2.2.tgz", - "integrity": "sha512-MV6D4VLRIHr4PkW4zMyqfrNS1mPlCTiCXwvYGtDFQYr+xHFfonhAuf9WjsSc0nyp2m0OdkSLnzmVKkZFLo25Tg==", - "dev": true, - "license": "MIT" - }, - "node_modules/@chakra-ui/theme-utils/node_modules/@chakra-ui/styled-system": { - "version": "2.9.2", - "resolved": "http://localhost:4873/@chakra-ui/styled-system/-/styled-system-2.9.2.tgz", - "integrity": "sha512-To/Z92oHpIE+4nk11uVMWqo2GGRS86coeMmjxtpnErmWRdLcp1WVCVRAvn+ZwpLiNR+reWFr2FFqJRsREuZdAg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@chakra-ui/shared-utils": "2.0.5", - "csstype": "^3.1.2", - "lodash.mergewith": "4.6.2" - } - }, - "node_modules/@chakra-ui/theme-utils/node_modules/@chakra-ui/theme": { - "version": "3.3.1", - "resolved": "http://localhost:4873/@chakra-ui/theme/-/theme-3.3.1.tgz", - "integrity": "sha512-Hft/VaT8GYnItGCBbgWd75ICrIrIFrR7lVOhV/dQnqtfGqsVDlrztbSErvMkoPKt0UgAkd9/o44jmZ6X4U2nZQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@chakra-ui/anatomy": "2.2.2", - "@chakra-ui/shared-utils": "2.0.5", - "@chakra-ui/theme-tools": "2.1.2" - }, - "peerDependencies": { - "@chakra-ui/styled-system": ">=2.8.0" - } - }, - "node_modules/@chakra-ui/theme-utils/node_modules/@chakra-ui/theme-tools": { - "version": "2.1.2", - "resolved": "http://localhost:4873/@chakra-ui/theme-tools/-/theme-tools-2.1.2.tgz", - "integrity": "sha512-Qdj8ajF9kxY4gLrq7gA+Azp8CtFHGO9tWMN2wfF9aQNgG9AuMhPrUzMq9AMQ0MXiYcgNq/FD3eegB43nHVmXVA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@chakra-ui/anatomy": "2.2.2", - "@chakra-ui/shared-utils": "2.0.5", - "color2k": "^2.0.2" - }, - "peerDependencies": { - "@chakra-ui/styled-system": ">=2.0.0" - } - }, - "node_modules/@chakra-ui/utils": { - "version": "2.2.5", - "resolved": "http://localhost:4873/@chakra-ui/utils/-/utils-2.2.5.tgz", - "integrity": "sha512-KTBCK+M5KtXH6p54XS39ImQUMVtAx65BoZDoEms3LuObyTo1+civ1sMm4h3nRT320U6H5H7D35WnABVQjqU/4g==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/lodash.mergewith": "4.6.9", - "lodash.mergewith": "4.6.2" - }, - "peerDependencies": { - "react": ">=16.8.0" - } - }, - "node_modules/@cnakazawa/watch": { - "version": "1.0.4", - "resolved": "http://localhost:4873/@cnakazawa/watch/-/watch-1.0.4.tgz", - "integrity": "sha512-v9kIhKwjeZThiWrLmj0y17CWoyddASLj9O2yvbZkbvw/N3rWOYy9zkV66ursAoVr0mV15bL8g0c4QZUE6cdDoQ==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "exec-sh": "^0.3.2", - "minimist": "^1.2.0" - }, - "bin": { - "watch": "cli.js" - }, - "engines": { - "node": ">=0.1.95" - } - }, - "node_modules/@codegenie/serverless-express": { - "version": "3.4.1", - "resolved": "http://localhost:4873/@codegenie/serverless-express/-/serverless-express-3.4.1.tgz", - "integrity": "sha512-PQ3v/wDflxx168B4TwuxbbKjfmvLkyRBdvHRFS8s48hDS0Wnukm+5Dp+HiLvqwXOU7PP2+FyrK47WX4WL15Rrw==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "binary-case": "^1.0.0", - "type-is": "^1.6.16" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/@discoveryjs/json-ext": { - "version": "0.5.7", - "resolved": "http://localhost:4873/@discoveryjs/json-ext/-/json-ext-0.5.7.tgz", - "integrity": "sha512-dBVuXR082gk3jsFp7Rd/JI4kytwGHecnCoTtXFb7DB6CNHp4rg5k1bhg0nWdLGLnOV71lmDzGQaLMy8iPLY0pw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10.0.0" - } - }, - "node_modules/@emotion/babel-plugin": { - "version": "11.13.5", - "resolved": "http://localhost:4873/@emotion/babel-plugin/-/babel-plugin-11.13.5.tgz", - "integrity": "sha512-pxHCpT2ex+0q+HH91/zsdHkw/lXd468DIN2zvfvLtPKLLMo6gQj7oLObq8PhkrxOZb/gGCq03S3Z7PDhS8pduQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-module-imports": "^7.16.7", - "@babel/runtime": "^7.18.3", - "@emotion/hash": "^0.9.2", - "@emotion/memoize": "^0.9.0", - "@emotion/serialize": "^1.3.3", - "babel-plugin-macros": "^3.1.0", - "convert-source-map": "^1.5.0", - "escape-string-regexp": "^4.0.0", - "find-root": "^1.1.0", - "source-map": "^0.5.7", - "stylis": "4.2.0" - } - }, - "node_modules/@emotion/cache": { - "version": "11.14.0", - "resolved": "http://localhost:4873/@emotion/cache/-/cache-11.14.0.tgz", - "integrity": "sha512-L/B1lc/TViYk4DcpGxtAVbx0ZyiKM5ktoIyafGkH6zg/tj+mA+NE//aPYKG0k8kCHSHVJrpLpcAlOBEXQ3SavA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@emotion/memoize": "^0.9.0", - "@emotion/sheet": "^1.4.0", - "@emotion/utils": "^1.4.2", - "@emotion/weak-memoize": "^0.4.0", - "stylis": "4.2.0" - } - }, - "node_modules/@emotion/hash": { - "version": "0.9.2", - "resolved": "http://localhost:4873/@emotion/hash/-/hash-0.9.2.tgz", - "integrity": "sha512-MyqliTZGuOm3+5ZRSaaBGP3USLw6+EGykkwZns2EPC5g8jJ4z9OrdZY9apkl3+UP9+sdz76YYkwCKP5gh8iY3g==", - "dev": true, - "license": "MIT" - }, - "node_modules/@emotion/is-prop-valid": { - "version": "1.3.1", - "resolved": "http://localhost:4873/@emotion/is-prop-valid/-/is-prop-valid-1.3.1.tgz", - "integrity": "sha512-/ACwoqx7XQi9knQs/G0qKvv5teDMhD7bXYns9N/wM8ah8iNb8jZ2uNO0YOgiq2o2poIvVtJS2YALasQuMSQ7Kw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@emotion/memoize": "^0.9.0" - } - }, - "node_modules/@emotion/memoize": { - "version": "0.9.0", - "resolved": "http://localhost:4873/@emotion/memoize/-/memoize-0.9.0.tgz", - "integrity": "sha512-30FAj7/EoJ5mwVPOWhAyCX+FPfMDrVecJAM+Iw9NRoSl4BBAQeqj4cApHHUXOVvIPgLVDsCFoz/hGD+5QQD1GQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/@emotion/react": { - "version": "11.14.0", - "resolved": "http://localhost:4873/@emotion/react/-/react-11.14.0.tgz", - "integrity": "sha512-O000MLDBDdk/EohJPFUqvnp4qnHeYkVP5B0xEG0D/L7cOKP9kefu2DXn8dj74cQfsEzUqh+sr1RzFqiL1o+PpA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/runtime": "^7.18.3", - "@emotion/babel-plugin": "^11.13.5", - "@emotion/cache": "^11.14.0", - "@emotion/serialize": "^1.3.3", - "@emotion/use-insertion-effect-with-fallbacks": "^1.2.0", - "@emotion/utils": "^1.4.2", - "@emotion/weak-memoize": "^0.4.0", - "hoist-non-react-statics": "^3.3.1" - }, - "peerDependencies": { - "react": ">=16.8.0" - }, - "peerDependenciesMeta": { - "@types/react": { - "optional": true - } - } - }, - "node_modules/@emotion/serialize": { - "version": "1.3.3", - "resolved": "http://localhost:4873/@emotion/serialize/-/serialize-1.3.3.tgz", - "integrity": "sha512-EISGqt7sSNWHGI76hC7x1CksiXPahbxEOrC5RjmFRJTqLyEK9/9hZvBbiYn70dw4wuwMKiEMCUlR6ZXTSWQqxA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@emotion/hash": "^0.9.2", - "@emotion/memoize": "^0.9.0", - "@emotion/unitless": "^0.10.0", - "@emotion/utils": "^1.4.2", - "csstype": "^3.0.2" - } - }, - "node_modules/@emotion/sheet": { - "version": "1.4.0", - "resolved": "http://localhost:4873/@emotion/sheet/-/sheet-1.4.0.tgz", - "integrity": "sha512-fTBW9/8r2w3dXWYM4HCB1Rdp8NLibOw2+XELH5m5+AkWiL/KqYX6dc0kKYlaYyKjrQ6ds33MCdMPEwgs2z1rqg==", - "dev": true, - "license": "MIT" - }, - "node_modules/@emotion/styled": { - "version": "11.14.0", - "resolved": "http://localhost:4873/@emotion/styled/-/styled-11.14.0.tgz", - "integrity": "sha512-XxfOnXFffatap2IyCeJyNov3kiDQWoR08gPUQxvbL7fxKryGBKUZUkG6Hz48DZwVrJSVh9sJboyV1Ds4OW6SgA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/runtime": "^7.18.3", - "@emotion/babel-plugin": "^11.13.5", - "@emotion/is-prop-valid": "^1.3.0", - "@emotion/serialize": "^1.3.3", - "@emotion/use-insertion-effect-with-fallbacks": "^1.2.0", - "@emotion/utils": "^1.4.2" - }, - "peerDependencies": { - "@emotion/react": "^11.0.0-rc.0", - "react": ">=16.8.0" - }, - "peerDependenciesMeta": { - "@types/react": { - "optional": true - } - } - }, - "node_modules/@emotion/unitless": { - "version": "0.10.0", - "resolved": "http://localhost:4873/@emotion/unitless/-/unitless-0.10.0.tgz", - "integrity": "sha512-dFoMUuQA20zvtVTuxZww6OHoJYgrzfKM1t52mVySDJnMSEa08ruEvdYQbhvyu6soU+NeLVd3yKfTfT0NeV6qGg==", - "dev": true, - "license": "MIT" - }, - "node_modules/@emotion/use-insertion-effect-with-fallbacks": { - "version": "1.2.0", - "resolved": "http://localhost:4873/@emotion/use-insertion-effect-with-fallbacks/-/use-insertion-effect-with-fallbacks-1.2.0.tgz", - "integrity": "sha512-yJMtVdH59sxi/aVJBpk9FQq+OR8ll5GT8oWd57UpeaKEVGab41JWaCFA7FRLoMLloOZF/c/wsPoe+bfGmRKgDg==", - "dev": true, - "license": "MIT", - "peerDependencies": { - "react": ">=16.8.0" - } - }, - "node_modules/@emotion/utils": { - "version": "1.4.2", - "resolved": "http://localhost:4873/@emotion/utils/-/utils-1.4.2.tgz", - "integrity": "sha512-3vLclRofFziIa3J2wDh9jjbkUz9qk5Vi3IZ/FSTKViB0k+ef0fPV7dYrUIugbgupYDx7v9ud/SjrtEP8Y4xLoA==", - "dev": true, - "license": "MIT" - }, - "node_modules/@emotion/weak-memoize": { - "version": "0.4.0", - "resolved": "http://localhost:4873/@emotion/weak-memoize/-/weak-memoize-0.4.0.tgz", - "integrity": "sha512-snKqtPW01tN0ui7yu9rGv69aJXr/a/Ywvl11sUjNtEcRc+ng/mQriFL0wLXMef74iHa/EkftbDzU9F8iFbH+zg==", - "dev": true, - "license": "MIT" - }, - "node_modules/@eslint-community/eslint-utils": { - "version": "4.7.0", - "resolved": "http://localhost:4873/@eslint-community/eslint-utils/-/eslint-utils-4.7.0.tgz", - "integrity": "sha512-dyybb3AcajC7uha6CvhdVRJqaKyn7w2YKqKyAN37NKYgZT36w+iRb0Dymmc5qEJ549c/S31cMMSFd75bteCpCw==", - "dev": true, - "license": "MIT", - "dependencies": { - "eslint-visitor-keys": "^3.4.3" - }, - "engines": { - "node": "^12.22.0 || ^14.17.0 || >=16.0.0" - }, - "funding": { - "url": "https://opencollective.com/eslint" - }, - "peerDependencies": { - "eslint": "^6.0.0 || ^7.0.0 || >=8.0.0" - } - }, - "node_modules/@eslint-community/eslint-utils/node_modules/eslint-visitor-keys": { - "version": "3.4.3", - "resolved": "http://localhost:4873/eslint-visitor-keys/-/eslint-visitor-keys-3.4.3.tgz", - "integrity": "sha512-wpc+LXeiyiisxPlEkUzU6svyS1frIO3Mgxj1fdy7Pm8Ygzguax2N3Fa/D/ag1WqbOprdI+uY6wMUl8/a2G+iag==", - "dev": true, - "license": "Apache-2.0", - "engines": { - "node": "^12.22.0 || ^14.17.0 || >=16.0.0" - }, - "funding": { - "url": "https://opencollective.com/eslint" - } - }, - "node_modules/@eslint-community/regexpp": { - "version": "4.12.1", - "resolved": "http://localhost:4873/@eslint-community/regexpp/-/regexpp-4.12.1.tgz", - "integrity": "sha512-CCZCDJuduB9OUkFkY2IgppNZMi2lBQgD2qzwXkEia16cge2pijY/aXi96CJMquDMn3nJdlPV1A5KrJEXwfLNzQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": "^12.0.0 || ^14.0.0 || >=16.0.0" - } - }, - "node_modules/@eslint/eslintrc": { - "version": "2.1.4", - "resolved": "http://localhost:4873/@eslint/eslintrc/-/eslintrc-2.1.4.tgz", - "integrity": "sha512-269Z39MS6wVJtsoUl10L60WdkhJVdPG24Q4eZTH3nnF6lpvSShEK3wQjDX9JRWAUPvPh7COouPpU9IrqaZFvtQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "ajv": "^6.12.4", - "debug": "^4.3.2", - "espree": "^9.6.0", - "globals": "^13.19.0", - "ignore": "^5.2.0", - "import-fresh": "^3.2.1", - "js-yaml": "^4.1.0", - "minimatch": "^3.1.2", - "strip-json-comments": "^3.1.1" - }, - "engines": { - "node": "^12.22.0 || ^14.17.0 || >=16.0.0" - }, - "funding": { - "url": "https://opencollective.com/eslint" - } - }, - "node_modules/@eslint/eslintrc/node_modules/argparse": { - "version": "2.0.1", - "resolved": "http://localhost:4873/argparse/-/argparse-2.0.1.tgz", - "integrity": "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==", - "dev": true, - "license": "Python-2.0" - }, - "node_modules/@eslint/eslintrc/node_modules/globals": { - "version": "13.24.0", - "resolved": "http://localhost:4873/globals/-/globals-13.24.0.tgz", - "integrity": "sha512-AhO5QUcj8llrbG09iWhPU2B204J1xnPeL8kQmVorSsy+Sjj1sk8gIyh6cUocGmH4L0UuhAJy+hJMRA4mgA4mFQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "type-fest": "^0.20.2" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/@eslint/eslintrc/node_modules/js-yaml": { - "version": "4.1.0", - "resolved": "http://localhost:4873/js-yaml/-/js-yaml-4.1.0.tgz", - "integrity": "sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==", - "dev": true, - "license": "MIT", - "dependencies": { - "argparse": "^2.0.1" - }, - "bin": { - "js-yaml": "bin/js-yaml.js" - } - }, - "node_modules/@eslint/eslintrc/node_modules/type-fest": { - "version": "0.20.2", - "resolved": "http://localhost:4873/type-fest/-/type-fest-0.20.2.tgz", - "integrity": "sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==", - "dev": true, - "license": "(MIT OR CC0-1.0)", - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/@eslint/js": { - "version": "8.57.1", - "resolved": "http://localhost:4873/@eslint/js/-/js-8.57.1.tgz", - "integrity": "sha512-d9zaMRSTIKDLhctzH12MtXvJKSSUhaHcjV+2Z+GK+EEY7XKpP5yR4x+N3TAcHTcu963nIr+TMcCb4DBCYX1z6Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": "^12.22.0 || ^14.17.0 || >=16.0.0" - } - }, - "node_modules/@formatjs/cli": { - "version": "6.7.1", - "resolved": "http://localhost:4873/@formatjs/cli/-/cli-6.7.1.tgz", - "integrity": "sha512-ULiXbLkbuTyd8f0qaByu1Nuc+jbAOLH1qRAtHZ7waIABQGPBB93OQ2FFtQPgoYoupKOKyNr+PZXR6pOT45E4EQ==", - "dev": true, - "license": "MIT", - "bin": { - "formatjs": "bin/formatjs" - }, - "engines": { - "node": ">= 16" - }, - "peerDependencies": { - "@glimmer/env": "^0.1.7", - "@glimmer/reference": "^0.94.0", - "@glimmer/syntax": "^0.94.9", - "@glimmer/validator": "^0.94.0", - "@vue/compiler-core": "^3.5.12", - "content-tag": "^3.0.0", - "ember-template-recast": "^6.1.5", - "vue": "^3.5.12" - }, - "peerDependenciesMeta": { - "@glimmer/env": { - "optional": true - }, - "@glimmer/reference": { - "optional": true - }, - "@glimmer/syntax": { - "optional": true - }, - "@glimmer/validator": { - "optional": true - }, - "@vue/compiler-core": { - "optional": true - }, - "content-tag": { - "optional": true - }, - "ember-template-recast": { - "optional": true - }, - "vue": { - "optional": true - } - } - }, - "node_modules/@formatjs/ecma402-abstract": { - "version": "2.3.4", - "resolved": "http://localhost:4873/@formatjs/ecma402-abstract/-/ecma402-abstract-2.3.4.tgz", - "integrity": "sha512-qrycXDeaORzIqNhBOx0btnhpD1c+/qFIHAN9znofuMJX6QBwtbrmlpWfD4oiUUD2vJUOIYFA/gYtg2KAMGG7sA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@formatjs/fast-memoize": "2.2.7", - "@formatjs/intl-localematcher": "0.6.1", - "decimal.js": "^10.4.3", - "tslib": "^2.8.0" - } - }, - "node_modules/@formatjs/fast-memoize": { - "version": "2.2.7", - "resolved": "http://localhost:4873/@formatjs/fast-memoize/-/fast-memoize-2.2.7.tgz", - "integrity": "sha512-Yabmi9nSvyOMrlSeGGWDiH7rf3a7sIwplbvo/dlz9WCIjzIQAfy1RMf4S0X3yG724n5Ghu2GmEl5NJIV6O9sZQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "tslib": "^2.8.0" - } - }, - "node_modules/@formatjs/icu-messageformat-parser": { - "version": "2.11.2", - "resolved": "http://localhost:4873/@formatjs/icu-messageformat-parser/-/icu-messageformat-parser-2.11.2.tgz", - "integrity": "sha512-AfiMi5NOSo2TQImsYAg8UYddsNJ/vUEv/HaNqiFjnI3ZFfWihUtD5QtuX6kHl8+H+d3qvnE/3HZrfzgdWpsLNA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@formatjs/ecma402-abstract": "2.3.4", - "@formatjs/icu-skeleton-parser": "1.8.14", - "tslib": "^2.8.0" - } - }, - "node_modules/@formatjs/icu-skeleton-parser": { - "version": "1.8.14", - "resolved": "http://localhost:4873/@formatjs/icu-skeleton-parser/-/icu-skeleton-parser-1.8.14.tgz", - "integrity": "sha512-i4q4V4qslThK4Ig8SxyD76cp3+QJ3sAqr7f6q9VVfeGtxG9OhiAk3y9XF6Q41OymsKzsGQ6OQQoJNY4/lI8TcQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@formatjs/ecma402-abstract": "2.3.4", - "tslib": "^2.8.0" - } - }, - "node_modules/@formatjs/intl": { - "version": "2.2.1", - "resolved": "http://localhost:4873/@formatjs/intl/-/intl-2.2.1.tgz", - "integrity": "sha512-vgvyUOOrzqVaOFYzTf2d3+ToSkH2JpR7x/4U1RyoHQLmvEaTQvXJ7A2qm1Iy3brGNXC/+/7bUlc3lpH+h/LOJA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@formatjs/ecma402-abstract": "1.11.4", - "@formatjs/fast-memoize": "1.2.1", - "@formatjs/icu-messageformat-parser": "2.1.0", - "@formatjs/intl-displaynames": "5.4.3", - "@formatjs/intl-listformat": "6.5.3", - "intl-messageformat": "9.13.0", - "tslib": "^2.1.0" - }, - "peerDependencies": { - "typescript": "^4.5" - }, - "peerDependenciesMeta": { - "typescript": { - "optional": true - } - } - }, - "node_modules/@formatjs/intl-displaynames": { - "version": "5.4.3", - "resolved": "http://localhost:4873/@formatjs/intl-displaynames/-/intl-displaynames-5.4.3.tgz", - "integrity": "sha512-4r12A3mS5dp5hnSaQCWBuBNfi9Amgx2dzhU4lTFfhSxgb5DOAiAbMpg6+7gpWZgl4ahsj3l2r/iHIjdmdXOE2Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "@formatjs/ecma402-abstract": "1.11.4", - "@formatjs/intl-localematcher": "0.2.25", - "tslib": "^2.1.0" - } - }, - "node_modules/@formatjs/intl-displaynames/node_modules/@formatjs/ecma402-abstract": { - "version": "1.11.4", - "resolved": "http://localhost:4873/@formatjs/ecma402-abstract/-/ecma402-abstract-1.11.4.tgz", - "integrity": "sha512-EBikYFp2JCdIfGEb5G9dyCkTGDmC57KSHhRQOC3aYxoPWVZvfWCDjZwkGYHN7Lis/fmuWl906bnNTJifDQ3sXw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@formatjs/intl-localematcher": "0.2.25", - "tslib": "^2.1.0" - } - }, - "node_modules/@formatjs/intl-displaynames/node_modules/@formatjs/intl-localematcher": { - "version": "0.2.25", - "resolved": "http://localhost:4873/@formatjs/intl-localematcher/-/intl-localematcher-0.2.25.tgz", - "integrity": "sha512-YmLcX70BxoSopLFdLr1Ds99NdlTI2oWoLbaUW2M406lxOIPzE1KQhRz2fPUkq34xVZQaihCoU29h0KK7An3bhA==", - "dev": true, - "license": "MIT", - "dependencies": { - "tslib": "^2.1.0" - } - }, - "node_modules/@formatjs/intl-listformat": { - "version": "6.5.3", - "resolved": "http://localhost:4873/@formatjs/intl-listformat/-/intl-listformat-6.5.3.tgz", - "integrity": "sha512-ozpz515F/+3CU+HnLi5DYPsLa6JoCfBggBSSg/8nOB5LYSFW9+ZgNQJxJ8tdhKYeODT+4qVHX27EeJLoxLGLNg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@formatjs/ecma402-abstract": "1.11.4", - "@formatjs/intl-localematcher": "0.2.25", - "tslib": "^2.1.0" - } - }, - "node_modules/@formatjs/intl-listformat/node_modules/@formatjs/ecma402-abstract": { - "version": "1.11.4", - "resolved": "http://localhost:4873/@formatjs/ecma402-abstract/-/ecma402-abstract-1.11.4.tgz", - "integrity": "sha512-EBikYFp2JCdIfGEb5G9dyCkTGDmC57KSHhRQOC3aYxoPWVZvfWCDjZwkGYHN7Lis/fmuWl906bnNTJifDQ3sXw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@formatjs/intl-localematcher": "0.2.25", - "tslib": "^2.1.0" - } - }, - "node_modules/@formatjs/intl-listformat/node_modules/@formatjs/intl-localematcher": { - "version": "0.2.25", - "resolved": "http://localhost:4873/@formatjs/intl-localematcher/-/intl-localematcher-0.2.25.tgz", - "integrity": "sha512-YmLcX70BxoSopLFdLr1Ds99NdlTI2oWoLbaUW2M406lxOIPzE1KQhRz2fPUkq34xVZQaihCoU29h0KK7An3bhA==", - "dev": true, - "license": "MIT", - "dependencies": { - "tslib": "^2.1.0" - } - }, - "node_modules/@formatjs/intl-localematcher": { - "version": "0.6.1", - "resolved": "http://localhost:4873/@formatjs/intl-localematcher/-/intl-localematcher-0.6.1.tgz", - "integrity": "sha512-ePEgLgVCqi2BBFnTMWPfIghu6FkbZnnBVhO2sSxvLfrdFw7wCHAHiDoM2h4NRgjbaY7+B7HgOLZGkK187pZTZg==", - "dev": true, - "license": "MIT", - "dependencies": { - "tslib": "^2.8.0" - } - }, - "node_modules/@formatjs/intl/node_modules/@formatjs/ecma402-abstract": { - "version": "1.11.4", - "resolved": "http://localhost:4873/@formatjs/ecma402-abstract/-/ecma402-abstract-1.11.4.tgz", - "integrity": "sha512-EBikYFp2JCdIfGEb5G9dyCkTGDmC57KSHhRQOC3aYxoPWVZvfWCDjZwkGYHN7Lis/fmuWl906bnNTJifDQ3sXw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@formatjs/intl-localematcher": "0.2.25", - "tslib": "^2.1.0" - } - }, - "node_modules/@formatjs/intl/node_modules/@formatjs/fast-memoize": { - "version": "1.2.1", - "resolved": "http://localhost:4873/@formatjs/fast-memoize/-/fast-memoize-1.2.1.tgz", - "integrity": "sha512-Rg0e76nomkz3vF9IPlKeV+Qynok0r7YZjL6syLz4/urSg0IbjPZCB/iYUMNsYA643gh4mgrX3T7KEIFIxJBQeg==", - "dev": true, - "license": "MIT", - "dependencies": { - "tslib": "^2.1.0" - } - }, - "node_modules/@formatjs/intl/node_modules/@formatjs/icu-messageformat-parser": { - "version": "2.1.0", - "resolved": "http://localhost:4873/@formatjs/icu-messageformat-parser/-/icu-messageformat-parser-2.1.0.tgz", - "integrity": "sha512-Qxv/lmCN6hKpBSss2uQ8IROVnta2r9jd3ymUEIjm2UyIkUCHVcbUVRGL/KS/wv7876edvsPe+hjHVJ4z8YuVaw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@formatjs/ecma402-abstract": "1.11.4", - "@formatjs/icu-skeleton-parser": "1.3.6", - "tslib": "^2.1.0" - } - }, - "node_modules/@formatjs/intl/node_modules/@formatjs/icu-skeleton-parser": { - "version": "1.3.6", - "resolved": "http://localhost:4873/@formatjs/icu-skeleton-parser/-/icu-skeleton-parser-1.3.6.tgz", - "integrity": "sha512-I96mOxvml/YLrwU2Txnd4klA7V8fRhb6JG/4hm3VMNmeJo1F03IpV2L3wWt7EweqNLES59SZ4d6hVOPCSf80Bg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@formatjs/ecma402-abstract": "1.11.4", - "tslib": "^2.1.0" - } - }, - "node_modules/@formatjs/intl/node_modules/@formatjs/intl-localematcher": { - "version": "0.2.25", - "resolved": "http://localhost:4873/@formatjs/intl-localematcher/-/intl-localematcher-0.2.25.tgz", - "integrity": "sha512-YmLcX70BxoSopLFdLr1Ds99NdlTI2oWoLbaUW2M406lxOIPzE1KQhRz2fPUkq34xVZQaihCoU29h0KK7An3bhA==", - "dev": true, - "license": "MIT", - "dependencies": { - "tslib": "^2.1.0" - } - }, - "node_modules/@formatjs/intl/node_modules/intl-messageformat": { - "version": "9.13.0", - "resolved": "http://localhost:4873/intl-messageformat/-/intl-messageformat-9.13.0.tgz", - "integrity": "sha512-7sGC7QnSQGa5LZP7bXLDhVDtQOeKGeBFGHF2Y8LVBwYZoQZCgWeKoPGTa5GMG8g/TzDgeXuYJQis7Ggiw2xTOw==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "@formatjs/ecma402-abstract": "1.11.4", - "@formatjs/fast-memoize": "1.2.1", - "@formatjs/icu-messageformat-parser": "2.1.0", - "tslib": "^2.1.0" - } - }, - "node_modules/@humanwhocodes/config-array": { - "version": "0.13.0", - "resolved": "http://localhost:4873/@humanwhocodes/config-array/-/config-array-0.13.0.tgz", - "integrity": "sha512-DZLEEqFWQFiyK6h5YIeynKx7JlvCYWL0cImfSRXZ9l4Sg2efkFGTuFf6vzXjK1cq6IYkU+Eg/JizXw+TD2vRNw==", - "deprecated": "Use @eslint/config-array instead", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "@humanwhocodes/object-schema": "^2.0.3", - "debug": "^4.3.1", - "minimatch": "^3.0.5" - }, - "engines": { - "node": ">=10.10.0" - } - }, - "node_modules/@humanwhocodes/module-importer": { - "version": "1.0.1", - "resolved": "http://localhost:4873/@humanwhocodes/module-importer/-/module-importer-1.0.1.tgz", - "integrity": "sha512-bxveV4V8v5Yb4ncFTT3rPSgZBOpCkjfK0y4oVVVJwIuDVBRMDXrPyXRL988i5ap9m9bnyEEjWfm5WkBmtffLfA==", - "dev": true, - "license": "Apache-2.0", - "engines": { - "node": ">=12.22" - }, - "funding": { - "type": "github", - "url": "https://github.com/sponsors/nzakas" - } - }, - "node_modules/@humanwhocodes/object-schema": { - "version": "2.0.3", - "resolved": "http://localhost:4873/@humanwhocodes/object-schema/-/object-schema-2.0.3.tgz", - "integrity": "sha512-93zYdMES/c1D69yZiKDBj0V24vqNzB/koF26KPaagAfd3P/4gUlh3Dys5ogAK+Exi9QyzlD8x/08Zt7wIKcDcA==", - "deprecated": "Use @eslint/object-schema instead", - "dev": true, - "license": "BSD-3-Clause" - }, - "node_modules/@istanbuljs/load-nyc-config": { - "version": "1.1.0", - "resolved": "http://localhost:4873/@istanbuljs/load-nyc-config/-/load-nyc-config-1.1.0.tgz", - "integrity": "sha512-VjeHSlIzpv/NyD3N0YuHfXOPDIixcA1q2ZV98wsMqcYlPmv2n3Yb2lYP9XMElnaFVXg5A7YLTeLu6V84uQDjmQ==", - "dev": true, - "license": "ISC", - "dependencies": { - "camelcase": "^5.3.1", - "find-up": "^4.1.0", - "get-package-type": "^0.1.0", - "js-yaml": "^3.13.1", - "resolve-from": "^5.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/@istanbuljs/schema": { - "version": "0.1.3", - "resolved": "http://localhost:4873/@istanbuljs/schema/-/schema-0.1.3.tgz", - "integrity": "sha512-ZXRY4jNvVgSVQ8DL3LTcakaAtXwTVUxE81hslsyD2AtoXW/wVob10HkOJ1X/pAlcI7D+2YoZKg5do8G/w6RYgA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/@jest/console": { - "version": "26.6.2", - "resolved": "http://localhost:4873/@jest/console/-/console-26.6.2.tgz", - "integrity": "sha512-IY1R2i2aLsLr7Id3S6p2BA82GNWryt4oSvEXLAKc+L2zdi89dSkE8xC1C+0kpATG4JhBJREnQOH7/zmccM2B0g==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^26.6.2", - "@types/node": "*", - "chalk": "^4.0.0", - "jest-message-util": "^26.6.2", - "jest-util": "^26.6.2", - "slash": "^3.0.0" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/@jest/console/node_modules/jest-message-util": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-message-util/-/jest-message-util-26.6.2.tgz", - "integrity": "sha512-rGiLePzQ3AzwUshu2+Rn+UMFk0pHN58sOG+IaJbk5Jxuqo3NYO1U2/MIR4S1sKgsoYSXSzdtSa0TgrmtUwEbmA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/code-frame": "^7.0.0", - "@jest/types": "^26.6.2", - "@types/stack-utils": "^2.0.0", - "chalk": "^4.0.0", - "graceful-fs": "^4.2.4", - "micromatch": "^4.0.2", - "pretty-format": "^26.6.2", - "slash": "^3.0.0", - "stack-utils": "^2.0.2" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/@jest/console/node_modules/pretty-format": { - "version": "26.6.2", - "resolved": "http://localhost:4873/pretty-format/-/pretty-format-26.6.2.tgz", - "integrity": "sha512-7AeGuCYNGmycyQbCqd/3PWH4eOoX/OiCa0uphp57NVTeAGdJGaAliecxwBDHYQCIvrW7aDBZCYeNTP/WX69mkg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^26.6.2", - "ansi-regex": "^5.0.0", - "ansi-styles": "^4.0.0", - "react-is": "^17.0.1" - }, - "engines": { - "node": ">= 10" - } - }, - "node_modules/@jest/console/node_modules/react-is": { - "version": "17.0.2", - "resolved": "http://localhost:4873/react-is/-/react-is-17.0.2.tgz", - "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==", - "dev": true, - "license": "MIT" - }, - "node_modules/@jest/console/node_modules/slash": { - "version": "3.0.0", - "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", - "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/@jest/core": { - "version": "26.6.3", - "resolved": "http://localhost:4873/@jest/core/-/core-26.6.3.tgz", - "integrity": "sha512-xvV1kKbhfUqFVuZ8Cyo+JPpipAHHAV3kcDBftiduK8EICXmTFddryy3P7NfZt8Pv37rA9nEJBKCCkglCPt/Xjw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/console": "^26.6.2", - "@jest/reporters": "^26.6.2", - "@jest/test-result": "^26.6.2", - "@jest/transform": "^26.6.2", - "@jest/types": "^26.6.2", - "@types/node": "*", - "ansi-escapes": "^4.2.1", - "chalk": "^4.0.0", - "exit": "^0.1.2", - "graceful-fs": "^4.2.4", - "jest-changed-files": "^26.6.2", - "jest-config": "^26.6.3", - "jest-haste-map": "^26.6.2", - "jest-message-util": "^26.6.2", - "jest-regex-util": "^26.0.0", - "jest-resolve": "^26.6.2", - "jest-resolve-dependencies": "^26.6.3", - "jest-runner": "^26.6.3", - "jest-runtime": "^26.6.3", - "jest-snapshot": "^26.6.2", - "jest-util": "^26.6.2", - "jest-validate": "^26.6.2", - "jest-watcher": "^26.6.2", - "micromatch": "^4.0.2", - "p-each-series": "^2.1.0", - "rimraf": "^3.0.0", - "slash": "^3.0.0", - "strip-ansi": "^6.0.0" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/@jest/core/node_modules/ansi-escapes": { - "version": "4.3.2", - "resolved": "http://localhost:4873/ansi-escapes/-/ansi-escapes-4.3.2.tgz", - "integrity": "sha512-gKXj5ALrKWQLsYG9jlTRmR/xKluxHV+Z9QEwNIgCfM1/uwPMCuzVVnh5mwTd+OuBZcwSIMbqssNWRm1lE51QaQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "type-fest": "^0.21.3" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/@jest/core/node_modules/jest-message-util": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-message-util/-/jest-message-util-26.6.2.tgz", - "integrity": "sha512-rGiLePzQ3AzwUshu2+Rn+UMFk0pHN58sOG+IaJbk5Jxuqo3NYO1U2/MIR4S1sKgsoYSXSzdtSa0TgrmtUwEbmA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/code-frame": "^7.0.0", - "@jest/types": "^26.6.2", - "@types/stack-utils": "^2.0.0", - "chalk": "^4.0.0", - "graceful-fs": "^4.2.4", - "micromatch": "^4.0.2", - "pretty-format": "^26.6.2", - "slash": "^3.0.0", - "stack-utils": "^2.0.2" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/@jest/core/node_modules/pretty-format": { - "version": "26.6.2", - "resolved": "http://localhost:4873/pretty-format/-/pretty-format-26.6.2.tgz", - "integrity": "sha512-7AeGuCYNGmycyQbCqd/3PWH4eOoX/OiCa0uphp57NVTeAGdJGaAliecxwBDHYQCIvrW7aDBZCYeNTP/WX69mkg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^26.6.2", - "ansi-regex": "^5.0.0", - "ansi-styles": "^4.0.0", - "react-is": "^17.0.1" - }, - "engines": { - "node": ">= 10" - } - }, - "node_modules/@jest/core/node_modules/react-is": { - "version": "17.0.2", - "resolved": "http://localhost:4873/react-is/-/react-is-17.0.2.tgz", - "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==", - "dev": true, - "license": "MIT" - }, - "node_modules/@jest/core/node_modules/rimraf": { - "version": "3.0.2", - "resolved": "http://localhost:4873/rimraf/-/rimraf-3.0.2.tgz", - "integrity": "sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==", - "deprecated": "Rimraf versions prior to v4 are no longer supported", - "dev": true, - "license": "ISC", - "dependencies": { - "glob": "^7.1.3" - }, - "bin": { - "rimraf": "bin.js" - }, - "funding": { - "url": "https://github.com/sponsors/isaacs" - } - }, - "node_modules/@jest/core/node_modules/slash": { - "version": "3.0.0", - "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", - "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/@jest/core/node_modules/type-fest": { - "version": "0.21.3", - "resolved": "http://localhost:4873/type-fest/-/type-fest-0.21.3.tgz", - "integrity": "sha512-t0rzBq87m3fVcduHDUFhKmyyX+9eo6WQjZvf51Ea/M0Q7+T374Jp1aUiyUl0GKxp8M/OETVHSDvmkyPgvX+X2w==", - "dev": true, - "license": "(MIT OR CC0-1.0)", - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/@jest/environment": { - "version": "26.6.2", - "resolved": "http://localhost:4873/@jest/environment/-/environment-26.6.2.tgz", - "integrity": "sha512-nFy+fHl28zUrRsCeMB61VDThV1pVTtlEokBRgqPrcT1JNq4yRNIyTHfyht6PqtUvY9IsuLGTrbG8kPXjSZIZwA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/fake-timers": "^26.6.2", - "@jest/types": "^26.6.2", - "@types/node": "*", - "jest-mock": "^26.6.2" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/@jest/expect-utils": { - "version": "29.7.0", - "resolved": "http://localhost:4873/@jest/expect-utils/-/expect-utils-29.7.0.tgz", - "integrity": "sha512-GlsNBWiFQFCVi9QVSx7f5AgMeLxe9YCCs5PuP2O2LdjDAA8Jh9eX7lA1Jq/xdXw3Wb3hyvlFNfZIfcRetSzYcA==", - "dev": true, - "license": "MIT", - "dependencies": { - "jest-get-type": "^29.6.3" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/@jest/fake-timers": { - "version": "26.6.2", - "resolved": "http://localhost:4873/@jest/fake-timers/-/fake-timers-26.6.2.tgz", - "integrity": "sha512-14Uleatt7jdzefLPYM3KLcnUl1ZNikaKq34enpb5XG9i81JpppDb5muZvonvKyrl7ftEHkKS5L5/eB/kxJ+bvA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^26.6.2", - "@sinonjs/fake-timers": "^6.0.1", - "@types/node": "*", - "jest-message-util": "^26.6.2", - "jest-mock": "^26.6.2", - "jest-util": "^26.6.2" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/@jest/fake-timers/node_modules/jest-message-util": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-message-util/-/jest-message-util-26.6.2.tgz", - "integrity": "sha512-rGiLePzQ3AzwUshu2+Rn+UMFk0pHN58sOG+IaJbk5Jxuqo3NYO1U2/MIR4S1sKgsoYSXSzdtSa0TgrmtUwEbmA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/code-frame": "^7.0.0", - "@jest/types": "^26.6.2", - "@types/stack-utils": "^2.0.0", - "chalk": "^4.0.0", - "graceful-fs": "^4.2.4", - "micromatch": "^4.0.2", - "pretty-format": "^26.6.2", - "slash": "^3.0.0", - "stack-utils": "^2.0.2" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/@jest/fake-timers/node_modules/pretty-format": { - "version": "26.6.2", - "resolved": "http://localhost:4873/pretty-format/-/pretty-format-26.6.2.tgz", - "integrity": "sha512-7AeGuCYNGmycyQbCqd/3PWH4eOoX/OiCa0uphp57NVTeAGdJGaAliecxwBDHYQCIvrW7aDBZCYeNTP/WX69mkg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^26.6.2", - "ansi-regex": "^5.0.0", - "ansi-styles": "^4.0.0", - "react-is": "^17.0.1" - }, - "engines": { - "node": ">= 10" - } - }, - "node_modules/@jest/fake-timers/node_modules/react-is": { - "version": "17.0.2", - "resolved": "http://localhost:4873/react-is/-/react-is-17.0.2.tgz", - "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==", - "dev": true, - "license": "MIT" - }, - "node_modules/@jest/fake-timers/node_modules/slash": { - "version": "3.0.0", - "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", - "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/@jest/globals": { - "version": "26.6.2", - "resolved": "http://localhost:4873/@jest/globals/-/globals-26.6.2.tgz", - "integrity": "sha512-85Ltnm7HlB/KesBUuALwQ68YTU72w9H2xW9FjZ1eL1U3lhtefjjl5c2MiUbpXt/i6LaPRvoOFJ22yCBSfQ0JIA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/environment": "^26.6.2", - "@jest/types": "^26.6.2", - "expect": "^26.6.2" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/@jest/globals/node_modules/diff-sequences": { - "version": "26.6.2", - "resolved": "http://localhost:4873/diff-sequences/-/diff-sequences-26.6.2.tgz", - "integrity": "sha512-Mv/TDa3nZ9sbc5soK+OoA74BsS3mL37yixCvUAQkiuA4Wz6YtwP/K47n2rv2ovzHZvoiQeA5FTQOschKkEwB0Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/@jest/globals/node_modules/expect": { - "version": "26.6.2", - "resolved": "http://localhost:4873/expect/-/expect-26.6.2.tgz", - "integrity": "sha512-9/hlOBkQl2l/PLHJx6JjoDF6xPKcJEsUlWKb23rKE7KzeDqUZKXKNMW27KIue5JMdBV9HgmoJPcc8HtO85t9IA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^26.6.2", - "ansi-styles": "^4.0.0", - "jest-get-type": "^26.3.0", - "jest-matcher-utils": "^26.6.2", - "jest-message-util": "^26.6.2", - "jest-regex-util": "^26.0.0" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/@jest/globals/node_modules/jest-diff": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-diff/-/jest-diff-26.6.2.tgz", - "integrity": "sha512-6m+9Z3Gv9wN0WFVasqjCL/06+EFCMTqDEUl/b87HYK2rAPTyfz4ZIuSlPhY51PIQRWx5TaxeF1qmXKe9gfN3sA==", - "dev": true, - "license": "MIT", - "dependencies": { - "chalk": "^4.0.0", - "diff-sequences": "^26.6.2", - "jest-get-type": "^26.3.0", - "pretty-format": "^26.6.2" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/@jest/globals/node_modules/jest-get-type": { - "version": "26.3.0", - "resolved": "http://localhost:4873/jest-get-type/-/jest-get-type-26.3.0.tgz", - "integrity": "sha512-TpfaviN1R2pQWkIihlfEanwOXK0zcxrKEE4MlU6Tn7keoXdN6/3gK/xl0yEh8DOunn5pOVGKf8hB4R9gVh04ig==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/@jest/globals/node_modules/jest-matcher-utils": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-matcher-utils/-/jest-matcher-utils-26.6.2.tgz", - "integrity": "sha512-llnc8vQgYcNqDrqRDXWwMr9i7rS5XFiCwvh6DTP7Jqa2mqpcCBBlpCbn+trkG0KNhPu/h8rzyBkriOtBstvWhw==", - "dev": true, - "license": "MIT", - "dependencies": { - "chalk": "^4.0.0", - "jest-diff": "^26.6.2", - "jest-get-type": "^26.3.0", - "pretty-format": "^26.6.2" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/@jest/globals/node_modules/jest-message-util": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-message-util/-/jest-message-util-26.6.2.tgz", - "integrity": "sha512-rGiLePzQ3AzwUshu2+Rn+UMFk0pHN58sOG+IaJbk5Jxuqo3NYO1U2/MIR4S1sKgsoYSXSzdtSa0TgrmtUwEbmA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/code-frame": "^7.0.0", - "@jest/types": "^26.6.2", - "@types/stack-utils": "^2.0.0", - "chalk": "^4.0.0", - "graceful-fs": "^4.2.4", - "micromatch": "^4.0.2", - "pretty-format": "^26.6.2", - "slash": "^3.0.0", - "stack-utils": "^2.0.2" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/@jest/globals/node_modules/pretty-format": { - "version": "26.6.2", - "resolved": "http://localhost:4873/pretty-format/-/pretty-format-26.6.2.tgz", - "integrity": "sha512-7AeGuCYNGmycyQbCqd/3PWH4eOoX/OiCa0uphp57NVTeAGdJGaAliecxwBDHYQCIvrW7aDBZCYeNTP/WX69mkg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^26.6.2", - "ansi-regex": "^5.0.0", - "ansi-styles": "^4.0.0", - "react-is": "^17.0.1" - }, - "engines": { - "node": ">= 10" - } - }, - "node_modules/@jest/globals/node_modules/react-is": { - "version": "17.0.2", - "resolved": "http://localhost:4873/react-is/-/react-is-17.0.2.tgz", - "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==", - "dev": true, - "license": "MIT" - }, - "node_modules/@jest/globals/node_modules/slash": { - "version": "3.0.0", - "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", - "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/@jest/reporters": { - "version": "26.6.2", - "resolved": "http://localhost:4873/@jest/reporters/-/reporters-26.6.2.tgz", - "integrity": "sha512-h2bW53APG4HvkOnVMo8q3QXa6pcaNt1HkwVsOPMBV6LD/q9oSpxNSYZQYkAnjdMjrJ86UuYeLo+aEZClV6opnw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@bcoe/v8-coverage": "^0.2.3", - "@jest/console": "^26.6.2", - "@jest/test-result": "^26.6.2", - "@jest/transform": "^26.6.2", - "@jest/types": "^26.6.2", - "chalk": "^4.0.0", - "collect-v8-coverage": "^1.0.0", - "exit": "^0.1.2", - "glob": "^7.1.2", - "graceful-fs": "^4.2.4", - "istanbul-lib-coverage": "^3.0.0", - "istanbul-lib-instrument": "^4.0.3", - "istanbul-lib-report": "^3.0.0", - "istanbul-lib-source-maps": "^4.0.0", - "istanbul-reports": "^3.0.2", - "jest-haste-map": "^26.6.2", - "jest-resolve": "^26.6.2", - "jest-util": "^26.6.2", - "jest-worker": "^26.6.2", - "slash": "^3.0.0", - "source-map": "^0.6.0", - "string-length": "^4.0.1", - "terminal-link": "^2.0.0", - "v8-to-istanbul": "^7.0.0" - }, - "engines": { - "node": ">= 10.14.2" - }, - "optionalDependencies": { - "node-notifier": "^8.0.0" - } - }, - "node_modules/@jest/reporters/node_modules/istanbul-lib-instrument": { - "version": "4.0.3", - "resolved": "http://localhost:4873/istanbul-lib-instrument/-/istanbul-lib-instrument-4.0.3.tgz", - "integrity": "sha512-BXgQl9kf4WTCPCCpmFGoJkz/+uhvm7h7PFKUYxh7qarQd3ER33vHG//qaE8eN25l07YqZPpHXU9I09l/RD5aGQ==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "@babel/core": "^7.7.5", - "@istanbuljs/schema": "^0.1.2", - "istanbul-lib-coverage": "^3.0.0", - "semver": "^6.3.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/@jest/reporters/node_modules/semver": { - "version": "6.3.1", - "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", - "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", - "dev": true, - "license": "ISC", - "bin": { - "semver": "bin/semver.js" - } - }, - "node_modules/@jest/reporters/node_modules/slash": { - "version": "3.0.0", - "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", - "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/@jest/reporters/node_modules/source-map": { - "version": "0.6.1", - "resolved": "http://localhost:4873/source-map/-/source-map-0.6.1.tgz", - "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==", - "dev": true, - "license": "BSD-3-Clause", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/@jest/schemas": { - "version": "29.6.3", - "resolved": "http://localhost:4873/@jest/schemas/-/schemas-29.6.3.tgz", - "integrity": "sha512-mo5j5X+jIZmJQveBKeS/clAueipV7KgiX1vMgCxam1RNYiqE1w62n0/tJJnHtjW8ZHcQco5gY85jA3mi0L+nSA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@sinclair/typebox": "^0.27.8" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/@jest/source-map": { - "version": "26.6.2", - "resolved": "http://localhost:4873/@jest/source-map/-/source-map-26.6.2.tgz", - "integrity": "sha512-YwYcCwAnNmOVsZ8mr3GfnzdXDAl4LaenZP5z+G0c8bzC9/dugL8zRmxZzdoTl4IaS3CryS1uWnROLPFmb6lVvA==", - "dev": true, - "license": "MIT", - "dependencies": { - "callsites": "^3.0.0", - "graceful-fs": "^4.2.4", - "source-map": "^0.6.0" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/@jest/source-map/node_modules/source-map": { - "version": "0.6.1", - "resolved": "http://localhost:4873/source-map/-/source-map-0.6.1.tgz", - "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==", - "dev": true, - "license": "BSD-3-Clause", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/@jest/test-result": { - "version": "26.6.2", - "resolved": "http://localhost:4873/@jest/test-result/-/test-result-26.6.2.tgz", - "integrity": "sha512-5O7H5c/7YlojphYNrK02LlDIV2GNPYisKwHm2QTKjNZeEzezCbwYs9swJySv2UfPMyZ0VdsmMv7jIlD/IKYQpQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/console": "^26.6.2", - "@jest/types": "^26.6.2", - "@types/istanbul-lib-coverage": "^2.0.0", - "collect-v8-coverage": "^1.0.0" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/@jest/test-sequencer": { - "version": "26.6.3", - "resolved": "http://localhost:4873/@jest/test-sequencer/-/test-sequencer-26.6.3.tgz", - "integrity": "sha512-YHlVIjP5nfEyjlrSr8t/YdNfU/1XEt7c5b4OxcXCjyRhjzLYu/rO69/WHPuYcbCWkz8kAeZVZp2N2+IOLLEPGw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/test-result": "^26.6.2", - "graceful-fs": "^4.2.4", - "jest-haste-map": "^26.6.2", - "jest-runner": "^26.6.3", - "jest-runtime": "^26.6.3" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/@jest/transform": { - "version": "26.6.2", - "resolved": "http://localhost:4873/@jest/transform/-/transform-26.6.2.tgz", - "integrity": "sha512-E9JjhUgNzvuQ+vVAL21vlyfy12gP0GhazGgJC4h6qUt1jSdUXGWJ1wfu/X7Sd8etSgxV4ovT1pb9v5D6QW4XgA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/core": "^7.1.0", - "@jest/types": "^26.6.2", - "babel-plugin-istanbul": "^6.0.0", - "chalk": "^4.0.0", - "convert-source-map": "^1.4.0", - "fast-json-stable-stringify": "^2.0.0", - "graceful-fs": "^4.2.4", - "jest-haste-map": "^26.6.2", - "jest-regex-util": "^26.0.0", - "jest-util": "^26.6.2", - "micromatch": "^4.0.2", - "pirates": "^4.0.1", - "slash": "^3.0.0", - "source-map": "^0.6.1", - "write-file-atomic": "^3.0.0" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/@jest/transform/node_modules/slash": { - "version": "3.0.0", - "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", - "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/@jest/transform/node_modules/source-map": { - "version": "0.6.1", - "resolved": "http://localhost:4873/source-map/-/source-map-0.6.1.tgz", - "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==", - "dev": true, - "license": "BSD-3-Clause", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/@jest/types": { - "version": "26.6.2", - "resolved": "http://localhost:4873/@jest/types/-/types-26.6.2.tgz", - "integrity": "sha512-fC6QCp7Sc5sX6g8Tvbmj4XUTbyrik0akgRy03yjXbQaBWWNWGE7SGtJk98m0N8nzegD/7SggrUlivxo5ax4KWQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/istanbul-lib-coverage": "^2.0.0", - "@types/istanbul-reports": "^3.0.0", - "@types/node": "*", - "@types/yargs": "^15.0.0", - "chalk": "^4.0.0" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/@jridgewell/gen-mapping": { - "version": "0.3.8", - "resolved": "http://localhost:4873/@jridgewell/gen-mapping/-/gen-mapping-0.3.8.tgz", - "integrity": "sha512-imAbBGkb+ebQyxKgzv5Hu2nmROxoDOXHh80evxdoXNOrvAnVx7zimzc1Oo5h9RlfV4vPXaE2iM5pOFbvOCClWA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jridgewell/set-array": "^1.2.1", - "@jridgewell/sourcemap-codec": "^1.4.10", - "@jridgewell/trace-mapping": "^0.3.24" - }, - "engines": { - "node": ">=6.0.0" - } - }, - "node_modules/@jridgewell/resolve-uri": { - "version": "3.1.2", - "resolved": "http://localhost:4873/@jridgewell/resolve-uri/-/resolve-uri-3.1.2.tgz", - "integrity": "sha512-bRISgCIjP20/tbWSPWMEi54QVPRZExkuD9lJL+UIxUKtwVJA8wW1Trb1jMs1RFXo1CBTNZ/5hpC9QvmKWdopKw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6.0.0" - } - }, - "node_modules/@jridgewell/set-array": { - "version": "1.2.1", - "resolved": "http://localhost:4873/@jridgewell/set-array/-/set-array-1.2.1.tgz", - "integrity": "sha512-R8gLRTZeyp03ymzP/6Lil/28tGeGEzhx1q2k703KGWRAI1VdvPIXdG70VJc2pAMw3NA6JKL5hhFu1sJX0Mnn/A==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6.0.0" - } - }, - "node_modules/@jridgewell/source-map": { - "version": "0.3.6", - "resolved": "http://localhost:4873/@jridgewell/source-map/-/source-map-0.3.6.tgz", - "integrity": "sha512-1ZJTZebgqllO79ue2bm3rIGud/bOe0pP5BjSRCRxxYkEZS8STV7zN84UBbiYu7jy+eCKSnVIUgoWWE/tt+shMQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jridgewell/gen-mapping": "^0.3.5", - "@jridgewell/trace-mapping": "^0.3.25" - } - }, - "node_modules/@jridgewell/sourcemap-codec": { - "version": "1.5.0", - "resolved": "http://localhost:4873/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.5.0.tgz", - "integrity": "sha512-gv3ZRaISU3fjPAgNsriBRqGWQL6quFx04YMPW/zD8XMLsU32mhCCbfbO6KZFLjvYpCZ8zyDEgqsgf+PwPaM7GQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/@jridgewell/trace-mapping": { - "version": "0.3.25", - "resolved": "http://localhost:4873/@jridgewell/trace-mapping/-/trace-mapping-0.3.25.tgz", - "integrity": "sha512-vNk6aEwybGtawWmy/PzwnGDOjCkLWSD2wqvjGGAgOAwCGWySYXfYoxt00IJkTF+8Lb57DwOb3Aa0o9CApepiYQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jridgewell/resolve-uri": "^3.1.0", - "@jridgewell/sourcemap-codec": "^1.4.14" - } - }, - "node_modules/@lhci/cli": { - "version": "0.11.1", - "resolved": "http://localhost:4873/@lhci/cli/-/cli-0.11.1.tgz", - "integrity": "sha512-NDq7Cd6cfINLuI88FSQt+hZ1RSRyOi4TFOO9MVip4BHtSm+BG83sYRGMllUoBt12N6F+5UQte58A9sJz65EI1g==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "@lhci/utils": "0.11.1", - "chrome-launcher": "^0.13.4", - "compression": "^1.7.4", - "debug": "^4.3.1", - "express": "^4.17.1", - "https-proxy-agent": "^5.0.0", - "inquirer": "^6.3.1", - "isomorphic-fetch": "^3.0.0", - "lighthouse": "9.6.8", - "lighthouse-logger": "1.2.0", - "open": "^7.1.0", - "tmp": "^0.1.0", - "uuid": "^8.3.1", - "yargs": "^15.4.1", - "yargs-parser": "^13.1.2" - }, - "bin": { - "lhci": "src/cli.js" - } - }, - "node_modules/@lhci/utils": { - "version": "0.11.1", - "resolved": "http://localhost:4873/@lhci/utils/-/utils-0.11.1.tgz", - "integrity": "sha512-ABUp+AFLRdfQ3+nTDinGxZAz4afBMjEoC1g9GlL5b9Faa9eC90fcmv4uS5V+jcQWFMYjbYpsajHIJfI6r6OIjA==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "debug": "^4.3.1", - "isomorphic-fetch": "^3.0.0", - "js-yaml": "^3.13.1", - "lighthouse": "9.6.8", - "tree-kill": "^1.2.1" - } - }, - "node_modules/@loadable/babel-plugin": { - "version": "5.16.1", - "resolved": "http://localhost:4873/@loadable/babel-plugin/-/babel-plugin-5.16.1.tgz", - "integrity": "sha512-y+oKjRTt5XXf907ReFxiZyQtkYiIa4NAPQYlxb2qh5rUO/UsOKPq2PhCSHvfwoZOUJaMsY0FnoAPZ6lhFZkayQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/plugin-syntax-dynamic-import": "^7.7.4" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "type": "github", - "url": "https://github.com/sponsors/gregberge" - }, - "peerDependencies": { - "@babel/core": "^7.0.0-0" - } - }, - "node_modules/@loadable/component": { - "version": "5.16.7", - "resolved": "http://localhost:4873/@loadable/component/-/component-5.16.7.tgz", - "integrity": "sha512-XvkFixLUOTEaj8lI7uwc4nf8Wmq3IulYG7SZHCWcPm/Li5gjJDFfIkgWOLPnD7jqPJVtAG9bEz4SCek+SpHYYg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/runtime": "^7.12.18", - "hoist-non-react-statics": "^3.3.1", - "react-is": "^16.12.0" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "type": "github", - "url": "https://github.com/sponsors/gregberge" - }, - "peerDependencies": { - "react": "^16.3.0 || ^17.0.0 || ^18.0.0 || ^19.0.0" - } - }, - "node_modules/@loadable/server": { - "version": "5.16.7", - "resolved": "http://localhost:4873/@loadable/server/-/server-5.16.7.tgz", - "integrity": "sha512-wdRmljftCjzyh75xeyc4+3UL2DGz25/YUrB7BT7VTgVRovHmDThl7feu/01w2C+vSxBqzpMkiuPjSftFPL/Fqw==", - "dev": true, - "license": "MIT", - "dependencies": { - "lodash": "^4.17.15" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "type": "github", - "url": "https://github.com/sponsors/gregberge" - }, - "peerDependencies": { - "@loadable/component": "^5.0.1", - "react": "^16.3.0 || ^17.0.0 || ^18.0.0 || ^19.0.0" - } - }, - "node_modules/@loadable/webpack-plugin": { - "version": "5.15.2", - "resolved": "http://localhost:4873/@loadable/webpack-plugin/-/webpack-plugin-5.15.2.tgz", - "integrity": "sha512-+o87jPHn3E8sqW0aBA+qwKuG8JyIfMGdz3zECv0t/JF0KHhxXtzIlTiqzlIYc5ZpFs/vKSQfjzGIR5tPJjoXDw==", - "dev": true, - "license": "MIT", - "dependencies": { - "make-dir": "^3.0.2" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "type": "github", - "url": "https://github.com/sponsors/gregberge" - }, - "peerDependencies": { - "webpack": ">=4.6.0" - } - }, - "node_modules/@loadable/webpack-plugin/node_modules/make-dir": { - "version": "3.1.0", - "resolved": "http://localhost:4873/make-dir/-/make-dir-3.1.0.tgz", - "integrity": "sha512-g3FeP20LNwhALb/6Cz6Dd4F2ngze0jz7tbzrD2wAV+o9FeNHe4rL+yK2md0J/fiSf1sa1ADhXqi5+oVwOM/eGw==", - "dev": true, - "license": "MIT", - "dependencies": { - "semver": "^6.0.0" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/@loadable/webpack-plugin/node_modules/semver": { - "version": "6.3.1", - "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", - "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", - "dev": true, - "license": "ISC", - "bin": { - "semver": "bin/semver.js" - } - }, - "node_modules/@mswjs/cookies": { - "version": "0.2.2", - "resolved": "http://localhost:4873/@mswjs/cookies/-/cookies-0.2.2.tgz", - "integrity": "sha512-mlN83YSrcFgk7Dm1Mys40DLssI1KdJji2CMKN8eOlBqsTADYzj2+jWzsANsUTFbxDMWPD5e9bfA1RGqBpS3O1g==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/set-cookie-parser": "^2.4.0", - "set-cookie-parser": "^2.4.6" - }, - "engines": { - "node": ">=14" - } - }, - "node_modules/@mswjs/interceptors": { - "version": "0.17.10", - "resolved": "http://localhost:4873/@mswjs/interceptors/-/interceptors-0.17.10.tgz", - "integrity": "sha512-N8x7eSLGcmUFNWZRxT1vsHvypzIRgQYdG0rJey/rZCy6zT/30qDt8Joj7FxzGNLSwXbeZqJOMqDurp7ra4hgbw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@open-draft/until": "^1.0.3", - "@types/debug": "^4.1.7", - "@xmldom/xmldom": "^0.8.3", - "debug": "^4.3.3", - "headers-polyfill": "3.2.5", - "outvariant": "^1.2.1", - "strict-event-emitter": "^0.2.4", - "web-encoding": "^1.1.5" - }, - "engines": { - "node": ">=14" - } - }, - "node_modules/@mswjs/interceptors/node_modules/events": { - "version": "3.3.0", - "resolved": "http://localhost:4873/events/-/events-3.3.0.tgz", - "integrity": "sha512-mQw+2fkQbALzQ7V0MY0IqdnXNOeTtP4r0lN9z7AAawCXgqea7bDii20AYrIBrFd/Hx0M2Ocz6S111CaFkUcb0Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.8.x" - } - }, - "node_modules/@mswjs/interceptors/node_modules/headers-polyfill": { - "version": "3.2.5", - "resolved": "http://localhost:4873/headers-polyfill/-/headers-polyfill-3.2.5.tgz", - "integrity": "sha512-tUCGvt191vNSQgttSyJoibR+VO+I6+iCHIUdhzEMJKE+EAL8BwCN7fUOZlY4ofOelNHsK+gEjxB/B+9N3EWtdA==", - "dev": true, - "license": "MIT" - }, - "node_modules/@mswjs/interceptors/node_modules/strict-event-emitter": { - "version": "0.2.8", - "resolved": "http://localhost:4873/strict-event-emitter/-/strict-event-emitter-0.2.8.tgz", - "integrity": "sha512-KDf/ujU8Zud3YaLtMCcTI4xkZlZVIYxTLr+XIULexP+77EEVWixeXroLUXQXiVtH4XH2W7jr/3PT1v3zBuvc3A==", - "dev": true, - "license": "MIT", - "dependencies": { - "events": "^3.3.0" - } - }, - "node_modules/@nicolo-ribaudo/chokidar-2": { - "version": "2.1.8-no-fsevents.3", - "resolved": "http://localhost:4873/@nicolo-ribaudo/chokidar-2/-/chokidar-2-2.1.8-no-fsevents.3.tgz", - "integrity": "sha512-s88O1aVtXftvp5bCPB7WnmXc5IwOZZ7YPuwNPt+GtOOXpPvad1LfbmjYv+qII7zP6RU2QGnqve27dnLycEnyEQ==", - "dev": true, - "license": "MIT", - "optional": true - }, - "node_modules/@nicolo-ribaudo/eslint-scope-5-internals": { - "version": "5.1.1-v1", - "resolved": "http://localhost:4873/@nicolo-ribaudo/eslint-scope-5-internals/-/eslint-scope-5-internals-5.1.1-v1.tgz", - "integrity": "sha512-54/JRvkLIzzDWshCWfuhadfrfZVPiElY8Fcgmg1HroEly/EDSszzhBAsarCux+D/kOslTRquNzuyGSmUSTTHGg==", - "dev": true, - "license": "MIT", - "dependencies": { - "eslint-scope": "5.1.1" - } - }, - "node_modules/@nodelib/fs.scandir": { - "version": "2.1.5", - "resolved": "http://localhost:4873/@nodelib/fs.scandir/-/fs.scandir-2.1.5.tgz", - "integrity": "sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==", - "dev": true, - "license": "MIT", - "dependencies": { - "@nodelib/fs.stat": "2.0.5", - "run-parallel": "^1.1.9" - }, - "engines": { - "node": ">= 8" - } - }, - "node_modules/@nodelib/fs.stat": { - "version": "2.0.5", - "resolved": "http://localhost:4873/@nodelib/fs.stat/-/fs.stat-2.0.5.tgz", - "integrity": "sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 8" - } - }, - "node_modules/@nodelib/fs.walk": { - "version": "1.2.8", - "resolved": "http://localhost:4873/@nodelib/fs.walk/-/fs.walk-1.2.8.tgz", - "integrity": "sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@nodelib/fs.scandir": "2.1.5", - "fastq": "^1.6.0" - }, - "engines": { - "node": ">= 8" - } - }, - "node_modules/@open-draft/until": { - "version": "1.0.3", - "resolved": "http://localhost:4873/@open-draft/until/-/until-1.0.3.tgz", - "integrity": "sha512-Aq58f5HiWdyDlFffbbSjAlv596h/cOnt2DO1w3DOC7OJ5EHs0hd/nycJfiu9RJbT6Yk6F1knnRRXNSpxoIVZ9Q==", - "dev": true, - "license": "MIT" - }, - "node_modules/@peculiar/asn1-schema": { - "version": "2.3.15", - "resolved": "http://localhost:4873/@peculiar/asn1-schema/-/asn1-schema-2.3.15.tgz", - "integrity": "sha512-QPeD8UA8axQREpgR5UTAfu2mqQmm97oUqahDtNdBcfj3qAnoXzFdQW+aNf/tD2WVXF8Fhmftxoj0eMIT++gX2w==", - "dev": true, - "license": "MIT", - "dependencies": { - "asn1js": "^3.0.5", - "pvtsutils": "^1.3.6", - "tslib": "^2.8.1" - } - }, - "node_modules/@peculiar/json-schema": { - "version": "1.1.12", - "resolved": "http://localhost:4873/@peculiar/json-schema/-/json-schema-1.1.12.tgz", - "integrity": "sha512-coUfuoMeIB7B8/NMekxaDzLhaYmp0HZNPEjYRm9goRou8UZIC3z21s0sL9AWoCw4EG876QyO3kYrc61WNF9B/w==", - "dev": true, - "license": "MIT", - "dependencies": { - "tslib": "^2.0.0" - }, - "engines": { - "node": ">=8.0.0" - } - }, - "node_modules/@peculiar/webcrypto": { - "version": "1.5.0", - "resolved": "http://localhost:4873/@peculiar/webcrypto/-/webcrypto-1.5.0.tgz", - "integrity": "sha512-BRs5XUAwiyCDQMsVA9IDvDa7UBR9gAvPHgugOeGng3YN6vJ9JYonyDc0lNczErgtCWtucjR5N7VtaonboD/ezg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@peculiar/asn1-schema": "^2.3.8", - "@peculiar/json-schema": "^1.1.12", - "pvtsutils": "^1.3.5", - "tslib": "^2.6.2", - "webcrypto-core": "^1.8.0" - }, - "engines": { - "node": ">=10.12.0" - } - }, - "node_modules/@pmmmwh/react-refresh-webpack-plugin": { - "version": "0.5.16", - "resolved": "http://localhost:4873/@pmmmwh/react-refresh-webpack-plugin/-/react-refresh-webpack-plugin-0.5.16.tgz", - "integrity": "sha512-kLQc9xz6QIqd2oIYyXRUiAp79kGpFBm3fEM9ahfG1HI0WI5gdZ2OVHWdmZYnwODt7ISck+QuQ6sBPrtvUBML7Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "ansi-html": "^0.0.9", - "core-js-pure": "^3.23.3", - "error-stack-parser": "^2.0.6", - "html-entities": "^2.1.0", - "loader-utils": "^2.0.4", - "schema-utils": "^4.2.0", - "source-map": "^0.7.3" - }, - "engines": { - "node": ">= 10.13" - }, - "peerDependencies": { - "@types/webpack": "4.x || 5.x", - "react-refresh": ">=0.10.0 <1.0.0", - "sockjs-client": "^1.4.0", - "type-fest": ">=0.17.0 <5.0.0", - "webpack": ">=4.43.0 <6.0.0", - "webpack-dev-server": "3.x || 4.x || 5.x", - "webpack-hot-middleware": "2.x", - "webpack-plugin-serve": "0.x || 1.x" - }, - "peerDependenciesMeta": { - "@types/webpack": { - "optional": true - }, - "sockjs-client": { - "optional": true - }, - "type-fest": { - "optional": true - }, - "webpack-dev-server": { - "optional": true - }, - "webpack-hot-middleware": { - "optional": true - }, - "webpack-plugin-serve": { - "optional": true - } - } - }, - "node_modules/@pmmmwh/react-refresh-webpack-plugin/node_modules/source-map": { - "version": "0.7.4", - "resolved": "http://localhost:4873/source-map/-/source-map-0.7.4.tgz", - "integrity": "sha512-l3BikUxvPOcn5E74dZiq5BGsTb5yEwhaTSzccU6t4sDOH8NWJCstKO5QT2CvtFoK6F0saL7p9xHAqHOlCPJygA==", - "dev": true, - "license": "BSD-3-Clause", - "engines": { - "node": ">= 8" - } - }, - "node_modules/@polka/url": { - "version": "1.0.0-next.29", - "resolved": "http://localhost:4873/@polka/url/-/url-1.0.0-next.29.tgz", - "integrity": "sha512-wwQAWhWSuHaag8c4q/KN/vCoeOJYshAIvMQwD4GpSb3OiZklFfvAgmj0VCBBImRpuF/aFgIRzllXlVX93Jevww==", - "dev": true, - "license": "MIT" - }, - "node_modules/@popperjs/core": { - "version": "2.11.8", - "resolved": "http://localhost:4873/@popperjs/core/-/core-2.11.8.tgz", - "integrity": "sha512-P1st0aksCrn9sGZhp8GMYwBnQsbvAWsZAX44oXNNvLHGqAOcoVxmjZiohstwQ7SqKnbR47akdNi+uleWD8+g6A==", - "dev": true, - "license": "MIT", - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/popperjs" - } - }, - "node_modules/@salesforce/cc-datacloud-typescript": { - "version": "1.1.2", - "resolved": "http://localhost:4873/@salesforce/cc-datacloud-typescript/-/cc-datacloud-typescript-1.1.2.tgz", - "integrity": "sha512-1zF4j3BCM92EMGRmIn6ti6IJ45hQINjXS30RMhVgwOewXtFXFgBvIrkbtPmBCxYh1dg7tpck4i2uB0K2E8GdbQ==", - "dev": true, - "license": "ISC", - "dependencies": { - "headers-polyfill": "^4.0.2", - "openapi-fetch": "^0.8.2", - "rollup": "^2.79.1" - }, - "engines": { - "node": ">=18" - } - }, - "node_modules/@salesforce/commerce-sdk-react": { - "version": "3.3.0-dev.1", - "resolved": "http://localhost:4873/@salesforce/commerce-sdk-react/-/commerce-sdk-react-3.3.0-dev.1.tgz", - "integrity": "sha512-O00Io0uZkqdLww8pwRlTkIog8059a0wvyX8+KfooFWZF8sNEZ49hTKdXZb+mjGf5Tys72TmhoJEsRZ1PIuN9Cw==", - "dev": true, - "license": "See license in LICENSE", - "dependencies": { - "commerce-sdk-isomorphic": "^3.3.0", - "js-cookie": "^3.0.1", - "jwt-decode": "^4.0.0" - }, - "engines": { - "node": "^16.11.0 || ^18.0.0 || ^20.0.0 || ^22.0.0", - "npm": "^8.0.0 || ^9.0.0 || ^10.0.0 || ^11.0.0" - }, - "optionalDependencies": { - "prop-types": "^15.8.1", - "react-router-dom": "^5.3.4" - }, - "peerDependencies": { - "@tanstack/react-query": "^4.28.0", - "react": "^18.2.0", - "react-helmet": "^6.1.0" - } - }, - "node_modules/@salesforce/pwa-kit-dev": { - "version": "3.10.0-dev.1", - "resolved": "http://localhost:4873/@salesforce/pwa-kit-dev/-/pwa-kit-dev-3.10.0-dev.1.tgz", - "integrity": "sha512-hCUqZyovJWMNG6tN0CWgbxI+bDGEE7Rm2/YJc4d83Cd+Mp7ejzRZhaH98WLRPyQ0Txi4h30THv6V2d7nNASk/g==", - "dev": true, - "license": "SEE LICENSE IN LICENSE", - "dependencies": { - "@babel/cli": "^7.21.0", - "@babel/core": "^7.21.3", - "@babel/eslint-parser": "^7.21.3", - "@babel/node": "^7.22.5", - "@babel/parser": "^7.21.3", - "@babel/plugin-proposal-object-rest-spread": "^7.20.7", - "@babel/plugin-proposal-optional-chaining": "^7.21.0", - "@babel/plugin-transform-async-generator-functions": "^7.22.3", - "@babel/plugin-transform-async-to-generator": "^7.20.7", - "@babel/plugin-transform-object-assign": "^7.18.6", - "@babel/plugin-transform-runtime": "^7.21.0", - "@babel/preset-env": "^7.20.2", - "@babel/preset-react": "^7.18.6", - "@babel/preset-typescript": "^7.21.0", - "@babel/register": "^7.21.0", - "@babel/runtime": "^7.21.0", - "@babel/runtime-corejs2": "^7.21.0", - "@babel/traverse": "^7.23.2", - "@loadable/babel-plugin": "^5.15.3", - "@loadable/server": "^5.15.3", - "@loadable/webpack-plugin": "^5.15.2", - "@pmmmwh/react-refresh-webpack-plugin": "^0.5.10", - "@salesforce/pwa-kit-runtime": "3.10.0-dev.1", - "@typescript-eslint/eslint-plugin": "^5.57.0", - "@typescript-eslint/parser": "^5.57.0", - "archiver": "1.3.0", - "babel-jest": "^26.6.3", - "babel-loader": "^8.3.0", - "babel-plugin-dynamic-import-node-babel-7": "^2.0.7", - "babel-plugin-formatjs": "10.5.36", - "chalk": "^4.1.2", - "commander": "^9.5.0", - "compression": "1.7.4", - "copy-webpack-plugin": "^9.1.0", - "cross-env": "^5.2.1", - "eslint": "^8.37.0", - "eslint-config-prettier": "8.8.0", - "eslint-plugin-jest": "^27.2.1", - "eslint-plugin-jsx-a11y": "6.7.1", - "eslint-plugin-prettier": "4.2.1", - "eslint-plugin-react": "^7.32.2", - "eslint-plugin-react-hooks": "^4.6.0", - "eslint-plugin-use-effect-no-deps": "^1.1.2", - "express": "^4.19.2", - "fs-extra": "^11.1.1", - "git-rev-sync": "^3.0.2", - "glob": "7.2.3", - "ignore-loader": "^0.1.2", - "jest": "^26.6.3", - "jest-cli": "^26.6.3", - "jest-environment-jsdom": "^26.6.2", - "jest-environment-jsdom-global": "^2.0.4", - "jest-expect-message": "1.1.3", - "jest-fetch-mock": "^2.1.2", - "mime-types": "2.1.35", - "minimatch": "3.1.2", - "node-fetch": "^2.6.9", - "open": "^8.4.2", - "prettier": "^2.8.6", - "react-refresh": "^0.14.0", - "replace-in-file": "^6.3.5", - "require-from-string": "^2.0.2", - "rimraf": "2.7.1", - "semver": "^7.5.2", - "source-map-loader": "^4.0.1", - "speed-measure-webpack-plugin": "^1.5.0", - "svg-sprite-loader": "^6.0.11", - "validator": "^13.9.0", - "webpack": "^5.76.3", - "webpack-bundle-analyzer": "^4.8.0", - "webpack-cli": "^4.10.0", - "webpack-dev-middleware": "^5.3.4", - "webpack-hot-middleware": "^2.25.3", - "webpack-hot-server-middleware": "^0.6.1", - "webpack-notifier": "^1.15.0", - "ws": "^8.13.0" - }, - "bin": { - "pwa-kit-dev": "bin/pwa-kit-dev.js" - }, - "engines": { - "node": "^16.11.0 || ^18.0.0 || ^20.0.0 || ^22.0.0", - "npm": "^8.0.0 || ^9.0.0 || ^10.0.0 || ^11.0.0" - }, - "peerDependencies": { - "@loadable/component": "^5.15.3", - "typescript": "4.9.5" - }, - "peerDependenciesMeta": { - "@loadable/component": { - "optional": true - }, - "typescript": { - "optional": true - } - } - }, - "node_modules/@salesforce/pwa-kit-dev/node_modules/bytes": { - "version": "3.0.0", - "resolved": "http://localhost:4873/bytes/-/bytes-3.0.0.tgz", - "integrity": "sha512-pMhOfFDPiv9t5jjIXkHosWmkSyQbvsgEVNkz0ERHbuLh2T/7j4Mqqpz523Fe8MVY89KC6Sh/QfS2sM+SjgFDcw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.8" - } - }, - "node_modules/@salesforce/pwa-kit-dev/node_modules/compression": { - "version": "1.7.4", - "resolved": "http://localhost:4873/compression/-/compression-1.7.4.tgz", - "integrity": "sha512-jaSIDzP9pZVS4ZfQ+TzvtiWhdpFhE2RDHz8QJkpX9SIpLq88VueF5jJw6t+6CUQcAoA6t+x89MLrWAqpfDE8iQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "accepts": "~1.3.5", - "bytes": "3.0.0", - "compressible": "~2.0.16", - "debug": "2.6.9", - "on-headers": "~1.0.2", - "safe-buffer": "5.1.2", - "vary": "~1.1.2" - }, - "engines": { - "node": ">= 0.8.0" - } - }, - "node_modules/@salesforce/pwa-kit-dev/node_modules/debug": { - "version": "2.6.9", - "resolved": "http://localhost:4873/debug/-/debug-2.6.9.tgz", - "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", - "dev": true, - "license": "MIT", - "dependencies": { - "ms": "2.0.0" - } - }, - "node_modules/@salesforce/pwa-kit-dev/node_modules/ms": { - "version": "2.0.0", - "resolved": "http://localhost:4873/ms/-/ms-2.0.0.tgz", - "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", - "dev": true, - "license": "MIT" - }, - "node_modules/@salesforce/pwa-kit-dev/node_modules/open": { - "version": "8.4.2", - "resolved": "http://localhost:4873/open/-/open-8.4.2.tgz", - "integrity": "sha512-7x81NCL719oNbsq/3mh+hVrAWmFuEYUqrq/Iw3kUzH8ReypT9QQ0BLoJS7/G9k6N81XjW4qHWtjWwe/9eLy1EQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "define-lazy-prop": "^2.0.0", - "is-docker": "^2.1.1", - "is-wsl": "^2.2.0" - }, - "engines": { - "node": ">=12" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/@salesforce/pwa-kit-dev/node_modules/safe-buffer": { - "version": "5.1.2", - "resolved": "http://localhost:4873/safe-buffer/-/safe-buffer-5.1.2.tgz", - "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==", - "dev": true, - "license": "MIT" - }, - "node_modules/@salesforce/pwa-kit-react-sdk": { - "version": "3.10.0-dev.1", - "resolved": "http://localhost:4873/@salesforce/pwa-kit-react-sdk/-/pwa-kit-react-sdk-3.10.0-dev.1.tgz", - "integrity": "sha512-Hv7g/iVhv7hLTs78PkfJJ16A7e9da8B9UzhMUORQTrP7szfeoB4D7dg4IGeEOn1TFSiphDDlwOc/cBQN4KCvFg==", - "dev": true, - "license": "SEE LICENSE IN LICENSE", - "dependencies": { - "@loadable/babel-plugin": "^5.15.3", - "@loadable/server": "^5.15.3", - "@loadable/webpack-plugin": "^5.15.2", - "@salesforce/pwa-kit-runtime": "3.10.0-dev.1", - "@tanstack/react-query": "^4.28.0", - "cross-env": "^5.2.1", - "event-emitter": "^0.3.5", - "hoist-non-react-statics": "^3.3.2", - "prop-types": "^15.8.1", - "react-ssr-prepass": "^1.5.0", - "react-uid": "^2.3.2", - "serialize-javascript": "^6.0.2", - "svg-sprite-loader": "^6.0.11" - }, - "engines": { - "node": "^16.11.0 || ^18.0.0 || ^20.0.0 || ^22.0.0", - "npm": "^8.0.0 || ^9.0.0 || ^10.0.0 || ^11.0.0" - }, - "peerDependencies": { - "@loadable/component": "^5.15.3", - "react": "^18.2.0", - "react-dom": "^18.2.0", - "react-helmet": "^6.1.0", - "react-router-dom": "^5.3.4" - } - }, - "node_modules/@salesforce/pwa-kit-runtime": { - "version": "3.10.0-dev.1", - "resolved": "http://localhost:4873/@salesforce/pwa-kit-runtime/-/pwa-kit-runtime-3.10.0-dev.1.tgz", - "integrity": "sha512-FJatkJw0VAXNtIFQU3PyVyuSYUB/7hODt3u53BxR45xhIyXMoT4/fyXG/RlbbOYPOPYocrr/N0iYO/0TV3V/3A==", - "dev": true, - "license": "SEE LICENSE IN LICENSE", - "dependencies": { - "@loadable/babel-plugin": "^5.15.3", - "aws-sdk": "^2.1354.0", - "aws-serverless-express": "3.4.0", - "cosmiconfig": "8.1.3", - "cross-env": "^5.2.1", - "express": "^4.19.2", - "header-case": "1.0.1", - "http-proxy-middleware": "^2.0.6", - "merge-descriptors": "^1.0.1", - "morgan": "^1.10.0", - "semver": "^7.5.2", - "set-cookie-parser": "^2.6.0", - "whatwg-encoding": "^1.0.5" - }, - "engines": { - "node": "^16.11.0 || ^18.0.0 || ^20.0.0 || ^22.0.0", - "npm": "^8.0.0 || ^9.0.0 || ^10.0.0 || ^11.0.0" - }, - "peerDependencies": { - "@salesforce/pwa-kit-dev": "3.10.0-dev.1" - }, - "peerDependenciesMeta": { - "@salesforce/pwa-kit-dev": { - "optional": true - } - } - }, - "node_modules/@salesforce/retail-react-app": { - "version": "7.0.0-dev.0", - "resolved": "http://localhost:4873/@salesforce/retail-react-app/-/retail-react-app-7.0.0-dev.0.tgz", - "integrity": "sha512-XhFR/BwlxauhjfReaztrc+yBtypyHOCq8FgV4d9Z5AIxTSt9KTG7aRuLJFt3CBkQfyTsZtQxtLINzesBymzKQw==", - "dev": true, - "hasInstallScript": true, - "license": "See license in LICENSE", - "dependencies": { - "@chakra-ui/icons": "^2.0.19", - "@chakra-ui/react": "^2.6.0", - "@chakra-ui/skip-nav": "^2.0.15", - "@chakra-ui/system": "^2.5.6", - "@emotion/react": "^11.10.6", - "@emotion/styled": "^11.10.6", - "@formatjs/cli": "^6.0.4", - "@lhci/cli": "^0.11.0", - "@loadable/component": "^5.15.3", - "@peculiar/webcrypto": "^1.4.2", - "@salesforce/cc-datacloud-typescript": "1.1.2", - "@salesforce/commerce-sdk-react": "3.3.0-dev.1", - "@salesforce/pwa-kit-dev": "3.10.0-dev.1", - "@salesforce/pwa-kit-react-sdk": "3.10.0-dev.1", - "@salesforce/pwa-kit-runtime": "3.10.0-dev.1", - "@tanstack/react-query": "^4.28.0", - "@tanstack/react-query-devtools": "^4.29.1", - "@testing-library/dom": "^9.0.1", - "@testing-library/jest-dom": "^5.16.5", - "@testing-library/react": "^14.0.0", - "@testing-library/user-event": "^14.4.3", - "babel-plugin-module-resolver": "5.0.2", - "base64-arraybuffer": "^0.2.0", - "bundlesize2": "^0.0.35", - "card-validator": "^8.1.1", - "cross-env": "^5.2.1", - "cross-fetch": "^3.1.4", - "focus-visible": "^5.2.0", - "framer-motion": "^10.12.9", - "full-icu": "^1.5.0", - "helmet": "^4.6.0", - "jest-fetch-mock": "^2.1.2", - "jose": "^4.14.4", - "js-cookie": "^3.0.1", - "jsonwebtoken": "^9.0.0", - "jwt-decode": "^4.0.0", - "lodash": "^4.17.21", - "msw": "^1.2.1", - "nanoid": "^3.3.8", - "prop-types": "^15.8.1", - "query-string": "^7.1.3", - "raf": "^3.4.1", - "randomstring": "^1.2.3", - "react": "^18.2.0", - "react-dom": "^18.2.0", - "react-helmet": "^6.1.0", - "react-hook-form": "^7.43.9", - "react-intl": "^5.25.1", - "react-router-dom": "^5.3.4" - }, - "engines": { - "node": "^16.11.0 || ^18.0.0 || ^20.0.0 || ^22.0.0", - "npm": "^8.0.0 || ^9.0.0 || ^10.0.0 || ^11.0.0" - } - }, - "node_modules/@sentry/core": { - "version": "6.19.7", - "resolved": "http://localhost:4873/@sentry/core/-/core-6.19.7.tgz", - "integrity": "sha512-tOfZ/umqB2AcHPGbIrsFLcvApdTm9ggpi/kQZFkej7kMphjT+SGBiQfYtjyg9jcRW+ilAR4JXC9BGKsdEQ+8Vw==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "@sentry/hub": "6.19.7", - "@sentry/minimal": "6.19.7", - "@sentry/types": "6.19.7", - "@sentry/utils": "6.19.7", - "tslib": "^1.9.3" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/@sentry/core/node_modules/tslib": { - "version": "1.14.1", - "resolved": "http://localhost:4873/tslib/-/tslib-1.14.1.tgz", - "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==", - "dev": true, - "license": "0BSD" - }, - "node_modules/@sentry/hub": { - "version": "6.19.7", - "resolved": "http://localhost:4873/@sentry/hub/-/hub-6.19.7.tgz", - "integrity": "sha512-y3OtbYFAqKHCWezF0EGGr5lcyI2KbaXW2Ik7Xp8Mu9TxbSTuwTe4rTntwg8ngPjUQU3SUHzgjqVB8qjiGqFXCA==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "@sentry/types": "6.19.7", - "@sentry/utils": "6.19.7", - "tslib": "^1.9.3" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/@sentry/hub/node_modules/tslib": { - "version": "1.14.1", - "resolved": "http://localhost:4873/tslib/-/tslib-1.14.1.tgz", - "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==", - "dev": true, - "license": "0BSD" - }, - "node_modules/@sentry/minimal": { - "version": "6.19.7", - "resolved": "http://localhost:4873/@sentry/minimal/-/minimal-6.19.7.tgz", - "integrity": "sha512-wcYmSJOdvk6VAPx8IcmZgN08XTXRwRtB1aOLZm+MVHjIZIhHoBGZJYTVQS/BWjldsamj2cX3YGbGXNunaCfYJQ==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "@sentry/hub": "6.19.7", - "@sentry/types": "6.19.7", - "tslib": "^1.9.3" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/@sentry/minimal/node_modules/tslib": { - "version": "1.14.1", - "resolved": "http://localhost:4873/tslib/-/tslib-1.14.1.tgz", - "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==", - "dev": true, - "license": "0BSD" - }, - "node_modules/@sentry/node": { - "version": "6.19.7", - "resolved": "http://localhost:4873/@sentry/node/-/node-6.19.7.tgz", - "integrity": "sha512-gtmRC4dAXKODMpHXKfrkfvyBL3cI8y64vEi3fDD046uqYcrWdgoQsffuBbxMAizc6Ez1ia+f0Flue6p15Qaltg==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "@sentry/core": "6.19.7", - "@sentry/hub": "6.19.7", - "@sentry/types": "6.19.7", - "@sentry/utils": "6.19.7", - "cookie": "^0.4.1", - "https-proxy-agent": "^5.0.0", - "lru_map": "^0.3.3", - "tslib": "^1.9.3" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/@sentry/node/node_modules/cookie": { - "version": "0.4.2", - "resolved": "http://localhost:4873/cookie/-/cookie-0.4.2.tgz", - "integrity": "sha512-aSWTXFzaKWkvHO1Ny/s+ePFpvKsPnjc551iI41v3ny/ow6tBG5Vd+FuqGNhh1LxOmVzOlGUriIlOaokOvhaStA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.6" - } - }, - "node_modules/@sentry/node/node_modules/tslib": { - "version": "1.14.1", - "resolved": "http://localhost:4873/tslib/-/tslib-1.14.1.tgz", - "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==", - "dev": true, - "license": "0BSD" - }, - "node_modules/@sentry/types": { - "version": "6.19.7", - "resolved": "http://localhost:4873/@sentry/types/-/types-6.19.7.tgz", - "integrity": "sha512-jH84pDYE+hHIbVnab3Hr+ZXr1v8QABfhx39KknxqKWr2l0oEItzepV0URvbEhB446lk/S/59230dlUUIBGsXbg==", - "dev": true, - "license": "BSD-3-Clause", - "engines": { - "node": ">=6" - } - }, - "node_modules/@sentry/utils": { - "version": "6.19.7", - "resolved": "http://localhost:4873/@sentry/utils/-/utils-6.19.7.tgz", - "integrity": "sha512-z95ECmE3i9pbWoXQrD/7PgkBAzJYR+iXtPuTkpBjDKs86O3mT+PXOT3BAn79w2wkn7/i3vOGD2xVr1uiMl26dA==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "@sentry/types": "6.19.7", - "tslib": "^1.9.3" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/@sentry/utils/node_modules/tslib": { - "version": "1.14.1", - "resolved": "http://localhost:4873/tslib/-/tslib-1.14.1.tgz", - "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==", - "dev": true, - "license": "0BSD" - }, - "node_modules/@sinclair/typebox": { - "version": "0.27.8", - "resolved": "http://localhost:4873/@sinclair/typebox/-/typebox-0.27.8.tgz", - "integrity": "sha512-+Fj43pSMwJs4KRrH/938Uf+uAELIgVBmQzg/q1YG10djyfA3TnrU8N8XzqCh/okZdszqBQTZf96idMfE5lnwTA==", - "dev": true, - "license": "MIT" - }, - "node_modules/@sinonjs/commons": { - "version": "1.8.6", - "resolved": "http://localhost:4873/@sinonjs/commons/-/commons-1.8.6.tgz", - "integrity": "sha512-Ky+XkAkqPZSm3NLBeUng77EBQl3cmeJhITaGHdYH8kjVB+aun3S4XBRti2zt17mtt0mIUDiNxYeoJm6drVvBJQ==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "type-detect": "4.0.8" - } - }, - "node_modules/@sinonjs/fake-timers": { - "version": "6.0.1", - "resolved": "http://localhost:4873/@sinonjs/fake-timers/-/fake-timers-6.0.1.tgz", - "integrity": "sha512-MZPUxrmFubI36XS1DI3qmI0YdN1gks62JtFZvxR67ljjSNCeK6U08Zx4msEWOXuofgqUt6zPHSi1H9fbjR/NRA==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "@sinonjs/commons": "^1.7.0" - } - }, - "node_modules/@tanstack/match-sorter-utils": { - "version": "8.19.4", - "resolved": "http://localhost:4873/@tanstack/match-sorter-utils/-/match-sorter-utils-8.19.4.tgz", - "integrity": "sha512-Wo1iKt2b9OT7d+YGhvEPD3DXvPv2etTusIMhMUoG7fbhmxcXCtIjJDEygy91Y2JFlwGyjqiBPRozme7UD8hoqg==", - "dev": true, - "license": "MIT", - "dependencies": { - "remove-accents": "0.5.0" - }, - "engines": { - "node": ">=12" - }, - "funding": { - "type": "github", - "url": "https://github.com/sponsors/tannerlinsley" - } - }, - "node_modules/@tanstack/query-core": { - "version": "4.36.1", - "resolved": "http://localhost:4873/@tanstack/query-core/-/query-core-4.36.1.tgz", - "integrity": "sha512-DJSilV5+ytBP1FbFcEJovv4rnnm/CokuVvrBEtW/Va9DvuJ3HksbXUJEpI0aV1KtuL4ZoO9AVE6PyNLzF7tLeA==", - "dev": true, - "license": "MIT", - "funding": { - "type": "github", - "url": "https://github.com/sponsors/tannerlinsley" - } - }, - "node_modules/@tanstack/react-query": { - "version": "4.36.1", - "resolved": "http://localhost:4873/@tanstack/react-query/-/react-query-4.36.1.tgz", - "integrity": "sha512-y7ySVHFyyQblPl3J3eQBWpXZkliroki3ARnBKsdJchlgt7yJLRDUcf4B8soufgiYt3pEQIkBWBx1N9/ZPIeUWw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@tanstack/query-core": "4.36.1", - "use-sync-external-store": "^1.2.0" - }, - "funding": { - "type": "github", - "url": "https://github.com/sponsors/tannerlinsley" - }, - "peerDependencies": { - "react": "^16.8.0 || ^17.0.0 || ^18.0.0", - "react-dom": "^16.8.0 || ^17.0.0 || ^18.0.0", - "react-native": "*" - }, - "peerDependenciesMeta": { - "react-dom": { - "optional": true - }, - "react-native": { - "optional": true - } - } - }, - "node_modules/@tanstack/react-query-devtools": { - "version": "4.36.1", - "resolved": "http://localhost:4873/@tanstack/react-query-devtools/-/react-query-devtools-4.36.1.tgz", - "integrity": "sha512-WYku83CKP3OevnYSG8Y/QO9g0rT75v1om5IvcWUwiUZJ4LanYGLVCZ8TdFG5jfsq4Ej/lu2wwDAULEUnRIMBSw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@tanstack/match-sorter-utils": "^8.7.0", - "superjson": "^1.10.0", - "use-sync-external-store": "^1.2.0" - }, - "funding": { - "type": "github", - "url": "https://github.com/sponsors/tannerlinsley" - }, - "peerDependencies": { - "@tanstack/react-query": "^4.36.1", - "react": "^16.8.0 || ^17.0.0 || ^18.0.0", - "react-dom": "^16.8.0 || ^17.0.0 || ^18.0.0" - } - }, - "node_modules/@testing-library/dom": { - "version": "9.3.4", - "resolved": "http://localhost:4873/@testing-library/dom/-/dom-9.3.4.tgz", - "integrity": "sha512-FlS4ZWlp97iiNWig0Muq8p+3rVDjRiYE+YKGbAqXOu9nwJFFOdL00kFpz42M+4huzYi86vAK1sOOfyOG45muIQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/code-frame": "^7.10.4", - "@babel/runtime": "^7.12.5", - "@types/aria-query": "^5.0.1", - "aria-query": "5.1.3", - "chalk": "^4.1.0", - "dom-accessibility-api": "^0.5.9", - "lz-string": "^1.5.0", - "pretty-format": "^27.0.2" - }, - "engines": { - "node": ">=14" - } - }, - "node_modules/@testing-library/jest-dom": { - "version": "5.17.0", - "resolved": "http://localhost:4873/@testing-library/jest-dom/-/jest-dom-5.17.0.tgz", - "integrity": "sha512-ynmNeT7asXyH3aSVv4vvX4Rb+0qjOhdNHnO/3vuZNqPmhDpV/+rCSGwQ7bLcmU2cJ4dvoheIO85LQj0IbJHEtg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@adobe/css-tools": "^4.0.1", - "@babel/runtime": "^7.9.2", - "@types/testing-library__jest-dom": "^5.9.1", - "aria-query": "^5.0.0", - "chalk": "^3.0.0", - "css.escape": "^1.5.1", - "dom-accessibility-api": "^0.5.6", - "lodash": "^4.17.15", - "redent": "^3.0.0" - }, - "engines": { - "node": ">=8", - "npm": ">=6", - "yarn": ">=1" - } - }, - "node_modules/@testing-library/jest-dom/node_modules/chalk": { - "version": "3.0.0", - "resolved": "http://localhost:4873/chalk/-/chalk-3.0.0.tgz", - "integrity": "sha512-4D3B6Wf41KOYRFdszmDqMCGq5VV/uMAB273JILmO+3jAlh8X4qDtdtgCR3fxtbLEMzSx22QdhnDcJvu2u1fVwg==", - "dev": true, - "license": "MIT", - "dependencies": { - "ansi-styles": "^4.1.0", - "supports-color": "^7.1.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/@testing-library/react": { - "version": "14.3.1", - "resolved": "http://localhost:4873/@testing-library/react/-/react-14.3.1.tgz", - "integrity": "sha512-H99XjUhWQw0lTgyMN05W3xQG1Nh4lq574D8keFf1dDoNTJgp66VbJozRaczoF+wsiaPJNt/TcnfpLGufGxSrZQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/runtime": "^7.12.5", - "@testing-library/dom": "^9.0.0", - "@types/react-dom": "^18.0.0" - }, - "engines": { - "node": ">=14" - }, - "peerDependencies": { - "react": "^18.0.0", - "react-dom": "^18.0.0" - } - }, - "node_modules/@testing-library/user-event": { - "version": "14.6.1", - "resolved": "http://localhost:4873/@testing-library/user-event/-/user-event-14.6.1.tgz", - "integrity": "sha512-vq7fv0rnt+QTXgPxr5Hjc210p6YKq2kmdziLgnsZGgLJ9e6VAShx1pACLuRjd/AS/sr7phAR58OIIpf0LlmQNw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=12", - "npm": ">=6" - }, - "peerDependencies": { - "@testing-library/dom": ">=7.21.4" - } - }, - "node_modules/@tootallnate/once": { - "version": "1.1.2", - "resolved": "http://localhost:4873/@tootallnate/once/-/once-1.1.2.tgz", - "integrity": "sha512-RbzJvlNzmRq5c3O09UipeuXno4tA1FE6ikOjxZK0tuxVv3412l64l5t1W5pj4+rJq9vpkm/kwiR07aZXnsKPxw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 6" - } - }, - "node_modules/@types/aria-query": { - "version": "5.0.4", - "resolved": "http://localhost:4873/@types/aria-query/-/aria-query-5.0.4.tgz", - "integrity": "sha512-rfT93uj5s0PRL7EzccGMs3brplhcrghnDoV26NqKhCAS1hVo+WdNsPvE/yb6ilfr5hi2MEk6d5EWJTKdxg8jVw==", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/babel__core": { - "version": "7.20.5", - "resolved": "http://localhost:4873/@types/babel__core/-/babel__core-7.20.5.tgz", - "integrity": "sha512-qoQprZvz5wQFJwMDqeseRXWv3rqMvhgpbXFfVyWhbx9X47POIA6i/+dXefEmZKoAgOaTdaIgNSMqMIU61yRyzA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/parser": "^7.20.7", - "@babel/types": "^7.20.7", - "@types/babel__generator": "*", - "@types/babel__template": "*", - "@types/babel__traverse": "*" - } - }, - "node_modules/@types/babel__generator": { - "version": "7.27.0", - "resolved": "http://localhost:4873/@types/babel__generator/-/babel__generator-7.27.0.tgz", - "integrity": "sha512-ufFd2Xi92OAVPYsy+P4n7/U7e68fex0+Ee8gSG9KX7eo084CWiQ4sdxktvdl0bOPupXtVJPY19zk6EwWqUQ8lg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/types": "^7.0.0" - } - }, - "node_modules/@types/babel__helper-plugin-utils": { - "version": "7.10.3", - "resolved": "http://localhost:4873/@types/babel__helper-plugin-utils/-/babel__helper-plugin-utils-7.10.3.tgz", - "integrity": "sha512-FcLBBPXInqKfULB2nvOBskQPcnSMZ0s1Y2q76u9H1NPPWaLcTeq38xBeKfF/RBUECK333qeaqRdYoPSwW7rTNQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/babel__core": "*" - } - }, - "node_modules/@types/babel__template": { - "version": "7.4.4", - "resolved": "http://localhost:4873/@types/babel__template/-/babel__template-7.4.4.tgz", - "integrity": "sha512-h/NUaSyG5EyxBIp8YRxo4RMe2/qQgvyowRwVMzhYhBCONbW8PUsg4lkFMrhgZhUe5z3L3MiLDuvyJ/CaPa2A8A==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/parser": "^7.1.0", - "@babel/types": "^7.0.0" - } - }, - "node_modules/@types/babel__traverse": { - "version": "7.20.7", - "resolved": "http://localhost:4873/@types/babel__traverse/-/babel__traverse-7.20.7.tgz", - "integrity": "sha512-dkO5fhS7+/oos4ciWxyEyjWe48zmG6wbCheo/G2ZnHx4fs3EU6YC6UM8rk56gAjNJ9P3MTH2jo5jb92/K6wbng==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/types": "^7.20.7" - } - }, - "node_modules/@types/cookie": { - "version": "0.4.1", - "resolved": "http://localhost:4873/@types/cookie/-/cookie-0.4.1.tgz", - "integrity": "sha512-XW/Aa8APYr6jSVVA1y/DEIZX0/GMKLEVekNG727R8cs56ahETkRAy/3DR7+fJyh7oUgGwNQaRfXCun0+KbWY7Q==", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/debug": { - "version": "4.1.12", - "resolved": "http://localhost:4873/@types/debug/-/debug-4.1.12.tgz", - "integrity": "sha512-vIChWdVG3LG1SMxEvI/AK+FWJthlrqlTu7fbrlywTkkaONwk/UAGaULXRlf8vkzFBLVm0zkMdCquhL5aOjhXPQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/ms": "*" - } - }, - "node_modules/@types/eslint": { - "version": "9.6.1", - "resolved": "http://localhost:4873/@types/eslint/-/eslint-9.6.1.tgz", - "integrity": "sha512-FXx2pKgId/WyYo2jXw63kk7/+TY7u7AziEJxJAnSFzHlqTAS3Ync6SvgYAN/k4/PQpnnVuzoMuVnByKK2qp0ag==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/estree": "*", - "@types/json-schema": "*" - } - }, - "node_modules/@types/eslint-scope": { - "version": "3.7.7", - "resolved": "http://localhost:4873/@types/eslint-scope/-/eslint-scope-3.7.7.tgz", - "integrity": "sha512-MzMFlSLBqNF2gcHWO0G1vP/YQyfvrxZ0bF+u7mzUdZ1/xK4A4sru+nraZz5i3iEIk1l1uyicaDVTB4QbbEkAYg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/eslint": "*", - "@types/estree": "*" - } - }, - "node_modules/@types/estree": { - "version": "1.0.7", - "resolved": "http://localhost:4873/@types/estree/-/estree-1.0.7.tgz", - "integrity": "sha512-w28IoSUCJpidD/TGviZwwMJckNESJZXFu7NBZ5YJ4mEUnNraUn9Pm8HSZm/jDF1pDWYKspWE7oVphigUPRakIQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/graceful-fs": { - "version": "4.1.9", - "resolved": "http://localhost:4873/@types/graceful-fs/-/graceful-fs-4.1.9.tgz", - "integrity": "sha512-olP3sd1qOEe5dXTSaFvQG+02VdRXcdytWLAZsAq1PecU8uqQAhkrnbli7DagjtXKW/Bl7YJbUsa8MPcuc8LHEQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/node": "*" - } - }, - "node_modules/@types/hoist-non-react-statics": { - "version": "3.3.6", - "resolved": "http://localhost:4873/@types/hoist-non-react-statics/-/hoist-non-react-statics-3.3.6.tgz", - "integrity": "sha512-lPByRJUer/iN/xa4qpyL0qmL11DqNW81iU/IG1S3uvRUq4oKagz8VCxZjiWkumgt66YT3vOdDgZ0o32sGKtCEw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/react": "*", - "hoist-non-react-statics": "^3.3.0" - } - }, - "node_modules/@types/http-proxy": { - "version": "1.17.16", - "resolved": "http://localhost:4873/@types/http-proxy/-/http-proxy-1.17.16.tgz", - "integrity": "sha512-sdWoUajOB1cd0A8cRRQ1cfyWNbmFKLAqBB89Y8x5iYyG/mkJHc0YUH8pdWBy2omi9qtCpiIgGjuwO0dQST2l5w==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/node": "*" - } - }, - "node_modules/@types/istanbul-lib-coverage": { - "version": "2.0.6", - "resolved": "http://localhost:4873/@types/istanbul-lib-coverage/-/istanbul-lib-coverage-2.0.6.tgz", - "integrity": "sha512-2QF/t/auWm0lsy8XtKVPG19v3sSOQlJe/YHZgfjb/KBBHOGSV+J2q/S671rcq9uTBrLAXmZpqJiaQbMT+zNU1w==", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/istanbul-lib-report": { - "version": "3.0.3", - "resolved": "http://localhost:4873/@types/istanbul-lib-report/-/istanbul-lib-report-3.0.3.tgz", - "integrity": "sha512-NQn7AHQnk/RSLOxrBbGyJM/aVQ+pjj5HCgasFxc0K/KhoATfQ/47AyUl15I2yBUpihjmas+a+VJBOqecrFH+uA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/istanbul-lib-coverage": "*" - } - }, - "node_modules/@types/istanbul-reports": { - "version": "3.0.4", - "resolved": "http://localhost:4873/@types/istanbul-reports/-/istanbul-reports-3.0.4.tgz", - "integrity": "sha512-pk2B1NWalF9toCRu6gjBzR69syFjP4Od8WRAX+0mmf9lAjCRicLOWc+ZrxZHx/0XRjotgkF9t6iaMJ+aXcOdZQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/istanbul-lib-report": "*" - } - }, - "node_modules/@types/jest": { - "version": "29.5.14", - "resolved": "http://localhost:4873/@types/jest/-/jest-29.5.14.tgz", - "integrity": "sha512-ZN+4sdnLUbo8EVvVc2ao0GFW6oVrQRPn4K2lglySj7APvSrgzxHiNNK99us4WDMi57xxA2yggblIAMNhXOotLQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "expect": "^29.0.0", - "pretty-format": "^29.0.0" - } - }, - "node_modules/@types/jest/node_modules/ansi-styles": { - "version": "5.2.0", - "resolved": "http://localhost:4873/ansi-styles/-/ansi-styles-5.2.0.tgz", - "integrity": "sha512-Cxwpt2SfTzTtXcfOlzGEee8O+c+MmUgGrNiBcXnuWxuFJHe6a5Hz7qwhwe5OgaSYI0IJvkLqWX1ASG+cJOkEiA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/chalk/ansi-styles?sponsor=1" - } - }, - "node_modules/@types/jest/node_modules/pretty-format": { - "version": "29.7.0", - "resolved": "http://localhost:4873/pretty-format/-/pretty-format-29.7.0.tgz", - "integrity": "sha512-Pdlw/oPxN+aXdmM9R00JVC9WVFoCLTKJvDVLgmJ+qAffBMxsV85l/Lu7sNx4zSzPyoL2euImuEwHhOXdEgNFZQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/schemas": "^29.6.3", - "ansi-styles": "^5.0.0", - "react-is": "^18.0.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/@types/jest/node_modules/react-is": { - "version": "18.3.1", - "resolved": "http://localhost:4873/react-is/-/react-is-18.3.1.tgz", - "integrity": "sha512-/LLMVyas0ljjAtoYiPqYiL8VWXzUUdThrmU5+n20DZv+a+ClRoevUzw5JxU+Ieh5/c87ytoTBV9G1FiKfNJdmg==", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/js-levenshtein": { - "version": "1.1.3", - "resolved": "http://localhost:4873/@types/js-levenshtein/-/js-levenshtein-1.1.3.tgz", - "integrity": "sha512-jd+Q+sD20Qfu9e2aEXogiO3vpOC1PYJOUdyN9gvs4Qrvkg4wF43L5OhqrPeokdv8TL0/mXoYfpkcoGZMNN2pkQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/json-schema": { - "version": "7.0.15", - "resolved": "http://localhost:4873/@types/json-schema/-/json-schema-7.0.15.tgz", - "integrity": "sha512-5+fP8P8MFNC+AyZCDxrB2pkZFPGzqQWUzpSeuuVLvm8VMcorNYavBqoFcxK8bQz4Qsbn4oUEEem4wDLfcysGHA==", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/json-stable-stringify": { - "version": "1.1.0", - "resolved": "http://localhost:4873/@types/json-stable-stringify/-/json-stable-stringify-1.1.0.tgz", - "integrity": "sha512-ESTsHWB72QQq+pjUFIbEz9uSCZppD31YrVkbt2rnUciTYEvcwN6uZIhX5JZeBHqRlFJ41x/7MewCs7E2Qux6Cg==", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/lodash": { - "version": "4.17.17", - "resolved": "http://localhost:4873/@types/lodash/-/lodash-4.17.17.tgz", - "integrity": "sha512-RRVJ+J3J+WmyOTqnz3PiBLA501eKwXl2noseKOrNo/6+XEHjTAxO4xHvxQB6QuNm+s4WRbn6rSiap8+EA+ykFQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/lodash.mergewith": { - "version": "4.6.9", - "resolved": "http://localhost:4873/@types/lodash.mergewith/-/lodash.mergewith-4.6.9.tgz", - "integrity": "sha512-fgkoCAOF47K7sxrQ7Mlud2TH023itugZs2bUg8h/KzT+BnZNrR2jAOmaokbLunHNnobXVWOezAeNn/lZqwxkcw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/lodash": "*" - } - }, - "node_modules/@types/ms": { - "version": "2.1.0", - "resolved": "http://localhost:4873/@types/ms/-/ms-2.1.0.tgz", - "integrity": "sha512-GsCCIZDE/p3i96vtEqx+7dBUGXrc7zeSK3wwPHIaRThS+9OhWIXRqzs4d6k1SVU8g91DrNRWxWUGhp5KXQb2VA==", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/node": { - "version": "22.15.21", - "resolved": "http://localhost:4873/@types/node/-/node-22.15.21.tgz", - "integrity": "sha512-EV/37Td6c+MgKAbkcLG6vqZ2zEYHD7bvSrzqqs2RIhbA6w3x+Dqz8MZM3sP6kGTeLrdoOgKZe+Xja7tUB2DNkQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "undici-types": "~6.21.0" - } - }, - "node_modules/@types/normalize-package-data": { - "version": "2.4.4", - "resolved": "http://localhost:4873/@types/normalize-package-data/-/normalize-package-data-2.4.4.tgz", - "integrity": "sha512-37i+OaWTh9qeK4LSHPsyRC7NahnGotNuZvjLSgcPzblpHB3rrCJxAOgI5gCdKm7coonsaX1Of0ILiTcnZjbfxA==", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/parse-json": { - "version": "4.0.2", - "resolved": "http://localhost:4873/@types/parse-json/-/parse-json-4.0.2.tgz", - "integrity": "sha512-dISoDXWWQwUquiKsyZ4Ng+HX2KsPL7LyHKHQwgGFEA3IaKac4Obd+h2a/a6waisAoepJlBcx9paWqjA8/HVjCw==", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/prettier": { - "version": "2.7.3", - "resolved": "http://localhost:4873/@types/prettier/-/prettier-2.7.3.tgz", - "integrity": "sha512-+68kP9yzs4LMp7VNh8gdzMSPZFL44MLGqiHWvttYJe+6qnuVr4Ek9wSBQoveqY/r+LwjCcU29kNVkidwim+kYA==", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/prop-types": { - "version": "15.7.14", - "resolved": "http://localhost:4873/@types/prop-types/-/prop-types-15.7.14.tgz", - "integrity": "sha512-gNMvNH49DJ7OJYv+KAKn0Xp45p8PLl6zo2YnvDIbTd4J6MER2BmWN49TG7n9LvkyihINxeKW8+3bfS2yDC9dzQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/react": { - "version": "18.3.22", - "resolved": "http://localhost:4873/@types/react/-/react-18.3.22.tgz", - "integrity": "sha512-vUhG0YmQZ7kL/tmKLrD3g5zXbXXreZXB3pmROW8bg3CnLnpjkRVwUlLne7Ufa2r9yJ8+/6B73RzhAek5TBKh2Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/prop-types": "*", - "csstype": "^3.0.2" - } - }, - "node_modules/@types/react-dom": { - "version": "18.3.7", - "resolved": "http://localhost:4873/@types/react-dom/-/react-dom-18.3.7.tgz", - "integrity": "sha512-MEe3UeoENYVFXzoXEWsvcpg6ZvlrFNlOQ7EOsvhI3CfAXwzPfO8Qwuxd40nepsYKqyyVQnTdEfv68q91yLcKrQ==", - "dev": true, - "license": "MIT", - "peerDependencies": { - "@types/react": "^18.0.0" - } - }, - "node_modules/@types/semver": { - "version": "7.7.0", - "resolved": "http://localhost:4873/@types/semver/-/semver-7.7.0.tgz", - "integrity": "sha512-k107IF4+Xr7UHjwDc7Cfd6PRQfbdkiRabXGRjo07b4WyPahFBZCZ1sE+BNxYIJPPg73UkfOsVOLwqVc/6ETrIA==", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/set-cookie-parser": { - "version": "2.4.10", - "resolved": "http://localhost:4873/@types/set-cookie-parser/-/set-cookie-parser-2.4.10.tgz", - "integrity": "sha512-GGmQVGpQWUe5qglJozEjZV/5dyxbOOZ0LHe/lqyWssB88Y4svNfst0uqBVscdDeIKl5Jy5+aPSvy7mI9tYRguw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/node": "*" - } - }, - "node_modules/@types/stack-utils": { - "version": "2.0.3", - "resolved": "http://localhost:4873/@types/stack-utils/-/stack-utils-2.0.3.tgz", - "integrity": "sha512-9aEbYZ3TbYMznPdcdr3SmIrLXwC/AKZXQeCf9Pgao5CKb8CyHuEX5jzWPTkvregvhRJHcpRO6BFoGW9ycaOkYw==", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/testing-library__jest-dom": { - "version": "5.14.9", - "resolved": "http://localhost:4873/@types/testing-library__jest-dom/-/testing-library__jest-dom-5.14.9.tgz", - "integrity": "sha512-FSYhIjFlfOpGSRyVoMBMuS3ws5ehFQODymf3vlI7U1K8c7PHwWwFY7VREfmsuzHSOnoKs/9/Y983ayOs7eRzqw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/jest": "*" - } - }, - "node_modules/@types/yargs": { - "version": "15.0.19", - "resolved": "http://localhost:4873/@types/yargs/-/yargs-15.0.19.tgz", - "integrity": "sha512-2XUaGVmyQjgyAZldf0D0c14vvo/yv0MhQBSTJcejMMaitsn3nxCB6TmH4G0ZQf+uxROOa9mpanoSm8h6SG/1ZA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/yargs-parser": "*" - } - }, - "node_modules/@types/yargs-parser": { - "version": "21.0.3", - "resolved": "http://localhost:4873/@types/yargs-parser/-/yargs-parser-21.0.3.tgz", - "integrity": "sha512-I4q9QU9MQv4oEOz4tAHJtNz1cwuLxn2F3xcc2iV5WdqLPpUnj30aUuxt1mAxYTG+oe8CZMV/+6rU4S4gRDzqtQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/@types/yauzl": { - "version": "2.10.3", - "resolved": "http://localhost:4873/@types/yauzl/-/yauzl-2.10.3.tgz", - "integrity": "sha512-oJoftv0LSuaDZE3Le4DbKX+KS9G36NzOeSap90UIK0yMA/NhKJhqlSGtNDORNRaIbQfzjXDrQa0ytJ6mNRGz/Q==", - "dev": true, - "license": "MIT", - "optional": true, - "dependencies": { - "@types/node": "*" - } - }, - "node_modules/@typescript-eslint/eslint-plugin": { - "version": "5.62.0", - "resolved": "http://localhost:4873/@typescript-eslint/eslint-plugin/-/eslint-plugin-5.62.0.tgz", - "integrity": "sha512-TiZzBSJja/LbhNPvk6yc0JrX9XqhQ0hdh6M2svYfsHGejaKFIAGd9MQ+ERIMzLGlN/kZoYIgdxFV0PuljTKXag==", - "dev": true, - "license": "MIT", - "dependencies": { - "@eslint-community/regexpp": "^4.4.0", - "@typescript-eslint/scope-manager": "5.62.0", - "@typescript-eslint/type-utils": "5.62.0", - "@typescript-eslint/utils": "5.62.0", - "debug": "^4.3.4", - "graphemer": "^1.4.0", - "ignore": "^5.2.0", - "natural-compare-lite": "^1.4.0", - "semver": "^7.3.7", - "tsutils": "^3.21.0" - }, - "engines": { - "node": "^12.22.0 || ^14.17.0 || >=16.0.0" - }, - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/typescript-eslint" - }, - "peerDependencies": { - "@typescript-eslint/parser": "^5.0.0", - "eslint": "^6.0.0 || ^7.0.0 || ^8.0.0" - }, - "peerDependenciesMeta": { - "typescript": { - "optional": true - } - } - }, - "node_modules/@typescript-eslint/parser": { - "version": "5.62.0", - "resolved": "http://localhost:4873/@typescript-eslint/parser/-/parser-5.62.0.tgz", - "integrity": "sha512-VlJEV0fOQ7BExOsHYAGrgbEiZoi8D+Bl2+f6V2RrXerRSylnp+ZBHmPvaIa8cz0Ajx7WO7Z5RqfgYg7ED1nRhA==", - "dev": true, - "license": "BSD-2-Clause", - "dependencies": { - "@typescript-eslint/scope-manager": "5.62.0", - "@typescript-eslint/types": "5.62.0", - "@typescript-eslint/typescript-estree": "5.62.0", - "debug": "^4.3.4" - }, - "engines": { - "node": "^12.22.0 || ^14.17.0 || >=16.0.0" - }, - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/typescript-eslint" - }, - "peerDependencies": { - "eslint": "^6.0.0 || ^7.0.0 || ^8.0.0" - }, - "peerDependenciesMeta": { - "typescript": { - "optional": true - } - } - }, - "node_modules/@typescript-eslint/scope-manager": { - "version": "5.62.0", - "resolved": "http://localhost:4873/@typescript-eslint/scope-manager/-/scope-manager-5.62.0.tgz", - "integrity": "sha512-VXuvVvZeQCQb5Zgf4HAxc04q5j+WrNAtNh9OwCsCgpKqESMTu3tF/jhZ3xG6T4NZwWl65Bg8KuS2uEvhSfLl0w==", - "dev": true, - "license": "MIT", - "dependencies": { - "@typescript-eslint/types": "5.62.0", - "@typescript-eslint/visitor-keys": "5.62.0" - }, - "engines": { - "node": "^12.22.0 || ^14.17.0 || >=16.0.0" - }, - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/typescript-eslint" - } - }, - "node_modules/@typescript-eslint/type-utils": { - "version": "5.62.0", - "resolved": "http://localhost:4873/@typescript-eslint/type-utils/-/type-utils-5.62.0.tgz", - "integrity": "sha512-xsSQreu+VnfbqQpW5vnCJdq1Z3Q0U31qiWmRhr98ONQmcp/yhiPJFPq8MXiJVLiksmOKSjIldZzkebzHuCGzew==", - "dev": true, - "license": "MIT", - "dependencies": { - "@typescript-eslint/typescript-estree": "5.62.0", - "@typescript-eslint/utils": "5.62.0", - "debug": "^4.3.4", - "tsutils": "^3.21.0" - }, - "engines": { - "node": "^12.22.0 || ^14.17.0 || >=16.0.0" - }, - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/typescript-eslint" - }, - "peerDependencies": { - "eslint": "*" - }, - "peerDependenciesMeta": { - "typescript": { - "optional": true - } - } - }, - "node_modules/@typescript-eslint/types": { - "version": "5.62.0", - "resolved": "http://localhost:4873/@typescript-eslint/types/-/types-5.62.0.tgz", - "integrity": "sha512-87NVngcbVXUahrRTqIK27gD2t5Cu1yuCXxbLcFtCzZGlfyVWWh8mLHkoxzjsB6DDNnvdL+fW8MiwPEJyGJQDgQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": "^12.22.0 || ^14.17.0 || >=16.0.0" - }, - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/typescript-eslint" - } - }, - "node_modules/@typescript-eslint/typescript-estree": { - "version": "5.62.0", - "resolved": "http://localhost:4873/@typescript-eslint/typescript-estree/-/typescript-estree-5.62.0.tgz", - "integrity": "sha512-CmcQ6uY7b9y694lKdRB8FEel7JbU/40iSAPomu++SjLMntB+2Leay2LO6i8VnJk58MtE9/nQSFIH6jpyRWyYzA==", - "dev": true, - "license": "BSD-2-Clause", - "dependencies": { - "@typescript-eslint/types": "5.62.0", - "@typescript-eslint/visitor-keys": "5.62.0", - "debug": "^4.3.4", - "globby": "^11.1.0", - "is-glob": "^4.0.3", - "semver": "^7.3.7", - "tsutils": "^3.21.0" - }, - "engines": { - "node": "^12.22.0 || ^14.17.0 || >=16.0.0" - }, - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/typescript-eslint" - }, - "peerDependenciesMeta": { - "typescript": { - "optional": true - } - } - }, - "node_modules/@typescript-eslint/utils": { - "version": "5.62.0", - "resolved": "http://localhost:4873/@typescript-eslint/utils/-/utils-5.62.0.tgz", - "integrity": "sha512-n8oxjeb5aIbPFEtmQxQYOLI0i9n5ySBEY/ZEHHZqKQSFnxio1rv6dthascc9dLuwrL0RC5mPCxB7vnAVGAYWAQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@eslint-community/eslint-utils": "^4.2.0", - "@types/json-schema": "^7.0.9", - "@types/semver": "^7.3.12", - "@typescript-eslint/scope-manager": "5.62.0", - "@typescript-eslint/types": "5.62.0", - "@typescript-eslint/typescript-estree": "5.62.0", - "eslint-scope": "^5.1.1", - "semver": "^7.3.7" - }, - "engines": { - "node": "^12.22.0 || ^14.17.0 || >=16.0.0" - }, - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/typescript-eslint" - }, - "peerDependencies": { - "eslint": "^6.0.0 || ^7.0.0 || ^8.0.0" - } - }, - "node_modules/@typescript-eslint/visitor-keys": { - "version": "5.62.0", - "resolved": "http://localhost:4873/@typescript-eslint/visitor-keys/-/visitor-keys-5.62.0.tgz", - "integrity": "sha512-07ny+LHRzQXepkGg6w0mFY41fVUNBrL2Roj/++7V1txKugfjm/Ci/qSND03r2RhlJhJYMcTn9AhhSSqQp0Ysyw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@typescript-eslint/types": "5.62.0", - "eslint-visitor-keys": "^3.3.0" - }, - "engines": { - "node": "^12.22.0 || ^14.17.0 || >=16.0.0" - }, - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/typescript-eslint" - } - }, - "node_modules/@typescript-eslint/visitor-keys/node_modules/eslint-visitor-keys": { - "version": "3.4.3", - "resolved": "http://localhost:4873/eslint-visitor-keys/-/eslint-visitor-keys-3.4.3.tgz", - "integrity": "sha512-wpc+LXeiyiisxPlEkUzU6svyS1frIO3Mgxj1fdy7Pm8Ygzguax2N3Fa/D/ag1WqbOprdI+uY6wMUl8/a2G+iag==", - "dev": true, - "license": "Apache-2.0", - "engines": { - "node": "^12.22.0 || ^14.17.0 || >=16.0.0" - }, - "funding": { - "url": "https://opencollective.com/eslint" - } - }, - "node_modules/@ungap/structured-clone": { - "version": "1.3.0", - "resolved": "http://localhost:4873/@ungap/structured-clone/-/structured-clone-1.3.0.tgz", - "integrity": "sha512-WmoN8qaIAo7WTYWbAZuG8PYEhn5fkz7dZrqTBZ7dtt//lL2Gwms1IcnQ5yHqjDfX8Ft5j4YzDM23f87zBfDe9g==", - "dev": true, - "license": "ISC" - }, - "node_modules/@vendia/serverless-express": { - "version": "3.4.1", - "resolved": "http://localhost:4873/@vendia/serverless-express/-/serverless-express-3.4.1.tgz", - "integrity": "sha512-4dJJvr9vQlq9iUClpfm5iFL+neoSctUI6Zkh9F4wjk/tpcM7QVD6niJi4ptiIzyzJCWoN97ACQCXyE0O8MznLQ==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "@codegenie/serverless-express": "^3.4.1", - "binary-case": "^1.0.0", - "type-is": "^1.6.16" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/@webassemblyjs/ast": { - "version": "1.14.1", - "resolved": "http://localhost:4873/@webassemblyjs/ast/-/ast-1.14.1.tgz", - "integrity": "sha512-nuBEDgQfm1ccRp/8bCQrx1frohyufl4JlbMMZ4P1wpeOfDhF6FQkxZJ1b/e+PLwr6X1Nhw6OLme5usuBWYBvuQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@webassemblyjs/helper-numbers": "1.13.2", - "@webassemblyjs/helper-wasm-bytecode": "1.13.2" - } - }, - "node_modules/@webassemblyjs/floating-point-hex-parser": { - "version": "1.13.2", - "resolved": "http://localhost:4873/@webassemblyjs/floating-point-hex-parser/-/floating-point-hex-parser-1.13.2.tgz", - "integrity": "sha512-6oXyTOzbKxGH4steLbLNOu71Oj+C8Lg34n6CqRvqfS2O71BxY6ByfMDRhBytzknj9yGUPVJ1qIKhRlAwO1AovA==", - "dev": true, - "license": "MIT" - }, - "node_modules/@webassemblyjs/helper-api-error": { - "version": "1.13.2", - "resolved": "http://localhost:4873/@webassemblyjs/helper-api-error/-/helper-api-error-1.13.2.tgz", - "integrity": "sha512-U56GMYxy4ZQCbDZd6JuvvNV/WFildOjsaWD3Tzzvmw/mas3cXzRJPMjP83JqEsgSbyrmaGjBfDtV7KDXV9UzFQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/@webassemblyjs/helper-buffer": { - "version": "1.14.1", - "resolved": "http://localhost:4873/@webassemblyjs/helper-buffer/-/helper-buffer-1.14.1.tgz", - "integrity": "sha512-jyH7wtcHiKssDtFPRB+iQdxlDf96m0E39yb0k5uJVhFGleZFoNw1c4aeIcVUPPbXUVJ94wwnMOAqUHyzoEPVMA==", - "dev": true, - "license": "MIT" - }, - "node_modules/@webassemblyjs/helper-numbers": { - "version": "1.13.2", - "resolved": "http://localhost:4873/@webassemblyjs/helper-numbers/-/helper-numbers-1.13.2.tgz", - "integrity": "sha512-FE8aCmS5Q6eQYcV3gI35O4J789wlQA+7JrqTTpJqn5emA4U2hvwJmvFRC0HODS+3Ye6WioDklgd6scJ3+PLnEA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@webassemblyjs/floating-point-hex-parser": "1.13.2", - "@webassemblyjs/helper-api-error": "1.13.2", - "@xtuc/long": "4.2.2" - } - }, - "node_modules/@webassemblyjs/helper-wasm-bytecode": { - "version": "1.13.2", - "resolved": "http://localhost:4873/@webassemblyjs/helper-wasm-bytecode/-/helper-wasm-bytecode-1.13.2.tgz", - "integrity": "sha512-3QbLKy93F0EAIXLh0ogEVR6rOubA9AoZ+WRYhNbFyuB70j3dRdwH9g+qXhLAO0kiYGlg3TxDV+I4rQTr/YNXkA==", - "dev": true, - "license": "MIT" - }, - "node_modules/@webassemblyjs/helper-wasm-section": { - "version": "1.14.1", - "resolved": "http://localhost:4873/@webassemblyjs/helper-wasm-section/-/helper-wasm-section-1.14.1.tgz", - "integrity": "sha512-ds5mXEqTJ6oxRoqjhWDU83OgzAYjwsCV8Lo/N+oRsNDmx/ZDpqalmrtgOMkHwxsG0iI//3BwWAErYRHtgn0dZw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@webassemblyjs/ast": "1.14.1", - "@webassemblyjs/helper-buffer": "1.14.1", - "@webassemblyjs/helper-wasm-bytecode": "1.13.2", - "@webassemblyjs/wasm-gen": "1.14.1" - } - }, - "node_modules/@webassemblyjs/ieee754": { - "version": "1.13.2", - "resolved": "http://localhost:4873/@webassemblyjs/ieee754/-/ieee754-1.13.2.tgz", - "integrity": "sha512-4LtOzh58S/5lX4ITKxnAK2USuNEvpdVV9AlgGQb8rJDHaLeHciwG4zlGr0j/SNWlr7x3vO1lDEsuePvtcDNCkw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@xtuc/ieee754": "^1.2.0" - } - }, - "node_modules/@webassemblyjs/leb128": { - "version": "1.13.2", - "resolved": "http://localhost:4873/@webassemblyjs/leb128/-/leb128-1.13.2.tgz", - "integrity": "sha512-Lde1oNoIdzVzdkNEAWZ1dZ5orIbff80YPdHx20mrHwHrVNNTjNr8E3xz9BdpcGqRQbAEa+fkrCb+fRFTl/6sQw==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "@xtuc/long": "4.2.2" - } - }, - "node_modules/@webassemblyjs/utf8": { - "version": "1.13.2", - "resolved": "http://localhost:4873/@webassemblyjs/utf8/-/utf8-1.13.2.tgz", - "integrity": "sha512-3NQWGjKTASY1xV5m7Hr0iPeXD9+RDobLll3T9d2AO+g3my8xy5peVyjSag4I50mR1bBSN/Ct12lo+R9tJk0NZQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/@webassemblyjs/wasm-edit": { - "version": "1.14.1", - "resolved": "http://localhost:4873/@webassemblyjs/wasm-edit/-/wasm-edit-1.14.1.tgz", - "integrity": "sha512-RNJUIQH/J8iA/1NzlE4N7KtyZNHi3w7at7hDjvRNm5rcUXa00z1vRz3glZoULfJ5mpvYhLybmVcwcjGrC1pRrQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@webassemblyjs/ast": "1.14.1", - "@webassemblyjs/helper-buffer": "1.14.1", - "@webassemblyjs/helper-wasm-bytecode": "1.13.2", - "@webassemblyjs/helper-wasm-section": "1.14.1", - "@webassemblyjs/wasm-gen": "1.14.1", - "@webassemblyjs/wasm-opt": "1.14.1", - "@webassemblyjs/wasm-parser": "1.14.1", - "@webassemblyjs/wast-printer": "1.14.1" - } - }, - "node_modules/@webassemblyjs/wasm-gen": { - "version": "1.14.1", - "resolved": "http://localhost:4873/@webassemblyjs/wasm-gen/-/wasm-gen-1.14.1.tgz", - "integrity": "sha512-AmomSIjP8ZbfGQhumkNvgC33AY7qtMCXnN6bL2u2Js4gVCg8fp735aEiMSBbDR7UQIj90n4wKAFUSEd0QN2Ukg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@webassemblyjs/ast": "1.14.1", - "@webassemblyjs/helper-wasm-bytecode": "1.13.2", - "@webassemblyjs/ieee754": "1.13.2", - "@webassemblyjs/leb128": "1.13.2", - "@webassemblyjs/utf8": "1.13.2" - } - }, - "node_modules/@webassemblyjs/wasm-opt": { - "version": "1.14.1", - "resolved": "http://localhost:4873/@webassemblyjs/wasm-opt/-/wasm-opt-1.14.1.tgz", - "integrity": "sha512-PTcKLUNvBqnY2U6E5bdOQcSM+oVP/PmrDY9NzowJjislEjwP/C4an2303MCVS2Mg9d3AJpIGdUFIQQWbPds0Sw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@webassemblyjs/ast": "1.14.1", - "@webassemblyjs/helper-buffer": "1.14.1", - "@webassemblyjs/wasm-gen": "1.14.1", - "@webassemblyjs/wasm-parser": "1.14.1" - } - }, - "node_modules/@webassemblyjs/wasm-parser": { - "version": "1.14.1", - "resolved": "http://localhost:4873/@webassemblyjs/wasm-parser/-/wasm-parser-1.14.1.tgz", - "integrity": "sha512-JLBl+KZ0R5qB7mCnud/yyX08jWFw5MsoalJ1pQ4EdFlgj9VdXKGuENGsiCIjegI1W7p91rUlcB/LB5yRJKNTcQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@webassemblyjs/ast": "1.14.1", - "@webassemblyjs/helper-api-error": "1.13.2", - "@webassemblyjs/helper-wasm-bytecode": "1.13.2", - "@webassemblyjs/ieee754": "1.13.2", - "@webassemblyjs/leb128": "1.13.2", - "@webassemblyjs/utf8": "1.13.2" - } - }, - "node_modules/@webassemblyjs/wast-printer": { - "version": "1.14.1", - "resolved": "http://localhost:4873/@webassemblyjs/wast-printer/-/wast-printer-1.14.1.tgz", - "integrity": "sha512-kPSSXE6De1XOR820C90RIo2ogvZG+c3KiHzqUoO/F34Y2shGzesfqv7o57xrxovZJH/MetF5UjroJ/R/3isoiw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@webassemblyjs/ast": "1.14.1", - "@xtuc/long": "4.2.2" - } - }, - "node_modules/@webpack-cli/configtest": { - "version": "1.2.0", - "resolved": "http://localhost:4873/@webpack-cli/configtest/-/configtest-1.2.0.tgz", - "integrity": "sha512-4FB8Tj6xyVkyqjj1OaTqCjXYULB9FMkqQ8yGrZjRDrYh0nOE+7Lhs45WioWQQMV+ceFlE368Ukhe6xdvJM9Egg==", - "dev": true, - "license": "MIT", - "peerDependencies": { - "webpack": "4.x.x || 5.x.x", - "webpack-cli": "4.x.x" - } - }, - "node_modules/@webpack-cli/info": { - "version": "1.5.0", - "resolved": "http://localhost:4873/@webpack-cli/info/-/info-1.5.0.tgz", - "integrity": "sha512-e8tSXZpw2hPl2uMJY6fsMswaok5FdlGNRTktvFk2sD8RjH0hE2+XistawJx1vmKteh4NmGmNUrp+Tb2w+udPcQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "envinfo": "^7.7.3" - }, - "peerDependencies": { - "webpack-cli": "4.x.x" - } - }, - "node_modules/@webpack-cli/serve": { - "version": "1.7.0", - "resolved": "http://localhost:4873/@webpack-cli/serve/-/serve-1.7.0.tgz", - "integrity": "sha512-oxnCNGj88fL+xzV+dacXs44HcDwf1ovs3AuEzvP7mqXw7fQntqIhQ1BRmynh4qEKQSSSRSWVyXRjmTbZIX9V2Q==", - "dev": true, - "license": "MIT", - "peerDependencies": { - "webpack-cli": "4.x.x" - }, - "peerDependenciesMeta": { - "webpack-dev-server": { - "optional": true - } - } - }, - "node_modules/@xmldom/xmldom": { - "version": "0.8.10", - "resolved": "http://localhost:4873/@xmldom/xmldom/-/xmldom-0.8.10.tgz", - "integrity": "sha512-2WALfTl4xo2SkGCYRt6rDTFfk9R1czmBvUQy12gK2KuRKIpWEhcbbzy8EZXtz/jkRqHX8bFEc6FC1HjX4TUWYw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10.0.0" - } - }, - "node_modules/@xtuc/ieee754": { - "version": "1.2.0", - "resolved": "http://localhost:4873/@xtuc/ieee754/-/ieee754-1.2.0.tgz", - "integrity": "sha512-DX8nKgqcGwsc0eJSqYt5lwP4DH5FlHnmuWWBRy7X0NcaGR0ZtuyeESgMwTYVEtxmsNGY+qit4QYT/MIYTOTPeA==", - "dev": true, - "license": "BSD-3-Clause" - }, - "node_modules/@xtuc/long": { - "version": "4.2.2", - "resolved": "http://localhost:4873/@xtuc/long/-/long-4.2.2.tgz", - "integrity": "sha512-NuHqBY1PB/D8xU6s/thBgOAiAP7HOYDQ32+BFZILJ8ivkUkAHQnWfn6WhL79Owj1qmUnoN/YPhktdIoucipkAQ==", - "dev": true, - "license": "Apache-2.0" - }, - "node_modules/@zag-js/dom-query": { - "version": "0.31.1", - "resolved": "http://localhost:4873/@zag-js/dom-query/-/dom-query-0.31.1.tgz", - "integrity": "sha512-oiuohEXAXhBxpzzNm9k2VHGEOLC1SXlXSbRPcfBZ9so5NRQUA++zCE7cyQJqGLTZR0t3itFLlZqDbYEXRrefwg==", - "dev": true, - "license": "MIT" - }, - "node_modules/@zag-js/element-size": { - "version": "0.31.1", - "resolved": "http://localhost:4873/@zag-js/element-size/-/element-size-0.31.1.tgz", - "integrity": "sha512-4T3yvn5NqqAjhlP326Fv+w9RqMIBbNN9H72g5q2ohwzhSgSfZzrKtjL4rs9axY/cw9UfMfXjRjEE98e5CMq7WQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/@zag-js/focus-visible": { - "version": "0.31.1", - "resolved": "http://localhost:4873/@zag-js/focus-visible/-/focus-visible-0.31.1.tgz", - "integrity": "sha512-dbLksz7FEwyFoANbpIlNnd3bVm0clQSUsnP8yUVQucStZPsuWjCrhL2jlAbGNrTrahX96ntUMXHb/sM68TibFg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@zag-js/dom-query": "0.31.1" - } - }, - "node_modules/@zxing/text-encoding": { - "version": "0.9.0", - "resolved": "http://localhost:4873/@zxing/text-encoding/-/text-encoding-0.9.0.tgz", - "integrity": "sha512-U/4aVJ2mxI0aDNI8Uq0wEhMgY+u4CNtEb0om3+y3+niDAsoTCOB33UF0sxpzqzdqXLqmvc+vZyAt4O8pPdfkwA==", - "dev": true, - "license": "(Unlicense OR Apache-2.0)", - "optional": true - }, - "node_modules/abab": { - "version": "2.0.6", - "resolved": "http://localhost:4873/abab/-/abab-2.0.6.tgz", - "integrity": "sha512-j2afSsaIENvHZN2B8GOpF566vZ5WVk5opAiMTvWgaQT8DkbOqsTfvNAvHoRGU2zzP8cPoqys+xHTRDWW8L+/BA==", - "deprecated": "Use your platform's native atob() and btoa() methods instead", - "dev": true, - "license": "BSD-3-Clause" - }, - "node_modules/accepts": { - "version": "1.3.8", - "resolved": "http://localhost:4873/accepts/-/accepts-1.3.8.tgz", - "integrity": "sha512-PYAthTa2m2VKxuvSD3DPC/Gy+U+sOA1LAuT8mkmRuvw+NACSaeXEQ+NHcVF7rONl6qcaxV3Uuemwawk+7+SJLw==", - "dev": true, - "license": "MIT", - "dependencies": { - "mime-types": "~2.1.34", - "negotiator": "0.6.3" - }, - "engines": { - "node": ">= 0.6" - } - }, - "node_modules/accepts/node_modules/negotiator": { - "version": "0.6.3", - "resolved": "http://localhost:4873/negotiator/-/negotiator-0.6.3.tgz", - "integrity": "sha512-+EUsqGPLsM+j/zdChZjsnX51g4XrHFOIXwfnCVPGlQk/k5giakcKsuxCObBRu6DSm9opw/O6slWbJdghQM4bBg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.6" - } - }, - "node_modules/acorn": { - "version": "8.14.1", - "resolved": "http://localhost:4873/acorn/-/acorn-8.14.1.tgz", - "integrity": "sha512-OvQ/2pUDKmgfCg++xsTX1wGxfTaszcHVcTctW4UJB4hibJx2HXxxO5UmVgyjMa+ZDsiaf5wWLXYpRWMmBI0QHg==", - "dev": true, - "license": "MIT", - "bin": { - "acorn": "bin/acorn" - }, - "engines": { - "node": ">=0.4.0" - } - }, - "node_modules/acorn-globals": { - "version": "6.0.0", - "resolved": "http://localhost:4873/acorn-globals/-/acorn-globals-6.0.0.tgz", - "integrity": "sha512-ZQl7LOWaF5ePqqcX4hLuv/bLXYQNfNWw2c0/yX/TsPRKamzHcTGQnlCjHT3TsmkOUVEPS3crCxiPfdzE/Trlhg==", - "dev": true, - "license": "MIT", - "dependencies": { - "acorn": "^7.1.1", - "acorn-walk": "^7.1.1" - } - }, - "node_modules/acorn-globals/node_modules/acorn": { - "version": "7.4.1", - "resolved": "http://localhost:4873/acorn/-/acorn-7.4.1.tgz", - "integrity": "sha512-nQyp0o1/mNdbTO1PO6kHkwSrmgZ0MT/jCCpNiwbUjGoRN4dlBhqJtoQuCnEOKzgTVwg0ZWiCoQy6SxMebQVh8A==", - "dev": true, - "license": "MIT", - "bin": { - "acorn": "bin/acorn" - }, - "engines": { - "node": ">=0.4.0" - } - }, - "node_modules/acorn-jsx": { - "version": "5.3.2", - "resolved": "http://localhost:4873/acorn-jsx/-/acorn-jsx-5.3.2.tgz", - "integrity": "sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==", - "dev": true, - "license": "MIT", - "peerDependencies": { - "acorn": "^6.0.0 || ^7.0.0 || ^8.0.0" - } - }, - "node_modules/acorn-walk": { - "version": "7.2.0", - "resolved": "http://localhost:4873/acorn-walk/-/acorn-walk-7.2.0.tgz", - "integrity": "sha512-OPdCF6GsMIP+Az+aWfAAOEt2/+iVDKE7oy6lJ098aoe59oAmK76qV6Gw60SbZ8jHuG2wH058GF4pLFbYamYrVA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.4.0" - } - }, - "node_modules/agent-base": { - "version": "6.0.2", - "resolved": "http://localhost:4873/agent-base/-/agent-base-6.0.2.tgz", - "integrity": "sha512-RZNwNclF7+MS/8bDg70amg32dyeZGZxiDuQmZxKLAlQjr3jGyLx+4Kkk58UO7D2QdgFIQCovuSuZESne6RG6XQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "debug": "4" - }, - "engines": { - "node": ">= 6.0.0" - } - }, - "node_modules/ajv": { - "version": "6.12.6", - "resolved": "http://localhost:4873/ajv/-/ajv-6.12.6.tgz", - "integrity": "sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==", - "dev": true, - "license": "MIT", - "dependencies": { - "fast-deep-equal": "^3.1.1", - "fast-json-stable-stringify": "^2.0.0", - "json-schema-traverse": "^0.4.1", - "uri-js": "^4.2.2" - }, - "funding": { - "type": "github", - "url": "https://github.com/sponsors/epoberezkin" - } - }, - "node_modules/ajv-formats": { - "version": "2.1.1", - "resolved": "http://localhost:4873/ajv-formats/-/ajv-formats-2.1.1.tgz", - "integrity": "sha512-Wx0Kx52hxE7C18hkMEggYlEifqWZtYaRgouJor+WMdPnQyEK13vgEWyVNup7SoeeoLMsr4kf5h6dOW11I15MUA==", - "dev": true, - "license": "MIT", - "dependencies": { - "ajv": "^8.0.0" - }, - "peerDependencies": { - "ajv": "^8.0.0" - }, - "peerDependenciesMeta": { - "ajv": { - "optional": true - } - } - }, - "node_modules/ajv-formats/node_modules/ajv": { - "version": "8.17.1", - "resolved": "http://localhost:4873/ajv/-/ajv-8.17.1.tgz", - "integrity": "sha512-B/gBuNg5SiMTrPkC+A2+cW0RszwxYmn6VYxB/inlBStS5nx6xHIt/ehKRhIMhqusl7a8LjQoZnjCs5vhwxOQ1g==", - "dev": true, - "license": "MIT", - "dependencies": { - "fast-deep-equal": "^3.1.3", - "fast-uri": "^3.0.1", - "json-schema-traverse": "^1.0.0", - "require-from-string": "^2.0.2" - }, - "funding": { - "type": "github", - "url": "https://github.com/sponsors/epoberezkin" - } - }, - "node_modules/ajv-formats/node_modules/json-schema-traverse": { - "version": "1.0.0", - "resolved": "http://localhost:4873/json-schema-traverse/-/json-schema-traverse-1.0.0.tgz", - "integrity": "sha512-NM8/P9n3XjXhIZn1lLhkFaACTOURQXjWhV4BA/RnOv8xvgqtqpAX9IO4mRQxSx1Rlo4tqzeqb0sOlruaOy3dug==", - "dev": true, - "license": "MIT" - }, - "node_modules/ajv-keywords": { - "version": "3.5.2", - "resolved": "http://localhost:4873/ajv-keywords/-/ajv-keywords-3.5.2.tgz", - "integrity": "sha512-5p6WTN0DdTGVQk6VjcEju19IgaHudalcfabD7yhDGeA6bcQnmL+CpveLJq/3hvfwd1aof6L386Ougkx6RfyMIQ==", - "dev": true, - "license": "MIT", - "peerDependencies": { - "ajv": "^6.9.1" - } - }, - "node_modules/ansi-colors": { - "version": "4.1.3", - "resolved": "http://localhost:4873/ansi-colors/-/ansi-colors-4.1.3.tgz", - "integrity": "sha512-/6w/C21Pm1A7aZitlI5Ni/2J6FFQN8i1Cvz3kHABAAbw93v/NlvKdVOqz7CCWz/3iv/JplRSEEZ83XION15ovw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/ansi-escapes": { - "version": "3.2.0", - "resolved": "http://localhost:4873/ansi-escapes/-/ansi-escapes-3.2.0.tgz", - "integrity": "sha512-cBhpre4ma+U0T1oM5fXg7Dy1Jw7zzwv7lt/GoCpr+hDQJoYnKVPLL4dCvSEFMmQurOQvSrwT7SL/DAlhBI97RQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=4" - } - }, - "node_modules/ansi-html": { - "version": "0.0.9", - "resolved": "http://localhost:4873/ansi-html/-/ansi-html-0.0.9.tgz", - "integrity": "sha512-ozbS3LuenHVxNRh/wdnN16QapUHzauqSomAl1jwwJRRsGwFwtj644lIhxfWu0Fy0acCij2+AEgHvjscq3dlVXg==", - "dev": true, - "engines": [ - "node >= 0.8.0" - ], - "license": "Apache-2.0", - "bin": { - "ansi-html": "bin/ansi-html" - } - }, - "node_modules/ansi-html-community": { - "version": "0.0.8", - "resolved": "http://localhost:4873/ansi-html-community/-/ansi-html-community-0.0.8.tgz", - "integrity": "sha512-1APHAyr3+PCamwNw3bXCPp4HFLONZt/yIH0sZp0/469KWNTEy+qN5jQ3GVX6DMZ1UXAi34yVwtTeaG/HpBuuzw==", - "dev": true, - "engines": [ - "node >= 0.8.0" - ], - "license": "Apache-2.0", - "bin": { - "ansi-html": "bin/ansi-html" - } - }, - "node_modules/ansi-regex": { - "version": "5.0.1", - "resolved": "http://localhost:4873/ansi-regex/-/ansi-regex-5.0.1.tgz", - "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/ansi-styles": { - "version": "4.3.0", - "resolved": "http://localhost:4873/ansi-styles/-/ansi-styles-4.3.0.tgz", - "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==", - "dev": true, - "license": "MIT", - "dependencies": { - "color-convert": "^2.0.1" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/chalk/ansi-styles?sponsor=1" - } - }, - "node_modules/anymatch": { - "version": "3.1.3", - "resolved": "http://localhost:4873/anymatch/-/anymatch-3.1.3.tgz", - "integrity": "sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw==", - "dev": true, - "license": "ISC", - "dependencies": { - "normalize-path": "^3.0.0", - "picomatch": "^2.0.4" - }, - "engines": { - "node": ">= 8" - } - }, - "node_modules/anymatch/node_modules/normalize-path": { - "version": "3.0.0", - "resolved": "http://localhost:4873/normalize-path/-/normalize-path-3.0.0.tgz", - "integrity": "sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/archiver": { - "version": "1.3.0", - "resolved": "http://localhost:4873/archiver/-/archiver-1.3.0.tgz", - "integrity": "sha512-4q/CtGPNVyC5aT9eYHhFP7SAEjKYzQIDIJWXfexUIPNxitNs1y6hORdX+sYxERSZ6qPeNNBJ5UolFsJdWTU02g==", - "dev": true, - "license": "MIT", - "dependencies": { - "archiver-utils": "^1.3.0", - "async": "^2.0.0", - "buffer-crc32": "^0.2.1", - "glob": "^7.0.0", - "lodash": "^4.8.0", - "readable-stream": "^2.0.0", - "tar-stream": "^1.5.0", - "walkdir": "^0.0.11", - "zip-stream": "^1.1.0" - }, - "engines": { - "node": ">= 0.10.0" - } - }, - "node_modules/archiver-utils": { - "version": "1.3.0", - "resolved": "http://localhost:4873/archiver-utils/-/archiver-utils-1.3.0.tgz", - "integrity": "sha512-h+hTREBXcW5e1L9RihGXdH4PHHdGipG/jE2sMZrqIH6BmZAxeGU5IWjVsKhokdCSWX7km6Kkh406zZNEElHFPQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "glob": "^7.0.0", - "graceful-fs": "^4.1.0", - "lazystream": "^1.0.0", - "lodash": "^4.8.0", - "normalize-path": "^2.0.0", - "readable-stream": "^2.0.0" - }, - "engines": { - "node": ">= 0.10.0" - } - }, - "node_modules/argparse": { - "version": "1.0.10", - "resolved": "http://localhost:4873/argparse/-/argparse-1.0.10.tgz", - "integrity": "sha512-o5Roy6tNG4SL/FOkCAN6RzjiakZS25RLYFrcMttJqbdd8BWrnA+fGz57iN5Pb06pvBGvl5gQ0B48dJlslXvoTg==", - "dev": true, - "license": "MIT", - "dependencies": { - "sprintf-js": "~1.0.2" - } - }, - "node_modules/aria-hidden": { - "version": "1.2.6", - "resolved": "http://localhost:4873/aria-hidden/-/aria-hidden-1.2.6.tgz", - "integrity": "sha512-ik3ZgC9dY/lYVVM++OISsaYDeg1tb0VtP5uL3ouh1koGOaUMDPpbFIei4JkFimWUFPn90sbMNMXQAIVOlnYKJA==", - "dev": true, - "license": "MIT", - "dependencies": { - "tslib": "^2.0.0" - }, - "engines": { - "node": ">=10" - } - }, - "node_modules/aria-query": { - "version": "5.1.3", - "resolved": "http://localhost:4873/aria-query/-/aria-query-5.1.3.tgz", - "integrity": "sha512-R5iJ5lkuHybztUfuOAznmboyjWq8O6sqNqtK7CLOqdydi54VNbORp49mb14KbWgG1QD3JFO9hJdZ+y4KutfdOQ==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "deep-equal": "^2.0.5" - } - }, - "node_modules/arr-diff": { - "version": "4.0.0", - "resolved": "http://localhost:4873/arr-diff/-/arr-diff-4.0.0.tgz", - "integrity": "sha512-YVIQ82gZPGBebQV/a8dar4AitzCQs0jjXwMPZllpXMaGjXPYVUawSxQrRsjhjupyVxEvbHgUmIhKVlND+j02kA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/arr-flatten": { - "version": "1.1.0", - "resolved": "http://localhost:4873/arr-flatten/-/arr-flatten-1.1.0.tgz", - "integrity": "sha512-L3hKV5R/p5o81R7O02IGnwpDmkp6E982XhtbuwSe3O4qOtMMMtodicASA1Cny2U+aCXcNpml+m4dPsvsJ3jatg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/arr-union": { - "version": "3.1.0", - "resolved": "http://localhost:4873/arr-union/-/arr-union-3.1.0.tgz", - "integrity": "sha512-sKpyeERZ02v1FeCZT8lrfJq5u6goHCtpTAzPwJYe7c8SPFOboNjNg1vz2L4VTn9T4PQxEx13TbXLmYUcS6Ug7Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/array-buffer-byte-length": { - "version": "1.0.2", - "resolved": "http://localhost:4873/array-buffer-byte-length/-/array-buffer-byte-length-1.0.2.tgz", - "integrity": "sha512-LHE+8BuR7RYGDKvnrmcuSq3tDcKv9OFEXQt/HpbZhY7V6h0zlUXutnAD82GiFx9rdieCMjkvtcsPqBwgUl1Iiw==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bound": "^1.0.3", - "is-array-buffer": "^3.0.5" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/array-flatten": { - "version": "1.1.1", - "resolved": "http://localhost:4873/array-flatten/-/array-flatten-1.1.1.tgz", - "integrity": "sha512-PCVAQswWemu6UdxsDFFX/+gVeYqKAod3D3UVm91jHwynguOwAvYPhx8nNlM++NqRcK6CxxpUafjmhIdKiHibqg==", - "dev": true, - "license": "MIT" - }, - "node_modules/array-includes": { - "version": "3.1.8", - "resolved": "http://localhost:4873/array-includes/-/array-includes-3.1.8.tgz", - "integrity": "sha512-itaWrbYbqpGXkGhZPGUulwnhVf5Hpy1xiCFsGqyIGglbBxmG5vSjxQen3/WGOjPpNEv1RtBLKxbmVXm8HpJStQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind": "^1.0.7", - "define-properties": "^1.2.1", - "es-abstract": "^1.23.2", - "es-object-atoms": "^1.0.0", - "get-intrinsic": "^1.2.4", - "is-string": "^1.0.7" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/array-union": { - "version": "2.1.0", - "resolved": "http://localhost:4873/array-union/-/array-union-2.1.0.tgz", - "integrity": "sha512-HGyxoOTYUyCM6stUe6EJgnd4EoewAI7zMdfqO+kGjnlZmBDz/cR5pf8r/cR4Wq60sL/p0IkcjUEEPwS3GFrIyw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/array-unique": { - "version": "0.3.2", - "resolved": "http://localhost:4873/array-unique/-/array-unique-0.3.2.tgz", - "integrity": "sha512-SleRWjh9JUud2wH1hPs9rZBZ33H6T9HOiL0uwGnGx9FpE6wKGyfWugmbkEOIs6qWrZhg0LWeLziLrEwQJhs5mQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/array.prototype.findlast": { - "version": "1.2.5", - "resolved": "http://localhost:4873/array.prototype.findlast/-/array.prototype.findlast-1.2.5.tgz", - "integrity": "sha512-CVvd6FHg1Z3POpBLxO6E6zr+rSKEQ9L6rZHAaY7lLfhKsWYUBBOuMs0e9o24oopj6H+geRCX0YJ+TJLBK2eHyQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind": "^1.0.7", - "define-properties": "^1.2.1", - "es-abstract": "^1.23.2", - "es-errors": "^1.3.0", - "es-object-atoms": "^1.0.0", - "es-shim-unscopables": "^1.0.2" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/array.prototype.flat": { - "version": "1.3.3", - "resolved": "http://localhost:4873/array.prototype.flat/-/array.prototype.flat-1.3.3.tgz", - "integrity": "sha512-rwG/ja1neyLqCuGZ5YYrznA62D4mZXg0i1cIskIUKSiqF3Cje9/wXAls9B9s1Wa2fomMsIv8czB8jZcPmxCXFg==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind": "^1.0.8", - "define-properties": "^1.2.1", - "es-abstract": "^1.23.5", - "es-shim-unscopables": "^1.0.2" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/array.prototype.flatmap": { - "version": "1.3.3", - "resolved": "http://localhost:4873/array.prototype.flatmap/-/array.prototype.flatmap-1.3.3.tgz", - "integrity": "sha512-Y7Wt51eKJSyi80hFrJCePGGNo5ktJCslFuboqJsbf57CCPcm5zztluPlc4/aD8sWsKvlwatezpV4U1efk8kpjg==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind": "^1.0.8", - "define-properties": "^1.2.1", - "es-abstract": "^1.23.5", - "es-shim-unscopables": "^1.0.2" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/array.prototype.reduce": { - "version": "1.0.8", - "resolved": "http://localhost:4873/array.prototype.reduce/-/array.prototype.reduce-1.0.8.tgz", - "integrity": "sha512-DwuEqgXFBwbmZSRqt3BpQigWNUoqw9Ml2dTWdF3B2zQlQX4OeUE0zyuzX0fX0IbTvjdkZbcBTU3idgpO78qkTw==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind": "^1.0.8", - "call-bound": "^1.0.4", - "define-properties": "^1.2.1", - "es-abstract": "^1.23.9", - "es-array-method-boxes-properly": "^1.0.0", - "es-errors": "^1.3.0", - "es-object-atoms": "^1.1.1", - "is-string": "^1.1.1" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/array.prototype.tosorted": { - "version": "1.1.4", - "resolved": "http://localhost:4873/array.prototype.tosorted/-/array.prototype.tosorted-1.1.4.tgz", - "integrity": "sha512-p6Fx8B7b7ZhL/gmUsAy0D15WhvDccw3mnGNbZpi3pmeJdxtWsj2jEaI4Y6oo3XiHfzuSgPwKc04MYt6KgvC/wA==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind": "^1.0.7", - "define-properties": "^1.2.1", - "es-abstract": "^1.23.3", - "es-errors": "^1.3.0", - "es-shim-unscopables": "^1.0.2" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/arraybuffer.prototype.slice": { - "version": "1.0.4", - "resolved": "http://localhost:4873/arraybuffer.prototype.slice/-/arraybuffer.prototype.slice-1.0.4.tgz", - "integrity": "sha512-BNoCY6SXXPQ7gF2opIP4GBE+Xw7U+pHMYKuzjgCN3GwiaIR09UUeKfheyIry77QtrCBlC0KK0q5/TER/tYh3PQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "array-buffer-byte-length": "^1.0.1", - "call-bind": "^1.0.8", - "define-properties": "^1.2.1", - "es-abstract": "^1.23.5", - "es-errors": "^1.3.0", - "get-intrinsic": "^1.2.6", - "is-array-buffer": "^3.0.4" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/asn1js": { - "version": "3.0.6", - "resolved": "http://localhost:4873/asn1js/-/asn1js-3.0.6.tgz", - "integrity": "sha512-UOCGPYbl0tv8+006qks/dTgV9ajs97X2p0FAbyS2iyCRrmLSRolDaHdp+v/CLgnzHc3fVB+CwYiUmei7ndFcgA==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "pvtsutils": "^1.3.6", - "pvutils": "^1.1.3", - "tslib": "^2.8.1" - }, - "engines": { - "node": ">=12.0.0" - } - }, - "node_modules/assign-symbols": { - "version": "1.0.0", - "resolved": "http://localhost:4873/assign-symbols/-/assign-symbols-1.0.0.tgz", - "integrity": "sha512-Q+JC7Whu8HhmTdBph/Tq59IoRtoy6KAm5zzPv00WdujX82lbAL8K7WVjne7vdCsAmbF4AYaDOPyO3k0kl8qIrw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/ast-types-flow": { - "version": "0.0.7", - "resolved": "http://localhost:4873/ast-types-flow/-/ast-types-flow-0.0.7.tgz", - "integrity": "sha512-eBvWn1lvIApYMhzQMsu9ciLfkBY499mFZlNqG+/9WR7PVlroQw0vG30cOQQbaKz3sCEc44TAOu2ykzqXSNnwag==", - "dev": true, - "license": "ISC" - }, - "node_modules/async": { - "version": "2.6.4", - "resolved": "http://localhost:4873/async/-/async-2.6.4.tgz", - "integrity": "sha512-mzo5dfJYwAn29PeiJ0zvwTo04zj8HDJj0Mn8TD7sno7q12prdbnasKJHhkm2c1LgrhlJ0teaea8860oxi51mGA==", - "dev": true, - "license": "MIT", - "dependencies": { - "lodash": "^4.17.14" - } - }, - "node_modules/async-function": { - "version": "1.0.0", - "resolved": "http://localhost:4873/async-function/-/async-function-1.0.0.tgz", - "integrity": "sha512-hsU18Ae8CDTR6Kgu9DYf0EbCr/a5iGL0rytQDobUcdpYOKokk8LEjVphnXkDkgpi0wYVsqrXuP0bZxJaTqdgoA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/asynckit": { - "version": "0.4.0", - "resolved": "http://localhost:4873/asynckit/-/asynckit-0.4.0.tgz", - "integrity": "sha512-Oei9OH4tRh0YqU3GxhX79dM/mwVgvbZJaSNaRk+bshkj0S5cfHcgYakreBjrHwatXKbz+IoIdYLxrKim2MjW0Q==", - "dev": true, - "license": "MIT" - }, - "node_modules/atob": { - "version": "2.1.2", - "resolved": "http://localhost:4873/atob/-/atob-2.1.2.tgz", - "integrity": "sha512-Wm6ukoaOGJi/73p/cl2GvLjTI5JM1k/O14isD73YML8StrH/7/lRFgmg8nICZgD3bZZvjwCGxtMOD3wWNAu8cg==", - "dev": true, - "license": "(MIT OR Apache-2.0)", - "bin": { - "atob": "bin/atob.js" - }, - "engines": { - "node": ">= 4.5.0" - } - }, - "node_modules/available-typed-arrays": { - "version": "1.0.7", - "resolved": "http://localhost:4873/available-typed-arrays/-/available-typed-arrays-1.0.7.tgz", - "integrity": "sha512-wvUjBtSGN7+7SjNpq/9M2Tg350UZD3q62IFZLbRAR1bSMlCo1ZaeW+BJ+D090e4hIIZLBcTDWe4Mh4jvUDajzQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "possible-typed-array-names": "^1.0.0" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/aws-sdk": { - "version": "2.1692.0", - "resolved": "http://localhost:4873/aws-sdk/-/aws-sdk-2.1692.0.tgz", - "integrity": "sha512-x511uiJ/57FIsbgUe5csJ13k3uzu25uWQE+XqfBis/sB0SFoiElJWXRkgEAUh0U6n40eT3ay5Ue4oPkRMu1LYw==", - "dev": true, - "hasInstallScript": true, - "license": "Apache-2.0", - "dependencies": { - "buffer": "4.9.2", - "events": "1.1.1", - "ieee754": "1.1.13", - "jmespath": "0.16.0", - "querystring": "0.2.0", - "sax": "1.2.1", - "url": "0.10.3", - "util": "^0.12.4", - "uuid": "8.0.0", - "xml2js": "0.6.2" - }, - "engines": { - "node": ">= 10.0.0" - } - }, - "node_modules/aws-sdk/node_modules/uuid": { - "version": "8.0.0", - "resolved": "http://localhost:4873/uuid/-/uuid-8.0.0.tgz", - "integrity": "sha512-jOXGuXZAWdsTH7eZLtyXMqUb9EcWMGZNbL9YcGBJl4MH4nrxHmZJhEHvyLFrkxo+28uLb/NYRcStH48fnD0Vzw==", - "dev": true, - "license": "MIT", - "bin": { - "uuid": "dist/bin/uuid" - } - }, - "node_modules/aws-serverless-express": { - "version": "3.4.0", - "resolved": "http://localhost:4873/aws-serverless-express/-/aws-serverless-express-3.4.0.tgz", - "integrity": "sha512-YG9ZjAOI9OpwqDDWzkRc3kKJYJuR7gTMjLa3kAWopO17myoprxskCUyCEee+RKe34tcR4UNrVtgAwW5yDe74bw==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "@vendia/serverless-express": "^3.4.0", - "binary-case": "^1.0.0", - "type-is": "^1.6.16" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/axe-core": { - "version": "4.10.3", - "resolved": "http://localhost:4873/axe-core/-/axe-core-4.10.3.tgz", - "integrity": "sha512-Xm7bpRXnDSX2YE2YFfBk2FnF0ep6tmG7xPh8iHee8MIcrgq762Nkce856dYtJYLkuIoYZvGfTs/PbZhideTcEg==", - "dev": true, - "license": "MPL-2.0", - "engines": { - "node": ">=4" - } - }, - "node_modules/axobject-query": { - "version": "3.2.4", - "resolved": "http://localhost:4873/axobject-query/-/axobject-query-3.2.4.tgz", - "integrity": "sha512-aPTElBrbifBU1krmZxGZOlBkslORe7Ll7+BDnI50Wy4LgOt69luMgevkDfTq1O/ZgprooPCtWpjCwKSZw/iZ4A==", - "dev": true, - "license": "Apache-2.0", - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/babel-jest": { - "version": "26.6.3", - "resolved": "http://localhost:4873/babel-jest/-/babel-jest-26.6.3.tgz", - "integrity": "sha512-pl4Q+GAVOHwvjrck6jKjvmGhnO3jHX/xuB9d27f+EJZ/6k+6nMuPjorrYp7s++bKKdANwzElBWnLWaObvTnaZA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/transform": "^26.6.2", - "@jest/types": "^26.6.2", - "@types/babel__core": "^7.1.7", - "babel-plugin-istanbul": "^6.0.0", - "babel-preset-jest": "^26.6.2", - "chalk": "^4.0.0", - "graceful-fs": "^4.2.4", - "slash": "^3.0.0" - }, - "engines": { - "node": ">= 10.14.2" - }, - "peerDependencies": { - "@babel/core": "^7.0.0" - } - }, - "node_modules/babel-jest/node_modules/slash": { - "version": "3.0.0", - "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", - "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/babel-loader": { - "version": "8.4.1", - "resolved": "http://localhost:4873/babel-loader/-/babel-loader-8.4.1.tgz", - "integrity": "sha512-nXzRChX+Z1GoE6yWavBQg6jDslyFF3SDjl2paADuoQtQW10JqShJt62R6eJQ5m/pjJFDT8xgKIWSP85OY8eXeA==", - "dev": true, - "license": "MIT", - "dependencies": { - "find-cache-dir": "^3.3.1", - "loader-utils": "^2.0.4", - "make-dir": "^3.1.0", - "schema-utils": "^2.6.5" - }, - "engines": { - "node": ">= 8.9" - }, - "peerDependencies": { - "@babel/core": "^7.0.0", - "webpack": ">=2" - } - }, - "node_modules/babel-loader/node_modules/find-cache-dir": { - "version": "3.3.2", - "resolved": "http://localhost:4873/find-cache-dir/-/find-cache-dir-3.3.2.tgz", - "integrity": "sha512-wXZV5emFEjrridIgED11OoUKLxiYjAcqot/NJdAkOhlJ+vGzwhOAfcG5OX1jP+S0PcjEn8bdMJv+g2jwQ3Onig==", - "dev": true, - "license": "MIT", - "dependencies": { - "commondir": "^1.0.1", - "make-dir": "^3.0.2", - "pkg-dir": "^4.1.0" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/avajs/find-cache-dir?sponsor=1" - } - }, - "node_modules/babel-loader/node_modules/make-dir": { - "version": "3.1.0", - "resolved": "http://localhost:4873/make-dir/-/make-dir-3.1.0.tgz", - "integrity": "sha512-g3FeP20LNwhALb/6Cz6Dd4F2ngze0jz7tbzrD2wAV+o9FeNHe4rL+yK2md0J/fiSf1sa1ADhXqi5+oVwOM/eGw==", - "dev": true, - "license": "MIT", - "dependencies": { - "semver": "^6.0.0" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/babel-loader/node_modules/pkg-dir": { - "version": "4.2.0", - "resolved": "http://localhost:4873/pkg-dir/-/pkg-dir-4.2.0.tgz", - "integrity": "sha512-HRDzbaKjC+AOWVXxAU/x54COGeIv9eb+6CkDSQoNTt4XyWoIJvuPsXizxu/Fr23EiekbtZwmh1IcIG/l/a10GQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "find-up": "^4.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/babel-loader/node_modules/schema-utils": { - "version": "2.7.1", - "resolved": "http://localhost:4873/schema-utils/-/schema-utils-2.7.1.tgz", - "integrity": "sha512-SHiNtMOUGWBQJwzISiVYKu82GiV4QYGePp3odlY1tuKO7gPtphAT5R/py0fA6xtbgLL/RvtJZnU9b8s0F1q0Xg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/json-schema": "^7.0.5", - "ajv": "^6.12.4", - "ajv-keywords": "^3.5.2" - }, - "engines": { - "node": ">= 8.9.0" - }, - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/webpack" - } - }, - "node_modules/babel-loader/node_modules/semver": { - "version": "6.3.1", - "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", - "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", - "dev": true, - "license": "ISC", - "bin": { - "semver": "bin/semver.js" - } - }, - "node_modules/babel-plugin-dynamic-import-node-babel-7": { - "version": "2.0.7", - "resolved": "http://localhost:4873/babel-plugin-dynamic-import-node-babel-7/-/babel-plugin-dynamic-import-node-babel-7-2.0.7.tgz", - "integrity": "sha512-8DO7mdeczoxi0z1ggb6wS/yWkwM2F9uMPKsVeohK1Ff389JENDfZd+aINwM5r2p66IZGR0rkMrYCr2EyEGrGAQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/plugin-syntax-dynamic-import": "^7.0.0-beta.42" - } - }, - "node_modules/babel-plugin-formatjs": { - "version": "10.5.36", - "resolved": "http://localhost:4873/babel-plugin-formatjs/-/babel-plugin-formatjs-10.5.36.tgz", - "integrity": "sha512-/JFNKuHTvOZ/oqKULBNJVn7zl6XU8rjHijghxyaBOExlk4t8CZ442wsVktuY0EmEnRvNBfPSBY4PhFe6s7QvnA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/core": "^7.26.10", - "@babel/helper-plugin-utils": "^7.26.5", - "@babel/plugin-syntax-jsx": "^7.25.9", - "@babel/traverse": "^7.26.10", - "@babel/types": "^7.26.10", - "@formatjs/icu-messageformat-parser": "2.11.2", - "@formatjs/ts-transformer": "3.13.33", - "@types/babel__core": "^7.20.5", - "@types/babel__helper-plugin-utils": "^7.10.3", - "@types/babel__traverse": "^7.20.6", - "tslib": "^2.8.0" - } - }, - "node_modules/babel-plugin-formatjs/node_modules/@formatjs/ts-transformer": { - "version": "3.13.33", - "resolved": "http://localhost:4873/@formatjs/ts-transformer/-/ts-transformer-3.13.33.tgz", - "integrity": "sha512-J52P8685QW5THfR9baUuaxcvFiROEjUVF0Y3SheeVPp/gevoYcN8DywizK00ELd37S4Egg/Ym+nk5gF5TKZTxA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@formatjs/icu-messageformat-parser": "2.11.2", - "@types/json-stable-stringify": "^1.1.0", - "@types/node": "^22.0.0", - "chalk": "^4.1.2", - "json-stable-stringify": "^1.1.1", - "tslib": "^2.8.0", - "typescript": "5.8.2" - }, - "peerDependencies": { - "ts-jest": "^29" - }, - "peerDependenciesMeta": { - "ts-jest": { - "optional": true - } - } - }, - "node_modules/babel-plugin-formatjs/node_modules/typescript": { - "version": "5.8.2", - "resolved": "http://localhost:4873/typescript/-/typescript-5.8.2.tgz", - "integrity": "sha512-aJn6wq13/afZp/jT9QZmwEjDqqvSGp1VT5GVg+f/t6/oVyrgXM6BY1h9BRh/O5p3PlUPAe+WuiEZOmb/49RqoQ==", - "dev": true, - "license": "Apache-2.0", - "bin": { - "tsc": "bin/tsc", - "tsserver": "bin/tsserver" - }, - "engines": { - "node": ">=14.17" - } - }, - "node_modules/babel-plugin-istanbul": { - "version": "6.1.1", - "resolved": "http://localhost:4873/babel-plugin-istanbul/-/babel-plugin-istanbul-6.1.1.tgz", - "integrity": "sha512-Y1IQok9821cC9onCx5otgFfRm7Lm+I+wwxOx738M/WLPZ9Q42m4IG5W0FNX8WLL2gYMZo3JkuXIH2DOpWM+qwA==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "@babel/helper-plugin-utils": "^7.0.0", - "@istanbuljs/load-nyc-config": "^1.0.0", - "@istanbuljs/schema": "^0.1.2", - "istanbul-lib-instrument": "^5.0.4", - "test-exclude": "^6.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/babel-plugin-jest-hoist": { - "version": "26.6.2", - "resolved": "http://localhost:4873/babel-plugin-jest-hoist/-/babel-plugin-jest-hoist-26.6.2.tgz", - "integrity": "sha512-PO9t0697lNTmcEHH69mdtYiOIkkOlj9fySqfO3K1eCcdISevLAE0xY59VLLUj0SoiPiTX/JU2CYFpILydUa5Lw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/template": "^7.3.3", - "@babel/types": "^7.3.3", - "@types/babel__core": "^7.0.0", - "@types/babel__traverse": "^7.0.6" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/babel-plugin-macros": { - "version": "3.1.0", - "resolved": "http://localhost:4873/babel-plugin-macros/-/babel-plugin-macros-3.1.0.tgz", - "integrity": "sha512-Cg7TFGpIr01vOQNODXOOaGz2NpCU5gl8x1qJFbb6hbZxR7XrcE2vtbAsTAbJ7/xwJtUuJEw8K8Zr/AE0LHlesg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/runtime": "^7.12.5", - "cosmiconfig": "^7.0.0", - "resolve": "^1.19.0" - }, - "engines": { - "node": ">=10", - "npm": ">=6" - } - }, - "node_modules/babel-plugin-macros/node_modules/cosmiconfig": { - "version": "7.1.0", - "resolved": "http://localhost:4873/cosmiconfig/-/cosmiconfig-7.1.0.tgz", - "integrity": "sha512-AdmX6xUzdNASswsFtmwSt7Vj8po9IuqXm0UXz7QKPuEUmPB4XyjGfaAr2PSuELMwkRMVH1EpIkX5bTZGRB3eCA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/parse-json": "^4.0.0", - "import-fresh": "^3.2.1", - "parse-json": "^5.0.0", - "path-type": "^4.0.0", - "yaml": "^1.10.0" - }, - "engines": { - "node": ">=10" - } - }, - "node_modules/babel-plugin-module-resolver": { - "version": "5.0.2", - "resolved": "http://localhost:4873/babel-plugin-module-resolver/-/babel-plugin-module-resolver-5.0.2.tgz", - "integrity": "sha512-9KtaCazHee2xc0ibfqsDeamwDps6FZNo5S0Q81dUqEuFzVwPhcT4J5jOqIVvgCA3Q/wO9hKYxN/Ds3tIsp5ygg==", - "dev": true, - "license": "MIT", - "dependencies": { - "find-babel-config": "^2.1.1", - "glob": "^9.3.3", - "pkg-up": "^3.1.0", - "reselect": "^4.1.7", - "resolve": "^1.22.8" - } - }, - "node_modules/babel-plugin-module-resolver/node_modules/brace-expansion": { - "version": "2.0.1", - "resolved": "http://localhost:4873/brace-expansion/-/brace-expansion-2.0.1.tgz", - "integrity": "sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==", - "dev": true, - "license": "MIT", - "dependencies": { - "balanced-match": "^1.0.0" - } - }, - "node_modules/babel-plugin-module-resolver/node_modules/glob": { - "version": "9.3.5", - "resolved": "http://localhost:4873/glob/-/glob-9.3.5.tgz", - "integrity": "sha512-e1LleDykUz2Iu+MTYdkSsuWX8lvAjAcs0Xef0lNIu0S2wOAzuTxCJtcd9S3cijlwYF18EsU3rzb8jPVobxDh9Q==", - "dev": true, - "license": "ISC", - "dependencies": { - "fs.realpath": "^1.0.0", - "minimatch": "^8.0.2", - "minipass": "^4.2.4", - "path-scurry": "^1.6.1" - }, - "engines": { - "node": ">=16 || 14 >=14.17" - }, - "funding": { - "url": "https://github.com/sponsors/isaacs" - } - }, - "node_modules/babel-plugin-module-resolver/node_modules/minimatch": { - "version": "8.0.4", - "resolved": "http://localhost:4873/minimatch/-/minimatch-8.0.4.tgz", - "integrity": "sha512-W0Wvr9HyFXZRGIDgCicunpQ299OKXs9RgZfaukz4qAW/pJhcpUfupc9c+OObPOFueNy8VSrZgEmDtk6Kh4WzDA==", - "dev": true, - "license": "ISC", - "dependencies": { - "brace-expansion": "^2.0.1" - }, - "engines": { - "node": ">=16 || 14 >=14.17" - }, - "funding": { - "url": "https://github.com/sponsors/isaacs" - } - }, - "node_modules/babel-plugin-polyfill-corejs2": { - "version": "0.4.13", - "resolved": "http://localhost:4873/babel-plugin-polyfill-corejs2/-/babel-plugin-polyfill-corejs2-0.4.13.tgz", - "integrity": "sha512-3sX/eOms8kd3q2KZ6DAhKPc0dgm525Gqq5NtWKZ7QYYZEv57OQ54KtblzJzH1lQF/eQxO8KjWGIK9IPUJNus5g==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/compat-data": "^7.22.6", - "@babel/helper-define-polyfill-provider": "^0.6.4", - "semver": "^6.3.1" - }, - "peerDependencies": { - "@babel/core": "^7.4.0 || ^8.0.0-0 <8.0.0" - } - }, - "node_modules/babel-plugin-polyfill-corejs2/node_modules/semver": { - "version": "6.3.1", - "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", - "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", - "dev": true, - "license": "ISC", - "bin": { - "semver": "bin/semver.js" - } - }, - "node_modules/babel-plugin-polyfill-corejs3": { - "version": "0.11.1", - "resolved": "http://localhost:4873/babel-plugin-polyfill-corejs3/-/babel-plugin-polyfill-corejs3-0.11.1.tgz", - "integrity": "sha512-yGCqvBT4rwMczo28xkH/noxJ6MZ4nJfkVYdoDaC/utLtWrXxv27HVrzAeSbqR8SxDsp46n0YF47EbHoixy6rXQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-define-polyfill-provider": "^0.6.3", - "core-js-compat": "^3.40.0" - }, - "peerDependencies": { - "@babel/core": "^7.4.0 || ^8.0.0-0 <8.0.0" - } - }, - "node_modules/babel-plugin-polyfill-regenerator": { - "version": "0.6.4", - "resolved": "http://localhost:4873/babel-plugin-polyfill-regenerator/-/babel-plugin-polyfill-regenerator-0.6.4.tgz", - "integrity": "sha512-7gD3pRadPrbjhjLyxebmx/WrFYcuSjZ0XbdUujQMZ/fcE9oeewk2U/7PCvez84UeuK3oSjmPZ0Ch0dlupQvGzw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/helper-define-polyfill-provider": "^0.6.4" - }, - "peerDependencies": { - "@babel/core": "^7.4.0 || ^8.0.0-0 <8.0.0" - } - }, - "node_modules/babel-preset-current-node-syntax": { - "version": "1.1.0", - "resolved": "http://localhost:4873/babel-preset-current-node-syntax/-/babel-preset-current-node-syntax-1.1.0.tgz", - "integrity": "sha512-ldYss8SbBlWva1bs28q78Ju5Zq1F+8BrqBZZ0VFhLBvhh6lCpC2o3gDJi/5DRLs9FgYZCnmPYIVFU4lRXCkyUw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/plugin-syntax-async-generators": "^7.8.4", - "@babel/plugin-syntax-bigint": "^7.8.3", - "@babel/plugin-syntax-class-properties": "^7.12.13", - "@babel/plugin-syntax-class-static-block": "^7.14.5", - "@babel/plugin-syntax-import-attributes": "^7.24.7", - "@babel/plugin-syntax-import-meta": "^7.10.4", - "@babel/plugin-syntax-json-strings": "^7.8.3", - "@babel/plugin-syntax-logical-assignment-operators": "^7.10.4", - "@babel/plugin-syntax-nullish-coalescing-operator": "^7.8.3", - "@babel/plugin-syntax-numeric-separator": "^7.10.4", - "@babel/plugin-syntax-object-rest-spread": "^7.8.3", - "@babel/plugin-syntax-optional-catch-binding": "^7.8.3", - "@babel/plugin-syntax-optional-chaining": "^7.8.3", - "@babel/plugin-syntax-private-property-in-object": "^7.14.5", - "@babel/plugin-syntax-top-level-await": "^7.14.5" - }, - "peerDependencies": { - "@babel/core": "^7.0.0" - } - }, - "node_modules/babel-preset-jest": { - "version": "26.6.2", - "resolved": "http://localhost:4873/babel-preset-jest/-/babel-preset-jest-26.6.2.tgz", - "integrity": "sha512-YvdtlVm9t3k777c5NPQIv6cxFFFapys25HiUmuSgHwIZhfifweR5c5Sf5nwE3MAbfu327CYSvps8Yx6ANLyleQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "babel-plugin-jest-hoist": "^26.6.2", - "babel-preset-current-node-syntax": "^1.0.0" - }, - "engines": { - "node": ">= 10.14.2" - }, - "peerDependencies": { - "@babel/core": "^7.0.0" - } - }, - "node_modules/balanced-match": { - "version": "1.0.2", - "resolved": "http://localhost:4873/balanced-match/-/balanced-match-1.0.2.tgz", - "integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==", - "dev": true, - "license": "MIT" - }, - "node_modules/base": { - "version": "0.11.2", - "resolved": "http://localhost:4873/base/-/base-0.11.2.tgz", - "integrity": "sha512-5T6P4xPgpp0YDFvSWwEZ4NoE3aM4QBQXDzmVbraCkFj8zHM+mba8SyqB5DbZWyR7mYHo6Y7BdQo3MoA4m0TeQg==", - "dev": true, - "license": "MIT", - "dependencies": { - "cache-base": "^1.0.1", - "class-utils": "^0.3.5", - "component-emitter": "^1.2.1", - "define-property": "^1.0.0", - "isobject": "^3.0.1", - "mixin-deep": "^1.2.0", - "pascalcase": "^0.1.1" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/base/node_modules/define-property": { - "version": "1.0.0", - "resolved": "http://localhost:4873/define-property/-/define-property-1.0.0.tgz", - "integrity": "sha512-cZTYKFWspt9jZsMscWo8sc/5lbPC9Q0N5nBLgb+Yd915iL3udB1uFgS3B8YCx66UVHq018DAVFoee7x+gxggeA==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-descriptor": "^1.0.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/base64-arraybuffer": { - "version": "0.2.0", - "resolved": "http://localhost:4873/base64-arraybuffer/-/base64-arraybuffer-0.2.0.tgz", - "integrity": "sha512-7emyCsu1/xiBXgQZrscw/8KPRT44I4Yq9Pe6EGs3aPRTsWuggML1/1DTuZUuIaJPIm1FTDUVXl4x/yW8s0kQDQ==", - "dev": true, - "engines": { - "node": ">= 0.6.0" - } - }, - "node_modules/base64-js": { - "version": "1.5.1", - "resolved": "http://localhost:4873/base64-js/-/base64-js-1.5.1.tgz", - "integrity": "sha512-AKpaYlHn8t4SVbOHCy+b5+KKgvR4vrsD8vbvrbiQJps7fKDTkjkDry6ji0rUJjC0kzbNePLwzxq8iypo41qeWA==", - "dev": true, - "funding": [ - { - "type": "github", - "url": "https://github.com/sponsors/feross" - }, - { - "type": "patreon", - "url": "https://www.patreon.com/feross" - }, - { - "type": "consulting", - "url": "https://feross.org/support" - } - ], - "license": "MIT" - }, - "node_modules/basic-auth": { - "version": "2.0.1", - "resolved": "http://localhost:4873/basic-auth/-/basic-auth-2.0.1.tgz", - "integrity": "sha512-NF+epuEdnUYVlGuhaxbbq+dvJttwLnGY+YixlXlME5KpQ5W3CnXA5cVTneY3SPbPDRkcjMbifrwmFYcClgOZeg==", - "dev": true, - "license": "MIT", - "dependencies": { - "safe-buffer": "5.1.2" - }, - "engines": { - "node": ">= 0.8" - } - }, - "node_modules/basic-auth/node_modules/safe-buffer": { - "version": "5.1.2", - "resolved": "http://localhost:4873/safe-buffer/-/safe-buffer-5.1.2.tgz", - "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==", - "dev": true, - "license": "MIT" - }, - "node_modules/big.js": { - "version": "5.2.2", - "resolved": "http://localhost:4873/big.js/-/big.js-5.2.2.tgz", - "integrity": "sha512-vyL2OymJxmarO8gxMr0mhChsO9QGwhynfuu4+MHTAW6czfq9humCB7rKpUjDd9YUiDPU4mzpyupFSvOClAwbmQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": "*" - } - }, - "node_modules/binary-case": { - "version": "1.1.4", - "resolved": "http://localhost:4873/binary-case/-/binary-case-1.1.4.tgz", - "integrity": "sha512-9Kq8m6NZTAgy05Ryuh7U3Qc4/ujLQU1AZ5vMw4cr3igTdi5itZC6kCNrRr2X8NzPiDn2oUIFTfa71DKMnue/Zg==", - "dev": true, - "license": "Apache-2.0" - }, - "node_modules/binary-extensions": { - "version": "2.3.0", - "resolved": "http://localhost:4873/binary-extensions/-/binary-extensions-2.3.0.tgz", - "integrity": "sha512-Ceh+7ox5qe7LJuLHoY0feh3pHuUDHAcRUeyL2VYghZwfpkNIy/+8Ocg0a3UuSoYzavmylwuLWQOf3hl0jjMMIw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/bl": { - "version": "1.2.3", - "resolved": "http://localhost:4873/bl/-/bl-1.2.3.tgz", - "integrity": "sha512-pvcNpa0UU69UT341rO6AYy4FVAIkUHuZXRIWbq+zHnsVcRzDDjIAhGuuYoi0d//cwIwtt4pkpKycWEfjdV+vww==", - "dev": true, - "license": "MIT", - "dependencies": { - "readable-stream": "^2.3.5", - "safe-buffer": "^5.1.1" - } - }, - "node_modules/bluebird": { - "version": "3.7.2", - "resolved": "http://localhost:4873/bluebird/-/bluebird-3.7.2.tgz", - "integrity": "sha512-XpNj6GDQzdfW+r2Wnn7xiSAd7TM3jzkxGXBGTtWKuSXv1xUV+azxAm8jdWZN06QTQk+2N2XB9jRDkvbmQmcRtg==", - "dev": true, - "license": "MIT" - }, - "node_modules/body-parser": { - "version": "1.20.3", - "resolved": "http://localhost:4873/body-parser/-/body-parser-1.20.3.tgz", - "integrity": "sha512-7rAxByjUMqQ3/bHJy7D6OGXvx/MMc4IqBn/X0fcM1QUcAItpZrBEYhWGem+tzXH90c+G01ypMcYJBO9Y30203g==", - "dev": true, - "license": "MIT", - "dependencies": { - "bytes": "3.1.2", - "content-type": "~1.0.5", - "debug": "2.6.9", - "depd": "2.0.0", - "destroy": "1.2.0", - "http-errors": "2.0.0", - "iconv-lite": "0.4.24", - "on-finished": "2.4.1", - "qs": "6.13.0", - "raw-body": "2.5.2", - "type-is": "~1.6.18", - "unpipe": "1.0.0" - }, - "engines": { - "node": ">= 0.8", - "npm": "1.2.8000 || >= 1.4.16" - } - }, - "node_modules/body-parser/node_modules/debug": { - "version": "2.6.9", - "resolved": "http://localhost:4873/debug/-/debug-2.6.9.tgz", - "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", - "dev": true, - "license": "MIT", - "dependencies": { - "ms": "2.0.0" - } - }, - "node_modules/body-parser/node_modules/ms": { - "version": "2.0.0", - "resolved": "http://localhost:4873/ms/-/ms-2.0.0.tgz", - "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", - "dev": true, - "license": "MIT" - }, - "node_modules/brace-expansion": { - "version": "1.1.11", - "resolved": "http://localhost:4873/brace-expansion/-/brace-expansion-1.1.11.tgz", - "integrity": "sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==", - "dev": true, - "license": "MIT", - "dependencies": { - "balanced-match": "^1.0.0", - "concat-map": "0.0.1" - } - }, - "node_modules/braces": { - "version": "3.0.3", - "resolved": "http://localhost:4873/braces/-/braces-3.0.3.tgz", - "integrity": "sha512-yQbXgO/OSZVD2IsiLlro+7Hf6Q18EJrKSEsdoMzKePKXct3gvD8oLcOQdIzGupr5Fj+EDe8gO/lxc1BzfMpxvA==", - "dev": true, - "license": "MIT", - "dependencies": { - "fill-range": "^7.1.1" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/browser-process-hrtime": { - "version": "1.0.0", - "resolved": "http://localhost:4873/browser-process-hrtime/-/browser-process-hrtime-1.0.0.tgz", - "integrity": "sha512-9o5UecI3GhkpM6DrXr69PblIuWxPKk9Y0jHBRhdocZ2y7YECBFCsHm79Pr3OyR2AvjhDkabFJaDJMYRazHgsow==", - "dev": true, - "license": "BSD-2-Clause" - }, - "node_modules/browserslist": { - "version": "4.24.5", - "resolved": "http://localhost:4873/browserslist/-/browserslist-4.24.5.tgz", - "integrity": "sha512-FDToo4Wo82hIdgc1CQ+NQD0hEhmpPjrZ3hiUgwgOG6IuTdlpr8jdjyG24P6cNP1yJpTLzS5OcGgSw0xmDU1/Tw==", - "dev": true, - "funding": [ - { - "type": "opencollective", - "url": "https://opencollective.com/browserslist" - }, - { - "type": "tidelift", - "url": "https://tidelift.com/funding/github/npm/browserslist" - }, - { - "type": "github", - "url": "https://github.com/sponsors/ai" - } - ], - "license": "MIT", - "dependencies": { - "caniuse-lite": "^1.0.30001716", - "electron-to-chromium": "^1.5.149", - "node-releases": "^2.0.19", - "update-browserslist-db": "^1.1.3" - }, - "bin": { - "browserslist": "cli.js" - }, - "engines": { - "node": "^6 || ^7 || ^8 || ^9 || ^10 || ^11 || ^12 || >=13.7" - } - }, - "node_modules/bser": { - "version": "2.1.1", - "resolved": "http://localhost:4873/bser/-/bser-2.1.1.tgz", - "integrity": "sha512-gQxTNE/GAfIIrmHLUE3oJyp5FO6HRBfhjnw4/wMmA63ZGDJnWBmgY/lyQBpnDUkGmAhbSe39tx2d/iTOAfglwQ==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "node-int64": "^0.4.0" - } - }, - "node_modules/buffer": { - "version": "4.9.2", - "resolved": "http://localhost:4873/buffer/-/buffer-4.9.2.tgz", - "integrity": "sha512-xq+q3SRMOxGivLhBNaUdC64hDTQwejJ+H0T/NB1XMtTVEwNTrfFF3gAxiyW0Bu/xWEGhjVKgUcMhCrUy2+uCWg==", - "dev": true, - "license": "MIT", - "dependencies": { - "base64-js": "^1.0.2", - "ieee754": "^1.1.4", - "isarray": "^1.0.0" - } - }, - "node_modules/buffer-alloc": { - "version": "1.2.0", - "resolved": "http://localhost:4873/buffer-alloc/-/buffer-alloc-1.2.0.tgz", - "integrity": "sha512-CFsHQgjtW1UChdXgbyJGtnm+O/uLQeZdtbDo8mfUgYXCHSM1wgrVxXm6bSyrUuErEb+4sYVGCzASBRot7zyrow==", - "dev": true, - "license": "MIT", - "dependencies": { - "buffer-alloc-unsafe": "^1.1.0", - "buffer-fill": "^1.0.0" - } - }, - "node_modules/buffer-alloc-unsafe": { - "version": "1.1.0", - "resolved": "http://localhost:4873/buffer-alloc-unsafe/-/buffer-alloc-unsafe-1.1.0.tgz", - "integrity": "sha512-TEM2iMIEQdJ2yjPJoSIsldnleVaAk1oW3DBVUykyOLsEsFmEc9kn+SFFPz+gl54KQNxlDnAwCXosOS9Okx2xAg==", - "dev": true, - "license": "MIT" - }, - "node_modules/buffer-crc32": { - "version": "0.2.13", - "resolved": "http://localhost:4873/buffer-crc32/-/buffer-crc32-0.2.13.tgz", - "integrity": "sha512-VO9Ht/+p3SN7SKWqcrgEzjGbRSJYTx+Q1pTQC0wrWqHx0vpJraQ6GtHx8tvcg1rlK1byhU5gccxgOgj7B0TDkQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": "*" - } - }, - "node_modules/buffer-equal-constant-time": { - "version": "1.0.1", - "resolved": "http://localhost:4873/buffer-equal-constant-time/-/buffer-equal-constant-time-1.0.1.tgz", - "integrity": "sha512-zRpUiDwd/xk6ADqPMATG8vc9VPrkck7T07OIx0gnjmJAnHnTVXNQG3vfvWNuiZIkwu9KrKdA1iJKfsfTVxE6NA==", - "dev": true, - "license": "BSD-3-Clause" - }, - "node_modules/buffer-fill": { - "version": "1.0.0", - "resolved": "http://localhost:4873/buffer-fill/-/buffer-fill-1.0.0.tgz", - "integrity": "sha512-T7zexNBwiiaCOGDg9xNX9PBmjrubblRkENuptryuI64URkXDFum9il/JGL8Lm8wYfAXpredVXXZz7eMHilimiQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/buffer-from": { - "version": "1.1.2", - "resolved": "http://localhost:4873/buffer-from/-/buffer-from-1.1.2.tgz", - "integrity": "sha512-E+XQCRwSbaaiChtv6k6Dwgc+bx+Bs6vuKJHHl5kox/BaKbhiXzqQOwK4cO22yElGp2OCmjwVhT3HmxgyPGnJfQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/bundlesize2": { - "version": "0.0.35", - "resolved": "http://localhost:4873/bundlesize2/-/bundlesize2-0.0.35.tgz", - "integrity": "sha512-GjlPAyJfaBStTxJnl7UpipSoE6wiuyxKfbFEYAaVnKEAAkzJXi3vt0JM4xibYhnTkg0D9OZFsmR5FGxgQcflcQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "bytes": "^3.1.0", - "chalk": "^4.0.0", - "ci-env": "^1.15.0", - "commander": "^5.1.0", - "cosmiconfig": "5.2.1", - "figures": "^3.2.0", - "glob": "^9.3.5", - "gzip-size": "^5.1.1", - "node-fetch": "^2.6.7", - "plur": "^4.0.0" - }, - "bin": { - "bundlesize": "index.js" - } - }, - "node_modules/bundlesize2/node_modules/brace-expansion": { - "version": "2.0.1", - "resolved": "http://localhost:4873/brace-expansion/-/brace-expansion-2.0.1.tgz", - "integrity": "sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==", - "dev": true, - "license": "MIT", - "dependencies": { - "balanced-match": "^1.0.0" - } - }, - "node_modules/bundlesize2/node_modules/commander": { - "version": "5.1.0", - "resolved": "http://localhost:4873/commander/-/commander-5.1.0.tgz", - "integrity": "sha512-P0CysNDQ7rtVw4QIQtm+MRxV66vKFSvlsQvGYXZWR3qFU0jlMKHZZZgw8e+8DSah4UDKMqnknRDQz+xuQXQ/Zg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 6" - } - }, - "node_modules/bundlesize2/node_modules/cosmiconfig": { - "version": "5.2.1", - "resolved": "http://localhost:4873/cosmiconfig/-/cosmiconfig-5.2.1.tgz", - "integrity": "sha512-H65gsXo1SKjf8zmrJ67eJk8aIRKV5ff2D4uKZIBZShbhGSpEmsQOPW/SKMKYhSTrqR7ufy6RP69rPogdaPh/kA==", - "dev": true, - "license": "MIT", - "dependencies": { - "import-fresh": "^2.0.0", - "is-directory": "^0.3.1", - "js-yaml": "^3.13.1", - "parse-json": "^4.0.0" - }, - "engines": { - "node": ">=4" - } - }, - "node_modules/bundlesize2/node_modules/glob": { - "version": "9.3.5", - "resolved": "http://localhost:4873/glob/-/glob-9.3.5.tgz", - "integrity": "sha512-e1LleDykUz2Iu+MTYdkSsuWX8lvAjAcs0Xef0lNIu0S2wOAzuTxCJtcd9S3cijlwYF18EsU3rzb8jPVobxDh9Q==", - "dev": true, - "license": "ISC", - "dependencies": { - "fs.realpath": "^1.0.0", - "minimatch": "^8.0.2", - "minipass": "^4.2.4", - "path-scurry": "^1.6.1" - }, - "engines": { - "node": ">=16 || 14 >=14.17" - }, - "funding": { - "url": "https://github.com/sponsors/isaacs" - } - }, - "node_modules/bundlesize2/node_modules/import-fresh": { - "version": "2.0.0", - "resolved": "http://localhost:4873/import-fresh/-/import-fresh-2.0.0.tgz", - "integrity": "sha512-eZ5H8rcgYazHbKC3PG4ClHNykCSxtAhxSSEM+2mb+7evD2CKF5V7c0dNum7AdpDh0ZdICwZY9sRSn8f+KH96sg==", - "dev": true, - "license": "MIT", - "dependencies": { - "caller-path": "^2.0.0", - "resolve-from": "^3.0.0" - }, - "engines": { - "node": ">=4" - } - }, - "node_modules/bundlesize2/node_modules/minimatch": { - "version": "8.0.4", - "resolved": "http://localhost:4873/minimatch/-/minimatch-8.0.4.tgz", - "integrity": "sha512-W0Wvr9HyFXZRGIDgCicunpQ299OKXs9RgZfaukz4qAW/pJhcpUfupc9c+OObPOFueNy8VSrZgEmDtk6Kh4WzDA==", - "dev": true, - "license": "ISC", - "dependencies": { - "brace-expansion": "^2.0.1" - }, - "engines": { - "node": ">=16 || 14 >=14.17" - }, - "funding": { - "url": "https://github.com/sponsors/isaacs" - } - }, - "node_modules/bundlesize2/node_modules/parse-json": { - "version": "4.0.0", - "resolved": "http://localhost:4873/parse-json/-/parse-json-4.0.0.tgz", - "integrity": "sha512-aOIos8bujGN93/8Ox/jPLh7RwVnPEysynVFE+fQZyg6jKELEHwzgKdLRFHUgXJL6kylijVSBC4BvN9OmsB48Rw==", - "dev": true, - "license": "MIT", - "dependencies": { - "error-ex": "^1.3.1", - "json-parse-better-errors": "^1.0.1" - }, - "engines": { - "node": ">=4" - } - }, - "node_modules/bundlesize2/node_modules/resolve-from": { - "version": "3.0.0", - "resolved": "http://localhost:4873/resolve-from/-/resolve-from-3.0.0.tgz", - "integrity": "sha512-GnlH6vxLymXJNMBo7XP1fJIzBFbdYt49CuTwmB/6N53t+kMPRMFKz783LlQ4tv28XoQfMWinAJX6WCGf2IlaIw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=4" - } - }, - "node_modules/bytes": { - "version": "3.1.2", - "resolved": "http://localhost:4873/bytes/-/bytes-3.1.2.tgz", - "integrity": "sha512-/Nf7TyzTx6S3yRJObOAV7956r8cr2+Oj8AC5dt8wSP3BQAoeX58NoHyCU8P8zGkNXStjTSi6fzO6F0pBdcYbEg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.8" - } - }, - "node_modules/cache-base": { - "version": "1.0.1", - "resolved": "http://localhost:4873/cache-base/-/cache-base-1.0.1.tgz", - "integrity": "sha512-AKcdTnFSWATd5/GCPRxr2ChwIJ85CeyrEyjRHlKxQ56d4XJMGym0uAiKn0xbLOGOl3+yRpOTi484dVCEc5AUzQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "collection-visit": "^1.0.0", - "component-emitter": "^1.2.1", - "get-value": "^2.0.6", - "has-value": "^1.0.0", - "isobject": "^3.0.1", - "set-value": "^2.0.0", - "to-object-path": "^0.3.0", - "union-value": "^1.0.0", - "unset-value": "^1.0.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/call-bind": { - "version": "1.0.8", - "resolved": "http://localhost:4873/call-bind/-/call-bind-1.0.8.tgz", - "integrity": "sha512-oKlSFMcMwpUg2ednkhQ454wfWiU/ul3CkJe/PEHcTKuiX6RpbehUiFMXu13HalGZxfUwCQzZG747YXBn1im9ww==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind-apply-helpers": "^1.0.0", - "es-define-property": "^1.0.0", - "get-intrinsic": "^1.2.4", - "set-function-length": "^1.2.2" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/call-bind-apply-helpers": { - "version": "1.0.2", - "resolved": "http://localhost:4873/call-bind-apply-helpers/-/call-bind-apply-helpers-1.0.2.tgz", - "integrity": "sha512-Sp1ablJ0ivDkSzjcaJdxEunN5/XvksFJ2sMBFfq6x0ryhQV/2b/KwFe21cMpmHtPOSij8K99/wSfoEuTObmuMQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "es-errors": "^1.3.0", - "function-bind": "^1.1.2" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/call-bound": { - "version": "1.0.4", - "resolved": "http://localhost:4873/call-bound/-/call-bound-1.0.4.tgz", - "integrity": "sha512-+ys997U96po4Kx/ABpBCqhA9EuxJaQWDQg7295H4hBphv3IZg0boBKuwYpt4YXp6MZ5AmZQnU/tyMTlRpaSejg==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind-apply-helpers": "^1.0.2", - "get-intrinsic": "^1.3.0" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/caller-callsite": { - "version": "2.0.0", - "resolved": "http://localhost:4873/caller-callsite/-/caller-callsite-2.0.0.tgz", - "integrity": "sha512-JuG3qI4QOftFsZyOn1qq87fq5grLIyk1JYd5lJmdA+fG7aQ9pA/i3JIJGcO3q0MrRcHlOt1U+ZeHW8Dq9axALQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "callsites": "^2.0.0" - }, - "engines": { - "node": ">=4" - } - }, - "node_modules/caller-callsite/node_modules/callsites": { - "version": "2.0.0", - "resolved": "http://localhost:4873/callsites/-/callsites-2.0.0.tgz", - "integrity": "sha512-ksWePWBloaWPxJYQ8TL0JHvtci6G5QTKwQ95RcWAa/lzoAKuAOflGdAK92hpHXjkwb8zLxoLNUoNYZgVsaJzvQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=4" - } - }, - "node_modules/caller-path": { - "version": "2.0.0", - "resolved": "http://localhost:4873/caller-path/-/caller-path-2.0.0.tgz", - "integrity": "sha512-MCL3sf6nCSXOwCTzvPKhN18TU7AHTvdtam8DAogxcrJ8Rjfbbg7Lgng64H9Iy+vUV6VGFClN/TyxBkAebLRR4A==", - "dev": true, - "license": "MIT", - "dependencies": { - "caller-callsite": "^2.0.0" - }, - "engines": { - "node": ">=4" - } - }, - "node_modules/callsites": { - "version": "3.1.0", - "resolved": "http://localhost:4873/callsites/-/callsites-3.1.0.tgz", - "integrity": "sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/camelcase": { - "version": "5.3.1", - "resolved": "http://localhost:4873/camelcase/-/camelcase-5.3.1.tgz", - "integrity": "sha512-L28STB170nwWS63UjtlEOE3dldQApaJXZkOI1uMFfzf3rRuPegHaHesyee+YxQ+W6SvRDQV6UrdOdRiR153wJg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/caniuse-lite": { - "version": "1.0.30001718", - "resolved": "http://localhost:4873/caniuse-lite/-/caniuse-lite-1.0.30001718.tgz", - "integrity": "sha512-AflseV1ahcSunK53NfEs9gFWgOEmzr0f+kaMFA4xiLZlr9Hzt7HxcSpIFcnNCUkz6R6dWKa54rUz3HUmI3nVcw==", - "dev": true, - "funding": [ - { - "type": "opencollective", - "url": "https://opencollective.com/browserslist" - }, - { - "type": "tidelift", - "url": "https://tidelift.com/funding/github/npm/caniuse-lite" - }, - { - "type": "github", - "url": "https://github.com/sponsors/ai" - } - ], - "license": "CC-BY-4.0" - }, - "node_modules/capture-exit": { - "version": "2.0.0", - "resolved": "http://localhost:4873/capture-exit/-/capture-exit-2.0.0.tgz", - "integrity": "sha512-PiT/hQmTonHhl/HFGN+Lx3JJUznrVYJ3+AQsnthneZbvW7x+f08Tk7yLJTLEOUvBTbduLeeBkxEaYXUOUrRq6g==", - "dev": true, - "license": "ISC", - "dependencies": { - "rsvp": "^4.8.4" - }, - "engines": { - "node": "6.* || 8.* || >= 10.*" - } - }, - "node_modules/card-validator": { - "version": "8.1.1", - "resolved": "http://localhost:4873/card-validator/-/card-validator-8.1.1.tgz", - "integrity": "sha512-cN4FsKwoTfTFnqPwVc7TQLSsH/QMDB3n/gWm0XelcApz4sKipnOQ6k33sa3bWsNnnIpgs7eXOF+mUV2UQAX2Sw==", - "dev": true, - "license": "MIT", - "dependencies": { - "credit-card-type": "^9.1.0" - } - }, - "node_modules/chalk": { - "version": "4.1.2", - "resolved": "http://localhost:4873/chalk/-/chalk-4.1.2.tgz", - "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==", - "dev": true, - "license": "MIT", - "dependencies": { - "ansi-styles": "^4.1.0", - "supports-color": "^7.1.0" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/chalk/chalk?sponsor=1" - } - }, - "node_modules/char-regex": { - "version": "1.0.2", - "resolved": "http://localhost:4873/char-regex/-/char-regex-1.0.2.tgz", - "integrity": "sha512-kWWXztvZ5SBQV+eRgKFeh8q5sLuZY2+8WUIzlxWVTg+oGwY14qylx1KbKzHd8P6ZYkAg0xyIDU9JMHhyJMZ1jw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10" - } - }, - "node_modules/chardet": { - "version": "0.7.0", - "resolved": "http://localhost:4873/chardet/-/chardet-0.7.0.tgz", - "integrity": "sha512-mT8iDcrh03qDGRRmoA2hmBJnxpllMR+0/0qlzjqZES6NdiWDcZkCNAk4rPFZ9Q85r27unkiNNg8ZOiwZXBHwcA==", - "dev": true, - "license": "MIT" - }, - "node_modules/chokidar": { - "version": "3.6.0", - "resolved": "http://localhost:4873/chokidar/-/chokidar-3.6.0.tgz", - "integrity": "sha512-7VT13fmjotKpGipCW9JEQAusEPE+Ei8nl6/g4FBAmIm0GOOLMua9NDDo/DWp0ZAxCr3cPq5ZpBqmPAQgDda2Pw==", - "dev": true, - "license": "MIT", - "dependencies": { - "anymatch": "~3.1.2", - "braces": "~3.0.2", - "glob-parent": "~5.1.2", - "is-binary-path": "~2.1.0", - "is-glob": "~4.0.1", - "normalize-path": "~3.0.0", - "readdirp": "~3.6.0" - }, - "engines": { - "node": ">= 8.10.0" - }, - "funding": { - "url": "https://paulmillr.com/funding/" - }, - "optionalDependencies": { - "fsevents": "~2.3.2" - } - }, - "node_modules/chokidar/node_modules/normalize-path": { - "version": "3.0.0", - "resolved": "http://localhost:4873/normalize-path/-/normalize-path-3.0.0.tgz", - "integrity": "sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/chownr": { - "version": "1.1.4", - "resolved": "http://localhost:4873/chownr/-/chownr-1.1.4.tgz", - "integrity": "sha512-jJ0bqzaylmJtVnNgzTeSOs8DPavpbYgEr/b0YL8/2GO3xJEhInFmhKMUnEJQjZumK7KXGFhUy89PrsJWlakBVg==", - "dev": true, - "license": "ISC" - }, - "node_modules/chrome-launcher": { - "version": "0.13.4", - "resolved": "http://localhost:4873/chrome-launcher/-/chrome-launcher-0.13.4.tgz", - "integrity": "sha512-nnzXiDbGKjDSK6t2I+35OAPBy5Pw/39bgkb/ZAFwMhwJbdYBp6aH+vW28ZgtjdU890Q7D+3wN/tB8N66q5Gi2A==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "@types/node": "*", - "escape-string-regexp": "^1.0.5", - "is-wsl": "^2.2.0", - "lighthouse-logger": "^1.0.0", - "mkdirp": "^0.5.3", - "rimraf": "^3.0.2" - } - }, - "node_modules/chrome-launcher/node_modules/escape-string-regexp": { - "version": "1.0.5", - "resolved": "http://localhost:4873/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz", - "integrity": "sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.8.0" - } - }, - "node_modules/chrome-launcher/node_modules/rimraf": { - "version": "3.0.2", - "resolved": "http://localhost:4873/rimraf/-/rimraf-3.0.2.tgz", - "integrity": "sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==", - "deprecated": "Rimraf versions prior to v4 are no longer supported", - "dev": true, - "license": "ISC", - "dependencies": { - "glob": "^7.1.3" - }, - "bin": { - "rimraf": "bin.js" - }, - "funding": { - "url": "https://github.com/sponsors/isaacs" - } - }, - "node_modules/chrome-trace-event": { - "version": "1.0.4", - "resolved": "http://localhost:4873/chrome-trace-event/-/chrome-trace-event-1.0.4.tgz", - "integrity": "sha512-rNjApaLzuwaOTjCiT8lSDdGN1APCiqkChLMJxJPWLunPAt5fy8xgU9/jNOchV84wfIxrA0lRQB7oCT8jrn/wrQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6.0" - } - }, - "node_modules/ci-env": { - "version": "1.17.0", - "resolved": "http://localhost:4873/ci-env/-/ci-env-1.17.0.tgz", - "integrity": "sha512-NtTjhgSEqv4Aj90TUYHQLxHdnCPXnjdtuGG1X8lTfp/JqeXTdw0FTWl/vUAPuvbWZTF8QVpv6ASe/XacE+7R2A==", - "dev": true, - "license": "MIT" - }, - "node_modules/ci-info": { - "version": "2.0.0", - "resolved": "http://localhost:4873/ci-info/-/ci-info-2.0.0.tgz", - "integrity": "sha512-5tK7EtrZ0N+OLFMthtqOj4fI2Jeb88C4CAZPu25LDVUgXJ0A3Js4PMGqrn0JU1W0Mh1/Z8wZzYPxqUrXeBboCQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/cjs-module-lexer": { - "version": "0.6.0", - "resolved": "http://localhost:4873/cjs-module-lexer/-/cjs-module-lexer-0.6.0.tgz", - "integrity": "sha512-uc2Vix1frTfnuzxxu1Hp4ktSvM3QaI4oXl4ZUqL1wjTu/BGki9TrCWoqLTg/drR1KwAEarXuRFCG2Svr1GxPFw==", - "dev": true, - "license": "MIT" - }, - "node_modules/class-utils": { - "version": "0.3.6", - "resolved": "http://localhost:4873/class-utils/-/class-utils-0.3.6.tgz", - "integrity": "sha512-qOhPa/Fj7s6TY8H8esGu5QNpMMQxz79h+urzrNYN6mn+9BnxlDGf5QZ+XeCDsxSjPqsSR56XOZOJmpeurnLMeg==", - "dev": true, - "license": "MIT", - "dependencies": { - "arr-union": "^3.1.0", - "define-property": "^0.2.5", - "isobject": "^3.0.0", - "static-extend": "^0.1.1" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/class-utils/node_modules/define-property": { - "version": "0.2.5", - "resolved": "http://localhost:4873/define-property/-/define-property-0.2.5.tgz", - "integrity": "sha512-Rr7ADjQZenceVOAKop6ALkkRAmH1A4Gx9hV/7ZujPUN2rkATqFO0JZLZInbAjpZYoJ1gUx8MRMQVkYemcbMSTA==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-descriptor": "^0.1.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/class-utils/node_modules/is-descriptor": { - "version": "0.1.7", - "resolved": "http://localhost:4873/is-descriptor/-/is-descriptor-0.1.7.tgz", - "integrity": "sha512-C3grZTvObeN1xud4cRWl366OMXZTj0+HGyk4hvfpx4ZHt1Pb60ANSXqCK7pdOTeUQpRzECBSTphqvD7U+l22Eg==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-accessor-descriptor": "^1.0.1", - "is-data-descriptor": "^1.0.1" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/cli-cursor": { - "version": "2.1.0", - "resolved": "http://localhost:4873/cli-cursor/-/cli-cursor-2.1.0.tgz", - "integrity": "sha512-8lgKz8LmCRYZZQDpRyT2m5rKJ08TnU4tR9FFFW2rxpxR1FzWi4PQ/NfyODchAatHaUgnSPVcx/R5w6NuTBzFiw==", - "dev": true, - "license": "MIT", - "dependencies": { - "restore-cursor": "^2.0.0" - }, - "engines": { - "node": ">=4" - } - }, - "node_modules/cli-spinners": { - "version": "2.9.2", - "resolved": "http://localhost:4873/cli-spinners/-/cli-spinners-2.9.2.tgz", - "integrity": "sha512-ywqV+5MmyL4E7ybXgKys4DugZbX0FC6LnwrhjuykIjnK9k8OQacQ7axGKnjDXWNhns0xot3bZI5h55H8yo9cJg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/cli-width": { - "version": "2.2.1", - "resolved": "http://localhost:4873/cli-width/-/cli-width-2.2.1.tgz", - "integrity": "sha512-GRMWDxpOB6Dgk2E5Uo+3eEBvtOOlimMmpbFiKuLFnQzYDavtLFY3K5ona41jgN/WdRZtG7utuVSVTL4HbZHGkw==", - "dev": true, - "license": "ISC" - }, - "node_modules/cliui": { - "version": "6.0.0", - "resolved": "http://localhost:4873/cliui/-/cliui-6.0.0.tgz", - "integrity": "sha512-t6wbgtoCXvAzst7QgXxJYqPt0usEfbgQdftEPbLL/cvv6HPE5VgvqCuAIDR0NgU52ds6rFwqrgakNLrHEjCbrQ==", - "dev": true, - "license": "ISC", - "dependencies": { - "string-width": "^4.2.0", - "strip-ansi": "^6.0.0", - "wrap-ansi": "^6.2.0" - } - }, - "node_modules/cliui/node_modules/emoji-regex": { - "version": "8.0.0", - "resolved": "http://localhost:4873/emoji-regex/-/emoji-regex-8.0.0.tgz", - "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", - "dev": true, - "license": "MIT" - }, - "node_modules/cliui/node_modules/is-fullwidth-code-point": { - "version": "3.0.0", - "resolved": "http://localhost:4873/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", - "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/cliui/node_modules/string-width": { - "version": "4.2.3", - "resolved": "http://localhost:4873/string-width/-/string-width-4.2.3.tgz", - "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", - "dev": true, - "license": "MIT", - "dependencies": { - "emoji-regex": "^8.0.0", - "is-fullwidth-code-point": "^3.0.0", - "strip-ansi": "^6.0.1" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/clone": { - "version": "2.1.2", - "resolved": "http://localhost:4873/clone/-/clone-2.1.2.tgz", - "integrity": "sha512-3Pe/CF1Nn94hyhIYpjtiLhdCoEoz0DqQ+988E9gmeEdQZlojxnOb74wctFyuwWQHzqyf9X7C7MG8juUpqBJT8w==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.8" - } - }, - "node_modules/clone-deep": { - "version": "4.0.1", - "resolved": "http://localhost:4873/clone-deep/-/clone-deep-4.0.1.tgz", - "integrity": "sha512-neHB9xuzh/wk0dIHweyAXv2aPGZIVk3pLMe+/RNzINf17fe0OG96QroktYAUm7SM1PBnzTabaLboqqxDyMU+SQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-plain-object": "^2.0.4", - "kind-of": "^6.0.2", - "shallow-clone": "^3.0.0" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/co": { - "version": "4.6.0", - "resolved": "http://localhost:4873/co/-/co-4.6.0.tgz", - "integrity": "sha512-QVb0dM5HvG+uaxitm8wONl7jltx8dqhfU33DcqtOZcLSVIKSDDLDi7+0LbAKiyI8hD9u42m2YxXSkMGWThaecQ==", - "dev": true, - "license": "MIT", - "engines": { - "iojs": ">= 1.0.0", - "node": ">= 0.12.0" - } - }, - "node_modules/collect-v8-coverage": { - "version": "1.0.2", - "resolved": "http://localhost:4873/collect-v8-coverage/-/collect-v8-coverage-1.0.2.tgz", - "integrity": "sha512-lHl4d5/ONEbLlJvaJNtsF/Lz+WvB07u2ycqTYbdrq7UypDXailES4valYb2eWiJFxZlVmpGekfqoxQhzyFdT4Q==", - "dev": true, - "license": "MIT" - }, - "node_modules/collection-visit": { - "version": "1.0.0", - "resolved": "http://localhost:4873/collection-visit/-/collection-visit-1.0.0.tgz", - "integrity": "sha512-lNkKvzEeMBBjUGHZ+q6z9pSJla0KWAQPvtzhEV9+iGyQYG+pBpl7xKDhxoNSOZH2hhv0v5k0y2yAM4o4SjoSkw==", - "dev": true, - "license": "MIT", - "dependencies": { - "map-visit": "^1.0.0", - "object-visit": "^1.0.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/color-convert": { - "version": "2.0.1", - "resolved": "http://localhost:4873/color-convert/-/color-convert-2.0.1.tgz", - "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "color-name": "~1.1.4" - }, - "engines": { - "node": ">=7.0.0" - } - }, - "node_modules/color-name": { - "version": "1.1.4", - "resolved": "http://localhost:4873/color-name/-/color-name-1.1.4.tgz", - "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==", - "dev": true, - "license": "MIT" - }, - "node_modules/color2k": { - "version": "2.0.3", - "resolved": "http://localhost:4873/color2k/-/color2k-2.0.3.tgz", - "integrity": "sha512-zW190nQTIoXcGCaU08DvVNFTmQhUpnJfVuAKfWqUQkflXKpaDdpaYoM0iluLS9lgJNHyBF58KKA2FBEwkD7wog==", - "dev": true, - "license": "MIT" - }, - "node_modules/colorette": { - "version": "2.0.20", - "resolved": "http://localhost:4873/colorette/-/colorette-2.0.20.tgz", - "integrity": "sha512-IfEDxwoWIjkeXL1eXcDiow4UbKjhLdq6/EuSVR9GMN7KVH3r9gQ83e73hsz1Nd1T3ijd5xv1wcWRYO+D6kCI2w==", - "dev": true, - "license": "MIT" - }, - "node_modules/combined-stream": { - "version": "1.0.8", - "resolved": "http://localhost:4873/combined-stream/-/combined-stream-1.0.8.tgz", - "integrity": "sha512-FQN4MRfuJeHf7cBbBMJFXhKSDq+2kAArBlmRBvcvFE5BB1HZKXtSFASDhdlz9zOYwxh8lDdnvmMOe/+5cdoEdg==", - "dev": true, - "license": "MIT", - "dependencies": { - "delayed-stream": "~1.0.0" - }, - "engines": { - "node": ">= 0.8" - } - }, - "node_modules/commander": { - "version": "9.5.0", - "resolved": "http://localhost:4873/commander/-/commander-9.5.0.tgz", - "integrity": "sha512-KRs7WVDKg86PWiuAqhDrAQnTXZKraVcCc6vFdL14qrZ/DcWwuRo7VoiYXalXO7S5GKpqYiVEwCbgFDfxNHKJBQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": "^12.20.0 || >=14" - } - }, - "node_modules/commerce-sdk-isomorphic": { - "version": "3.3.0", - "resolved": "http://localhost:4873/commerce-sdk-isomorphic/-/commerce-sdk-isomorphic-3.3.0.tgz", - "integrity": "sha512-i+aSgVsQjh7VyODRiVB35LPQNWMoYkjrGMiw7pmYzpTsRkXv79uG8m7fGePbXjcvuVPg6H+AN+TqtebcDQukiA==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "nanoid": "^3.3.8", - "node-fetch": "2.6.13", - "seedrandom": "^3.0.5" - }, - "engines": { - "node": ">=12" - }, - "peerDependencies": { - "react": ">=16.8.0", - "react-dom": ">=16.8.0" - } - }, - "node_modules/commerce-sdk-isomorphic/node_modules/node-fetch": { - "version": "2.6.13", - "resolved": "http://localhost:4873/node-fetch/-/node-fetch-2.6.13.tgz", - "integrity": "sha512-StxNAxh15zr77QvvkmveSQ8uCQ4+v5FkvNTj0OESmiHu+VRi/gXArXtkWMElOsOUNLtUEvI4yS+rdtOHZTwlQA==", - "dev": true, - "license": "MIT", - "dependencies": { - "whatwg-url": "^5.0.0" - }, - "engines": { - "node": "4.x || >=6.0.0" - }, - "peerDependencies": { - "encoding": "^0.1.0" - }, - "peerDependenciesMeta": { - "encoding": { - "optional": true - } - } - }, - "node_modules/commerce-sdk-isomorphic/node_modules/tr46": { - "version": "0.0.3", - "resolved": "http://localhost:4873/tr46/-/tr46-0.0.3.tgz", - "integrity": "sha512-N3WMsuqV66lT30CrXNbEjx4GEwlow3v6rr4mCcv6prnfwhS01rkgyFdjPNBYd9br7LpXV1+Emh01fHnq2Gdgrw==", - "dev": true, - "license": "MIT" - }, - "node_modules/commerce-sdk-isomorphic/node_modules/webidl-conversions": { - "version": "3.0.1", - "resolved": "http://localhost:4873/webidl-conversions/-/webidl-conversions-3.0.1.tgz", - "integrity": "sha512-2JAn3z8AR6rjK8Sm8orRC0h/bcl/DqL7tRPdGZ4I1CjdF+EaMLmYxBHyXuKL849eucPFhvBoxMsflfOb8kxaeQ==", - "dev": true, - "license": "BSD-2-Clause" - }, - "node_modules/commerce-sdk-isomorphic/node_modules/whatwg-url": { - "version": "5.0.0", - "resolved": "http://localhost:4873/whatwg-url/-/whatwg-url-5.0.0.tgz", - "integrity": "sha512-saE57nupxk6v3HY35+jzBwYa0rKSy0XR8JSxZPwgLr7ys0IBzhGviA1/TUGJLmSVqs8pb9AnvICXEuOHLprYTw==", - "dev": true, - "license": "MIT", - "dependencies": { - "tr46": "~0.0.3", - "webidl-conversions": "^3.0.0" - } - }, - "node_modules/commondir": { - "version": "1.0.1", - "resolved": "http://localhost:4873/commondir/-/commondir-1.0.1.tgz", - "integrity": "sha512-W9pAhw0ja1Edb5GVdIF1mjZw/ASI0AlShXM83UUGe2DVr5TdAPEA1OA8m/g8zWp9x6On7gqufY+FatDbC3MDQg==", - "dev": true, - "license": "MIT" - }, - "node_modules/component-emitter": { - "version": "1.3.1", - "resolved": "http://localhost:4873/component-emitter/-/component-emitter-1.3.1.tgz", - "integrity": "sha512-T0+barUSQRTUQASh8bx02dl+DhF54GtIDY13Y3m9oWTklKbb3Wv974meRpeZ3lp1JpLVECWWNHC4vaG2XHXouQ==", - "dev": true, - "license": "MIT", - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/compress-commons": { - "version": "1.2.2", - "resolved": "http://localhost:4873/compress-commons/-/compress-commons-1.2.2.tgz", - "integrity": "sha512-SLTU8iWWmcORfUN+4351Z2aZXKJe1tr0jSilPMCZlLPzpdTXnkBW1LevW/MfuANBKJek8Xu9ggqrtVmQrChLtg==", - "dev": true, - "license": "MIT", - "dependencies": { - "buffer-crc32": "^0.2.1", - "crc32-stream": "^2.0.0", - "normalize-path": "^2.0.0", - "readable-stream": "^2.0.0" - }, - "engines": { - "node": ">= 0.10.0" - } - }, - "node_modules/compressible": { - "version": "2.0.18", - "resolved": "http://localhost:4873/compressible/-/compressible-2.0.18.tgz", - "integrity": "sha512-AF3r7P5dWxL8MxyITRMlORQNaOA2IkAFaTr4k7BUumjPtRpGDTZpl0Pb1XCO6JeDCBdp126Cgs9sMxqSjgYyRg==", - "dev": true, - "license": "MIT", - "dependencies": { - "mime-db": ">= 1.43.0 < 2" - }, - "engines": { - "node": ">= 0.6" - } - }, - "node_modules/compression": { - "version": "1.8.0", - "resolved": "http://localhost:4873/compression/-/compression-1.8.0.tgz", - "integrity": "sha512-k6WLKfunuqCYD3t6AsuPGvQWaKwuLLh2/xHNcX4qE+vIfDNXpSqnrhwA7O53R7WVQUnt8dVAIW+YHr7xTgOgGA==", - "dev": true, - "license": "MIT", - "dependencies": { - "bytes": "3.1.2", - "compressible": "~2.0.18", - "debug": "2.6.9", - "negotiator": "~0.6.4", - "on-headers": "~1.0.2", - "safe-buffer": "5.2.1", - "vary": "~1.1.2" - }, - "engines": { - "node": ">= 0.8.0" - } - }, - "node_modules/compression/node_modules/debug": { - "version": "2.6.9", - "resolved": "http://localhost:4873/debug/-/debug-2.6.9.tgz", - "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", - "dev": true, - "license": "MIT", - "dependencies": { - "ms": "2.0.0" - } - }, - "node_modules/compression/node_modules/ms": { - "version": "2.0.0", - "resolved": "http://localhost:4873/ms/-/ms-2.0.0.tgz", - "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", - "dev": true, - "license": "MIT" - }, - "node_modules/concat-map": { - "version": "0.0.1", - "resolved": "http://localhost:4873/concat-map/-/concat-map-0.0.1.tgz", - "integrity": "sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==", - "dev": true, - "license": "MIT" - }, - "node_modules/configstore": { - "version": "5.0.1", - "resolved": "http://localhost:4873/configstore/-/configstore-5.0.1.tgz", - "integrity": "sha512-aMKprgk5YhBNyH25hj8wGt2+D52Sw1DRRIzqBwLp2Ya9mFmY8KPvvtvmna8SxVR9JMZ4kzMD68N22vlaRpkeFA==", - "dev": true, - "license": "BSD-2-Clause", - "dependencies": { - "dot-prop": "^5.2.0", - "graceful-fs": "^4.1.2", - "make-dir": "^3.0.0", - "unique-string": "^2.0.0", - "write-file-atomic": "^3.0.0", - "xdg-basedir": "^4.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/configstore/node_modules/make-dir": { - "version": "3.1.0", - "resolved": "http://localhost:4873/make-dir/-/make-dir-3.1.0.tgz", - "integrity": "sha512-g3FeP20LNwhALb/6Cz6Dd4F2ngze0jz7tbzrD2wAV+o9FeNHe4rL+yK2md0J/fiSf1sa1ADhXqi5+oVwOM/eGw==", - "dev": true, - "license": "MIT", - "dependencies": { - "semver": "^6.0.0" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/configstore/node_modules/semver": { - "version": "6.3.1", - "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", - "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", - "dev": true, - "license": "ISC", - "bin": { - "semver": "bin/semver.js" - } - }, - "node_modules/content-disposition": { - "version": "0.5.4", - "resolved": "http://localhost:4873/content-disposition/-/content-disposition-0.5.4.tgz", - "integrity": "sha512-FveZTNuGw04cxlAiWbzi6zTAL/lhehaWbTtgluJh4/E95DqMwTmha3KZN1aAWA8cFIhHzMZUvLevkw5Rqk+tSQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "safe-buffer": "5.2.1" - }, - "engines": { - "node": ">= 0.6" - } - }, - "node_modules/content-type": { - "version": "1.0.5", - "resolved": "http://localhost:4873/content-type/-/content-type-1.0.5.tgz", - "integrity": "sha512-nTjqfcBFEipKdXCv4YDQWCfmcLZKm81ldF0pAopTvyrFGVbcR6P/VAAd5G7N+0tTr8QqiU0tFadD6FK4NtJwOA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.6" - } - }, - "node_modules/convert-source-map": { - "version": "1.9.0", - "resolved": "http://localhost:4873/convert-source-map/-/convert-source-map-1.9.0.tgz", - "integrity": "sha512-ASFBup0Mz1uyiIjANan1jzLQami9z1PoYSZCiiYW2FczPbenXc45FZdBZLzOT+r6+iciuEModtmCti+hjaAk0A==", - "dev": true, - "license": "MIT" - }, - "node_modules/cookie": { - "version": "0.7.1", - "resolved": "http://localhost:4873/cookie/-/cookie-0.7.1.tgz", - "integrity": "sha512-6DnInpx7SJ2AK3+CTUE/ZM0vWTUboZCegxhC2xiIydHR9jNuTAASBrfEpHhiGOZw/nX51bHt6YQl8jsGo4y/0w==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.6" - } - }, - "node_modules/cookie-signature": { - "version": "1.0.6", - "resolved": "http://localhost:4873/cookie-signature/-/cookie-signature-1.0.6.tgz", - "integrity": "sha512-QADzlaHc8icV8I7vbaJXJwod9HWYp8uCqf1xa4OfNu1T7JVxQIrUgOWtHdNDtPiywmFbiS12VjotIXLrKM3orQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/copy-anything": { - "version": "3.0.5", - "resolved": "http://localhost:4873/copy-anything/-/copy-anything-3.0.5.tgz", - "integrity": "sha512-yCEafptTtb4bk7GLEQoM8KVJpxAfdBJYaXyzQEgQQQgYrZiDp8SJmGKlYza6CYjEDNstAdNdKA3UuoULlEbS6w==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-what": "^4.1.8" - }, - "engines": { - "node": ">=12.13" - }, - "funding": { - "url": "https://github.com/sponsors/mesqueeb" - } - }, - "node_modules/copy-descriptor": { - "version": "0.1.1", - "resolved": "http://localhost:4873/copy-descriptor/-/copy-descriptor-0.1.1.tgz", - "integrity": "sha512-XgZ0pFcakEUlbwQEVNg3+QAis1FyTL3Qel9FYy8pSkQqoG3PNoT0bOCQtOXcOkur21r2Eq2kI+IE+gsmAEVlYw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/copy-to-clipboard": { - "version": "3.3.3", - "resolved": "http://localhost:4873/copy-to-clipboard/-/copy-to-clipboard-3.3.3.tgz", - "integrity": "sha512-2KV8NhB5JqC3ky0r9PMCAZKbUHSwtEo4CwCs0KXgruG43gX5PMqDEBbVU4OUzw2MuAWUfsuFmWvEKG5QRfSnJA==", - "dev": true, - "license": "MIT", - "dependencies": { - "toggle-selection": "^1.0.6" - } - }, - "node_modules/copy-webpack-plugin": { - "version": "9.1.0", - "resolved": "http://localhost:4873/copy-webpack-plugin/-/copy-webpack-plugin-9.1.0.tgz", - "integrity": "sha512-rxnR7PaGigJzhqETHGmAcxKnLZSR5u1Y3/bcIv/1FnqXedcL/E2ewK7ZCNrArJKCiSv8yVXhTqetJh8inDvfsA==", - "dev": true, - "license": "MIT", - "dependencies": { - "fast-glob": "^3.2.7", - "glob-parent": "^6.0.1", - "globby": "^11.0.3", - "normalize-path": "^3.0.0", - "schema-utils": "^3.1.1", - "serialize-javascript": "^6.0.0" - }, - "engines": { - "node": ">= 12.13.0" - }, - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/webpack" - }, - "peerDependencies": { - "webpack": "^5.1.0" - } - }, - "node_modules/copy-webpack-plugin/node_modules/glob-parent": { - "version": "6.0.2", - "resolved": "http://localhost:4873/glob-parent/-/glob-parent-6.0.2.tgz", - "integrity": "sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==", - "dev": true, - "license": "ISC", - "dependencies": { - "is-glob": "^4.0.3" - }, - "engines": { - "node": ">=10.13.0" - } - }, - "node_modules/copy-webpack-plugin/node_modules/normalize-path": { - "version": "3.0.0", - "resolved": "http://localhost:4873/normalize-path/-/normalize-path-3.0.0.tgz", - "integrity": "sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/copy-webpack-plugin/node_modules/schema-utils": { - "version": "3.3.0", - "resolved": "http://localhost:4873/schema-utils/-/schema-utils-3.3.0.tgz", - "integrity": "sha512-pN/yOAvcC+5rQ5nERGuwrjLlYvLTbCibnZ1I7B1LaiAz9BRBlE9GMgE/eqV30P7aJQUf7Ddimy/RsbYO/GrVGg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/json-schema": "^7.0.8", - "ajv": "^6.12.5", - "ajv-keywords": "^3.5.2" - }, - "engines": { - "node": ">= 10.13.0" - }, - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/webpack" - } - }, - "node_modules/core-js": { - "version": "3.42.0", - "resolved": "http://localhost:4873/core-js/-/core-js-3.42.0.tgz", - "integrity": "sha512-Sz4PP4ZA+Rq4II21qkNqOEDTDrCvcANId3xpIgB34NDkWc3UduWj2dqEtN9yZIq8Dk3HyPI33x9sqqU5C8sr0g==", - "dev": true, - "hasInstallScript": true, - "license": "MIT", - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/core-js" - } - }, - "node_modules/core-js-compat": { - "version": "3.42.0", - "resolved": "http://localhost:4873/core-js-compat/-/core-js-compat-3.42.0.tgz", - "integrity": "sha512-bQasjMfyDGyaeWKBIu33lHh9qlSR0MFE/Nmc6nMjf/iU9b3rSMdAYz1Baxrv4lPdGUsTqZudHA4jIGSJy0SWZQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "browserslist": "^4.24.4" - }, - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/core-js" - } - }, - "node_modules/core-js-pure": { - "version": "3.42.0", - "resolved": "http://localhost:4873/core-js-pure/-/core-js-pure-3.42.0.tgz", - "integrity": "sha512-007bM04u91fF4kMgwom2I5cQxAFIy8jVulgr9eozILl/SZE53QOqnW/+vviC+wQWLv+AunBG+8Q0TLoeSsSxRQ==", - "dev": true, - "hasInstallScript": true, - "license": "MIT", - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/core-js" - } - }, - "node_modules/core-util-is": { - "version": "1.0.3", - "resolved": "http://localhost:4873/core-util-is/-/core-util-is-1.0.3.tgz", - "integrity": "sha512-ZQBvi1DcpJ4GDqanjucZ2Hj3wEO5pZDS89BWbkcrvdxksJorwUDDZamX9ldFkp9aw2lmBDLgkObEA4DWNJ9FYQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/cosmiconfig": { - "version": "8.1.3", - "resolved": "http://localhost:4873/cosmiconfig/-/cosmiconfig-8.1.3.tgz", - "integrity": "sha512-/UkO2JKI18b5jVMJUp0lvKFMpa/Gye+ZgZjKD+DGEN9y7NRcf/nK1A0sp67ONmKtnDCNMS44E6jrk0Yc3bDuUw==", - "dev": true, - "license": "MIT", - "dependencies": { - "import-fresh": "^3.2.1", - "js-yaml": "^4.1.0", - "parse-json": "^5.0.0", - "path-type": "^4.0.0" - }, - "engines": { - "node": ">=14" - }, - "funding": { - "url": "https://github.com/sponsors/d-fischer" - } - }, - "node_modules/cosmiconfig/node_modules/argparse": { - "version": "2.0.1", - "resolved": "http://localhost:4873/argparse/-/argparse-2.0.1.tgz", - "integrity": "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==", - "dev": true, - "license": "Python-2.0" - }, - "node_modules/cosmiconfig/node_modules/js-yaml": { - "version": "4.1.0", - "resolved": "http://localhost:4873/js-yaml/-/js-yaml-4.1.0.tgz", - "integrity": "sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==", - "dev": true, - "license": "MIT", - "dependencies": { - "argparse": "^2.0.1" - }, - "bin": { - "js-yaml": "bin/js-yaml.js" - } - }, - "node_modules/crc": { - "version": "3.8.0", - "resolved": "http://localhost:4873/crc/-/crc-3.8.0.tgz", - "integrity": "sha512-iX3mfgcTMIq3ZKLIsVFAbv7+Mc10kxabAGQb8HvjA1o3T1PIYprbakQ65d3I+2HGHt6nSKkM9PYjgoJO2KcFBQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "buffer": "^5.1.0" - } - }, - "node_modules/crc/node_modules/buffer": { - "version": "5.7.1", - "resolved": "http://localhost:4873/buffer/-/buffer-5.7.1.tgz", - "integrity": "sha512-EHcyIPBQ4BSGlvjB16k5KgAJ27CIsHY/2JBmCRReo48y9rQ3MaUzWX3KVlBa4U7MyX02HdVj0K7C3WaB3ju7FQ==", - "dev": true, - "funding": [ - { - "type": "github", - "url": "https://github.com/sponsors/feross" - }, - { - "type": "patreon", - "url": "https://www.patreon.com/feross" - }, - { - "type": "consulting", - "url": "https://feross.org/support" - } - ], - "license": "MIT", - "dependencies": { - "base64-js": "^1.3.1", - "ieee754": "^1.1.13" - } - }, - "node_modules/crc32-stream": { - "version": "2.0.0", - "resolved": "http://localhost:4873/crc32-stream/-/crc32-stream-2.0.0.tgz", - "integrity": "sha512-UjZSqFCbn+jZUHJIh6Y3vMF7EJLcJWNm4tKDf2peJRwlZKHvkkvOMTvAei6zjU9gO1xONVr3rRFw0gixm2eUng==", - "dev": true, - "license": "MIT", - "dependencies": { - "crc": "^3.4.4", - "readable-stream": "^2.0.0" - }, - "engines": { - "node": ">= 0.10.0" - } - }, - "node_modules/credit-card-type": { - "version": "9.1.0", - "resolved": "http://localhost:4873/credit-card-type/-/credit-card-type-9.1.0.tgz", - "integrity": "sha512-CpNFuLxiPFxuZqhSKml3M+t0K/484pMAnfYWH14JoD7OZMnmC0Lmo+P7JX9SobqFpRoo7ifA18kOHdxJywYPEA==", - "dev": true, - "license": "MIT" - }, - "node_modules/cross-env": { - "version": "5.2.1", - "resolved": "http://localhost:4873/cross-env/-/cross-env-5.2.1.tgz", - "integrity": "sha512-1yHhtcfAd1r4nwQgknowuUNfIT9E8dOMMspC36g45dN+iD1blloi7xp8X/xAIDnjHWyt1uQ8PHk2fkNaym7soQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "cross-spawn": "^6.0.5" - }, - "bin": { - "cross-env": "dist/bin/cross-env.js", - "cross-env-shell": "dist/bin/cross-env-shell.js" - }, - "engines": { - "node": ">=4.0" - } - }, - "node_modules/cross-fetch": { - "version": "3.2.0", - "resolved": "http://localhost:4873/cross-fetch/-/cross-fetch-3.2.0.tgz", - "integrity": "sha512-Q+xVJLoGOeIMXZmbUK4HYk+69cQH6LudR0Vu/pRm2YlU/hDV9CiS0gKUMaWY5f2NeUH9C1nV3bsTlCo0FsTV1Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "node-fetch": "^2.7.0" - } - }, - "node_modules/cross-spawn": { - "version": "6.0.6", - "resolved": "http://localhost:4873/cross-spawn/-/cross-spawn-6.0.6.tgz", - "integrity": "sha512-VqCUuhcd1iB+dsv8gxPttb5iZh/D0iubSP21g36KXdEuf6I5JiioesUVjpCdHV9MZRUfVFlvwtIUyPfxo5trtw==", - "dev": true, - "license": "MIT", - "dependencies": { - "nice-try": "^1.0.4", - "path-key": "^2.0.1", - "semver": "^5.5.0", - "shebang-command": "^1.2.0", - "which": "^1.2.9" - }, - "engines": { - "node": ">=4.8" - } - }, - "node_modules/cross-spawn/node_modules/semver": { - "version": "5.7.2", - "resolved": "http://localhost:4873/semver/-/semver-5.7.2.tgz", - "integrity": "sha512-cBznnQ9KjJqU67B52RMC65CMarK2600WFnbkcaiwWq3xy/5haFJlshgnpjovMVJ+Hff49d8GEn0b87C5pDQ10g==", - "dev": true, - "license": "ISC", - "bin": { - "semver": "bin/semver" - } - }, - "node_modules/crypto-random-string": { - "version": "2.0.0", - "resolved": "http://localhost:4873/crypto-random-string/-/crypto-random-string-2.0.0.tgz", - "integrity": "sha512-v1plID3y9r/lPhviJ1wrXpLeyUIGAZ2SHNYTEapm7/8A9nLPoyvVp3RK/EPFqn5kEznyWgYZNsRtYYIWbuG8KA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/csp_evaluator": { - "version": "1.1.1", - "resolved": "http://localhost:4873/csp_evaluator/-/csp_evaluator-1.1.1.tgz", - "integrity": "sha512-N3ASg0C4kNPUaNxt1XAvzHIVuzdtr8KLgfk1O8WDyimp1GisPAHESupArO2ieHk9QWbrJ/WkQODyh21Ps/xhxw==", - "dev": true, - "license": "Apache-2.0" - }, - "node_modules/css-box-model": { - "version": "1.2.1", - "resolved": "http://localhost:4873/css-box-model/-/css-box-model-1.2.1.tgz", - "integrity": "sha512-a7Vr4Q/kd/aw96bnJG332W9V9LkJO69JRcaCYDUqjp6/z0w6VcZjgAcTbgFxEPfBgdnAwlh3iwu+hLopa+flJw==", - "dev": true, - "license": "MIT", - "dependencies": { - "tiny-invariant": "^1.0.6" - } - }, - "node_modules/css.escape": { - "version": "1.5.1", - "resolved": "http://localhost:4873/css.escape/-/css.escape-1.5.1.tgz", - "integrity": "sha512-YUifsXXuknHlUsmlgyY0PKzgPOr7/FjCePfHNt0jxm83wHZi44VDMQ7/fGNkjY3/jV1MC+1CmZbaHzugyeRtpg==", - "dev": true, - "license": "MIT" - }, - "node_modules/cssom": { - "version": "0.4.4", - "resolved": "http://localhost:4873/cssom/-/cssom-0.4.4.tgz", - "integrity": "sha512-p3pvU7r1MyyqbTk+WbNJIgJjG2VmTIaB10rI93LzVPrmDJKkzKYMtxxyAvQXR/NS6otuzveI7+7BBq3SjBS2mw==", - "dev": true, - "license": "MIT" - }, - "node_modules/cssstyle": { - "version": "2.3.0", - "resolved": "http://localhost:4873/cssstyle/-/cssstyle-2.3.0.tgz", - "integrity": "sha512-AZL67abkUzIuvcHqk7c09cezpGNcxUxU4Ioi/05xHk4DQeTkWmGYftIE6ctU6AEt+Gn4n1lDStOtj7FKycP71A==", - "dev": true, - "license": "MIT", - "dependencies": { - "cssom": "~0.3.6" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/cssstyle/node_modules/cssom": { - "version": "0.3.8", - "resolved": "http://localhost:4873/cssom/-/cssom-0.3.8.tgz", - "integrity": "sha512-b0tGHbfegbhPJpxpiBPU2sCkigAqtM9O121le6bbOlgyV+NyGyCmVfJ6QW9eRjz8CpNfWEOYBIMIGRYkLwsIYg==", - "dev": true, - "license": "MIT" - }, - "node_modules/csstype": { - "version": "3.1.3", - "resolved": "http://localhost:4873/csstype/-/csstype-3.1.3.tgz", - "integrity": "sha512-M1uQkMl8rQK/szD0LNhtqxIPLpimGm8sOBwU7lLnCpSbTyY3yeU1Vc7l4KT5zT4s/yOxHH5O7tIuuLOCnLADRw==", - "dev": true, - "license": "MIT" - }, - "node_modules/d": { - "version": "1.0.2", - "resolved": "http://localhost:4873/d/-/d-1.0.2.tgz", - "integrity": "sha512-MOqHvMWF9/9MX6nza0KgvFH4HpMU0EF5uUDXqX/BtxtU8NfB0QzRtJ8Oe/6SuS4kbhyzVJwjd97EA4PKrzJ8bw==", - "dev": true, - "license": "ISC", - "dependencies": { - "es5-ext": "^0.10.64", - "type": "^2.7.2" - }, - "engines": { - "node": ">=0.12" - } - }, - "node_modules/damerau-levenshtein": { - "version": "1.0.8", - "resolved": "http://localhost:4873/damerau-levenshtein/-/damerau-levenshtein-1.0.8.tgz", - "integrity": "sha512-sdQSFB7+llfUcQHUQO3+B8ERRj0Oa4w9POWMI/puGtuf7gFywGmkaLCElnudfTiKZV+NvHqL0ifzdrI8Ro7ESA==", - "dev": true, - "license": "BSD-2-Clause" - }, - "node_modules/data-urls": { - "version": "2.0.0", - "resolved": "http://localhost:4873/data-urls/-/data-urls-2.0.0.tgz", - "integrity": "sha512-X5eWTSXO/BJmpdIKCRuKUgSCgAN0OwliVK3yPKbwIWU1Tdw5BRajxlzMidvh+gwko9AfQ9zIj52pzF91Q3YAvQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "abab": "^2.0.3", - "whatwg-mimetype": "^2.3.0", - "whatwg-url": "^8.0.0" - }, - "engines": { - "node": ">=10" - } - }, - "node_modules/data-view-buffer": { - "version": "1.0.2", - "resolved": "http://localhost:4873/data-view-buffer/-/data-view-buffer-1.0.2.tgz", - "integrity": "sha512-EmKO5V3OLXh1rtK2wgXRansaK1/mtVdTUEiEI0W8RkvgT05kfxaH29PliLnpLP73yYO6142Q72QNa8Wx/A5CqQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bound": "^1.0.3", - "es-errors": "^1.3.0", - "is-data-view": "^1.0.2" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/data-view-byte-length": { - "version": "1.0.2", - "resolved": "http://localhost:4873/data-view-byte-length/-/data-view-byte-length-1.0.2.tgz", - "integrity": "sha512-tuhGbE6CfTM9+5ANGf+oQb72Ky/0+s3xKUpHvShfiz2RxMFgFPjsXuRLBVMtvMs15awe45SRb83D6wH4ew6wlQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bound": "^1.0.3", - "es-errors": "^1.3.0", - "is-data-view": "^1.0.2" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/inspect-js" - } - }, - "node_modules/data-view-byte-offset": { - "version": "1.0.1", - "resolved": "http://localhost:4873/data-view-byte-offset/-/data-view-byte-offset-1.0.1.tgz", - "integrity": "sha512-BS8PfmtDGnrgYdOonGZQdLZslWIeCGFP9tpan0hi1Co2Zr2NKADsvGYA8XxuG/4UWgJ6Cjtv+YJnB6MM69QGlQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bound": "^1.0.2", - "es-errors": "^1.3.0", - "is-data-view": "^1.0.1" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/debounce": { - "version": "1.2.1", - "resolved": "http://localhost:4873/debounce/-/debounce-1.2.1.tgz", - "integrity": "sha512-XRRe6Glud4rd/ZGQfiV1ruXSfbvfJedlV9Y6zOlP+2K04vBYiJEte6stfFkCP03aMnY5tsipamumUjL14fofug==", - "dev": true, - "license": "MIT" - }, - "node_modules/debug": { - "version": "4.4.1", - "resolved": "http://localhost:4873/debug/-/debug-4.4.1.tgz", - "integrity": "sha512-KcKCqiftBJcZr++7ykoDIEwSa3XWowTfNPo92BYxjXiyYEVrUQh2aLyhxBCwww+heortUFxEJYcRzosstTEBYQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "ms": "^2.1.3" - }, - "engines": { - "node": ">=6.0" - }, - "peerDependenciesMeta": { - "supports-color": { - "optional": true - } - } - }, - "node_modules/decamelize": { - "version": "1.2.0", - "resolved": "http://localhost:4873/decamelize/-/decamelize-1.2.0.tgz", - "integrity": "sha512-z2S+W9X73hAUUki+N+9Za2lBlun89zigOyGrsax+KUQ6wKW4ZoWpEYBkGhQjwAjjDCkWxhY0VKEhk8wzY7F5cA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/decimal.js": { - "version": "10.5.0", - "resolved": "http://localhost:4873/decimal.js/-/decimal.js-10.5.0.tgz", - "integrity": "sha512-8vDa8Qxvr/+d94hSh5P3IJwI5t8/c0KsMp+g8bNw9cY2icONa5aPfvKeieW1WlG0WQYwwhJ7mjui2xtiePQSXw==", - "dev": true, - "license": "MIT" - }, - "node_modules/decode-uri-component": { - "version": "0.2.2", - "resolved": "http://localhost:4873/decode-uri-component/-/decode-uri-component-0.2.2.tgz", - "integrity": "sha512-FqUYQ+8o158GyGTrMFJms9qh3CqTKvAqgqsTnkLI8sKu0028orqBhxNMFkFen0zGyg6epACD32pjVk58ngIErQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10" - } - }, - "node_modules/deep-equal": { - "version": "2.2.3", - "resolved": "http://localhost:4873/deep-equal/-/deep-equal-2.2.3.tgz", - "integrity": "sha512-ZIwpnevOurS8bpT4192sqAowWM76JDKSHYzMLty3BZGSswgq6pBaH3DhCSW5xVAZICZyKdOBPjwww5wfgT/6PA==", - "dev": true, - "license": "MIT", - "dependencies": { - "array-buffer-byte-length": "^1.0.0", - "call-bind": "^1.0.5", - "es-get-iterator": "^1.1.3", - "get-intrinsic": "^1.2.2", - "is-arguments": "^1.1.1", - "is-array-buffer": "^3.0.2", - "is-date-object": "^1.0.5", - "is-regex": "^1.1.4", - "is-shared-array-buffer": "^1.0.2", - "isarray": "^2.0.5", - "object-is": "^1.1.5", - "object-keys": "^1.1.1", - "object.assign": "^4.1.4", - "regexp.prototype.flags": "^1.5.1", - "side-channel": "^1.0.4", - "which-boxed-primitive": "^1.0.2", - "which-collection": "^1.0.1", - "which-typed-array": "^1.1.13" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/deep-equal/node_modules/isarray": { - "version": "2.0.5", - "resolved": "http://localhost:4873/isarray/-/isarray-2.0.5.tgz", - "integrity": "sha512-xHjhDr3cNBK0BzdUJSPXZntQUx/mwMS5Rw4A7lPJ90XGAO6ISP/ePDNuo0vhqOZU+UD5JoodwCAAoZQd3FeAKw==", - "dev": true, - "license": "MIT" - }, - "node_modules/deep-is": { - "version": "0.1.4", - "resolved": "http://localhost:4873/deep-is/-/deep-is-0.1.4.tgz", - "integrity": "sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/deepmerge": { - "version": "4.3.1", - "resolved": "http://localhost:4873/deepmerge/-/deepmerge-4.3.1.tgz", - "integrity": "sha512-3sUqbMEc77XqpdNO7FRyRog+eW3ph+GYCbj+rK+uYyRMuwsVy0rMiVtPn+QJlKFvWP/1PYpapqYn0Me2knFn+A==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/defaults": { - "version": "1.0.4", - "resolved": "http://localhost:4873/defaults/-/defaults-1.0.4.tgz", - "integrity": "sha512-eFuaLoy/Rxalv2kr+lqMlUnrDWV+3j4pljOIJgLIhI058IQfWJ7vXhyEIHu+HtC738klGALYxOKDO0bQP3tg8A==", - "dev": true, - "license": "MIT", - "dependencies": { - "clone": "^1.0.2" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/defaults/node_modules/clone": { - "version": "1.0.4", - "resolved": "http://localhost:4873/clone/-/clone-1.0.4.tgz", - "integrity": "sha512-JQHZ2QMW6l3aH/j6xCqQThY/9OH4D/9ls34cgkUBiEeocRTU04tHfKPBsUK1PqZCUQM7GiA0IIXJSuXHI64Kbg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.8" - } - }, - "node_modules/define-data-property": { - "version": "1.1.4", - "resolved": "http://localhost:4873/define-data-property/-/define-data-property-1.1.4.tgz", - "integrity": "sha512-rBMvIzlpA8v6E+SJZoo++HAYqsLrkg7MSfIinMPFhmkorw7X+dOXVJQs+QT69zGkzMyfDnIMN2Wid1+NbL3T+A==", - "dev": true, - "license": "MIT", - "dependencies": { - "es-define-property": "^1.0.0", - "es-errors": "^1.3.0", - "gopd": "^1.0.1" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/define-lazy-prop": { - "version": "2.0.0", - "resolved": "http://localhost:4873/define-lazy-prop/-/define-lazy-prop-2.0.0.tgz", - "integrity": "sha512-Ds09qNh8yw3khSjiJjiUInaGX9xlqZDY7JVryGxdxV7NPeuqQfplOpQ66yJFZut3jLa5zOwkXw1g9EI2uKh4Og==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/define-properties": { - "version": "1.2.1", - "resolved": "http://localhost:4873/define-properties/-/define-properties-1.2.1.tgz", - "integrity": "sha512-8QmQKqEASLd5nx0U1B1okLElbUuuttJ/AnYmRXbbbGDWh6uS208EjD4Xqq/I9wK7u0v6O08XhTWnt5XtEbR6Dg==", - "dev": true, - "license": "MIT", - "dependencies": { - "define-data-property": "^1.0.1", - "has-property-descriptors": "^1.0.0", - "object-keys": "^1.1.1" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/define-property": { - "version": "2.0.2", - "resolved": "http://localhost:4873/define-property/-/define-property-2.0.2.tgz", - "integrity": "sha512-jwK2UV4cnPpbcG7+VRARKTZPUWowwXA8bzH5NP6ud0oeAxyYPuGZUAC7hMugpCdz4BeSZl2Dl9k66CHJ/46ZYQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-descriptor": "^1.0.2", - "isobject": "^3.0.1" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/delayed-stream": { - "version": "1.0.0", - "resolved": "http://localhost:4873/delayed-stream/-/delayed-stream-1.0.0.tgz", - "integrity": "sha512-ZySD7Nf91aLB0RxL4KGrKHBXl7Eds1DAmEdcoVawXnLD7SDhpNgtuII2aAkg7a7QS41jxPSZ17p4VdGnMHk3MQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.4.0" - } - }, - "node_modules/depd": { - "version": "2.0.0", - "resolved": "http://localhost:4873/depd/-/depd-2.0.0.tgz", - "integrity": "sha512-g7nH6P6dyDioJogAAGprGpCtVImJhpPk/roCzdb3fIh61/s/nPsfR6onyMwkCAR/OlC3yBC0lESvUoQEAssIrw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.8" - } - }, - "node_modules/destroy": { - "version": "1.2.0", - "resolved": "http://localhost:4873/destroy/-/destroy-1.2.0.tgz", - "integrity": "sha512-2sJGJTaXIIaR1w4iJSNoN0hnMY7Gpc/n8D4qSCJw8QqFWXf7cuAgnEHxBpweaVcPevC2l3KpjYCx3NypQQgaJg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.8", - "npm": "1.2.8000 || >= 1.4.16" - } - }, - "node_modules/detect-newline": { - "version": "3.1.0", - "resolved": "http://localhost:4873/detect-newline/-/detect-newline-3.1.0.tgz", - "integrity": "sha512-TLz+x/vEXm/Y7P7wn1EJFNLxYpUD4TgMosxY6fAVJUnJMbupHBOncxyWUG9OpTaH9EBD7uFI5LfEgmMOc54DsA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/detect-node-es": { - "version": "1.1.0", - "resolved": "http://localhost:4873/detect-node-es/-/detect-node-es-1.1.0.tgz", - "integrity": "sha512-ypdmJU/TbBby2Dxibuv7ZLW3Bs1QEmM7nHjEANfohJLvE0XVujisn1qPJcZxg+qDucsr+bP6fLD1rPS3AhJ7EQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/devtools-protocol": { - "version": "0.0.981744", - "resolved": "http://localhost:4873/devtools-protocol/-/devtools-protocol-0.0.981744.tgz", - "integrity": "sha512-0cuGS8+jhR67Fy7qG3i3Pc7Aw494sb9yG9QgpG97SFVWwolgYjlhJg7n+UaHxOQT30d1TYu/EYe9k01ivLErIg==", - "dev": true, - "license": "BSD-3-Clause" - }, - "node_modules/diff-sequences": { - "version": "29.6.3", - "resolved": "http://localhost:4873/diff-sequences/-/diff-sequences-29.6.3.tgz", - "integrity": "sha512-EjePK1srD3P08o2j4f0ExnylqRs5B9tJjcp9t1krH2qRi8CCdsYfwe9JgSLurFBWwq4uOlipzfk5fHNvwFKr8Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/dir-glob": { - "version": "3.0.1", - "resolved": "http://localhost:4873/dir-glob/-/dir-glob-3.0.1.tgz", - "integrity": "sha512-WkrWp9GR4KXfKGYzOLmTuGVi1UWFfws377n9cc55/tb6DuqyF6pcQ5AbiHEshaDpY9v6oaSr2XCDidGmMwdzIA==", - "dev": true, - "license": "MIT", - "dependencies": { - "path-type": "^4.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/doctrine": { - "version": "3.0.0", - "resolved": "http://localhost:4873/doctrine/-/doctrine-3.0.0.tgz", - "integrity": "sha512-yS+Q5i3hBf7GBkd4KG8a7eBNNWNGLTaEwwYWUijIYM7zrlYDM0BFXHjjPWlWZ1Rg7UaddZeIDmi9jF3HmqiQ2w==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "esutils": "^2.0.2" - }, - "engines": { - "node": ">=6.0.0" - } - }, - "node_modules/dom-accessibility-api": { - "version": "0.5.16", - "resolved": "http://localhost:4873/dom-accessibility-api/-/dom-accessibility-api-0.5.16.tgz", - "integrity": "sha512-X7BJ2yElsnOJ30pZF4uIIDfBEVgF4XEBxL9Bxhy6dnrm5hkzqmsWHGTiHqRiITNhMyFLyAiWndIJP7Z1NTteDg==", - "dev": true, - "license": "MIT" - }, - "node_modules/dom-serializer": { - "version": "0.2.2", - "resolved": "http://localhost:4873/dom-serializer/-/dom-serializer-0.2.2.tgz", - "integrity": "sha512-2/xPb3ORsQ42nHYiSunXkDjPLBaEj/xTwUO4B7XCZQTRk7EBtTOPaygh10YAAh2OI1Qrp6NWfpAhzswj0ydt9g==", - "dev": true, - "license": "MIT", - "dependencies": { - "domelementtype": "^2.0.1", - "entities": "^2.0.0" - } - }, - "node_modules/dom-serializer/node_modules/domelementtype": { - "version": "2.3.0", - "resolved": "http://localhost:4873/domelementtype/-/domelementtype-2.3.0.tgz", - "integrity": "sha512-OLETBj6w0OsagBwdXnPdN0cnMfF9opN69co+7ZrbfPGrdpPVNBUj02spi6B1N7wChLQiPn4CSH/zJvXw56gmHw==", - "dev": true, - "funding": [ - { - "type": "github", - "url": "https://github.com/sponsors/fb55" - } - ], - "license": "BSD-2-Clause" - }, - "node_modules/dom-serializer/node_modules/entities": { - "version": "2.2.0", - "resolved": "http://localhost:4873/entities/-/entities-2.2.0.tgz", - "integrity": "sha512-p92if5Nz619I0w+akJrLZH0MX0Pb5DX39XOwQTtXSdQQOaYH03S1uIQp4mhOZtAXrxq4ViO67YTiLBo2638o9A==", - "dev": true, - "license": "BSD-2-Clause", - "funding": { - "url": "https://github.com/fb55/entities?sponsor=1" - } - }, - "node_modules/domelementtype": { - "version": "1.3.1", - "resolved": "http://localhost:4873/domelementtype/-/domelementtype-1.3.1.tgz", - "integrity": "sha512-BSKB+TSpMpFI/HOxCNr1O8aMOTZ8hT3pM3GQ0w/mWRmkhEDSFJkkyzz4XQsBV44BChwGkrDfMyjVD0eA2aFV3w==", - "dev": true, - "license": "BSD-2-Clause" - }, - "node_modules/domexception": { - "version": "2.0.1", - "resolved": "http://localhost:4873/domexception/-/domexception-2.0.1.tgz", - "integrity": "sha512-yxJ2mFy/sibVQlu5qHjOkf9J3K6zgmCxgJ94u2EdvDOV09H+32LtRswEcUsmUWN72pVLOEnTSRaIVVzVQgS0dg==", - "deprecated": "Use your platform's native DOMException instead", - "dev": true, - "license": "MIT", - "dependencies": { - "webidl-conversions": "^5.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/domexception/node_modules/webidl-conversions": { - "version": "5.0.0", - "resolved": "http://localhost:4873/webidl-conversions/-/webidl-conversions-5.0.0.tgz", - "integrity": "sha512-VlZwKPCkYKxQgeSbH5EyngOmRp7Ww7I9rQLERETtf5ofd9pGeswWiOtogpEO850jziPRarreGxn5QIiTqpb2wA==", - "dev": true, - "license": "BSD-2-Clause", - "engines": { - "node": ">=8" - } - }, - "node_modules/domhandler": { - "version": "2.4.2", - "resolved": "http://localhost:4873/domhandler/-/domhandler-2.4.2.tgz", - "integrity": "sha512-JiK04h0Ht5u/80fdLMCEmV4zkNh2BcoMFBmZ/91WtYZ8qVXSKjiw7fXMgFPnHcSZgOo3XdinHvmnDUeMf5R4wA==", - "dev": true, - "license": "BSD-2-Clause", - "dependencies": { - "domelementtype": "1" - } - }, - "node_modules/domready": { - "version": "1.0.8", - "resolved": "http://localhost:4873/domready/-/domready-1.0.8.tgz", - "integrity": "sha512-uIzsOJUNk+AdGE9a6VDeessoMCzF8RrZvJCX/W8QtyfgdR6Uofn/MvRonih3OtCO79b2VDzDOymuiABrQ4z3XA==", - "dev": true - }, - "node_modules/domutils": { - "version": "1.7.0", - "resolved": "http://localhost:4873/domutils/-/domutils-1.7.0.tgz", - "integrity": "sha512-Lgd2XcJ/NjEw+7tFvfKxOzCYKZsdct5lczQ2ZaQY8Djz7pfAD3Gbp8ySJWtreII/vDlMVmxwa6pHmdxIYgttDg==", - "dev": true, - "license": "BSD-2-Clause", - "dependencies": { - "dom-serializer": "0", - "domelementtype": "1" - } - }, - "node_modules/dot-prop": { - "version": "5.3.0", - "resolved": "http://localhost:4873/dot-prop/-/dot-prop-5.3.0.tgz", - "integrity": "sha512-QM8q3zDe58hqUqjraQOmzZ1LIH9SWQJTlEKCH4kJ2oQvLZk7RbQXvtDM2XEq3fwkV9CCvvH4LA0AV+ogFsBM2Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-obj": "^2.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/dunder-proto": { - "version": "1.0.1", - "resolved": "http://localhost:4873/dunder-proto/-/dunder-proto-1.0.1.tgz", - "integrity": "sha512-KIN/nDJBQRcXw0MLVhZE9iQHmG68qAVIBg9CqmUYjmQIhgij9U5MFvrqkUL5FbtyyzZuOeOt0zdeRe4UY7ct+A==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind-apply-helpers": "^1.0.1", - "es-errors": "^1.3.0", - "gopd": "^1.2.0" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/duplexer": { - "version": "0.1.2", - "resolved": "http://localhost:4873/duplexer/-/duplexer-0.1.2.tgz", - "integrity": "sha512-jtD6YG370ZCIi/9GTaJKQxWTZD045+4R4hTk/x1UyoqadyJ9x9CgSi1RlVDQF8U2sxLLSnFkCaMihqljHIWgMg==", - "dev": true, - "license": "MIT" - }, - "node_modules/ecdsa-sig-formatter": { - "version": "1.0.11", - "resolved": "http://localhost:4873/ecdsa-sig-formatter/-/ecdsa-sig-formatter-1.0.11.tgz", - "integrity": "sha512-nagl3RYrbNv6kQkeJIpt6NJZy8twLB/2vtz6yN9Z4vRKHN4/QZJIEbqohALSgwKdnksuY3k5Addp5lg8sVoVcQ==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "safe-buffer": "^5.0.1" - } - }, - "node_modules/ee-first": { - "version": "1.1.1", - "resolved": "http://localhost:4873/ee-first/-/ee-first-1.1.1.tgz", - "integrity": "sha512-WMwm9LhRUo+WUaRN+vRuETqG89IgZphVSNkdFgeb6sS/E4OrDIN7t48CAewSHXc6C8lefD8KKfr5vY61brQlow==", - "dev": true, - "license": "MIT" - }, - "node_modules/electron-to-chromium": { - "version": "1.5.155", - "resolved": "http://localhost:4873/electron-to-chromium/-/electron-to-chromium-1.5.155.tgz", - "integrity": "sha512-ps5KcGGmwL8VaeJlvlDlu4fORQpv3+GIcF5I3f9tUKUlJ/wsysh6HU8P5L1XWRYeXfA0oJd4PyM8ds8zTFf6Ng==", - "dev": true, - "license": "ISC" - }, - "node_modules/emittery": { - "version": "0.7.2", - "resolved": "http://localhost:4873/emittery/-/emittery-0.7.2.tgz", - "integrity": "sha512-A8OG5SR/ij3SsJdWDJdkkSYUjQdCUx6APQXem0SaEePBSRg4eymGYwBkKo1Y6DU+af/Jn2dBQqDBvjnr9Vi8nQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sindresorhus/emittery?sponsor=1" - } - }, - "node_modules/emoji-regex": { - "version": "9.2.2", - "resolved": "http://localhost:4873/emoji-regex/-/emoji-regex-9.2.2.tgz", - "integrity": "sha512-L18DaJsXSUk2+42pv8mLs5jJT2hqFkFE4j21wOmgbUqsZ2hL72NsUU785g9RXgo3s0ZNgVl42TiHp3ZtOv/Vyg==", - "dev": true, - "license": "MIT" - }, - "node_modules/emojis-list": { - "version": "3.0.0", - "resolved": "http://localhost:4873/emojis-list/-/emojis-list-3.0.0.tgz", - "integrity": "sha512-/kyM18EfinwXZbno9FyUGeFh87KC8HRQBQGildHZbEuRyWFOmv1U10o9BBp8XVZDVNNuQKyIGIu5ZYAAXJ0V2Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 4" - } - }, - "node_modules/encodeurl": { - "version": "2.0.0", - "resolved": "http://localhost:4873/encodeurl/-/encodeurl-2.0.0.tgz", - "integrity": "sha512-Q0n9HRi4m6JuGIV1eFlmvJB7ZEVxu93IrMyiMsGC0lrMJMWzRgx6WGquyfQgZVb31vhGgXnfmPNNXmxnOkRBrg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.8" - } - }, - "node_modules/end-of-stream": { - "version": "1.4.4", - "resolved": "http://localhost:4873/end-of-stream/-/end-of-stream-1.4.4.tgz", - "integrity": "sha512-+uw1inIHVPQoaVuHzRyXd21icM+cnt4CzD5rW+NC1wjOUSTOs+Te7FOv7AhN7vS9x/oIyhLP5PR1H+phQAHu5Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "once": "^1.4.0" - } - }, - "node_modules/enhanced-resolve": { - "version": "5.18.1", - "resolved": "http://localhost:4873/enhanced-resolve/-/enhanced-resolve-5.18.1.tgz", - "integrity": "sha512-ZSW3ma5GkcQBIpwZTSRAI8N71Uuwgs93IezB7mf7R60tC8ZbJideoDNKjHn2O9KIlx6rkGTTEk1xUCK2E1Y2Yg==", - "dev": true, - "license": "MIT", - "dependencies": { - "graceful-fs": "^4.2.4", - "tapable": "^2.2.0" - }, - "engines": { - "node": ">=10.13.0" - } - }, - "node_modules/enquirer": { - "version": "2.4.1", - "resolved": "http://localhost:4873/enquirer/-/enquirer-2.4.1.tgz", - "integrity": "sha512-rRqJg/6gd538VHvR3PSrdRBb/1Vy2YfzHqzvbhGIQpDRKIa4FgV/54b5Q1xYSxOOwKvjXweS26E0Q+nAMwp2pQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "ansi-colors": "^4.1.1", - "strip-ansi": "^6.0.1" - }, - "engines": { - "node": ">=8.6" - } - }, - "node_modules/entities": { - "version": "1.1.2", - "resolved": "http://localhost:4873/entities/-/entities-1.1.2.tgz", - "integrity": "sha512-f2LZMYl1Fzu7YSBKg+RoROelpOaNrcGmE9AZubeDfrCEia483oW4MI4VyFd5VNHIgQ/7qm1I0wUHK1eJnn2y2w==", - "dev": true, - "license": "BSD-2-Clause" - }, - "node_modules/envinfo": { - "version": "7.14.0", - "resolved": "http://localhost:4873/envinfo/-/envinfo-7.14.0.tgz", - "integrity": "sha512-CO40UI41xDQzhLB1hWyqUKgFhs250pNcGbyGKe1l/e4FSaI/+YE4IMG76GDt0In67WLPACIITC+sOi08x4wIvg==", - "dev": true, - "license": "MIT", - "bin": { - "envinfo": "dist/cli.js" - }, - "engines": { - "node": ">=4" - } - }, - "node_modules/error-ex": { - "version": "1.3.2", - "resolved": "http://localhost:4873/error-ex/-/error-ex-1.3.2.tgz", - "integrity": "sha512-7dFHNmqeFSEt2ZBsCriorKnn3Z2pj+fd9kmI6QoWw4//DL+icEBfc0U7qJCisqrTsKTjw4fNFy2pW9OqStD84g==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-arrayish": "^0.2.1" - } - }, - "node_modules/error-stack-parser": { - "version": "2.1.4", - "resolved": "http://localhost:4873/error-stack-parser/-/error-stack-parser-2.1.4.tgz", - "integrity": "sha512-Sk5V6wVazPhq5MhpO+AUxJn5x7XSXGl1R93Vn7i+zS15KDVxQijejNCrz8340/2bgLBjR9GtEG8ZVKONDjcqGQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "stackframe": "^1.3.4" - } - }, - "node_modules/es-abstract": { - "version": "1.23.9", - "resolved": "http://localhost:4873/es-abstract/-/es-abstract-1.23.9.tgz", - "integrity": "sha512-py07lI0wjxAC/DcfK1S6G7iANonniZwTISvdPzk9hzeH0IZIshbuuFxLIU96OyF89Yb9hiqWn8M/bY83KY5vzA==", - "dev": true, - "license": "MIT", - "dependencies": { - "array-buffer-byte-length": "^1.0.2", - "arraybuffer.prototype.slice": "^1.0.4", - "available-typed-arrays": "^1.0.7", - "call-bind": "^1.0.8", - "call-bound": "^1.0.3", - "data-view-buffer": "^1.0.2", - "data-view-byte-length": "^1.0.2", - "data-view-byte-offset": "^1.0.1", - "es-define-property": "^1.0.1", - "es-errors": "^1.3.0", - "es-object-atoms": "^1.0.0", - "es-set-tostringtag": "^2.1.0", - "es-to-primitive": "^1.3.0", - "function.prototype.name": "^1.1.8", - "get-intrinsic": "^1.2.7", - "get-proto": "^1.0.0", - "get-symbol-description": "^1.1.0", - "globalthis": "^1.0.4", - "gopd": "^1.2.0", - "has-property-descriptors": "^1.0.2", - "has-proto": "^1.2.0", - "has-symbols": "^1.1.0", - "hasown": "^2.0.2", - "internal-slot": "^1.1.0", - "is-array-buffer": "^3.0.5", - "is-callable": "^1.2.7", - "is-data-view": "^1.0.2", - "is-regex": "^1.2.1", - "is-shared-array-buffer": "^1.0.4", - "is-string": "^1.1.1", - "is-typed-array": "^1.1.15", - "is-weakref": "^1.1.0", - "math-intrinsics": "^1.1.0", - "object-inspect": "^1.13.3", - "object-keys": "^1.1.1", - "object.assign": "^4.1.7", - "own-keys": "^1.0.1", - "regexp.prototype.flags": "^1.5.3", - "safe-array-concat": "^1.1.3", - "safe-push-apply": "^1.0.0", - "safe-regex-test": "^1.1.0", - "set-proto": "^1.0.0", - "string.prototype.trim": "^1.2.10", - "string.prototype.trimend": "^1.0.9", - "string.prototype.trimstart": "^1.0.8", - "typed-array-buffer": "^1.0.3", - "typed-array-byte-length": "^1.0.3", - "typed-array-byte-offset": "^1.0.4", - "typed-array-length": "^1.0.7", - "unbox-primitive": "^1.1.0", - "which-typed-array": "^1.1.18" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/es-array-method-boxes-properly": { - "version": "1.0.0", - "resolved": "http://localhost:4873/es-array-method-boxes-properly/-/es-array-method-boxes-properly-1.0.0.tgz", - "integrity": "sha512-wd6JXUmyHmt8T5a2xreUwKcGPq6f1f+WwIJkijUqiGcJz1qqnZgP6XIK+QyIWU5lT7imeNxUll48bziG+TSYcA==", - "dev": true, - "license": "MIT" - }, - "node_modules/es-define-property": { - "version": "1.0.1", - "resolved": "http://localhost:4873/es-define-property/-/es-define-property-1.0.1.tgz", - "integrity": "sha512-e3nRfgfUZ4rNGL232gUgX06QNyyez04KdjFrF+LTRoOXmrOgFKDg4BCdsjW8EnT69eqdYGmRpJwiPVYNrCaW3g==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/es-errors": { - "version": "1.3.0", - "resolved": "http://localhost:4873/es-errors/-/es-errors-1.3.0.tgz", - "integrity": "sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/es-get-iterator": { - "version": "1.1.3", - "resolved": "http://localhost:4873/es-get-iterator/-/es-get-iterator-1.1.3.tgz", - "integrity": "sha512-sPZmqHBe6JIiTfN5q2pEi//TwxmAFHwj/XEuYjTuse78i8KxaqMTTzxPoFKuzRpDpTJ+0NAbpfenkmH2rePtuw==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind": "^1.0.2", - "get-intrinsic": "^1.1.3", - "has-symbols": "^1.0.3", - "is-arguments": "^1.1.1", - "is-map": "^2.0.2", - "is-set": "^2.0.2", - "is-string": "^1.0.7", - "isarray": "^2.0.5", - "stop-iteration-iterator": "^1.0.0" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/es-get-iterator/node_modules/isarray": { - "version": "2.0.5", - "resolved": "http://localhost:4873/isarray/-/isarray-2.0.5.tgz", - "integrity": "sha512-xHjhDr3cNBK0BzdUJSPXZntQUx/mwMS5Rw4A7lPJ90XGAO6ISP/ePDNuo0vhqOZU+UD5JoodwCAAoZQd3FeAKw==", - "dev": true, - "license": "MIT" - }, - "node_modules/es-iterator-helpers": { - "version": "1.2.1", - "resolved": "http://localhost:4873/es-iterator-helpers/-/es-iterator-helpers-1.2.1.tgz", - "integrity": "sha512-uDn+FE1yrDzyC0pCo961B2IHbdM8y/ACZsKD4dG6WqrjV53BADjwa7D+1aom2rsNVfLyDgU/eigvlJGJ08OQ4w==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind": "^1.0.8", - "call-bound": "^1.0.3", - "define-properties": "^1.2.1", - "es-abstract": "^1.23.6", - "es-errors": "^1.3.0", - "es-set-tostringtag": "^2.0.3", - "function-bind": "^1.1.2", - "get-intrinsic": "^1.2.6", - "globalthis": "^1.0.4", - "gopd": "^1.2.0", - "has-property-descriptors": "^1.0.2", - "has-proto": "^1.2.0", - "has-symbols": "^1.1.0", - "internal-slot": "^1.1.0", - "iterator.prototype": "^1.1.4", - "safe-array-concat": "^1.1.3" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/es-module-lexer": { - "version": "1.7.0", - "resolved": "http://localhost:4873/es-module-lexer/-/es-module-lexer-1.7.0.tgz", - "integrity": "sha512-jEQoCwk8hyb2AZziIOLhDqpm5+2ww5uIE6lkO/6jcOCusfk6LhMHpXXfBLXTZ7Ydyt0j4VoUQv6uGNYbdW+kBA==", - "dev": true, - "license": "MIT" - }, - "node_modules/es-object-atoms": { - "version": "1.1.1", - "resolved": "http://localhost:4873/es-object-atoms/-/es-object-atoms-1.1.1.tgz", - "integrity": "sha512-FGgH2h8zKNim9ljj7dankFPcICIK9Cp5bm+c2gQSYePhpaG5+esrLODihIorn+Pe6FGJzWhXQotPv73jTaldXA==", - "dev": true, - "license": "MIT", - "dependencies": { - "es-errors": "^1.3.0" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/es-set-tostringtag": { - "version": "2.1.0", - "resolved": "http://localhost:4873/es-set-tostringtag/-/es-set-tostringtag-2.1.0.tgz", - "integrity": "sha512-j6vWzfrGVfyXxge+O0x5sh6cvxAog0a/4Rdd2K36zCMV5eJ+/+tOAngRO8cODMNWbVRdVlmGZQL2YS3yR8bIUA==", - "dev": true, - "license": "MIT", - "dependencies": { - "es-errors": "^1.3.0", - "get-intrinsic": "^1.2.6", - "has-tostringtag": "^1.0.2", - "hasown": "^2.0.2" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/es-shim-unscopables": { - "version": "1.1.0", - "resolved": "http://localhost:4873/es-shim-unscopables/-/es-shim-unscopables-1.1.0.tgz", - "integrity": "sha512-d9T8ucsEhh8Bi1woXCf+TIKDIROLG5WCkxg8geBCbvk22kzwC5G2OnXVMO6FUsvQlgUUXQ2itephWDLqDzbeCw==", - "dev": true, - "license": "MIT", - "dependencies": { - "hasown": "^2.0.2" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/es-to-primitive": { - "version": "1.3.0", - "resolved": "http://localhost:4873/es-to-primitive/-/es-to-primitive-1.3.0.tgz", - "integrity": "sha512-w+5mJ3GuFL+NjVtJlvydShqE1eN3h3PbI7/5LAsYJP/2qtuMXjfL2LpHSRqo4b4eSF5K/DH1JXKUAHSB2UW50g==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-callable": "^1.2.7", - "is-date-object": "^1.0.5", - "is-symbol": "^1.0.4" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/es5-ext": { - "version": "0.10.64", - "resolved": "http://localhost:4873/es5-ext/-/es5-ext-0.10.64.tgz", - "integrity": "sha512-p2snDhiLaXe6dahss1LddxqEm+SkuDvV8dnIQG0MWjyHpcMNfXKPE+/Cc0y+PhxJX3A4xGNeFCj5oc0BUh6deg==", - "dev": true, - "hasInstallScript": true, - "license": "ISC", - "dependencies": { - "es6-iterator": "^2.0.3", - "es6-symbol": "^3.1.3", - "esniff": "^2.0.1", - "next-tick": "^1.1.0" - }, - "engines": { - "node": ">=0.10" - } - }, - "node_modules/es6-iterator": { - "version": "2.0.3", - "resolved": "http://localhost:4873/es6-iterator/-/es6-iterator-2.0.3.tgz", - "integrity": "sha512-zw4SRzoUkd+cl+ZoE15A9o1oQd920Bb0iOJMQkQhl3jNc03YqVjAhG7scf9C5KWRU/R13Orf588uCC6525o02g==", - "dev": true, - "license": "MIT", - "dependencies": { - "d": "1", - "es5-ext": "^0.10.35", - "es6-symbol": "^3.1.1" - } - }, - "node_modules/es6-symbol": { - "version": "3.1.4", - "resolved": "http://localhost:4873/es6-symbol/-/es6-symbol-3.1.4.tgz", - "integrity": "sha512-U9bFFjX8tFiATgtkJ1zg25+KviIXpgRvRHS8sau3GfhVzThRQrOeksPeT0BWW2MNZs1OEWJ1DPXOQMn0KKRkvg==", - "dev": true, - "license": "ISC", - "dependencies": { - "d": "^1.0.2", - "ext": "^1.7.0" - }, - "engines": { - "node": ">=0.12" - } - }, - "node_modules/escalade": { - "version": "3.2.0", - "resolved": "http://localhost:4873/escalade/-/escalade-3.2.0.tgz", - "integrity": "sha512-WUj2qlxaQtO4g6Pq5c29GTcWGDyd8itL8zTlipgECz3JesAiiOKotd8JU6otB3PACgG6xkJUyVhboMS+bje/jA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/escape-html": { - "version": "1.0.3", - "resolved": "http://localhost:4873/escape-html/-/escape-html-1.0.3.tgz", - "integrity": "sha512-NiSupZ4OeuGwr68lGIeym/ksIZMJodUGOSCZ/FSnTxcrekbvqrgdUxlJOMpijaKZVjAJrWrGs/6Jy8OMuyj9ow==", - "dev": true, - "license": "MIT" - }, - "node_modules/escape-string-regexp": { - "version": "4.0.0", - "resolved": "http://localhost:4873/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz", - "integrity": "sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/escodegen": { - "version": "2.1.0", - "resolved": "http://localhost:4873/escodegen/-/escodegen-2.1.0.tgz", - "integrity": "sha512-2NlIDTwUWJN0mRPQOdtQBzbUHvdGY2P1VXSyU83Q3xKxM7WHX2Ql8dKq782Q9TgQUNOLEzEYu9bzLNj1q88I5w==", - "dev": true, - "license": "BSD-2-Clause", - "dependencies": { - "esprima": "^4.0.1", - "estraverse": "^5.2.0", - "esutils": "^2.0.2" - }, - "bin": { - "escodegen": "bin/escodegen.js", - "esgenerate": "bin/esgenerate.js" - }, - "engines": { - "node": ">=6.0" - }, - "optionalDependencies": { - "source-map": "~0.6.1" - } - }, - "node_modules/escodegen/node_modules/source-map": { - "version": "0.6.1", - "resolved": "http://localhost:4873/source-map/-/source-map-0.6.1.tgz", - "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==", - "dev": true, - "license": "BSD-3-Clause", - "optional": true, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/eslint": { - "version": "8.57.1", - "resolved": "http://localhost:4873/eslint/-/eslint-8.57.1.tgz", - "integrity": "sha512-ypowyDxpVSYpkXr9WPv2PAZCtNip1Mv5KTW0SCurXv/9iOpcrH9PaqUElksqEB6pChqHGDRCFTyrZlGhnLNGiA==", - "deprecated": "This version is no longer supported. Please see https://eslint.org/version-support for other options.", - "dev": true, - "license": "MIT", - "dependencies": { - "@eslint-community/eslint-utils": "^4.2.0", - "@eslint-community/regexpp": "^4.6.1", - "@eslint/eslintrc": "^2.1.4", - "@eslint/js": "8.57.1", - "@humanwhocodes/config-array": "^0.13.0", - "@humanwhocodes/module-importer": "^1.0.1", - "@nodelib/fs.walk": "^1.2.8", - "@ungap/structured-clone": "^1.2.0", - "ajv": "^6.12.4", - "chalk": "^4.0.0", - "cross-spawn": "^7.0.2", - "debug": "^4.3.2", - "doctrine": "^3.0.0", - "escape-string-regexp": "^4.0.0", - "eslint-scope": "^7.2.2", - "eslint-visitor-keys": "^3.4.3", - "espree": "^9.6.1", - "esquery": "^1.4.2", - "esutils": "^2.0.2", - "fast-deep-equal": "^3.1.3", - "file-entry-cache": "^6.0.1", - "find-up": "^5.0.0", - "glob-parent": "^6.0.2", - "globals": "^13.19.0", - "graphemer": "^1.4.0", - "ignore": "^5.2.0", - "imurmurhash": "^0.1.4", - "is-glob": "^4.0.0", - "is-path-inside": "^3.0.3", - "js-yaml": "^4.1.0", - "json-stable-stringify-without-jsonify": "^1.0.1", - "levn": "^0.4.1", - "lodash.merge": "^4.6.2", - "minimatch": "^3.1.2", - "natural-compare": "^1.4.0", - "optionator": "^0.9.3", - "strip-ansi": "^6.0.1", - "text-table": "^0.2.0" - }, - "bin": { - "eslint": "bin/eslint.js" - }, - "engines": { - "node": "^12.22.0 || ^14.17.0 || >=16.0.0" - }, - "funding": { - "url": "https://opencollective.com/eslint" - } - }, - "node_modules/eslint-config-prettier": { - "version": "8.8.0", - "resolved": "http://localhost:4873/eslint-config-prettier/-/eslint-config-prettier-8.8.0.tgz", - "integrity": "sha512-wLbQiFre3tdGgpDv67NQKnJuTlcUVYHas3k+DZCc2U2BadthoEY4B7hLPvAxaqdyOGCzuLfii2fqGph10va7oA==", - "dev": true, - "license": "MIT", - "bin": { - "eslint-config-prettier": "bin/cli.js" - }, - "peerDependencies": { - "eslint": ">=7.0.0" - } - }, - "node_modules/eslint-plugin-jest": { - "version": "27.9.0", - "resolved": "http://localhost:4873/eslint-plugin-jest/-/eslint-plugin-jest-27.9.0.tgz", - "integrity": "sha512-QIT7FH7fNmd9n4se7FFKHbsLKGQiw885Ds6Y/sxKgCZ6natwCsXdgPOADnYVxN2QrRweF0FZWbJ6S7Rsn7llug==", - "dev": true, - "license": "MIT", - "dependencies": { - "@typescript-eslint/utils": "^5.10.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - }, - "peerDependencies": { - "@typescript-eslint/eslint-plugin": "^5.0.0 || ^6.0.0 || ^7.0.0", - "eslint": "^7.0.0 || ^8.0.0", - "jest": "*" - }, - "peerDependenciesMeta": { - "@typescript-eslint/eslint-plugin": { - "optional": true - }, - "jest": { - "optional": true - } - } - }, - "node_modules/eslint-plugin-jsx-a11y": { - "version": "6.7.1", - "resolved": "http://localhost:4873/eslint-plugin-jsx-a11y/-/eslint-plugin-jsx-a11y-6.7.1.tgz", - "integrity": "sha512-63Bog4iIethyo8smBklORknVjB0T2dwB8Mr/hIC+fBS0uyHdYYpzM/Ed+YC8VxTjlXHEWFOdmgwcDn1U2L9VCA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/runtime": "^7.20.7", - "aria-query": "^5.1.3", - "array-includes": "^3.1.6", - "array.prototype.flatmap": "^1.3.1", - "ast-types-flow": "^0.0.7", - "axe-core": "^4.6.2", - "axobject-query": "^3.1.1", - "damerau-levenshtein": "^1.0.8", - "emoji-regex": "^9.2.2", - "has": "^1.0.3", - "jsx-ast-utils": "^3.3.3", - "language-tags": "=1.0.5", - "minimatch": "^3.1.2", - "object.entries": "^1.1.6", - "object.fromentries": "^2.0.6", - "semver": "^6.3.0" - }, - "engines": { - "node": ">=4.0" - }, - "peerDependencies": { - "eslint": "^3 || ^4 || ^5 || ^6 || ^7 || ^8" - } - }, - "node_modules/eslint-plugin-jsx-a11y/node_modules/semver": { - "version": "6.3.1", - "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", - "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", - "dev": true, - "license": "ISC", - "bin": { - "semver": "bin/semver.js" - } - }, - "node_modules/eslint-plugin-prettier": { - "version": "4.2.1", - "resolved": "http://localhost:4873/eslint-plugin-prettier/-/eslint-plugin-prettier-4.2.1.tgz", - "integrity": "sha512-f/0rXLXUt0oFYs8ra4w49wYZBG5GKZpAYsJSm6rnYL5uVDjd+zowwMwVZHnAjf4edNrKpCDYfXDgmRE/Ak7QyQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "prettier-linter-helpers": "^1.0.0" - }, - "engines": { - "node": ">=12.0.0" - }, - "peerDependencies": { - "eslint": ">=7.28.0", - "prettier": ">=2.0.0" - }, - "peerDependenciesMeta": { - "eslint-config-prettier": { - "optional": true - } - } - }, - "node_modules/eslint-plugin-react": { - "version": "7.37.5", - "resolved": "http://localhost:4873/eslint-plugin-react/-/eslint-plugin-react-7.37.5.tgz", - "integrity": "sha512-Qteup0SqU15kdocexFNAJMvCJEfa2xUKNV4CC1xsVMrIIqEy3SQ/rqyxCWNzfrd3/ldy6HMlD2e0JDVpDg2qIA==", - "dev": true, - "license": "MIT", - "dependencies": { - "array-includes": "^3.1.8", - "array.prototype.findlast": "^1.2.5", - "array.prototype.flatmap": "^1.3.3", - "array.prototype.tosorted": "^1.1.4", - "doctrine": "^2.1.0", - "es-iterator-helpers": "^1.2.1", - "estraverse": "^5.3.0", - "hasown": "^2.0.2", - "jsx-ast-utils": "^2.4.1 || ^3.0.0", - "minimatch": "^3.1.2", - "object.entries": "^1.1.9", - "object.fromentries": "^2.0.8", - "object.values": "^1.2.1", - "prop-types": "^15.8.1", - "resolve": "^2.0.0-next.5", - "semver": "^6.3.1", - "string.prototype.matchall": "^4.0.12", - "string.prototype.repeat": "^1.0.0" - }, - "engines": { - "node": ">=4" - }, - "peerDependencies": { - "eslint": "^3 || ^4 || ^5 || ^6 || ^7 || ^8 || ^9.7" - } - }, - "node_modules/eslint-plugin-react-hooks": { - "version": "4.6.2", - "resolved": "http://localhost:4873/eslint-plugin-react-hooks/-/eslint-plugin-react-hooks-4.6.2.tgz", - "integrity": "sha512-QzliNJq4GinDBcD8gPB5v0wh6g8q3SUi6EFF0x8N/BL9PoVs0atuGc47ozMRyOWAKdwaZ5OnbOEa3WR+dSGKuQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10" - }, - "peerDependencies": { - "eslint": "^3.0.0 || ^4.0.0 || ^5.0.0 || ^6.0.0 || ^7.0.0 || ^8.0.0-0" - } - }, - "node_modules/eslint-plugin-react/node_modules/doctrine": { - "version": "2.1.0", - "resolved": "http://localhost:4873/doctrine/-/doctrine-2.1.0.tgz", - "integrity": "sha512-35mSku4ZXK0vfCuHEDAwt55dg2jNajHZ1odvF+8SSr82EsZY4QmXfuWso8oEd8zRhVObSN18aM0CjSdoBX7zIw==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "esutils": "^2.0.2" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/eslint-plugin-react/node_modules/resolve": { - "version": "2.0.0-next.5", - "resolved": "http://localhost:4873/resolve/-/resolve-2.0.0-next.5.tgz", - "integrity": "sha512-U7WjGVG9sH8tvjW5SmGbQuui75FiyjAX72HX15DwBBwF9dNiQZRQAg9nnPhYy+TUnE0+VcrttuvNI8oSxZcocA==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-core-module": "^2.13.0", - "path-parse": "^1.0.7", - "supports-preserve-symlinks-flag": "^1.0.0" - }, - "bin": { - "resolve": "bin/resolve" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/eslint-plugin-react/node_modules/semver": { - "version": "6.3.1", - "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", - "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", - "dev": true, - "license": "ISC", - "bin": { - "semver": "bin/semver.js" - } - }, - "node_modules/eslint-plugin-use-effect-no-deps": { - "version": "1.1.2", - "resolved": "http://localhost:4873/eslint-plugin-use-effect-no-deps/-/eslint-plugin-use-effect-no-deps-1.1.2.tgz", - "integrity": "sha512-ohYM9EGcvlOtSsjyPw+7ktgDD0IAboijRyPH6SrQLZejaapCrO6TY40glYnPUteBA1lTkY34puE6FwKChO8EAA==", - "dev": true, - "license": "MIT", - "dependencies": { - "requireindex": "~1.2.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/eslint-scope": { - "version": "5.1.1", - "resolved": "http://localhost:4873/eslint-scope/-/eslint-scope-5.1.1.tgz", - "integrity": "sha512-2NxwbF/hZ0KpepYN0cNbo+FN6XoK7GaHlQhgx/hIZl6Va0bF45RQOOwhLIy8lQDbuCiadSLCBnH2CFYquit5bw==", - "dev": true, - "license": "BSD-2-Clause", - "dependencies": { - "esrecurse": "^4.3.0", - "estraverse": "^4.1.1" - }, - "engines": { - "node": ">=8.0.0" - } - }, - "node_modules/eslint-scope/node_modules/estraverse": { - "version": "4.3.0", - "resolved": "http://localhost:4873/estraverse/-/estraverse-4.3.0.tgz", - "integrity": "sha512-39nnKffWz8xN1BU/2c79n9nB9HDzo0niYUqx6xyqUnyoAnQyyWpOTdZEeiCch8BBu515t4wp9ZmgVfVhn9EBpw==", - "dev": true, - "license": "BSD-2-Clause", - "engines": { - "node": ">=4.0" - } - }, - "node_modules/eslint-visitor-keys": { - "version": "2.1.0", - "resolved": "http://localhost:4873/eslint-visitor-keys/-/eslint-visitor-keys-2.1.0.tgz", - "integrity": "sha512-0rSmRBzXgDzIsD6mGdJgevzgezI534Cer5L/vyMX0kHzT/jiB43jRhd9YUlMGYLQy2zprNmoT8qasCGtY+QaKw==", - "dev": true, - "license": "Apache-2.0", - "engines": { - "node": ">=10" - } - }, - "node_modules/eslint/node_modules/argparse": { - "version": "2.0.1", - "resolved": "http://localhost:4873/argparse/-/argparse-2.0.1.tgz", - "integrity": "sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==", - "dev": true, - "license": "Python-2.0" - }, - "node_modules/eslint/node_modules/cross-spawn": { - "version": "7.0.6", - "resolved": "http://localhost:4873/cross-spawn/-/cross-spawn-7.0.6.tgz", - "integrity": "sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA==", - "dev": true, - "license": "MIT", - "dependencies": { - "path-key": "^3.1.0", - "shebang-command": "^2.0.0", - "which": "^2.0.1" - }, - "engines": { - "node": ">= 8" - } - }, - "node_modules/eslint/node_modules/eslint-scope": { - "version": "7.2.2", - "resolved": "http://localhost:4873/eslint-scope/-/eslint-scope-7.2.2.tgz", - "integrity": "sha512-dOt21O7lTMhDM+X9mB4GX+DZrZtCUJPL/wlcTqxyrx5IvO0IYtILdtrQGQp+8n5S0gwSVmOf9NQrjMOgfQZlIg==", - "dev": true, - "license": "BSD-2-Clause", - "dependencies": { - "esrecurse": "^4.3.0", - "estraverse": "^5.2.0" - }, - "engines": { - "node": "^12.22.0 || ^14.17.0 || >=16.0.0" - }, - "funding": { - "url": "https://opencollective.com/eslint" - } - }, - "node_modules/eslint/node_modules/eslint-visitor-keys": { - "version": "3.4.3", - "resolved": "http://localhost:4873/eslint-visitor-keys/-/eslint-visitor-keys-3.4.3.tgz", - "integrity": "sha512-wpc+LXeiyiisxPlEkUzU6svyS1frIO3Mgxj1fdy7Pm8Ygzguax2N3Fa/D/ag1WqbOprdI+uY6wMUl8/a2G+iag==", - "dev": true, - "license": "Apache-2.0", - "engines": { - "node": "^12.22.0 || ^14.17.0 || >=16.0.0" - }, - "funding": { - "url": "https://opencollective.com/eslint" - } - }, - "node_modules/eslint/node_modules/find-up": { - "version": "5.0.0", - "resolved": "http://localhost:4873/find-up/-/find-up-5.0.0.tgz", - "integrity": "sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng==", - "dev": true, - "license": "MIT", - "dependencies": { - "locate-path": "^6.0.0", - "path-exists": "^4.0.0" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/eslint/node_modules/glob-parent": { - "version": "6.0.2", - "resolved": "http://localhost:4873/glob-parent/-/glob-parent-6.0.2.tgz", - "integrity": "sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==", - "dev": true, - "license": "ISC", - "dependencies": { - "is-glob": "^4.0.3" - }, - "engines": { - "node": ">=10.13.0" - } - }, - "node_modules/eslint/node_modules/globals": { - "version": "13.24.0", - "resolved": "http://localhost:4873/globals/-/globals-13.24.0.tgz", - "integrity": "sha512-AhO5QUcj8llrbG09iWhPU2B204J1xnPeL8kQmVorSsy+Sjj1sk8gIyh6cUocGmH4L0UuhAJy+hJMRA4mgA4mFQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "type-fest": "^0.20.2" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/eslint/node_modules/js-yaml": { - "version": "4.1.0", - "resolved": "http://localhost:4873/js-yaml/-/js-yaml-4.1.0.tgz", - "integrity": "sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==", - "dev": true, - "license": "MIT", - "dependencies": { - "argparse": "^2.0.1" - }, - "bin": { - "js-yaml": "bin/js-yaml.js" - } - }, - "node_modules/eslint/node_modules/locate-path": { - "version": "6.0.0", - "resolved": "http://localhost:4873/locate-path/-/locate-path-6.0.0.tgz", - "integrity": "sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw==", - "dev": true, - "license": "MIT", - "dependencies": { - "p-locate": "^5.0.0" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/eslint/node_modules/p-limit": { - "version": "3.1.0", - "resolved": "http://localhost:4873/p-limit/-/p-limit-3.1.0.tgz", - "integrity": "sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "yocto-queue": "^0.1.0" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/eslint/node_modules/p-locate": { - "version": "5.0.0", - "resolved": "http://localhost:4873/p-locate/-/p-locate-5.0.0.tgz", - "integrity": "sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw==", - "dev": true, - "license": "MIT", - "dependencies": { - "p-limit": "^3.0.2" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/eslint/node_modules/path-key": { - "version": "3.1.1", - "resolved": "http://localhost:4873/path-key/-/path-key-3.1.1.tgz", - "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/eslint/node_modules/shebang-command": { - "version": "2.0.0", - "resolved": "http://localhost:4873/shebang-command/-/shebang-command-2.0.0.tgz", - "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==", - "dev": true, - "license": "MIT", - "dependencies": { - "shebang-regex": "^3.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/eslint/node_modules/shebang-regex": { - "version": "3.0.0", - "resolved": "http://localhost:4873/shebang-regex/-/shebang-regex-3.0.0.tgz", - "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/eslint/node_modules/type-fest": { - "version": "0.20.2", - "resolved": "http://localhost:4873/type-fest/-/type-fest-0.20.2.tgz", - "integrity": "sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==", - "dev": true, - "license": "(MIT OR CC0-1.0)", - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/eslint/node_modules/which": { - "version": "2.0.2", - "resolved": "http://localhost:4873/which/-/which-2.0.2.tgz", - "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", - "dev": true, - "license": "ISC", - "dependencies": { - "isexe": "^2.0.0" - }, - "bin": { - "node-which": "bin/node-which" - }, - "engines": { - "node": ">= 8" - } - }, - "node_modules/esniff": { - "version": "2.0.1", - "resolved": "http://localhost:4873/esniff/-/esniff-2.0.1.tgz", - "integrity": "sha512-kTUIGKQ/mDPFoJ0oVfcmyJn4iBDRptjNVIzwIFR7tqWXdVI9xfA2RMwY/gbSpJG3lkdWNEjLap/NqVHZiJsdfg==", - "dev": true, - "license": "ISC", - "dependencies": { - "d": "^1.0.1", - "es5-ext": "^0.10.62", - "event-emitter": "^0.3.5", - "type": "^2.7.2" - }, - "engines": { - "node": ">=0.10" - } - }, - "node_modules/espree": { - "version": "9.6.1", - "resolved": "http://localhost:4873/espree/-/espree-9.6.1.tgz", - "integrity": "sha512-oruZaFkjorTpF32kDSI5/75ViwGeZginGGy2NoOSg3Q9bnwlnmDm4HLnkl0RE3n+njDXR037aY1+x58Z/zFdwQ==", - "dev": true, - "license": "BSD-2-Clause", - "dependencies": { - "acorn": "^8.9.0", - "acorn-jsx": "^5.3.2", - "eslint-visitor-keys": "^3.4.1" - }, - "engines": { - "node": "^12.22.0 || ^14.17.0 || >=16.0.0" - }, - "funding": { - "url": "https://opencollective.com/eslint" - } - }, - "node_modules/espree/node_modules/eslint-visitor-keys": { - "version": "3.4.3", - "resolved": "http://localhost:4873/eslint-visitor-keys/-/eslint-visitor-keys-3.4.3.tgz", - "integrity": "sha512-wpc+LXeiyiisxPlEkUzU6svyS1frIO3Mgxj1fdy7Pm8Ygzguax2N3Fa/D/ag1WqbOprdI+uY6wMUl8/a2G+iag==", - "dev": true, - "license": "Apache-2.0", - "engines": { - "node": "^12.22.0 || ^14.17.0 || >=16.0.0" - }, - "funding": { - "url": "https://opencollective.com/eslint" - } - }, - "node_modules/esprima": { - "version": "4.0.1", - "resolved": "http://localhost:4873/esprima/-/esprima-4.0.1.tgz", - "integrity": "sha512-eGuFFw7Upda+g4p+QHvnW0RyTX/SVeJBDM/gCtMARO0cLuT2HcEKnTPvhjV6aGeqrCB/sbNop0Kszm0jsaWU4A==", - "dev": true, - "license": "BSD-2-Clause", - "bin": { - "esparse": "bin/esparse.js", - "esvalidate": "bin/esvalidate.js" - }, - "engines": { - "node": ">=4" - } - }, - "node_modules/esquery": { - "version": "1.6.0", - "resolved": "http://localhost:4873/esquery/-/esquery-1.6.0.tgz", - "integrity": "sha512-ca9pw9fomFcKPvFLXhBKUK90ZvGibiGOvRJNbjljY7s7uq/5YO4BOzcYtJqExdx99rF6aAcnRxHmcUHcz6sQsg==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "estraverse": "^5.1.0" - }, - "engines": { - "node": ">=0.10" - } - }, - "node_modules/esrecurse": { - "version": "4.3.0", - "resolved": "http://localhost:4873/esrecurse/-/esrecurse-4.3.0.tgz", - "integrity": "sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==", - "dev": true, - "license": "BSD-2-Clause", - "dependencies": { - "estraverse": "^5.2.0" - }, - "engines": { - "node": ">=4.0" - } - }, - "node_modules/estraverse": { - "version": "5.3.0", - "resolved": "http://localhost:4873/estraverse/-/estraverse-5.3.0.tgz", - "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==", - "dev": true, - "license": "BSD-2-Clause", - "engines": { - "node": ">=4.0" - } - }, - "node_modules/esutils": { - "version": "2.0.3", - "resolved": "http://localhost:4873/esutils/-/esutils-2.0.3.tgz", - "integrity": "sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==", - "dev": true, - "license": "BSD-2-Clause", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/etag": { - "version": "1.8.1", - "resolved": "http://localhost:4873/etag/-/etag-1.8.1.tgz", - "integrity": "sha512-aIL5Fx7mawVa300al2BnEE4iNvo1qETxLrPI/o05L7z6go7fCw1J6EQmbK4FmJ2AS7kgVF/KEZWufBfdClMcPg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.6" - } - }, - "node_modules/event-emitter": { - "version": "0.3.5", - "resolved": "http://localhost:4873/event-emitter/-/event-emitter-0.3.5.tgz", - "integrity": "sha512-D9rRn9y7kLPnJ+hMq7S/nhvoKwwvVJahBi2BPmx3bvbsEdK3W9ii8cBSGjP+72/LnM4n6fo3+dkCX5FeTQruXA==", - "dev": true, - "license": "MIT", - "dependencies": { - "d": "1", - "es5-ext": "~0.10.14" - } - }, - "node_modules/eventemitter3": { - "version": "4.0.7", - "resolved": "http://localhost:4873/eventemitter3/-/eventemitter3-4.0.7.tgz", - "integrity": "sha512-8guHBZCwKnFhYdHr2ysuRWErTwhoN2X8XELRlrRwpmfeY2jjuUN4taQMsULKUVo1K4DvZl+0pgfyoysHxvmvEw==", - "dev": true, - "license": "MIT" - }, - "node_modules/events": { - "version": "1.1.1", - "resolved": "http://localhost:4873/events/-/events-1.1.1.tgz", - "integrity": "sha512-kEcvvCBByWXGnZy6JUlgAp2gBIUjfCAV6P6TgT1/aaQKcmuAEC4OZTV1I4EWQLz2gxZw76atuVyvHhTxvi0Flw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.4.x" - } - }, - "node_modules/exec-sh": { - "version": "0.3.6", - "resolved": "http://localhost:4873/exec-sh/-/exec-sh-0.3.6.tgz", - "integrity": "sha512-nQn+hI3yp+oD0huYhKwvYI32+JFeq+XkNcD1GAo3Y/MjxsfVGmrrzrnzjWiNY6f+pUCP440fThsFh5gZrRAU/w==", - "dev": true, - "license": "MIT" - }, - "node_modules/execa": { - "version": "4.1.0", - "resolved": "http://localhost:4873/execa/-/execa-4.1.0.tgz", - "integrity": "sha512-j5W0//W7f8UxAn8hXVnwG8tLwdiUy4FJLcSupCg6maBYZDpyBvTApK7KyuI4bKj8KOh1r2YH+6ucuYtJv1bTZA==", - "dev": true, - "license": "MIT", - "dependencies": { - "cross-spawn": "^7.0.0", - "get-stream": "^5.0.0", - "human-signals": "^1.1.1", - "is-stream": "^2.0.0", - "merge-stream": "^2.0.0", - "npm-run-path": "^4.0.0", - "onetime": "^5.1.0", - "signal-exit": "^3.0.2", - "strip-final-newline": "^2.0.0" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sindresorhus/execa?sponsor=1" - } - }, - "node_modules/execa/node_modules/cross-spawn": { - "version": "7.0.6", - "resolved": "http://localhost:4873/cross-spawn/-/cross-spawn-7.0.6.tgz", - "integrity": "sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA==", - "dev": true, - "license": "MIT", - "dependencies": { - "path-key": "^3.1.0", - "shebang-command": "^2.0.0", - "which": "^2.0.1" - }, - "engines": { - "node": ">= 8" - } - }, - "node_modules/execa/node_modules/path-key": { - "version": "3.1.1", - "resolved": "http://localhost:4873/path-key/-/path-key-3.1.1.tgz", - "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/execa/node_modules/shebang-command": { - "version": "2.0.0", - "resolved": "http://localhost:4873/shebang-command/-/shebang-command-2.0.0.tgz", - "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==", - "dev": true, - "license": "MIT", - "dependencies": { - "shebang-regex": "^3.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/execa/node_modules/shebang-regex": { - "version": "3.0.0", - "resolved": "http://localhost:4873/shebang-regex/-/shebang-regex-3.0.0.tgz", - "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/execa/node_modules/which": { - "version": "2.0.2", - "resolved": "http://localhost:4873/which/-/which-2.0.2.tgz", - "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", - "dev": true, - "license": "ISC", - "dependencies": { - "isexe": "^2.0.0" - }, - "bin": { - "node-which": "bin/node-which" - }, - "engines": { - "node": ">= 8" - } - }, - "node_modules/exit": { - "version": "0.1.2", - "resolved": "http://localhost:4873/exit/-/exit-0.1.2.tgz", - "integrity": "sha512-Zk/eNKV2zbjpKzrsQ+n1G6poVbErQxJ0LBOJXaKZ1EViLzH+hrLu9cdXI4zw9dBQJslwBEpbQ2P1oS7nDxs6jQ==", - "dev": true, - "engines": { - "node": ">= 0.8.0" - } - }, - "node_modules/expand-brackets": { - "version": "2.1.4", - "resolved": "http://localhost:4873/expand-brackets/-/expand-brackets-2.1.4.tgz", - "integrity": "sha512-w/ozOKR9Obk3qoWeY/WDi6MFta9AoMR+zud60mdnbniMcBxRuFJyDt2LdX/14A1UABeqk+Uk+LDfUpvoGKppZA==", - "dev": true, - "license": "MIT", - "dependencies": { - "debug": "^2.3.3", - "define-property": "^0.2.5", - "extend-shallow": "^2.0.1", - "posix-character-classes": "^0.1.0", - "regex-not": "^1.0.0", - "snapdragon": "^0.8.1", - "to-regex": "^3.0.1" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/expand-brackets/node_modules/debug": { - "version": "2.6.9", - "resolved": "http://localhost:4873/debug/-/debug-2.6.9.tgz", - "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", - "dev": true, - "license": "MIT", - "dependencies": { - "ms": "2.0.0" - } - }, - "node_modules/expand-brackets/node_modules/define-property": { - "version": "0.2.5", - "resolved": "http://localhost:4873/define-property/-/define-property-0.2.5.tgz", - "integrity": "sha512-Rr7ADjQZenceVOAKop6ALkkRAmH1A4Gx9hV/7ZujPUN2rkATqFO0JZLZInbAjpZYoJ1gUx8MRMQVkYemcbMSTA==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-descriptor": "^0.1.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/expand-brackets/node_modules/extend-shallow": { - "version": "2.0.1", - "resolved": "http://localhost:4873/extend-shallow/-/extend-shallow-2.0.1.tgz", - "integrity": "sha512-zCnTtlxNoAiDc3gqY2aYAWFx7XWWiasuF2K8Me5WbN8otHKTUKBwjPtNpRs/rbUZm7KxWAaNj7P1a/p52GbVug==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-extendable": "^0.1.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/expand-brackets/node_modules/is-descriptor": { - "version": "0.1.7", - "resolved": "http://localhost:4873/is-descriptor/-/is-descriptor-0.1.7.tgz", - "integrity": "sha512-C3grZTvObeN1xud4cRWl366OMXZTj0+HGyk4hvfpx4ZHt1Pb60ANSXqCK7pdOTeUQpRzECBSTphqvD7U+l22Eg==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-accessor-descriptor": "^1.0.1", - "is-data-descriptor": "^1.0.1" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/expand-brackets/node_modules/is-extendable": { - "version": "0.1.1", - "resolved": "http://localhost:4873/is-extendable/-/is-extendable-0.1.1.tgz", - "integrity": "sha512-5BMULNob1vgFX6EjQw5izWDxrecWK9AM72rugNr0TFldMOi0fj6Jk+zeKIt0xGj4cEfQIJth4w3OKWOJ4f+AFw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/expand-brackets/node_modules/ms": { - "version": "2.0.0", - "resolved": "http://localhost:4873/ms/-/ms-2.0.0.tgz", - "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", - "dev": true, - "license": "MIT" - }, - "node_modules/expect": { - "version": "29.7.0", - "resolved": "http://localhost:4873/expect/-/expect-29.7.0.tgz", - "integrity": "sha512-2Zks0hf1VLFYI1kbh0I5jP3KHHyCHpkfyHBzsSXRFgl/Bg9mWYfMW8oD+PdMPlEwy5HNsR9JutYy6pMeOh61nw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/expect-utils": "^29.7.0", - "jest-get-type": "^29.6.3", - "jest-matcher-utils": "^29.7.0", - "jest-message-util": "^29.7.0", - "jest-util": "^29.7.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/expect/node_modules/@jest/types": { - "version": "29.6.3", - "resolved": "http://localhost:4873/@jest/types/-/types-29.6.3.tgz", - "integrity": "sha512-u3UPsIilWKOM3F9CXtrG8LEJmNxwoCQC/XVj4IKYXvvpx7QIi/Kg1LI5uDmDpKlac62NUtX7eLjRh+jVZcLOzw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/schemas": "^29.6.3", - "@types/istanbul-lib-coverage": "^2.0.0", - "@types/istanbul-reports": "^3.0.0", - "@types/node": "*", - "@types/yargs": "^17.0.8", - "chalk": "^4.0.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/expect/node_modules/@types/yargs": { - "version": "17.0.33", - "resolved": "http://localhost:4873/@types/yargs/-/yargs-17.0.33.tgz", - "integrity": "sha512-WpxBCKWPLr4xSsHgz511rFJAM+wS28w2zEO1QDNY5zM/S8ok70NNfztH0xwhqKyaK0OHCbN98LDAZuy1ctxDkA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/yargs-parser": "*" - } - }, - "node_modules/expect/node_modules/ci-info": { - "version": "3.9.0", - "resolved": "http://localhost:4873/ci-info/-/ci-info-3.9.0.tgz", - "integrity": "sha512-NIxF55hv4nSqQswkAeiOi1r83xy8JldOFDTWiug55KBu9Jnblncd2U6ViHmYgHf01TPZS77NJBhBMKdWj9HQMQ==", - "dev": true, - "funding": [ - { - "type": "github", - "url": "https://github.com/sponsors/sibiraj-s" - } - ], - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/expect/node_modules/jest-util": { - "version": "29.7.0", - "resolved": "http://localhost:4873/jest-util/-/jest-util-29.7.0.tgz", - "integrity": "sha512-z6EbKajIpqGKU56y5KBUgy1dt1ihhQJgWzUlZHArA/+X2ad7Cb5iF+AK1EWVL/Bo7Rz9uurpqw6SiBCefUbCGA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^29.6.3", - "@types/node": "*", - "chalk": "^4.0.0", - "ci-info": "^3.2.0", - "graceful-fs": "^4.2.9", - "picomatch": "^2.2.3" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/express": { - "version": "4.21.2", - "resolved": "http://localhost:4873/express/-/express-4.21.2.tgz", - "integrity": "sha512-28HqgMZAmih1Czt9ny7qr6ek2qddF4FclbMzwhCREB6OFfH+rXAnuNCwo1/wFvrtbgsQDb4kSbX9de9lFbrXnA==", - "dev": true, - "license": "MIT", - "dependencies": { - "accepts": "~1.3.8", - "array-flatten": "1.1.1", - "body-parser": "1.20.3", - "content-disposition": "0.5.4", - "content-type": "~1.0.4", - "cookie": "0.7.1", - "cookie-signature": "1.0.6", - "debug": "2.6.9", - "depd": "2.0.0", - "encodeurl": "~2.0.0", - "escape-html": "~1.0.3", - "etag": "~1.8.1", - "finalhandler": "1.3.1", - "fresh": "0.5.2", - "http-errors": "2.0.0", - "merge-descriptors": "1.0.3", - "methods": "~1.1.2", - "on-finished": "2.4.1", - "parseurl": "~1.3.3", - "path-to-regexp": "0.1.12", - "proxy-addr": "~2.0.7", - "qs": "6.13.0", - "range-parser": "~1.2.1", - "safe-buffer": "5.2.1", - "send": "0.19.0", - "serve-static": "1.16.2", - "setprototypeof": "1.2.0", - "statuses": "2.0.1", - "type-is": "~1.6.18", - "utils-merge": "1.0.1", - "vary": "~1.1.2" - }, - "engines": { - "node": ">= 0.10.0" - }, - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/express" - } - }, - "node_modules/express/node_modules/debug": { - "version": "2.6.9", - "resolved": "http://localhost:4873/debug/-/debug-2.6.9.tgz", - "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", - "dev": true, - "license": "MIT", - "dependencies": { - "ms": "2.0.0" - } - }, - "node_modules/express/node_modules/ms": { - "version": "2.0.0", - "resolved": "http://localhost:4873/ms/-/ms-2.0.0.tgz", - "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", - "dev": true, - "license": "MIT" - }, - "node_modules/ext": { - "version": "1.7.0", - "resolved": "http://localhost:4873/ext/-/ext-1.7.0.tgz", - "integrity": "sha512-6hxeJYaL110a9b5TEJSj0gojyHQAmA2ch5Os+ySCiA1QGdS697XWY1pzsrSjqA9LDEEgdB/KypIlR59RcLuHYw==", - "dev": true, - "license": "ISC", - "dependencies": { - "type": "^2.7.2" - } - }, - "node_modules/extend-shallow": { - "version": "3.0.2", - "resolved": "http://localhost:4873/extend-shallow/-/extend-shallow-3.0.2.tgz", - "integrity": "sha512-BwY5b5Ql4+qZoefgMj2NUmx+tehVTH/Kf4k1ZEtOHNFcm2wSxMRo992l6X3TIgni2eZVTZ85xMOjF31fwZAj6Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "assign-symbols": "^1.0.0", - "is-extendable": "^1.0.1" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/external-editor": { - "version": "3.1.0", - "resolved": "http://localhost:4873/external-editor/-/external-editor-3.1.0.tgz", - "integrity": "sha512-hMQ4CX1p1izmuLYyZqLMO/qGNw10wSv9QDCPfzXfyFrOaCSSoRfqE1Kf1s5an66J5JZC62NewG+mK49jOCtQew==", - "dev": true, - "license": "MIT", - "dependencies": { - "chardet": "^0.7.0", - "iconv-lite": "^0.4.24", - "tmp": "^0.0.33" - }, - "engines": { - "node": ">=4" - } - }, - "node_modules/external-editor/node_modules/tmp": { - "version": "0.0.33", - "resolved": "http://localhost:4873/tmp/-/tmp-0.0.33.tgz", - "integrity": "sha512-jRCJlojKnZ3addtTOjdIqoRuPEKBvNXcGYqzO6zWZX8KfKEpnGY5jfggJQ3EjKuu8D4bJRr0y+cYJFmYbImXGw==", - "dev": true, - "license": "MIT", - "dependencies": { - "os-tmpdir": "~1.0.2" - }, - "engines": { - "node": ">=0.6.0" - } - }, - "node_modules/extglob": { - "version": "2.0.4", - "resolved": "http://localhost:4873/extglob/-/extglob-2.0.4.tgz", - "integrity": "sha512-Nmb6QXkELsuBr24CJSkilo6UHHgbekK5UiZgfE6UHD3Eb27YC6oD+bhcT+tJ6cl8dmsgdQxnWlcry8ksBIBLpw==", - "dev": true, - "license": "MIT", - "dependencies": { - "array-unique": "^0.3.2", - "define-property": "^1.0.0", - "expand-brackets": "^2.1.4", - "extend-shallow": "^2.0.1", - "fragment-cache": "^0.2.1", - "regex-not": "^1.0.0", - "snapdragon": "^0.8.1", - "to-regex": "^3.0.1" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/extglob/node_modules/define-property": { - "version": "1.0.0", - "resolved": "http://localhost:4873/define-property/-/define-property-1.0.0.tgz", - "integrity": "sha512-cZTYKFWspt9jZsMscWo8sc/5lbPC9Q0N5nBLgb+Yd915iL3udB1uFgS3B8YCx66UVHq018DAVFoee7x+gxggeA==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-descriptor": "^1.0.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/extglob/node_modules/extend-shallow": { - "version": "2.0.1", - "resolved": "http://localhost:4873/extend-shallow/-/extend-shallow-2.0.1.tgz", - "integrity": "sha512-zCnTtlxNoAiDc3gqY2aYAWFx7XWWiasuF2K8Me5WbN8otHKTUKBwjPtNpRs/rbUZm7KxWAaNj7P1a/p52GbVug==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-extendable": "^0.1.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/extglob/node_modules/is-extendable": { - "version": "0.1.1", - "resolved": "http://localhost:4873/is-extendable/-/is-extendable-0.1.1.tgz", - "integrity": "sha512-5BMULNob1vgFX6EjQw5izWDxrecWK9AM72rugNr0TFldMOi0fj6Jk+zeKIt0xGj4cEfQIJth4w3OKWOJ4f+AFw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/extract-zip": { - "version": "2.0.1", - "resolved": "http://localhost:4873/extract-zip/-/extract-zip-2.0.1.tgz", - "integrity": "sha512-GDhU9ntwuKyGXdZBUgTIe+vXnWj0fppUEtMDL0+idd5Sta8TGpHssn/eusA9mrPr9qNDym6SxAYZjNvCn/9RBg==", - "dev": true, - "license": "BSD-2-Clause", - "dependencies": { - "debug": "^4.1.1", - "get-stream": "^5.1.0", - "yauzl": "^2.10.0" - }, - "bin": { - "extract-zip": "cli.js" - }, - "engines": { - "node": ">= 10.17.0" - }, - "optionalDependencies": { - "@types/yauzl": "^2.9.1" - } - }, - "node_modules/fast-deep-equal": { - "version": "3.1.3", - "resolved": "http://localhost:4873/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz", - "integrity": "sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==", - "dev": true, - "license": "MIT" - }, - "node_modules/fast-diff": { - "version": "1.3.0", - "resolved": "http://localhost:4873/fast-diff/-/fast-diff-1.3.0.tgz", - "integrity": "sha512-VxPP4NqbUjj6MaAOafWeUn2cXWLcCtljklUtZf0Ind4XQ+QPtmA0b18zZy0jIQx+ExRVCR/ZQpBmik5lXshNsw==", - "dev": true, - "license": "Apache-2.0" - }, - "node_modules/fast-glob": { - "version": "3.3.3", - "resolved": "http://localhost:4873/fast-glob/-/fast-glob-3.3.3.tgz", - "integrity": "sha512-7MptL8U0cqcFdzIzwOTHoilX9x5BrNqye7Z/LuC7kCMRio1EMSyqRK3BEAUD7sXRq4iT4AzTVuZdhgQ2TCvYLg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@nodelib/fs.stat": "^2.0.2", - "@nodelib/fs.walk": "^1.2.3", - "glob-parent": "^5.1.2", - "merge2": "^1.3.0", - "micromatch": "^4.0.8" - }, - "engines": { - "node": ">=8.6.0" - } - }, - "node_modules/fast-json-stable-stringify": { - "version": "2.1.0", - "resolved": "http://localhost:4873/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz", - "integrity": "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==", - "dev": true, - "license": "MIT" - }, - "node_modules/fast-levenshtein": { - "version": "2.0.6", - "resolved": "http://localhost:4873/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz", - "integrity": "sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==", - "dev": true, - "license": "MIT" - }, - "node_modules/fast-uri": { - "version": "3.0.6", - "resolved": "http://localhost:4873/fast-uri/-/fast-uri-3.0.6.tgz", - "integrity": "sha512-Atfo14OibSv5wAp4VWNsFYE1AchQRTv9cBGWET4pZWHzYshFSS9NQI6I57rdKn9croWVMbYFbLhJ+yJvmZIIHw==", - "dev": true, - "funding": [ - { - "type": "github", - "url": "https://github.com/sponsors/fastify" - }, - { - "type": "opencollective", - "url": "https://opencollective.com/fastify" - } - ], - "license": "BSD-3-Clause" - }, - "node_modules/fastest-levenshtein": { - "version": "1.0.16", - "resolved": "http://localhost:4873/fastest-levenshtein/-/fastest-levenshtein-1.0.16.tgz", - "integrity": "sha512-eRnCtTTtGZFpQCwhJiUOuxPQWRXVKYDn0b2PeHfXL6/Zi53SLAzAHfVhVWK2AryC/WH05kGfxhFIPvTF0SXQzg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 4.9.1" - } - }, - "node_modules/fastq": { - "version": "1.19.1", - "resolved": "http://localhost:4873/fastq/-/fastq-1.19.1.tgz", - "integrity": "sha512-GwLTyxkCXjXbxqIhTsMI2Nui8huMPtnxg7krajPJAjnEG/iiOS7i+zCtWGZR9G0NBKbXKh6X9m9UIsYX/N6vvQ==", - "dev": true, - "license": "ISC", - "dependencies": { - "reusify": "^1.0.4" - } - }, - "node_modules/fb-watchman": { - "version": "2.0.2", - "resolved": "http://localhost:4873/fb-watchman/-/fb-watchman-2.0.2.tgz", - "integrity": "sha512-p5161BqbuCaSnB8jIbzQHOlpgsPmK5rJVDfDKO91Axs5NC1uu3HRQm6wt9cd9/+GtQQIO53JdGXXoyDpTAsgYA==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "bser": "2.1.1" - } - }, - "node_modules/fd-slicer": { - "version": "1.1.0", - "resolved": "http://localhost:4873/fd-slicer/-/fd-slicer-1.1.0.tgz", - "integrity": "sha512-cE1qsB/VwyQozZ+q1dGxR8LBYNZeofhEdUNGSMbQD3Gw2lAzX9Zb3uIU6Ebc/Fmyjo9AWWfnn0AUCHqtevs/8g==", - "dev": true, - "license": "MIT", - "dependencies": { - "pend": "~1.2.0" - } - }, - "node_modules/figures": { - "version": "3.2.0", - "resolved": "http://localhost:4873/figures/-/figures-3.2.0.tgz", - "integrity": "sha512-yaduQFRKLXYOGgEn6AZau90j3ggSOyiqXU0F9JZfeXYhNa+Jk4X+s45A2zg5jns87GAFa34BBm2kXw4XpNcbdg==", - "dev": true, - "license": "MIT", - "dependencies": { - "escape-string-regexp": "^1.0.5" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/figures/node_modules/escape-string-regexp": { - "version": "1.0.5", - "resolved": "http://localhost:4873/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz", - "integrity": "sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.8.0" - } - }, - "node_modules/file-entry-cache": { - "version": "6.0.1", - "resolved": "http://localhost:4873/file-entry-cache/-/file-entry-cache-6.0.1.tgz", - "integrity": "sha512-7Gps/XWymbLk2QLYK4NzpMOrYjMhdIxXuIvy2QBsLE6ljuodKvdkWs/cpyJJ3CVIVpH0Oi1Hvg1ovbMzLdFBBg==", - "dev": true, - "license": "MIT", - "dependencies": { - "flat-cache": "^3.0.4" - }, - "engines": { - "node": "^10.12.0 || >=12.0.0" - } - }, - "node_modules/fill-range": { - "version": "7.1.1", - "resolved": "http://localhost:4873/fill-range/-/fill-range-7.1.1.tgz", - "integrity": "sha512-YsGpe3WHLK8ZYi4tWDg2Jy3ebRz2rXowDxnld4bkQB00cc/1Zw9AWnC0i9ztDJitivtQvaI9KaLyKrc+hBW0yg==", - "dev": true, - "license": "MIT", - "dependencies": { - "to-regex-range": "^5.0.1" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/filter-obj": { - "version": "1.1.0", - "resolved": "http://localhost:4873/filter-obj/-/filter-obj-1.1.0.tgz", - "integrity": "sha512-8rXg1ZnX7xzy2NGDVkBVaAy+lSlPNwad13BtgSlLuxfIslyt5Vg64U7tFcCt4WS1R0hvtnQybT/IyCkGZ3DpXQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/finalhandler": { - "version": "1.3.1", - "resolved": "http://localhost:4873/finalhandler/-/finalhandler-1.3.1.tgz", - "integrity": "sha512-6BN9trH7bp3qvnrRyzsBz+g3lZxTNZTbVO2EV1CS0WIcDbawYVdYvGflME/9QP0h0pYlCDBCTjYa9nZzMDpyxQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "debug": "2.6.9", - "encodeurl": "~2.0.0", - "escape-html": "~1.0.3", - "on-finished": "2.4.1", - "parseurl": "~1.3.3", - "statuses": "2.0.1", - "unpipe": "~1.0.0" - }, - "engines": { - "node": ">= 0.8" - } - }, - "node_modules/finalhandler/node_modules/debug": { - "version": "2.6.9", - "resolved": "http://localhost:4873/debug/-/debug-2.6.9.tgz", - "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", - "dev": true, - "license": "MIT", - "dependencies": { - "ms": "2.0.0" - } - }, - "node_modules/finalhandler/node_modules/ms": { - "version": "2.0.0", - "resolved": "http://localhost:4873/ms/-/ms-2.0.0.tgz", - "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", - "dev": true, - "license": "MIT" - }, - "node_modules/find-babel-config": { - "version": "2.1.2", - "resolved": "http://localhost:4873/find-babel-config/-/find-babel-config-2.1.2.tgz", - "integrity": "sha512-ZfZp1rQyp4gyuxqt1ZqjFGVeVBvmpURMqdIWXbPRfB97Bf6BzdK/xSIbylEINzQ0kB5tlDQfn9HkNXXWsqTqLg==", - "dev": true, - "license": "MIT", - "dependencies": { - "json5": "^2.2.3" - } - }, - "node_modules/find-cache-dir": { - "version": "2.1.0", - "resolved": "http://localhost:4873/find-cache-dir/-/find-cache-dir-2.1.0.tgz", - "integrity": "sha512-Tq6PixE0w/VMFfCgbONnkiQIVol/JJL7nRMi20fqzA4NRs9AfeqMGeRdPi3wIhYkxjeBaWh2rxwapn5Tu3IqOQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "commondir": "^1.0.1", - "make-dir": "^2.0.0", - "pkg-dir": "^3.0.0" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/find-root": { - "version": "1.1.0", - "resolved": "http://localhost:4873/find-root/-/find-root-1.1.0.tgz", - "integrity": "sha512-NKfW6bec6GfKc0SGx1e07QZY9PE99u0Bft/0rzSD5k3sO/vwkVUpDUKVm5Gpp5Ue3YfShPFTX2070tDs5kB9Ng==", - "dev": true, - "license": "MIT" - }, - "node_modules/find-up": { - "version": "4.1.0", - "resolved": "http://localhost:4873/find-up/-/find-up-4.1.0.tgz", - "integrity": "sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==", - "dev": true, - "license": "MIT", - "dependencies": { - "locate-path": "^5.0.0", - "path-exists": "^4.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/flat": { - "version": "5.0.2", - "resolved": "http://localhost:4873/flat/-/flat-5.0.2.tgz", - "integrity": "sha512-b6suED+5/3rTpUBdG1gupIl8MPFCAMA0QXwmljLhvCUKcUvdE4gWky9zpuGCcXHOsz4J9wPGNWq6OKpmIzz3hQ==", - "dev": true, - "license": "BSD-3-Clause", - "bin": { - "flat": "cli.js" - } - }, - "node_modules/flat-cache": { - "version": "3.2.0", - "resolved": "http://localhost:4873/flat-cache/-/flat-cache-3.2.0.tgz", - "integrity": "sha512-CYcENa+FtcUKLmhhqyctpclsq7QF38pKjZHsGNiSQF5r4FtoKDWabFDl3hzaEQMvT1LHEysw5twgLvpYYb4vbw==", - "dev": true, - "license": "MIT", - "dependencies": { - "flatted": "^3.2.9", - "keyv": "^4.5.3", - "rimraf": "^3.0.2" - }, - "engines": { - "node": "^10.12.0 || >=12.0.0" - } - }, - "node_modules/flat-cache/node_modules/rimraf": { - "version": "3.0.2", - "resolved": "http://localhost:4873/rimraf/-/rimraf-3.0.2.tgz", - "integrity": "sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==", - "deprecated": "Rimraf versions prior to v4 are no longer supported", - "dev": true, - "license": "ISC", - "dependencies": { - "glob": "^7.1.3" - }, - "bin": { - "rimraf": "bin.js" - }, - "funding": { - "url": "https://github.com/sponsors/isaacs" - } - }, - "node_modules/flatted": { - "version": "3.3.3", - "resolved": "http://localhost:4873/flatted/-/flatted-3.3.3.tgz", - "integrity": "sha512-GX+ysw4PBCz0PzosHDepZGANEuFCMLrnRTiEy9McGjmkCQYwRq4A/X786G/fjM/+OjsWSU1ZrY5qyARZmO/uwg==", - "dev": true, - "license": "ISC" - }, - "node_modules/focus-lock": { - "version": "1.3.6", - "resolved": "http://localhost:4873/focus-lock/-/focus-lock-1.3.6.tgz", - "integrity": "sha512-Ik/6OCk9RQQ0T5Xw+hKNLWrjSMtv51dD4GRmJjbD5a58TIEpI5a5iXagKVl3Z5UuyslMCA8Xwnu76jQob62Yhg==", - "dev": true, - "license": "MIT", - "dependencies": { - "tslib": "^2.0.3" - }, - "engines": { - "node": ">=10" - } - }, - "node_modules/focus-visible": { - "version": "5.2.1", - "resolved": "http://localhost:4873/focus-visible/-/focus-visible-5.2.1.tgz", - "integrity": "sha512-8Bx950VD1bWTQJEH/AM6SpEk+SU55aVnp4Ujhuuxy3eMEBCRwBnTBnVXr9YAPvZL3/CNjCa8u4IWfNmEO53whA==", - "dev": true, - "license": "W3C" - }, - "node_modules/follow-redirects": { - "version": "1.15.9", - "resolved": "http://localhost:4873/follow-redirects/-/follow-redirects-1.15.9.tgz", - "integrity": "sha512-gew4GsXizNgdoRyqmyfMHyAmXsZDk6mHkSxZFCzW9gwlbtOW44CDtYavM+y+72qD/Vq2l550kMF52DT8fOLJqQ==", - "dev": true, - "funding": [ - { - "type": "individual", - "url": "https://github.com/sponsors/RubenVerborgh" - } - ], - "license": "MIT", - "engines": { - "node": ">=4.0" - }, - "peerDependenciesMeta": { - "debug": { - "optional": true - } - } - }, - "node_modules/for-each": { - "version": "0.3.5", - "resolved": "http://localhost:4873/for-each/-/for-each-0.3.5.tgz", - "integrity": "sha512-dKx12eRCVIzqCxFGplyFKJMPvLEWgmNtUrpTiJIR5u97zEhRG8ySrtboPHZXx7daLxQVrl643cTzbab2tkQjxg==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-callable": "^1.2.7" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/for-in": { - "version": "1.0.2", - "resolved": "http://localhost:4873/for-in/-/for-in-1.0.2.tgz", - "integrity": "sha512-7EwmXrOjyL+ChxMhmG5lnW9MPt1aIeZEwKhQzoBUdTV0N3zuwWDZYVJatDvZ2OyzPUvdIAZDsCetk3coyMfcnQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/form-data": { - "version": "3.0.3", - "resolved": "http://localhost:4873/form-data/-/form-data-3.0.3.tgz", - "integrity": "sha512-q5YBMeWy6E2Un0nMGWMgI65MAKtaylxfNJGJxpGh45YDciZB4epbWpaAfImil6CPAPTYB4sh0URQNDRIZG5F2w==", - "dev": true, - "license": "MIT", - "dependencies": { - "asynckit": "^0.4.0", - "combined-stream": "^1.0.8", - "es-set-tostringtag": "^2.1.0", - "mime-types": "^2.1.35" - }, - "engines": { - "node": ">= 6" - } - }, - "node_modules/forwarded": { - "version": "0.2.0", - "resolved": "http://localhost:4873/forwarded/-/forwarded-0.2.0.tgz", - "integrity": "sha512-buRG0fpBtRHSTCOASe6hD258tEubFoRLb4ZNA6NxMVHNw2gOcwHo9wyablzMzOA5z9xA9L1KNjk/Nt6MT9aYow==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.6" - } - }, - "node_modules/fragment-cache": { - "version": "0.2.1", - "resolved": "http://localhost:4873/fragment-cache/-/fragment-cache-0.2.1.tgz", - "integrity": "sha512-GMBAbW9antB8iZRHLoGw0b3HANt57diZYFO/HL1JGIC1MjKrdmhxvrJbupnVvpys0zsz7yBApXdQyfepKly2kA==", - "dev": true, - "license": "MIT", - "dependencies": { - "map-cache": "^0.2.2" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/framer-motion": { - "version": "10.18.0", - "resolved": "http://localhost:4873/framer-motion/-/framer-motion-10.18.0.tgz", - "integrity": "sha512-oGlDh1Q1XqYPksuTD/usb0I70hq95OUzmL9+6Zd+Hs4XV0oaISBa/UUMSjYiq6m8EUF32132mOJ8xVZS+I0S6w==", - "dev": true, - "license": "MIT", - "dependencies": { - "tslib": "^2.4.0" - }, - "optionalDependencies": { - "@emotion/is-prop-valid": "^0.8.2" - }, - "peerDependencies": { - "react": "^18.0.0", - "react-dom": "^18.0.0" - }, - "peerDependenciesMeta": { - "react": { - "optional": true - }, - "react-dom": { - "optional": true - } - } - }, - "node_modules/framer-motion/node_modules/@emotion/is-prop-valid": { - "version": "0.8.8", - "resolved": "http://localhost:4873/@emotion/is-prop-valid/-/is-prop-valid-0.8.8.tgz", - "integrity": "sha512-u5WtneEAr5IDG2Wv65yhunPSMLIpuKsbuOktRojfrEiEvRyC85LgPMZI63cr7NUqT8ZIGdSVg8ZKGxIug4lXcA==", - "dev": true, - "license": "MIT", - "optional": true, - "dependencies": { - "@emotion/memoize": "0.7.4" - } - }, - "node_modules/framer-motion/node_modules/@emotion/memoize": { - "version": "0.7.4", - "resolved": "http://localhost:4873/@emotion/memoize/-/memoize-0.7.4.tgz", - "integrity": "sha512-Ja/Vfqe3HpuzRsG1oBtWTHk2PGZ7GR+2Vz5iYGelAw8dx32K0y7PjVuxK6z1nMpZOqAFsRUPCkK1YjJ56qJlgw==", - "dev": true, - "license": "MIT", - "optional": true - }, - "node_modules/framesync": { - "version": "6.1.2", - "resolved": "http://localhost:4873/framesync/-/framesync-6.1.2.tgz", - "integrity": "sha512-jBTqhX6KaQVDyus8muwZbBeGGP0XgujBRbQ7gM7BRdS3CadCZIHiawyzYLnafYcvZIh5j8WE7cxZKFn7dXhu9g==", - "dev": true, - "license": "MIT", - "dependencies": { - "tslib": "2.4.0" - } - }, - "node_modules/framesync/node_modules/tslib": { - "version": "2.4.0", - "resolved": "http://localhost:4873/tslib/-/tslib-2.4.0.tgz", - "integrity": "sha512-d6xOpEDfsi2CZVlPQzGeux8XMwLT9hssAsaPYExaQMuYskwb+x1x7J371tWlbBdWHroy99KnVB6qIkUbs5X3UQ==", - "dev": true, - "license": "0BSD" - }, - "node_modules/fresh": { - "version": "0.5.2", - "resolved": "http://localhost:4873/fresh/-/fresh-0.5.2.tgz", - "integrity": "sha512-zJ2mQYM18rEFOudeV4GShTGIQ7RbzA7ozbU9I/XBpm7kqgMywgmylMwXHxZJmkVoYkna9d2pVXVXPdYTP9ej8Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.6" - } - }, - "node_modules/fs-constants": { - "version": "1.0.0", - "resolved": "http://localhost:4873/fs-constants/-/fs-constants-1.0.0.tgz", - "integrity": "sha512-y6OAwoSIf7FyjMIv94u+b5rdheZEjzR63GTyZJm5qh4Bi+2YgwLCcI/fPFZkL5PSixOt6ZNKm+w+Hfp/Bciwow==", - "dev": true, - "license": "MIT" - }, - "node_modules/fs-extra": { - "version": "11.3.0", - "resolved": "http://localhost:4873/fs-extra/-/fs-extra-11.3.0.tgz", - "integrity": "sha512-Z4XaCL6dUDHfP/jT25jJKMmtxvuwbkrD1vNSMFlo9lNLY2c5FHYSQgHPRZUjAB26TpDEoW9HCOgplrdbaPV/ew==", - "dev": true, - "license": "MIT", - "dependencies": { - "graceful-fs": "^4.2.0", - "jsonfile": "^6.0.1", - "universalify": "^2.0.0" - }, - "engines": { - "node": ">=14.14" - } - }, - "node_modules/fs-monkey": { - "version": "1.0.6", - "resolved": "http://localhost:4873/fs-monkey/-/fs-monkey-1.0.6.tgz", - "integrity": "sha512-b1FMfwetIKymC0eioW7mTywihSQE4oLzQn1dB6rZB5fx/3NpNEdAWeCSMB+60/AeT0TCXsxzAlcYVEFCTAksWg==", - "dev": true, - "license": "Unlicense" - }, - "node_modules/fs-readdir-recursive": { - "version": "1.1.0", - "resolved": "http://localhost:4873/fs-readdir-recursive/-/fs-readdir-recursive-1.1.0.tgz", - "integrity": "sha512-GNanXlVr2pf02+sPN40XN8HG+ePaNcvM0q5mZBd668Obwb0yD5GiUbZOFgwn8kGMY6I3mdyDJzieUy3PTYyTRA==", - "dev": true, - "license": "MIT" - }, - "node_modules/fs.realpath": { - "version": "1.0.0", - "resolved": "http://localhost:4873/fs.realpath/-/fs.realpath-1.0.0.tgz", - "integrity": "sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==", - "dev": true, - "license": "ISC" - }, - "node_modules/fsevents": { - "version": "2.3.3", - "resolved": "http://localhost:4873/fsevents/-/fsevents-2.3.3.tgz", - "integrity": "sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw==", - "dev": true, - "hasInstallScript": true, - "license": "MIT", - "optional": true, - "os": [ - "darwin" - ], - "engines": { - "node": "^8.16.0 || ^10.6.0 || >=11.0.0" - } - }, - "node_modules/full-icu": { - "version": "1.5.0", - "resolved": "http://localhost:4873/full-icu/-/full-icu-1.5.0.tgz", - "integrity": "sha512-BxB2otKUSFyvENjbI8EtQscpiPOEnhrf5V4MVpa6PjzsrLmdKKUUhulbydsfKS4ve6cGXNVRLlrOjizby/ZfDA==", - "dev": true, - "hasInstallScript": true, - "license": "Unicode-DFS-2016", - "dependencies": { - "yauzl": "^2.10.0" - }, - "bin": { - "full-icu": "node-full-icu.js", - "node-full-icu-path": "node-icu-data.js" - } - }, - "node_modules/function-bind": { - "version": "1.1.2", - "resolved": "http://localhost:4873/function-bind/-/function-bind-1.1.2.tgz", - "integrity": "sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==", - "dev": true, - "license": "MIT", - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/function.prototype.name": { - "version": "1.1.8", - "resolved": "http://localhost:4873/function.prototype.name/-/function.prototype.name-1.1.8.tgz", - "integrity": "sha512-e5iwyodOHhbMr/yNrc7fDYG4qlbIvI5gajyzPnb5TCwyhjApznQh1BMFou9b30SevY43gCJKXycoCBjMbsuW0Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind": "^1.0.8", - "call-bound": "^1.0.3", - "define-properties": "^1.2.1", - "functions-have-names": "^1.2.3", - "hasown": "^2.0.2", - "is-callable": "^1.2.7" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/functions-have-names": { - "version": "1.2.3", - "resolved": "http://localhost:4873/functions-have-names/-/functions-have-names-1.2.3.tgz", - "integrity": "sha512-xckBUXyTIqT97tq2x2AMb+g163b5JFysYk0x4qxNFwbfQkmNZoiRHb6sPzI9/QV33WeuvVYBUIiD4NzNIyqaRQ==", - "dev": true, - "license": "MIT", - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/gensync": { - "version": "1.0.0-beta.2", - "resolved": "http://localhost:4873/gensync/-/gensync-1.0.0-beta.2.tgz", - "integrity": "sha512-3hN7NaskYvMDLQY55gnW3NQ+mesEAepTqlg+VEbj7zzqEMBVNhzcGYYeqFo/TlYz6eQiFcp1HcsCZO+nGgS8zg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6.9.0" - } - }, - "node_modules/get-caller-file": { - "version": "2.0.5", - "resolved": "http://localhost:4873/get-caller-file/-/get-caller-file-2.0.5.tgz", - "integrity": "sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==", - "dev": true, - "license": "ISC", - "engines": { - "node": "6.* || 8.* || >= 10.*" - } - }, - "node_modules/get-intrinsic": { - "version": "1.3.0", - "resolved": "http://localhost:4873/get-intrinsic/-/get-intrinsic-1.3.0.tgz", - "integrity": "sha512-9fSjSaos/fRIVIp+xSJlE6lfwhES7LNtKaCBIamHsjr2na1BiABJPo0mOjjz8GJDURarmCPGqaiVg5mfjb98CQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind-apply-helpers": "^1.0.2", - "es-define-property": "^1.0.1", - "es-errors": "^1.3.0", - "es-object-atoms": "^1.1.1", - "function-bind": "^1.1.2", - "get-proto": "^1.0.1", - "gopd": "^1.2.0", - "has-symbols": "^1.1.0", - "hasown": "^2.0.2", - "math-intrinsics": "^1.1.0" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/get-nonce": { - "version": "1.0.1", - "resolved": "http://localhost:4873/get-nonce/-/get-nonce-1.0.1.tgz", - "integrity": "sha512-FJhYRoDaiatfEkUK8HKlicmu/3SGFD51q3itKDGoSTysQJBnfOcxU5GxnhE1E6soB76MbT0MBtnKJuXyAx+96Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/get-package-type": { - "version": "0.1.0", - "resolved": "http://localhost:4873/get-package-type/-/get-package-type-0.1.0.tgz", - "integrity": "sha512-pjzuKtY64GYfWizNAJ0fr9VqttZkNiK2iS430LtIHzjBEr6bX8Am2zm4sW4Ro5wjWW5cAlRL1qAMTcXbjNAO2Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8.0.0" - } - }, - "node_modules/get-proto": { - "version": "1.0.1", - "resolved": "http://localhost:4873/get-proto/-/get-proto-1.0.1.tgz", - "integrity": "sha512-sTSfBjoXBp89JvIKIefqw7U2CCebsc74kiY6awiGogKtoSGbgjYE/G/+l9sF3MWFPNc9IcoOC4ODfKHfxFmp0g==", - "dev": true, - "license": "MIT", - "dependencies": { - "dunder-proto": "^1.0.1", - "es-object-atoms": "^1.0.0" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/get-stream": { - "version": "5.2.0", - "resolved": "http://localhost:4873/get-stream/-/get-stream-5.2.0.tgz", - "integrity": "sha512-nBF+F1rAZVCu/p7rjzgA+Yb4lfYXrpl7a6VmJrU8wF9I1CKvP/QwPNZHnOlwbTkY6dvtFIzFMSyQXbLoTQPRpA==", - "dev": true, - "license": "MIT", - "dependencies": { - "pump": "^3.0.0" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/get-symbol-description": { - "version": "1.1.0", - "resolved": "http://localhost:4873/get-symbol-description/-/get-symbol-description-1.1.0.tgz", - "integrity": "sha512-w9UMqWwJxHNOvoNzSJ2oPF5wvYcvP7jUvYzhp67yEhTi17ZDBBC1z9pTdGuzjD+EFIqLSYRweZjqfiPzQ06Ebg==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bound": "^1.0.3", - "es-errors": "^1.3.0", - "get-intrinsic": "^1.2.6" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/get-value": { - "version": "2.0.6", - "resolved": "http://localhost:4873/get-value/-/get-value-2.0.6.tgz", - "integrity": "sha512-Ln0UQDlxH1BapMu3GPtf7CuYNwRZf2gwCuPqbyG6pB8WfmFpzqcy4xtAaAMUhnNqjMKTiCPZG2oMT3YSx8U2NA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/git-rev-sync": { - "version": "3.0.2", - "resolved": "http://localhost:4873/git-rev-sync/-/git-rev-sync-3.0.2.tgz", - "integrity": "sha512-Nd5RiYpyncjLv0j6IONy0lGzAqdRXUaBctuGBbrEA2m6Bn4iDrN/9MeQTXuiquw8AEKL9D2BW0nw5m/lQvxqnQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "escape-string-regexp": "1.0.5", - "graceful-fs": "4.1.15", - "shelljs": "0.8.5" - } - }, - "node_modules/git-rev-sync/node_modules/escape-string-regexp": { - "version": "1.0.5", - "resolved": "http://localhost:4873/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz", - "integrity": "sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.8.0" - } - }, - "node_modules/git-rev-sync/node_modules/graceful-fs": { - "version": "4.1.15", - "resolved": "http://localhost:4873/graceful-fs/-/graceful-fs-4.1.15.tgz", - "integrity": "sha512-6uHUhOPEBgQ24HM+r6b/QwWfZq+yiFcipKFrOFiBEnWdy5sdzYoi+pJeQaPI5qOLRFqWmAXUPQNsielzdLoecA==", - "dev": true, - "license": "ISC" - }, - "node_modules/glob": { - "version": "7.2.3", - "resolved": "http://localhost:4873/glob/-/glob-7.2.3.tgz", - "integrity": "sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==", - "deprecated": "Glob versions prior to v9 are no longer supported", - "dev": true, - "license": "ISC", - "dependencies": { - "fs.realpath": "^1.0.0", - "inflight": "^1.0.4", - "inherits": "2", - "minimatch": "^3.1.1", - "once": "^1.3.0", - "path-is-absolute": "^1.0.0" - }, - "engines": { - "node": "*" - }, - "funding": { - "url": "https://github.com/sponsors/isaacs" - } - }, - "node_modules/glob-parent": { - "version": "5.1.2", - "resolved": "http://localhost:4873/glob-parent/-/glob-parent-5.1.2.tgz", - "integrity": "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==", - "dev": true, - "license": "ISC", - "dependencies": { - "is-glob": "^4.0.1" - }, - "engines": { - "node": ">= 6" - } - }, - "node_modules/glob-to-regexp": { - "version": "0.4.1", - "resolved": "http://localhost:4873/glob-to-regexp/-/glob-to-regexp-0.4.1.tgz", - "integrity": "sha512-lkX1HJXwyMcprw/5YUZc2s7DrpAiHB21/V+E1rHUrVNokkvB6bqMzT0VfV6/86ZNabt1k14YOIaT7nDvOX3Iiw==", - "dev": true, - "license": "BSD-2-Clause" - }, - "node_modules/globals": { - "version": "11.12.0", - "resolved": "http://localhost:4873/globals/-/globals-11.12.0.tgz", - "integrity": "sha512-WOBp/EEGUiIsJSp7wcv/y6MO+lV9UoncWqxuFfm8eBwzWNgyfBd6Gz+IeKQ9jCmyhoH99g15M3T+QaVHFjizVA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=4" - } - }, - "node_modules/globalthis": { - "version": "1.0.4", - "resolved": "http://localhost:4873/globalthis/-/globalthis-1.0.4.tgz", - "integrity": "sha512-DpLKbNU4WylpxJykQujfCcwYWiV/Jhm50Goo0wrVILAv5jOr9d+H+UR3PhSCD2rCCEIg0uc+G+muBTwD54JhDQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "define-properties": "^1.2.1", - "gopd": "^1.0.1" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/globby": { - "version": "11.1.0", - "resolved": "http://localhost:4873/globby/-/globby-11.1.0.tgz", - "integrity": "sha512-jhIXaOzy1sb8IyocaruWSn1TjmnBVs8Ayhcy83rmxNJ8q2uWKCAj3CnJY+KpGSXCueAPc0i05kVvVKtP1t9S3g==", - "dev": true, - "license": "MIT", - "dependencies": { - "array-union": "^2.1.0", - "dir-glob": "^3.0.1", - "fast-glob": "^3.2.9", - "ignore": "^5.2.0", - "merge2": "^1.4.1", - "slash": "^3.0.0" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/globby/node_modules/slash": { - "version": "3.0.0", - "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", - "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/gopd": { - "version": "1.2.0", - "resolved": "http://localhost:4873/gopd/-/gopd-1.2.0.tgz", - "integrity": "sha512-ZUKRh6/kUFoAiTAtTYPZJ3hw9wNxx+BIBOijnlG9PnrJsCcSjs1wyyD6vJpaYtgnzDrKYRSqf3OO6Rfa93xsRg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/graceful-fs": { - "version": "4.2.11", - "resolved": "http://localhost:4873/graceful-fs/-/graceful-fs-4.2.11.tgz", - "integrity": "sha512-RbJ5/jmFcNNCcDV5o9eTnBLJ/HszWV0P73bc+Ff4nS/rJj+YaS6IGyiOL0VoBYX+l1Wrl3k63h/KrH+nhJ0XvQ==", - "dev": true, - "license": "ISC" - }, - "node_modules/graphemer": { - "version": "1.4.0", - "resolved": "http://localhost:4873/graphemer/-/graphemer-1.4.0.tgz", - "integrity": "sha512-EtKwoO6kxCL9WO5xipiHTZlSzBm7WLT627TqC/uVRd0HKmq8NXyebnNYxDoBi7wt8eTWrUrKXCOVaFq9x1kgag==", - "dev": true, - "license": "MIT" - }, - "node_modules/graphql": { - "version": "16.11.0", - "resolved": "http://localhost:4873/graphql/-/graphql-16.11.0.tgz", - "integrity": "sha512-mS1lbMsxgQj6hge1XZ6p7GPhbrtFwUFYi3wRzXAC/FmYnyXMTvvI3td3rjmQ2u8ewXueaSvRPWaEcgVVOT9Jnw==", - "dev": true, - "license": "MIT", - "engines": { - "node": "^12.22.0 || ^14.16.0 || ^16.0.0 || >=17.0.0" - } - }, - "node_modules/growly": { - "version": "1.3.0", - "resolved": "http://localhost:4873/growly/-/growly-1.3.0.tgz", - "integrity": "sha512-+xGQY0YyAWCnqy7Cd++hc2JqMYzlm0dG30Jd0beaA64sROr8C4nt8Yc9V5Ro3avlSUDTN0ulqP/VBKi1/lLygw==", - "dev": true, - "license": "MIT" - }, - "node_modules/gzip-size": { - "version": "5.1.1", - "resolved": "http://localhost:4873/gzip-size/-/gzip-size-5.1.1.tgz", - "integrity": "sha512-FNHi6mmoHvs1mxZAds4PpdCS6QG8B4C1krxJsMutgxl5t3+GlRTzzI3NEkifXx2pVsOvJdOGSmIgDhQ55FwdPA==", - "dev": true, - "license": "MIT", - "dependencies": { - "duplexer": "^0.1.1", - "pify": "^4.0.1" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/has": { - "version": "1.0.4", - "resolved": "http://localhost:4873/has/-/has-1.0.4.tgz", - "integrity": "sha512-qdSAmqLF6209RFj4VVItywPMbm3vWylknmB3nvNiUIs72xAimcM8nVYxYr7ncvZq5qzk9MKIZR8ijqD/1QuYjQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.4.0" - } - }, - "node_modules/has-ansi": { - "version": "2.0.0", - "resolved": "http://localhost:4873/has-ansi/-/has-ansi-2.0.0.tgz", - "integrity": "sha512-C8vBJ8DwUCx19vhm7urhTuUsr4/IyP6l4VzNQDv+ryHQObW3TTTp9yB68WpYgRe2bbaGuZ/se74IqFeVnMnLZg==", - "dev": true, - "license": "MIT", - "dependencies": { - "ansi-regex": "^2.0.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/has-ansi/node_modules/ansi-regex": { - "version": "2.1.1", - "resolved": "http://localhost:4873/ansi-regex/-/ansi-regex-2.1.1.tgz", - "integrity": "sha512-TIGnTpdo+E3+pCyAluZvtED5p5wCqLdezCyhPZzKPcxvFplEt4i+W7OONCKgeZFT3+y5NZZfOOS/Bdcanm1MYA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/has-bigints": { - "version": "1.1.0", - "resolved": "http://localhost:4873/has-bigints/-/has-bigints-1.1.0.tgz", - "integrity": "sha512-R3pbpkcIqv2Pm3dUwgjclDRVmWpTJW2DcMzcIhEXEx1oh/CEMObMm3KLmRJOdvhM7o4uQBnwr8pzRK2sJWIqfg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/has-flag": { - "version": "4.0.0", - "resolved": "http://localhost:4873/has-flag/-/has-flag-4.0.0.tgz", - "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/has-property-descriptors": { - "version": "1.0.2", - "resolved": "http://localhost:4873/has-property-descriptors/-/has-property-descriptors-1.0.2.tgz", - "integrity": "sha512-55JNKuIW+vq4Ke1BjOTjM2YctQIvCT7GFzHwmfZPGo5wnrgkid0YQtnAleFSqumZm4az3n2BS+erby5ipJdgrg==", - "dev": true, - "license": "MIT", - "dependencies": { - "es-define-property": "^1.0.0" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/has-proto": { - "version": "1.2.0", - "resolved": "http://localhost:4873/has-proto/-/has-proto-1.2.0.tgz", - "integrity": "sha512-KIL7eQPfHQRC8+XluaIw7BHUwwqL19bQn4hzNgdr+1wXoU0KKj6rufu47lhY7KbJR2C6T6+PfyN0Ea7wkSS+qQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "dunder-proto": "^1.0.0" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/has-symbols": { - "version": "1.1.0", - "resolved": "http://localhost:4873/has-symbols/-/has-symbols-1.1.0.tgz", - "integrity": "sha512-1cDNdwJ2Jaohmb3sg4OmKaMBwuC48sYni5HUw2DvsC8LjGTLK9h+eb1X6RyuOHe4hT0ULCW68iomhjUoKUqlPQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/has-tostringtag": { - "version": "1.0.2", - "resolved": "http://localhost:4873/has-tostringtag/-/has-tostringtag-1.0.2.tgz", - "integrity": "sha512-NqADB8VjPFLM2V0VvHUewwwsw0ZWBaIdgo+ieHtK3hasLz4qeCRjYcqfB6AQrBggRKppKF8L52/VqdVsO47Dlw==", - "dev": true, - "license": "MIT", - "dependencies": { - "has-symbols": "^1.0.3" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/has-value": { - "version": "1.0.0", - "resolved": "http://localhost:4873/has-value/-/has-value-1.0.0.tgz", - "integrity": "sha512-IBXk4GTsLYdQ7Rvt+GRBrFSVEkmuOUy4re0Xjd9kJSUQpnTrWR4/y9RpfexN9vkAPMFuQoeWKwqzPozRTlasGw==", - "dev": true, - "license": "MIT", - "dependencies": { - "get-value": "^2.0.6", - "has-values": "^1.0.0", - "isobject": "^3.0.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/has-values": { - "version": "1.0.0", - "resolved": "http://localhost:4873/has-values/-/has-values-1.0.0.tgz", - "integrity": "sha512-ODYZC64uqzmtfGMEAX/FvZiRyWLpAC3vYnNunURUnkGVTS+mI0smVsWaPydRBsE3g+ok7h960jChO8mFcWlHaQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-number": "^3.0.0", - "kind-of": "^4.0.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/has-values/node_modules/is-number": { - "version": "3.0.0", - "resolved": "http://localhost:4873/is-number/-/is-number-3.0.0.tgz", - "integrity": "sha512-4cboCqIpliH+mAvFNegjZQ4kgKc3ZUhQVr3HvWbSh5q3WH2v82ct+T2Y1hdU5Gdtorx/cLifQjqCbL7bpznLTg==", - "dev": true, - "license": "MIT", - "dependencies": { - "kind-of": "^3.0.2" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/has-values/node_modules/is-number/node_modules/kind-of": { - "version": "3.2.2", - "resolved": "http://localhost:4873/kind-of/-/kind-of-3.2.2.tgz", - "integrity": "sha512-NOW9QQXMoZGg/oqnVNoNTTIFEIid1627WCffUBJEdMxYApq7mNE7CpzucIPc+ZQg25Phej7IJSmX3hO+oblOtQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-buffer": "^1.1.5" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/has-values/node_modules/kind-of": { - "version": "4.0.0", - "resolved": "http://localhost:4873/kind-of/-/kind-of-4.0.0.tgz", - "integrity": "sha512-24XsCxmEbRwEDbz/qz3stgin8TTzZ1ESR56OMCN0ujYg+vRutNSiOj9bHH9u85DKgXguraugV5sFuvbD4FW/hw==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-buffer": "^1.1.5" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/hasown": { - "version": "2.0.2", - "resolved": "http://localhost:4873/hasown/-/hasown-2.0.2.tgz", - "integrity": "sha512-0hJU9SCPvmMzIBdZFqNPXWa6dqh7WdH0cII9y+CyS8rG3nL48Bclra9HmKhVVUHyPWNH5Y7xDwAB7bfgSjkUMQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "function-bind": "^1.1.2" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/he": { - "version": "1.2.0", - "resolved": "http://localhost:4873/he/-/he-1.2.0.tgz", - "integrity": "sha512-F/1DnUGPopORZi0ni+CvrCgHQ5FyEAHRLSApuYWMmrbSwoN2Mn/7k+Gl38gJnR7yyDZk6WLXwiGod1JOWNDKGw==", - "dev": true, - "license": "MIT", - "bin": { - "he": "bin/he" - } - }, - "node_modules/header-case": { - "version": "1.0.1", - "resolved": "http://localhost:4873/header-case/-/header-case-1.0.1.tgz", - "integrity": "sha512-i0q9mkOeSuhXw6bGgiQCCBgY/jlZuV/7dZXyZ9c6LcBrqwvT8eT719E9uxE5LiZftdl+z81Ugbg/VvXV4OJOeQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "no-case": "^2.2.0", - "upper-case": "^1.1.3" - } - }, - "node_modules/headers-polyfill": { - "version": "4.0.3", - "resolved": "http://localhost:4873/headers-polyfill/-/headers-polyfill-4.0.3.tgz", - "integrity": "sha512-IScLbePpkvO846sIwOtOTDjutRMWdXdJmXdMvk6gCBHxFO8d+QKOQedyZSxFTTFYRSmlgSTDtXqqq4pcenBXLQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/helmet": { - "version": "4.6.0", - "resolved": "http://localhost:4873/helmet/-/helmet-4.6.0.tgz", - "integrity": "sha512-HVqALKZlR95ROkrnesdhbbZJFi/rIVSoNq6f3jA/9u6MIbTsPh3xZwihjeI5+DO/2sOV6HMHooXcEOuwskHpTg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10.0.0" - } - }, - "node_modules/history": { - "version": "4.10.1", - "resolved": "http://localhost:4873/history/-/history-4.10.1.tgz", - "integrity": "sha512-36nwAD620w12kuzPAsyINPWJqlNbij+hpK1k9XRloDtym8mxzGYl2c17LnV6IAGB2Dmg4tEa7G7DlawS0+qjew==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/runtime": "^7.1.2", - "loose-envify": "^1.2.0", - "resolve-pathname": "^3.0.0", - "tiny-invariant": "^1.0.2", - "tiny-warning": "^1.0.0", - "value-equal": "^1.0.1" - } - }, - "node_modules/hoist-non-react-statics": { - "version": "3.3.2", - "resolved": "http://localhost:4873/hoist-non-react-statics/-/hoist-non-react-statics-3.3.2.tgz", - "integrity": "sha512-/gGivxi8JPKWNm/W0jSmzcMPpfpPLc3dY/6GxhX2hQ9iGj3aDfklV4ET7NjKpSinLpJ5vafa9iiGIEZg10SfBw==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "react-is": "^16.7.0" - } - }, - "node_modules/homedir-polyfill": { - "version": "1.0.3", - "resolved": "http://localhost:4873/homedir-polyfill/-/homedir-polyfill-1.0.3.tgz", - "integrity": "sha512-eSmmWE5bZTK2Nou4g0AI3zZ9rswp7GRKoKXS1BLUkvPviOqs4YTN1djQIqrXy9k5gEtdLPy86JjRwsNM9tnDcA==", - "dev": true, - "license": "MIT", - "dependencies": { - "parse-passwd": "^1.0.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/hosted-git-info": { - "version": "2.8.9", - "resolved": "http://localhost:4873/hosted-git-info/-/hosted-git-info-2.8.9.tgz", - "integrity": "sha512-mxIDAb9Lsm6DoOJ7xH+5+X4y1LU/4Hi50L9C5sIswK3JzULS4bwk1FvjdBgvYR4bzT4tuUQiC15FE2f5HbLvYw==", - "dev": true, - "license": "ISC" - }, - "node_modules/html-encoding-sniffer": { - "version": "2.0.1", - "resolved": "http://localhost:4873/html-encoding-sniffer/-/html-encoding-sniffer-2.0.1.tgz", - "integrity": "sha512-D5JbOMBIR/TVZkubHT+OyT2705QvogUW4IBn6nHd756OwieSF9aDYFj4dv6HHEVGYbHaLETa3WggZYWWMyy3ZQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "whatwg-encoding": "^1.0.5" - }, - "engines": { - "node": ">=10" - } - }, - "node_modules/html-entities": { - "version": "2.6.0", - "resolved": "http://localhost:4873/html-entities/-/html-entities-2.6.0.tgz", - "integrity": "sha512-kig+rMn/QOVRvr7c86gQ8lWXq+Hkv6CbAH1hLu+RG338StTpE8Z0b44SDVaqVu7HGKf27frdmUYEs9hTUX/cLQ==", - "dev": true, - "funding": [ - { - "type": "github", - "url": "https://github.com/sponsors/mdevils" - }, - { - "type": "patreon", - "url": "https://patreon.com/mdevils" - } - ], - "license": "MIT" - }, - "node_modules/html-escaper": { - "version": "2.0.2", - "resolved": "http://localhost:4873/html-escaper/-/html-escaper-2.0.2.tgz", - "integrity": "sha512-H2iMtd0I4Mt5eYiapRdIDjp+XzelXQ0tFE4JS7YFwFevXXMmOp9myNrUvCg0D6ws8iqkRPBfKHgbwig1SmlLfg==", - "dev": true, - "license": "MIT" - }, - "node_modules/htmlparser2": { - "version": "3.10.1", - "resolved": "http://localhost:4873/htmlparser2/-/htmlparser2-3.10.1.tgz", - "integrity": "sha512-IgieNijUMbkDovyoKObU1DUhm1iwNYE/fuifEoEHfd1oZKZDaONBSkal7Y01shxsM49R4XaMdGez3WnF9UfiCQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "domelementtype": "^1.3.1", - "domhandler": "^2.3.0", - "domutils": "^1.5.1", - "entities": "^1.1.1", - "inherits": "^2.0.1", - "readable-stream": "^3.1.1" - } - }, - "node_modules/htmlparser2/node_modules/readable-stream": { - "version": "3.6.2", - "resolved": "http://localhost:4873/readable-stream/-/readable-stream-3.6.2.tgz", - "integrity": "sha512-9u/sniCrY3D5WdsERHzHE4G2YCXqoG5FTHUiCC4SIbr6XcLZBY05ya9EKjYek9O5xOAwjGq+1JdGBAS7Q9ScoA==", - "dev": true, - "license": "MIT", - "dependencies": { - "inherits": "^2.0.3", - "string_decoder": "^1.1.1", - "util-deprecate": "^1.0.1" - }, - "engines": { - "node": ">= 6" - } - }, - "node_modules/http-errors": { - "version": "2.0.0", - "resolved": "http://localhost:4873/http-errors/-/http-errors-2.0.0.tgz", - "integrity": "sha512-FtwrG/euBzaEjYeRqOgly7G0qviiXoJWnvEH2Z1plBdXgbyjv34pHTSb9zoeHMyDy33+DWy5Wt9Wo+TURtOYSQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "depd": "2.0.0", - "inherits": "2.0.4", - "setprototypeof": "1.2.0", - "statuses": "2.0.1", - "toidentifier": "1.0.1" - }, - "engines": { - "node": ">= 0.8" - } - }, - "node_modules/http-link-header": { - "version": "0.8.0", - "resolved": "http://localhost:4873/http-link-header/-/http-link-header-0.8.0.tgz", - "integrity": "sha512-qsh/wKe1Mk1vtYEFr+LpQBFWTO1gxZQBdii2D0Umj+IUQ23r5sT088Rhpq4XzpSyIpaX7vwjB8Rrtx8u9JTg+Q==", - "dev": true, - "license": "MIT" - }, - "node_modules/http-proxy": { - "version": "1.18.1", - "resolved": "http://localhost:4873/http-proxy/-/http-proxy-1.18.1.tgz", - "integrity": "sha512-7mz/721AbnJwIVbnaSv1Cz3Am0ZLT/UBwkC92VlxhXv/k/BBQfM2fXElQNC27BVGr0uwUpplYPQM9LnaBMR5NQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "eventemitter3": "^4.0.0", - "follow-redirects": "^1.0.0", - "requires-port": "^1.0.0" - }, - "engines": { - "node": ">=8.0.0" - } - }, - "node_modules/http-proxy-agent": { - "version": "4.0.1", - "resolved": "http://localhost:4873/http-proxy-agent/-/http-proxy-agent-4.0.1.tgz", - "integrity": "sha512-k0zdNgqWTGA6aeIRVpvfVob4fL52dTfaehylg0Y4UvSySvOq/Y+BOyPrgpUrA7HylqvU8vIZGsRuXmspskV0Tg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@tootallnate/once": "1", - "agent-base": "6", - "debug": "4" - }, - "engines": { - "node": ">= 6" - } - }, - "node_modules/http-proxy-middleware": { - "version": "2.0.9", - "resolved": "http://localhost:4873/http-proxy-middleware/-/http-proxy-middleware-2.0.9.tgz", - "integrity": "sha512-c1IyJYLYppU574+YI7R4QyX2ystMtVXZwIdzazUIPIJsHuWNd+mho2j+bKoHftndicGj9yh+xjd+l0yj7VeT1Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/http-proxy": "^1.17.8", - "http-proxy": "^1.18.1", - "is-glob": "^4.0.1", - "is-plain-obj": "^3.0.0", - "micromatch": "^4.0.2" - }, - "engines": { - "node": ">=12.0.0" - }, - "peerDependencies": { - "@types/express": "^4.17.13" - }, - "peerDependenciesMeta": { - "@types/express": { - "optional": true - } - } - }, - "node_modules/https-proxy-agent": { - "version": "5.0.1", - "resolved": "http://localhost:4873/https-proxy-agent/-/https-proxy-agent-5.0.1.tgz", - "integrity": "sha512-dFcAjpTQFgoLMzC2VwU+C/CbS7uRL0lWmxDITmqm7C+7F0Odmj6s9l6alZc6AELXhrnggM2CeWSXHGOdX2YtwA==", - "dev": true, - "license": "MIT", - "dependencies": { - "agent-base": "6", - "debug": "4" - }, - "engines": { - "node": ">= 6" - } - }, - "node_modules/human-signals": { - "version": "1.1.1", - "resolved": "http://localhost:4873/human-signals/-/human-signals-1.1.1.tgz", - "integrity": "sha512-SEQu7vl8KjNL2eoGBLF3+wAjpsNfA9XMlXAYj/3EdaNfAlxKthD1xjEQfGOUhllCGGJVNY34bRr6lPINhNjyZw==", - "dev": true, - "license": "Apache-2.0", - "engines": { - "node": ">=8.12.0" - } - }, - "node_modules/iconv-lite": { - "version": "0.4.24", - "resolved": "http://localhost:4873/iconv-lite/-/iconv-lite-0.4.24.tgz", - "integrity": "sha512-v3MXnZAcvnywkTUEZomIActle7RXXeedOR31wwl7VlyoXO4Qi9arvSenNQWne1TcRwhCL1HwLI21bEqdpj8/rA==", - "dev": true, - "license": "MIT", - "dependencies": { - "safer-buffer": ">= 2.1.2 < 3" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/ieee754": { - "version": "1.1.13", - "resolved": "http://localhost:4873/ieee754/-/ieee754-1.1.13.tgz", - "integrity": "sha512-4vf7I2LYV/HaWerSo3XmlMkp5eZ83i+/CDluXi/IGTs/O1sejBNhTtnxzmRZfvOUqj7lZjqHkeTvpgSFDlWZTg==", - "dev": true, - "license": "BSD-3-Clause" - }, - "node_modules/ignore": { - "version": "5.3.2", - "resolved": "http://localhost:4873/ignore/-/ignore-5.3.2.tgz", - "integrity": "sha512-hsBTNUqQTDwkWtcdYI2i06Y/nUBEsNEDJKjWdigLvegy8kDuJAS8uRlpkkcQpyEXL0Z/pjDy5HBmMjRCJ2gq+g==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 4" - } - }, - "node_modules/ignore-loader": { - "version": "0.1.2", - "resolved": "http://localhost:4873/ignore-loader/-/ignore-loader-0.1.2.tgz", - "integrity": "sha512-yOJQEKrNwoYqrWLS4DcnzM7SEQhRKis5mB+LdKKh4cPmGYlLPR0ozRzHV5jmEk2IxptqJNQA5Cc0gw8Fj12bXA==", - "dev": true - }, - "node_modules/image-size": { - "version": "0.5.5", - "resolved": "http://localhost:4873/image-size/-/image-size-0.5.5.tgz", - "integrity": "sha512-6TDAlDPZxUFCv+fuOkIoXT/V/f3Qbq8e37p+YOiYrUv3v9cc3/6x78VdfPgFVaB9dZYeLUfKgHRebpkm/oP2VQ==", - "dev": true, - "license": "MIT", - "bin": { - "image-size": "bin/image-size.js" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/image-ssim": { - "version": "0.2.0", - "resolved": "http://localhost:4873/image-ssim/-/image-ssim-0.2.0.tgz", - "integrity": "sha512-W7+sO6/yhxy83L0G7xR8YAc5Z5QFtYEXXRV6EaE8tuYBZJnA3gVgp3q7X7muhLZVodeb9UfvjSbwt9VJwjIYAg==", - "dev": true, - "license": "MIT" - }, - "node_modules/import-fresh": { - "version": "3.3.1", - "resolved": "http://localhost:4873/import-fresh/-/import-fresh-3.3.1.tgz", - "integrity": "sha512-TR3KfrTZTYLPB6jUjfx6MF9WcWrHL9su5TObK4ZkYgBdWKPOFoSoQIdEuTuR82pmtxH2spWG9h6etwfr1pLBqQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "parent-module": "^1.0.0", - "resolve-from": "^4.0.0" - }, - "engines": { - "node": ">=6" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/import-fresh/node_modules/resolve-from": { - "version": "4.0.0", - "resolved": "http://localhost:4873/resolve-from/-/resolve-from-4.0.0.tgz", - "integrity": "sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=4" - } - }, - "node_modules/import-local": { - "version": "3.2.0", - "resolved": "http://localhost:4873/import-local/-/import-local-3.2.0.tgz", - "integrity": "sha512-2SPlun1JUPWoM6t3F0dw0FkCF/jWY8kttcY4f599GLTSjh2OCuuhdTkJQsEcZzBqbXZGKMK2OqW1oZsjtf/gQA==", - "dev": true, - "license": "MIT", - "dependencies": { - "pkg-dir": "^4.2.0", - "resolve-cwd": "^3.0.0" - }, - "bin": { - "import-local-fixture": "fixtures/cli.js" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/import-local/node_modules/pkg-dir": { - "version": "4.2.0", - "resolved": "http://localhost:4873/pkg-dir/-/pkg-dir-4.2.0.tgz", - "integrity": "sha512-HRDzbaKjC+AOWVXxAU/x54COGeIv9eb+6CkDSQoNTt4XyWoIJvuPsXizxu/Fr23EiekbtZwmh1IcIG/l/a10GQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "find-up": "^4.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/imurmurhash": { - "version": "0.1.4", - "resolved": "http://localhost:4873/imurmurhash/-/imurmurhash-0.1.4.tgz", - "integrity": "sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.8.19" - } - }, - "node_modules/indent-string": { - "version": "4.0.0", - "resolved": "http://localhost:4873/indent-string/-/indent-string-4.0.0.tgz", - "integrity": "sha512-EdDDZu4A2OyIK7Lr/2zG+w5jmbuk1DVBnEwREQvBzspBJkCEbRa8GxU1lghYcaGJCnRWibjDXlq779X1/y5xwg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/inflight": { - "version": "1.0.6", - "resolved": "http://localhost:4873/inflight/-/inflight-1.0.6.tgz", - "integrity": "sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==", - "deprecated": "This module is not supported, and leaks memory. Do not use it. Check out lru-cache if you want a good and tested way to coalesce async requests by a key value, which is much more comprehensive and powerful.", - "dev": true, - "license": "ISC", - "dependencies": { - "once": "^1.3.0", - "wrappy": "1" - } - }, - "node_modules/inherits": { - "version": "2.0.4", - "resolved": "http://localhost:4873/inherits/-/inherits-2.0.4.tgz", - "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==", - "dev": true, - "license": "ISC" - }, - "node_modules/inquirer": { - "version": "6.5.2", - "resolved": "http://localhost:4873/inquirer/-/inquirer-6.5.2.tgz", - "integrity": "sha512-cntlB5ghuB0iuO65Ovoi8ogLHiWGs/5yNrtUcKjFhSSiVeAIVpD7koaSU9RM8mpXw5YDi9RdYXGQMaOURB7ycQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "ansi-escapes": "^3.2.0", - "chalk": "^2.4.2", - "cli-cursor": "^2.1.0", - "cli-width": "^2.0.0", - "external-editor": "^3.0.3", - "figures": "^2.0.0", - "lodash": "^4.17.12", - "mute-stream": "0.0.7", - "run-async": "^2.2.0", - "rxjs": "^6.4.0", - "string-width": "^2.1.0", - "strip-ansi": "^5.1.0", - "through": "^2.3.6" - }, - "engines": { - "node": ">=6.0.0" - } - }, - "node_modules/inquirer/node_modules/ansi-regex": { - "version": "4.1.1", - "resolved": "http://localhost:4873/ansi-regex/-/ansi-regex-4.1.1.tgz", - "integrity": "sha512-ILlv4k/3f6vfQ4OoP2AGvirOktlQ98ZEL1k9FaQjxa3L1abBgbuTDAdPOpvbGncC0BTVQrl+OM8xZGK6tWXt7g==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/inquirer/node_modules/ansi-styles": { - "version": "3.2.1", - "resolved": "http://localhost:4873/ansi-styles/-/ansi-styles-3.2.1.tgz", - "integrity": "sha512-VT0ZI6kZRdTh8YyJw3SMbYm/u+NqfsAxEpWO0Pf9sq8/e94WxxOpPKx9FR1FlyCtOVDNOQ+8ntlqFxiRc+r5qA==", - "dev": true, - "license": "MIT", - "dependencies": { - "color-convert": "^1.9.0" - }, - "engines": { - "node": ">=4" - } - }, - "node_modules/inquirer/node_modules/chalk": { - "version": "2.4.2", - "resolved": "http://localhost:4873/chalk/-/chalk-2.4.2.tgz", - "integrity": "sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "ansi-styles": "^3.2.1", - "escape-string-regexp": "^1.0.5", - "supports-color": "^5.3.0" - }, - "engines": { - "node": ">=4" - } - }, - "node_modules/inquirer/node_modules/color-convert": { - "version": "1.9.3", - "resolved": "http://localhost:4873/color-convert/-/color-convert-1.9.3.tgz", - "integrity": "sha512-QfAUtd+vFdAtFQcC8CCyYt1fYWxSqAiK2cSD6zDB8N3cpsEBAvRxp9zOGg6G/SHHJYAT88/az/IuDGALsNVbGg==", - "dev": true, - "license": "MIT", - "dependencies": { - "color-name": "1.1.3" - } - }, - "node_modules/inquirer/node_modules/color-name": { - "version": "1.1.3", - "resolved": "http://localhost:4873/color-name/-/color-name-1.1.3.tgz", - "integrity": "sha512-72fSenhMw2HZMTVHeCA9KCmpEIbzWiQsjN+BHcBbS9vr1mtt+vJjPdksIBNUmKAW8TFUDPJK5SUU3QhE9NEXDw==", - "dev": true, - "license": "MIT" - }, - "node_modules/inquirer/node_modules/escape-string-regexp": { - "version": "1.0.5", - "resolved": "http://localhost:4873/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz", - "integrity": "sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.8.0" - } - }, - "node_modules/inquirer/node_modules/figures": { - "version": "2.0.0", - "resolved": "http://localhost:4873/figures/-/figures-2.0.0.tgz", - "integrity": "sha512-Oa2M9atig69ZkfwiApY8F2Yy+tzMbazyvqv21R0NsSC8floSOC09BbT1ITWAdoMGQvJ/aZnR1KMwdx9tvHnTNA==", - "dev": true, - "license": "MIT", - "dependencies": { - "escape-string-regexp": "^1.0.5" - }, - "engines": { - "node": ">=4" - } - }, - "node_modules/inquirer/node_modules/has-flag": { - "version": "3.0.0", - "resolved": "http://localhost:4873/has-flag/-/has-flag-3.0.0.tgz", - "integrity": "sha512-sKJf1+ceQBr4SMkvQnBDNDtf4TXpVhVGateu0t918bl30FnbE2m4vNLX+VWe/dpjlb+HugGYzW7uQXH98HPEYw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=4" - } - }, - "node_modules/inquirer/node_modules/strip-ansi": { - "version": "5.2.0", - "resolved": "http://localhost:4873/strip-ansi/-/strip-ansi-5.2.0.tgz", - "integrity": "sha512-DuRs1gKbBqsMKIZlrffwlug8MHkcnpjs5VPmL1PAh+mA30U0DTotfDZ0d2UUsXpPmPmMMJ6W773MaA3J+lbiWA==", - "dev": true, - "license": "MIT", - "dependencies": { - "ansi-regex": "^4.1.0" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/inquirer/node_modules/supports-color": { - "version": "5.5.0", - "resolved": "http://localhost:4873/supports-color/-/supports-color-5.5.0.tgz", - "integrity": "sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==", - "dev": true, - "license": "MIT", - "dependencies": { - "has-flag": "^3.0.0" - }, - "engines": { - "node": ">=4" - } - }, - "node_modules/internal-slot": { - "version": "1.1.0", - "resolved": "http://localhost:4873/internal-slot/-/internal-slot-1.1.0.tgz", - "integrity": "sha512-4gd7VpWNQNB4UKKCFFVcp1AVv+FMOgs9NKzjHKusc8jTMhd5eL1NqQqOpE0KzMds804/yHlglp3uxgluOqAPLw==", - "dev": true, - "license": "MIT", - "dependencies": { - "es-errors": "^1.3.0", - "hasown": "^2.0.2", - "side-channel": "^1.1.0" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/interpret": { - "version": "1.4.0", - "resolved": "http://localhost:4873/interpret/-/interpret-1.4.0.tgz", - "integrity": "sha512-agE4QfB2Lkp9uICn7BAqoscw4SZP9kTE2hxiFI3jBPmXJfdqiahTbUuKGsMoN2GtqL9AxhYioAcVvgsb1HvRbA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.10" - } - }, - "node_modules/intl-messageformat": { - "version": "4.4.0", - "resolved": "http://localhost:4873/intl-messageformat/-/intl-messageformat-4.4.0.tgz", - "integrity": "sha512-z+Bj2rS3LZSYU4+sNitdHrwnBhr0wO80ZJSW8EzKDBowwUe3Q/UsvgCGjrwa+HPzoGCLEb9HAjfJgo4j2Sac8w==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "intl-messageformat-parser": "^1.8.1" - } - }, - "node_modules/intl-messageformat-parser": { - "version": "1.8.1", - "resolved": "http://localhost:4873/intl-messageformat-parser/-/intl-messageformat-parser-1.8.1.tgz", - "integrity": "sha512-IMSCKVf0USrM/959vj3xac7s8f87sc+80Y/ipBzdKy4ifBv5Gsj2tZ41EAaURVg01QU71fYr77uA8Meh6kELbg==", - "deprecated": "We've written a new parser that's 6x faster and is backwards compatible. Please use @formatjs/icu-messageformat-parser", - "dev": true, - "license": "BSD-3-Clause" - }, - "node_modules/ipaddr.js": { - "version": "1.9.1", - "resolved": "http://localhost:4873/ipaddr.js/-/ipaddr.js-1.9.1.tgz", - "integrity": "sha512-0KI/607xoxSToH7GjN1FfSbLoU0+btTicjsQSWQlh/hZykN8KpmMf7uYwPW3R+akZ6R/w18ZlXSHBYXiYUPO3g==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.10" - } - }, - "node_modules/irregular-plurals": { - "version": "3.5.0", - "resolved": "http://localhost:4873/irregular-plurals/-/irregular-plurals-3.5.0.tgz", - "integrity": "sha512-1ANGLZ+Nkv1ptFb2pa8oG8Lem4krflKuX/gINiHJHjJUKaJHk/SXk5x6K3J+39/p0h1RQ2saROclJJ+QLvETCQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/is-accessor-descriptor": { - "version": "1.0.1", - "resolved": "http://localhost:4873/is-accessor-descriptor/-/is-accessor-descriptor-1.0.1.tgz", - "integrity": "sha512-YBUanLI8Yoihw923YeFUS5fs0fF2f5TSFTNiYAAzhhDscDa3lEqYuz1pDOEP5KvX94I9ey3vsqjJcLVFVU+3QA==", - "dev": true, - "license": "MIT", - "dependencies": { - "hasown": "^2.0.0" - }, - "engines": { - "node": ">= 0.10" - } - }, - "node_modules/is-arguments": { - "version": "1.2.0", - "resolved": "http://localhost:4873/is-arguments/-/is-arguments-1.2.0.tgz", - "integrity": "sha512-7bVbi0huj/wrIAOzb8U1aszg9kdi3KN/CyU19CTI7tAoZYEZoL9yCDXpbXN+uPsuWnP02cyug1gleqq+TU+YCA==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bound": "^1.0.2", - "has-tostringtag": "^1.0.2" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/is-array-buffer": { - "version": "3.0.5", - "resolved": "http://localhost:4873/is-array-buffer/-/is-array-buffer-3.0.5.tgz", - "integrity": "sha512-DDfANUiiG2wC1qawP66qlTugJeL5HyzMpfr8lLK+jMQirGzNod0B12cFB/9q838Ru27sBwfw78/rdoU7RERz6A==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind": "^1.0.8", - "call-bound": "^1.0.3", - "get-intrinsic": "^1.2.6" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/is-arrayish": { - "version": "0.2.1", - "resolved": "http://localhost:4873/is-arrayish/-/is-arrayish-0.2.1.tgz", - "integrity": "sha512-zz06S8t0ozoDXMG+ube26zeCTNXcKIPJZJi8hBrF4idCLms4CG9QtK7qBl1boi5ODzFpjswb5JPmHCbMpjaYzg==", - "dev": true, - "license": "MIT" - }, - "node_modules/is-async-function": { - "version": "2.1.1", - "resolved": "http://localhost:4873/is-async-function/-/is-async-function-2.1.1.tgz", - "integrity": "sha512-9dgM/cZBnNvjzaMYHVoxxfPj2QXt22Ev7SuuPrs+xav0ukGB0S6d4ydZdEiM48kLx5kDV+QBPrpVnFyefL8kkQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "async-function": "^1.0.0", - "call-bound": "^1.0.3", - "get-proto": "^1.0.1", - "has-tostringtag": "^1.0.2", - "safe-regex-test": "^1.1.0" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/is-bigint": { - "version": "1.1.0", - "resolved": "http://localhost:4873/is-bigint/-/is-bigint-1.1.0.tgz", - "integrity": "sha512-n4ZT37wG78iz03xPRKJrHTdZbe3IicyucEtdRsV5yglwc3GyUfbAfpSeD0FJ41NbUNSt5wbhqfp1fS+BgnvDFQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "has-bigints": "^1.0.2" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/is-binary-path": { - "version": "2.1.0", - "resolved": "http://localhost:4873/is-binary-path/-/is-binary-path-2.1.0.tgz", - "integrity": "sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==", - "dev": true, - "license": "MIT", - "dependencies": { - "binary-extensions": "^2.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/is-boolean-object": { - "version": "1.2.2", - "resolved": "http://localhost:4873/is-boolean-object/-/is-boolean-object-1.2.2.tgz", - "integrity": "sha512-wa56o2/ElJMYqjCjGkXri7it5FbebW5usLw/nPmCMs5DeZ7eziSYZhSmPRn0txqeW4LnAmQQU7FgqLpsEFKM4A==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bound": "^1.0.3", - "has-tostringtag": "^1.0.2" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/is-buffer": { - "version": "1.1.6", - "resolved": "http://localhost:4873/is-buffer/-/is-buffer-1.1.6.tgz", - "integrity": "sha512-NcdALwpXkTm5Zvvbk7owOUSvVvBKDgKP5/ewfXEznmQFfs4ZRmanOeKBTjRVjka3QFoN6XJ+9F3USqfHqTaU5w==", - "dev": true, - "license": "MIT" - }, - "node_modules/is-callable": { - "version": "1.2.7", - "resolved": "http://localhost:4873/is-callable/-/is-callable-1.2.7.tgz", - "integrity": "sha512-1BC0BVFhS/p0qtw6enp8e+8OD0UrK0oFLztSjNzhcKA3WDuJxxAPXzPuPtKkjEY9UUoEWlX/8fgKeu2S8i9JTA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/is-ci": { - "version": "2.0.0", - "resolved": "http://localhost:4873/is-ci/-/is-ci-2.0.0.tgz", - "integrity": "sha512-YfJT7rkpQB0updsdHLGWrvhBJfcfzNNawYDNIyQXJz0IViGf75O8EBPKSdvw2rF+LGCsX4FZ8tcr3b19LcZq4w==", - "dev": true, - "license": "MIT", - "dependencies": { - "ci-info": "^2.0.0" - }, - "bin": { - "is-ci": "bin.js" - } - }, - "node_modules/is-core-module": { - "version": "2.16.1", - "resolved": "http://localhost:4873/is-core-module/-/is-core-module-2.16.1.tgz", - "integrity": "sha512-UfoeMA6fIJ8wTYFEUjelnaGI67v6+N7qXJEvQuIGa99l4xsCruSYOVSQ0uPANn4dAzm8lkYPaKLrrijLq7x23w==", - "dev": true, - "license": "MIT", - "dependencies": { - "hasown": "^2.0.2" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/is-data-descriptor": { - "version": "1.0.1", - "resolved": "http://localhost:4873/is-data-descriptor/-/is-data-descriptor-1.0.1.tgz", - "integrity": "sha512-bc4NlCDiCr28U4aEsQ3Qs2491gVq4V8G7MQyws968ImqjKuYtTJXrl7Vq7jsN7Ly/C3xj5KWFrY7sHNeDkAzXw==", - "dev": true, - "license": "MIT", - "dependencies": { - "hasown": "^2.0.0" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/is-data-view": { - "version": "1.0.2", - "resolved": "http://localhost:4873/is-data-view/-/is-data-view-1.0.2.tgz", - "integrity": "sha512-RKtWF8pGmS87i2D6gqQu/l7EYRlVdfzemCJN/P3UOs//x1QE7mfhvzHIApBTRf7axvT6DMGwSwBXYCT0nfB9xw==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bound": "^1.0.2", - "get-intrinsic": "^1.2.6", - "is-typed-array": "^1.1.13" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/is-date-object": { - "version": "1.1.0", - "resolved": "http://localhost:4873/is-date-object/-/is-date-object-1.1.0.tgz", - "integrity": "sha512-PwwhEakHVKTdRNVOw+/Gyh0+MzlCl4R6qKvkhuvLtPMggI1WAHt9sOwZxQLSGpUaDnrdyDsomoRgNnCfKNSXXg==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bound": "^1.0.2", - "has-tostringtag": "^1.0.2" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/is-descriptor": { - "version": "1.0.3", - "resolved": "http://localhost:4873/is-descriptor/-/is-descriptor-1.0.3.tgz", - "integrity": "sha512-JCNNGbwWZEVaSPtS45mdtrneRWJFp07LLmykxeFV5F6oBvNF8vHSfJuJgoT472pSfk+Mf8VnlrspaFBHWM8JAw==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-accessor-descriptor": "^1.0.1", - "is-data-descriptor": "^1.0.1" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/is-directory": { - "version": "0.3.1", - "resolved": "http://localhost:4873/is-directory/-/is-directory-0.3.1.tgz", - "integrity": "sha512-yVChGzahRFvbkscn2MlwGismPO12i9+znNruC5gVEntG3qu0xQMzsGg/JFbrsqDOHtHFPci+V5aP5T9I+yeKqw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/is-docker": { - "version": "2.2.1", - "resolved": "http://localhost:4873/is-docker/-/is-docker-2.2.1.tgz", - "integrity": "sha512-F+i2BKsFrH66iaUFc0woD8sLy8getkwTwtOBjvs56Cx4CgJDeKQeqfz8wAYiSb8JOprWhHH5p77PbmYCvvUuXQ==", - "dev": true, - "license": "MIT", - "bin": { - "is-docker": "cli.js" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/is-extendable": { - "version": "1.0.1", - "resolved": "http://localhost:4873/is-extendable/-/is-extendable-1.0.1.tgz", - "integrity": "sha512-arnXMxT1hhoKo9k1LZdmlNyJdDDfy2v0fXjFlmok4+i8ul/6WlbVge9bhM74OpNPQPMGUToDtz+KXa1PneJxOA==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-plain-object": "^2.0.4" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/is-extglob": { - "version": "2.1.1", - "resolved": "http://localhost:4873/is-extglob/-/is-extglob-2.1.1.tgz", - "integrity": "sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/is-finalizationregistry": { - "version": "1.1.1", - "resolved": "http://localhost:4873/is-finalizationregistry/-/is-finalizationregistry-1.1.1.tgz", - "integrity": "sha512-1pC6N8qWJbWoPtEjgcL2xyhQOP491EQjeUo3qTKcmV8YSDDJrOepfG8pcC7h/QgnQHYSv0mJ3Z/ZWxmatVrysg==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bound": "^1.0.3" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/is-fullwidth-code-point": { - "version": "2.0.0", - "resolved": "http://localhost:4873/is-fullwidth-code-point/-/is-fullwidth-code-point-2.0.0.tgz", - "integrity": "sha512-VHskAKYM8RfSFXwee5t5cbN5PZeq1Wrh6qd5bkyiXIf6UQcN6w/A0eXM9r6t8d+GYOh+o6ZhiEnb88LN/Y8m2w==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=4" - } - }, - "node_modules/is-generator-fn": { - "version": "2.1.0", - "resolved": "http://localhost:4873/is-generator-fn/-/is-generator-fn-2.1.0.tgz", - "integrity": "sha512-cTIB4yPYL/Grw0EaSzASzg6bBy9gqCofvWN8okThAYIxKJZC+udlRAmGbM0XLeniEJSs8uEgHPGuHSe1XsOLSQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/is-generator-function": { - "version": "1.1.0", - "resolved": "http://localhost:4873/is-generator-function/-/is-generator-function-1.1.0.tgz", - "integrity": "sha512-nPUB5km40q9e8UfN/Zc24eLlzdSf9OfKByBw9CIdw4H1giPMeA0OIJvbchsCu4npfI2QcMVBsGEBHKZ7wLTWmQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bound": "^1.0.3", - "get-proto": "^1.0.0", - "has-tostringtag": "^1.0.2", - "safe-regex-test": "^1.1.0" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/is-glob": { - "version": "4.0.3", - "resolved": "http://localhost:4873/is-glob/-/is-glob-4.0.3.tgz", - "integrity": "sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-extglob": "^2.1.1" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/is-interactive": { - "version": "1.0.0", - "resolved": "http://localhost:4873/is-interactive/-/is-interactive-1.0.0.tgz", - "integrity": "sha512-2HvIEKRoqS62guEC+qBjpvRubdX910WCMuJTZ+I9yvqKU2/12eSL549HMwtabb4oupdj2sMP50k+XJfB/8JE6w==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/is-map": { - "version": "2.0.3", - "resolved": "http://localhost:4873/is-map/-/is-map-2.0.3.tgz", - "integrity": "sha512-1Qed0/Hr2m+YqxnM09CjA2d/i6YZNfF6R2oRAOj36eUdS6qIV/huPJNSEpKbupewFs+ZsJlxsjjPbc0/afW6Lw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/is-node-process": { - "version": "1.2.0", - "resolved": "http://localhost:4873/is-node-process/-/is-node-process-1.2.0.tgz", - "integrity": "sha512-Vg4o6/fqPxIjtxgUH5QLJhwZ7gW5diGCVlXpuUfELC62CuxM1iHcRe51f2W1FDy04Ai4KJkagKjx3XaqyfRKXw==", - "dev": true, - "license": "MIT" - }, - "node_modules/is-number": { - "version": "7.0.0", - "resolved": "http://localhost:4873/is-number/-/is-number-7.0.0.tgz", - "integrity": "sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.12.0" - } - }, - "node_modules/is-number-object": { - "version": "1.1.1", - "resolved": "http://localhost:4873/is-number-object/-/is-number-object-1.1.1.tgz", - "integrity": "sha512-lZhclumE1G6VYD8VHe35wFaIif+CTy5SJIi5+3y4psDgWu4wPDoBhF8NxUOinEc7pHgiTsT6MaBb92rKhhD+Xw==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bound": "^1.0.3", - "has-tostringtag": "^1.0.2" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/is-obj": { - "version": "2.0.0", - "resolved": "http://localhost:4873/is-obj/-/is-obj-2.0.0.tgz", - "integrity": "sha512-drqDG3cbczxxEJRoOXcOjtdp1J/lyp1mNn0xaznRs8+muBhgQcrnbspox5X5fOw0HnMnbfDzvnEMEtqDEJEo8w==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/is-path-inside": { - "version": "3.0.3", - "resolved": "http://localhost:4873/is-path-inside/-/is-path-inside-3.0.3.tgz", - "integrity": "sha512-Fd4gABb+ycGAmKou8eMftCupSir5lRxqf4aD/vd0cD2qc4HL07OjCeuHMr8Ro4CoMaeCKDB0/ECBOVWjTwUvPQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/is-plain-obj": { - "version": "3.0.0", - "resolved": "http://localhost:4873/is-plain-obj/-/is-plain-obj-3.0.0.tgz", - "integrity": "sha512-gwsOE28k+23GP1B6vFl1oVh/WOzmawBrKwo5Ev6wMKzPkaXaCDIQKzLnvsA42DRlbVTWorkgTKIviAKCWkfUwA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/is-plain-object": { - "version": "2.0.4", - "resolved": "http://localhost:4873/is-plain-object/-/is-plain-object-2.0.4.tgz", - "integrity": "sha512-h5PpgXkWitc38BBMYawTYMWJHFZJVnBquFE57xFpjB8pJFiF6gZ+bU+WyI/yqXiFR5mdLsgYNaPe8uao6Uv9Og==", - "dev": true, - "license": "MIT", - "dependencies": { - "isobject": "^3.0.1" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/is-potential-custom-element-name": { - "version": "1.0.1", - "resolved": "http://localhost:4873/is-potential-custom-element-name/-/is-potential-custom-element-name-1.0.1.tgz", - "integrity": "sha512-bCYeRA2rVibKZd+s2625gGnGF/t7DSqDs4dP7CrLA1m7jKWz6pps0LpYLJN8Q64HtmPKJ1hrN3nzPNKFEKOUiQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/is-regex": { - "version": "1.2.1", - "resolved": "http://localhost:4873/is-regex/-/is-regex-1.2.1.tgz", - "integrity": "sha512-MjYsKHO5O7mCsmRGxWcLWheFqN9DJ/2TmngvjKXihe6efViPqc274+Fx/4fYj/r03+ESvBdTXK0V6tA3rgez1g==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bound": "^1.0.2", - "gopd": "^1.2.0", - "has-tostringtag": "^1.0.2", - "hasown": "^2.0.2" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/is-set": { - "version": "2.0.3", - "resolved": "http://localhost:4873/is-set/-/is-set-2.0.3.tgz", - "integrity": "sha512-iPAjerrse27/ygGLxw+EBR9agv9Y6uLeYVJMu+QNCoouJ1/1ri0mGrcWpfCqFZuzzx3WjtwxG098X+n4OuRkPg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/is-shared-array-buffer": { - "version": "1.0.4", - "resolved": "http://localhost:4873/is-shared-array-buffer/-/is-shared-array-buffer-1.0.4.tgz", - "integrity": "sha512-ISWac8drv4ZGfwKl5slpHG9OwPNty4jOWPRIhBpxOoD+hqITiwuipOQ2bNthAzwA3B4fIjO4Nln74N0S9byq8A==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bound": "^1.0.3" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/is-stream": { - "version": "2.0.1", - "resolved": "http://localhost:4873/is-stream/-/is-stream-2.0.1.tgz", - "integrity": "sha512-hFoiJiTl63nn+kstHGBtewWSKnQLpyb155KHheA1l39uvtO9nWIop1p3udqPcUd/xbF1VLMO4n7OI6p7RbngDg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/is-string": { - "version": "1.1.1", - "resolved": "http://localhost:4873/is-string/-/is-string-1.1.1.tgz", - "integrity": "sha512-BtEeSsoaQjlSPBemMQIrY1MY0uM6vnS1g5fmufYOtnxLGUZM2178PKbhsk7Ffv58IX+ZtcvoGwccYsh0PglkAA==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bound": "^1.0.3", - "has-tostringtag": "^1.0.2" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/is-symbol": { - "version": "1.1.1", - "resolved": "http://localhost:4873/is-symbol/-/is-symbol-1.1.1.tgz", - "integrity": "sha512-9gGx6GTtCQM73BgmHQXfDmLtfjjTUDSyoxTCbp5WtoixAhfgsDirWIcVQ/IHpvI5Vgd5i/J5F7B9cN/WlVbC/w==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bound": "^1.0.2", - "has-symbols": "^1.1.0", - "safe-regex-test": "^1.1.0" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/is-typed-array": { - "version": "1.1.15", - "resolved": "http://localhost:4873/is-typed-array/-/is-typed-array-1.1.15.tgz", - "integrity": "sha512-p3EcsicXjit7SaskXHs1hA91QxgTw46Fv6EFKKGS5DRFLD8yKnohjF3hxoju94b/OcMZoQukzpPpBE9uLVKzgQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "which-typed-array": "^1.1.16" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/is-typedarray": { - "version": "1.0.0", - "resolved": "http://localhost:4873/is-typedarray/-/is-typedarray-1.0.0.tgz", - "integrity": "sha512-cyA56iCMHAh5CdzjJIa4aohJyeO1YbwLi3Jc35MmRU6poroFjIGZzUzupGiRPOjgHg9TLu43xbpwXk523fMxKA==", - "dev": true, - "license": "MIT" - }, - "node_modules/is-unicode-supported": { - "version": "0.1.0", - "resolved": "http://localhost:4873/is-unicode-supported/-/is-unicode-supported-0.1.0.tgz", - "integrity": "sha512-knxG2q4UC3u8stRGyAVJCOdxFmv5DZiRcdlIaAQXAbSfJya+OhopNotLQrstBhququ4ZpuKbDc/8S6mgXgPFPw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/is-weakmap": { - "version": "2.0.2", - "resolved": "http://localhost:4873/is-weakmap/-/is-weakmap-2.0.2.tgz", - "integrity": "sha512-K5pXYOm9wqY1RgjpL3YTkF39tni1XajUIkawTLUo9EZEVUFga5gSQJF8nNS7ZwJQ02y+1YCNYcMh+HIf1ZqE+w==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/is-weakref": { - "version": "1.1.1", - "resolved": "http://localhost:4873/is-weakref/-/is-weakref-1.1.1.tgz", - "integrity": "sha512-6i9mGWSlqzNMEqpCp93KwRS1uUOodk2OJ6b+sq7ZPDSy2WuI5NFIxp/254TytR8ftefexkWn5xNiHUNpPOfSew==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bound": "^1.0.3" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/is-weakset": { - "version": "2.0.4", - "resolved": "http://localhost:4873/is-weakset/-/is-weakset-2.0.4.tgz", - "integrity": "sha512-mfcwb6IzQyOKTs84CQMrOwW4gQcaTOAWJ0zzJCl2WSPDrWk/OzDaImWFH3djXhb24g4eudZfLRozAvPGw4d9hQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bound": "^1.0.3", - "get-intrinsic": "^1.2.6" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/is-what": { - "version": "4.1.16", - "resolved": "http://localhost:4873/is-what/-/is-what-4.1.16.tgz", - "integrity": "sha512-ZhMwEosbFJkA0YhFnNDgTM4ZxDRsS6HqTo7qsZM08fehyRYIYa0yHu5R6mgo1n/8MgaPBXiPimPD77baVFYg+A==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=12.13" - }, - "funding": { - "url": "https://github.com/sponsors/mesqueeb" - } - }, - "node_modules/is-windows": { - "version": "1.0.2", - "resolved": "http://localhost:4873/is-windows/-/is-windows-1.0.2.tgz", - "integrity": "sha512-eXK1UInq2bPmjyX6e3VHIzMLobc4J94i4AWn+Hpq3OU5KkrRC96OAcR3PRJ/pGu6m8TRnBHP9dkXQVsT/COVIA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/is-wsl": { - "version": "2.2.0", - "resolved": "http://localhost:4873/is-wsl/-/is-wsl-2.2.0.tgz", - "integrity": "sha512-fKzAra0rGJUUBwGBgNkHZuToZcn+TtXHpeCgmkMJMMYx1sQDYaCSyjJBSCa2nH1DGm7s3n1oBnohoVTBaN7Lww==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-docker": "^2.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/isarray": { - "version": "1.0.0", - "resolved": "http://localhost:4873/isarray/-/isarray-1.0.0.tgz", - "integrity": "sha512-VLghIWNM6ELQzo7zwmcg0NmTVyWKYjvIeM83yjp0wRDTmUnrM678fQbcKBo6n2CJEF0szoG//ytg+TKla89ALQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/isexe": { - "version": "2.0.0", - "resolved": "http://localhost:4873/isexe/-/isexe-2.0.0.tgz", - "integrity": "sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==", - "dev": true, - "license": "ISC" - }, - "node_modules/isobject": { - "version": "3.0.1", - "resolved": "http://localhost:4873/isobject/-/isobject-3.0.1.tgz", - "integrity": "sha512-WhB9zCku7EGTj/HQQRz5aUQEUeoQZH2bWcltRErOpymJ4boYE6wL9Tbr23krRPSZ+C5zqNSrSw+Cc7sZZ4b7vg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/isomorphic-fetch": { - "version": "3.0.0", - "resolved": "http://localhost:4873/isomorphic-fetch/-/isomorphic-fetch-3.0.0.tgz", - "integrity": "sha512-qvUtwJ3j6qwsF3jLxkZ72qCgjMysPzDfeV240JHiGZsANBYd+EEuu35v7dfrJ9Up0Ak07D7GGSkGhCHTqg/5wA==", - "dev": true, - "license": "MIT", - "dependencies": { - "node-fetch": "^2.6.1", - "whatwg-fetch": "^3.4.1" - } - }, - "node_modules/istanbul-lib-coverage": { - "version": "3.2.2", - "resolved": "http://localhost:4873/istanbul-lib-coverage/-/istanbul-lib-coverage-3.2.2.tgz", - "integrity": "sha512-O8dpsF+r0WV/8MNRKfnmrtCWhuKjxrq2w+jpzBL5UZKTi2LeVWnWOmWRxFlesJONmc+wLAGvKQZEOanko0LFTg==", - "dev": true, - "license": "BSD-3-Clause", - "engines": { - "node": ">=8" - } - }, - "node_modules/istanbul-lib-instrument": { - "version": "5.2.1", - "resolved": "http://localhost:4873/istanbul-lib-instrument/-/istanbul-lib-instrument-5.2.1.tgz", - "integrity": "sha512-pzqtp31nLv/XFOzXGuvhCb8qhjmTVo5vjVk19XE4CRlSWz0KoeJ3bw9XsA7nOp9YBf4qHjwBxkDzKcME/J29Yg==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "@babel/core": "^7.12.3", - "@babel/parser": "^7.14.7", - "@istanbuljs/schema": "^0.1.2", - "istanbul-lib-coverage": "^3.2.0", - "semver": "^6.3.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/istanbul-lib-instrument/node_modules/semver": { - "version": "6.3.1", - "resolved": "http://localhost:4873/semver/-/semver-6.3.1.tgz", - "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", - "dev": true, - "license": "ISC", - "bin": { - "semver": "bin/semver.js" - } - }, - "node_modules/istanbul-lib-report": { - "version": "3.0.1", - "resolved": "http://localhost:4873/istanbul-lib-report/-/istanbul-lib-report-3.0.1.tgz", - "integrity": "sha512-GCfE1mtsHGOELCU8e/Z7YWzpmybrx/+dSTfLrvY8qRmaY6zXTKWn6WQIjaAFw069icm6GVMNkgu0NzI4iPZUNw==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "istanbul-lib-coverage": "^3.0.0", - "make-dir": "^4.0.0", - "supports-color": "^7.1.0" - }, - "engines": { - "node": ">=10" - } - }, - "node_modules/istanbul-lib-report/node_modules/make-dir": { - "version": "4.0.0", - "resolved": "http://localhost:4873/make-dir/-/make-dir-4.0.0.tgz", - "integrity": "sha512-hXdUTZYIVOt1Ex//jAQi+wTZZpUpwBj/0QsOzqegb3rGMMeJiSEu5xLHnYfBrRV4RH2+OCSOO95Is/7x1WJ4bw==", - "dev": true, - "license": "MIT", - "dependencies": { - "semver": "^7.5.3" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/istanbul-lib-source-maps": { - "version": "4.0.1", - "resolved": "http://localhost:4873/istanbul-lib-source-maps/-/istanbul-lib-source-maps-4.0.1.tgz", - "integrity": "sha512-n3s8EwkdFIJCG3BPKBYvskgXGoy88ARzvegkitk60NxRdwltLOTaH7CUiMRXvwYorl0Q712iEjcWB+fK/MrWVw==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "debug": "^4.1.1", - "istanbul-lib-coverage": "^3.0.0", - "source-map": "^0.6.1" - }, - "engines": { - "node": ">=10" - } - }, - "node_modules/istanbul-lib-source-maps/node_modules/source-map": { - "version": "0.6.1", - "resolved": "http://localhost:4873/source-map/-/source-map-0.6.1.tgz", - "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==", - "dev": true, - "license": "BSD-3-Clause", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/istanbul-reports": { - "version": "3.1.7", - "resolved": "http://localhost:4873/istanbul-reports/-/istanbul-reports-3.1.7.tgz", - "integrity": "sha512-BewmUXImeuRk2YY0PVbxgKAysvhRPUQE0h5QRM++nVWyubKGV0l8qQ5op8+B2DOmwSe63Jivj0BjkPQVf8fP5g==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "html-escaper": "^2.0.0", - "istanbul-lib-report": "^3.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/iterator.prototype": { - "version": "1.1.5", - "resolved": "http://localhost:4873/iterator.prototype/-/iterator.prototype-1.1.5.tgz", - "integrity": "sha512-H0dkQoCa3b2VEeKQBOxFph+JAbcrQdE7KC0UkqwpLmv2EC4P41QXP+rqo9wYodACiG5/WM5s9oDApTU8utwj9g==", - "dev": true, - "license": "MIT", - "dependencies": { - "define-data-property": "^1.1.4", - "es-object-atoms": "^1.0.0", - "get-intrinsic": "^1.2.6", - "get-proto": "^1.0.0", - "has-symbols": "^1.1.0", - "set-function-name": "^2.0.2" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/jest": { - "version": "26.6.3", - "resolved": "http://localhost:4873/jest/-/jest-26.6.3.tgz", - "integrity": "sha512-lGS5PXGAzR4RF7V5+XObhqz2KZIDUA1yD0DG6pBVmy10eh0ZIXQImRuzocsI/N2XZ1GrLFwTS27In2i2jlpq1Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/core": "^26.6.3", - "import-local": "^3.0.2", - "jest-cli": "^26.6.3" - }, - "bin": { - "jest": "bin/jest.js" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-changed-files": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-changed-files/-/jest-changed-files-26.6.2.tgz", - "integrity": "sha512-fDS7szLcY9sCtIip8Fjry9oGf3I2ht/QT21bAHm5Dmf0mD4X3ReNUf17y+bO6fR8WgbIZTlbyG1ak/53cbRzKQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^26.6.2", - "execa": "^4.0.0", - "throat": "^5.0.0" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-cli": { - "version": "26.6.3", - "resolved": "http://localhost:4873/jest-cli/-/jest-cli-26.6.3.tgz", - "integrity": "sha512-GF9noBSa9t08pSyl3CY4frMrqp+aQXFGFkf5hEPbh/pIUFYWMK6ZLTfbmadxJVcJrdRoChlWQsA2VkJcDFK8hg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/core": "^26.6.3", - "@jest/test-result": "^26.6.2", - "@jest/types": "^26.6.2", - "chalk": "^4.0.0", - "exit": "^0.1.2", - "graceful-fs": "^4.2.4", - "import-local": "^3.0.2", - "is-ci": "^2.0.0", - "jest-config": "^26.6.3", - "jest-util": "^26.6.2", - "jest-validate": "^26.6.2", - "prompts": "^2.0.1", - "yargs": "^15.4.1" - }, - "bin": { - "jest": "bin/jest.js" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-config": { - "version": "26.6.3", - "resolved": "http://localhost:4873/jest-config/-/jest-config-26.6.3.tgz", - "integrity": "sha512-t5qdIj/bCj2j7NFVHb2nFB4aUdfucDn3JRKgrZnplb8nieAirAzRSHP8uDEd+qV6ygzg9Pz4YG7UTJf94LPSyg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/core": "^7.1.0", - "@jest/test-sequencer": "^26.6.3", - "@jest/types": "^26.6.2", - "babel-jest": "^26.6.3", - "chalk": "^4.0.0", - "deepmerge": "^4.2.2", - "glob": "^7.1.1", - "graceful-fs": "^4.2.4", - "jest-environment-jsdom": "^26.6.2", - "jest-environment-node": "^26.6.2", - "jest-get-type": "^26.3.0", - "jest-jasmine2": "^26.6.3", - "jest-regex-util": "^26.0.0", - "jest-resolve": "^26.6.2", - "jest-util": "^26.6.2", - "jest-validate": "^26.6.2", - "micromatch": "^4.0.2", - "pretty-format": "^26.6.2" - }, - "engines": { - "node": ">= 10.14.2" - }, - "peerDependencies": { - "ts-node": ">=9.0.0" - }, - "peerDependenciesMeta": { - "ts-node": { - "optional": true - } - } - }, - "node_modules/jest-config/node_modules/jest-get-type": { - "version": "26.3.0", - "resolved": "http://localhost:4873/jest-get-type/-/jest-get-type-26.3.0.tgz", - "integrity": "sha512-TpfaviN1R2pQWkIihlfEanwOXK0zcxrKEE4MlU6Tn7keoXdN6/3gK/xl0yEh8DOunn5pOVGKf8hB4R9gVh04ig==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-config/node_modules/pretty-format": { - "version": "26.6.2", - "resolved": "http://localhost:4873/pretty-format/-/pretty-format-26.6.2.tgz", - "integrity": "sha512-7AeGuCYNGmycyQbCqd/3PWH4eOoX/OiCa0uphp57NVTeAGdJGaAliecxwBDHYQCIvrW7aDBZCYeNTP/WX69mkg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^26.6.2", - "ansi-regex": "^5.0.0", - "ansi-styles": "^4.0.0", - "react-is": "^17.0.1" - }, - "engines": { - "node": ">= 10" - } - }, - "node_modules/jest-config/node_modules/react-is": { - "version": "17.0.2", - "resolved": "http://localhost:4873/react-is/-/react-is-17.0.2.tgz", - "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==", - "dev": true, - "license": "MIT" - }, - "node_modules/jest-diff": { - "version": "29.7.0", - "resolved": "http://localhost:4873/jest-diff/-/jest-diff-29.7.0.tgz", - "integrity": "sha512-LMIgiIrhigmPrs03JHpxUh2yISK3vLFPkAodPeo0+BuF7wA2FoQbkEg1u8gBYBThncu7e1oEDUfIXVuTqLRUjw==", - "dev": true, - "license": "MIT", - "dependencies": { - "chalk": "^4.0.0", - "diff-sequences": "^29.6.3", - "jest-get-type": "^29.6.3", - "pretty-format": "^29.7.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-diff/node_modules/ansi-styles": { - "version": "5.2.0", - "resolved": "http://localhost:4873/ansi-styles/-/ansi-styles-5.2.0.tgz", - "integrity": "sha512-Cxwpt2SfTzTtXcfOlzGEee8O+c+MmUgGrNiBcXnuWxuFJHe6a5Hz7qwhwe5OgaSYI0IJvkLqWX1ASG+cJOkEiA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/chalk/ansi-styles?sponsor=1" - } - }, - "node_modules/jest-diff/node_modules/pretty-format": { - "version": "29.7.0", - "resolved": "http://localhost:4873/pretty-format/-/pretty-format-29.7.0.tgz", - "integrity": "sha512-Pdlw/oPxN+aXdmM9R00JVC9WVFoCLTKJvDVLgmJ+qAffBMxsV85l/Lu7sNx4zSzPyoL2euImuEwHhOXdEgNFZQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/schemas": "^29.6.3", - "ansi-styles": "^5.0.0", - "react-is": "^18.0.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-diff/node_modules/react-is": { - "version": "18.3.1", - "resolved": "http://localhost:4873/react-is/-/react-is-18.3.1.tgz", - "integrity": "sha512-/LLMVyas0ljjAtoYiPqYiL8VWXzUUdThrmU5+n20DZv+a+ClRoevUzw5JxU+Ieh5/c87ytoTBV9G1FiKfNJdmg==", - "dev": true, - "license": "MIT" - }, - "node_modules/jest-docblock": { - "version": "26.0.0", - "resolved": "http://localhost:4873/jest-docblock/-/jest-docblock-26.0.0.tgz", - "integrity": "sha512-RDZ4Iz3QbtRWycd8bUEPxQsTlYazfYn/h5R65Fc6gOfwozFhoImx+affzky/FFBuqISPTqjXomoIGJVKBWoo0w==", - "dev": true, - "license": "MIT", - "dependencies": { - "detect-newline": "^3.0.0" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-each": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-each/-/jest-each-26.6.2.tgz", - "integrity": "sha512-Mer/f0KaATbjl8MCJ+0GEpNdqmnVmDYqCTJYTvoo7rqmRiDllmp2AYN+06F93nXcY3ur9ShIjS+CO/uD+BbH4A==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^26.6.2", - "chalk": "^4.0.0", - "jest-get-type": "^26.3.0", - "jest-util": "^26.6.2", - "pretty-format": "^26.6.2" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-each/node_modules/jest-get-type": { - "version": "26.3.0", - "resolved": "http://localhost:4873/jest-get-type/-/jest-get-type-26.3.0.tgz", - "integrity": "sha512-TpfaviN1R2pQWkIihlfEanwOXK0zcxrKEE4MlU6Tn7keoXdN6/3gK/xl0yEh8DOunn5pOVGKf8hB4R9gVh04ig==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-each/node_modules/pretty-format": { - "version": "26.6.2", - "resolved": "http://localhost:4873/pretty-format/-/pretty-format-26.6.2.tgz", - "integrity": "sha512-7AeGuCYNGmycyQbCqd/3PWH4eOoX/OiCa0uphp57NVTeAGdJGaAliecxwBDHYQCIvrW7aDBZCYeNTP/WX69mkg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^26.6.2", - "ansi-regex": "^5.0.0", - "ansi-styles": "^4.0.0", - "react-is": "^17.0.1" - }, - "engines": { - "node": ">= 10" - } - }, - "node_modules/jest-each/node_modules/react-is": { - "version": "17.0.2", - "resolved": "http://localhost:4873/react-is/-/react-is-17.0.2.tgz", - "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==", - "dev": true, - "license": "MIT" - }, - "node_modules/jest-environment-jsdom": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-environment-jsdom/-/jest-environment-jsdom-26.6.2.tgz", - "integrity": "sha512-jgPqCruTlt3Kwqg5/WVFyHIOJHsiAvhcp2qiR2QQstuG9yWox5+iHpU3ZrcBxW14T4fe5Z68jAfLRh7joCSP2Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/environment": "^26.6.2", - "@jest/fake-timers": "^26.6.2", - "@jest/types": "^26.6.2", - "@types/node": "*", - "jest-mock": "^26.6.2", - "jest-util": "^26.6.2", - "jsdom": "^16.4.0" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-environment-jsdom-global": { - "version": "2.0.4", - "resolved": "http://localhost:4873/jest-environment-jsdom-global/-/jest-environment-jsdom-global-2.0.4.tgz", - "integrity": "sha512-1vB8q+PrszXW4Pf7Zgp3eQ4oNVbA7GY6+jmrg1qi6RtYRWDJ60/xdkhjqAbQpX8BRyvqQJYQi66LXER5YNeHXg==", - "dev": true, - "license": "MIT", - "peerDependencies": { - "jest-environment-jsdom": "22.x || 23.x || 24.x || 25.x || 26.x" - } - }, - "node_modules/jest-environment-node": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-environment-node/-/jest-environment-node-26.6.2.tgz", - "integrity": "sha512-zhtMio3Exty18dy8ee8eJ9kjnRyZC1N4C1Nt/VShN1apyXc8rWGtJ9lI7vqiWcyyXS4BVSEn9lxAM2D+07/Tag==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/environment": "^26.6.2", - "@jest/fake-timers": "^26.6.2", - "@jest/types": "^26.6.2", - "@types/node": "*", - "jest-mock": "^26.6.2", - "jest-util": "^26.6.2" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-expect-message": { - "version": "1.1.3", - "resolved": "http://localhost:4873/jest-expect-message/-/jest-expect-message-1.1.3.tgz", - "integrity": "sha512-bTK77T4P+zto+XepAX3low8XVQxDgaEqh3jSTQOG8qvPpD69LsIdyJTa+RmnJh3HNSzJng62/44RPPc7OIlFxg==", - "dev": true, - "license": "MIT" - }, - "node_modules/jest-fetch-mock": { - "version": "2.1.2", - "resolved": "http://localhost:4873/jest-fetch-mock/-/jest-fetch-mock-2.1.2.tgz", - "integrity": "sha512-tcSR4Lh2bWLe1+0w/IwvNxeDocMI/6yIA2bijZ0fyWxC4kQ18lckQ1n7Yd40NKuisGmcGBRFPandRXrW/ti/Bw==", - "dev": true, - "license": "MIT", - "dependencies": { - "cross-fetch": "^2.2.2", - "promise-polyfill": "^7.1.1" - } - }, - "node_modules/jest-fetch-mock/node_modules/cross-fetch": { - "version": "2.2.6", - "resolved": "http://localhost:4873/cross-fetch/-/cross-fetch-2.2.6.tgz", - "integrity": "sha512-9JZz+vXCmfKUZ68zAptS7k4Nu8e2qcibe7WVZYps7sAgk5R8GYTc+T1WR0v1rlP9HxgARmOX1UTIJZFytajpNA==", - "dev": true, - "license": "MIT", - "dependencies": { - "node-fetch": "^2.6.7", - "whatwg-fetch": "^2.0.4" - } - }, - "node_modules/jest-fetch-mock/node_modules/whatwg-fetch": { - "version": "2.0.4", - "resolved": "http://localhost:4873/whatwg-fetch/-/whatwg-fetch-2.0.4.tgz", - "integrity": "sha512-dcQ1GWpOD/eEQ97k66aiEVpNnapVj90/+R+SXTPYGHpYBBypfKJEQjLrvMZ7YXbKm21gXd4NcuxUTjiv1YtLng==", - "dev": true, - "license": "MIT" - }, - "node_modules/jest-get-type": { - "version": "29.6.3", - "resolved": "http://localhost:4873/jest-get-type/-/jest-get-type-29.6.3.tgz", - "integrity": "sha512-zrteXnqYxfQh7l5FHyL38jL39di8H8rHoecLH3JNxH3BwOrBsNeabdap5e0I23lD4HHI8W5VFBZqG4Eaq5LNcw==", - "dev": true, - "license": "MIT", - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-haste-map": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-haste-map/-/jest-haste-map-26.6.2.tgz", - "integrity": "sha512-easWIJXIw71B2RdR8kgqpjQrbMRWQBgiBwXYEhtGUTaX+doCjBheluShdDMeR8IMfJiTqH4+zfhtg29apJf/8w==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^26.6.2", - "@types/graceful-fs": "^4.1.2", - "@types/node": "*", - "anymatch": "^3.0.3", - "fb-watchman": "^2.0.0", - "graceful-fs": "^4.2.4", - "jest-regex-util": "^26.0.0", - "jest-serializer": "^26.6.2", - "jest-util": "^26.6.2", - "jest-worker": "^26.6.2", - "micromatch": "^4.0.2", - "sane": "^4.0.3", - "walker": "^1.0.7" - }, - "engines": { - "node": ">= 10.14.2" - }, - "optionalDependencies": { - "fsevents": "^2.1.2" - } - }, - "node_modules/jest-jasmine2": { - "version": "26.6.3", - "resolved": "http://localhost:4873/jest-jasmine2/-/jest-jasmine2-26.6.3.tgz", - "integrity": "sha512-kPKUrQtc8aYwBV7CqBg5pu+tmYXlvFlSFYn18ev4gPFtrRzB15N2gW/Roew3187q2w2eHuu0MU9TJz6w0/nPEg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/traverse": "^7.1.0", - "@jest/environment": "^26.6.2", - "@jest/source-map": "^26.6.2", - "@jest/test-result": "^26.6.2", - "@jest/types": "^26.6.2", - "@types/node": "*", - "chalk": "^4.0.0", - "co": "^4.6.0", - "expect": "^26.6.2", - "is-generator-fn": "^2.0.0", - "jest-each": "^26.6.2", - "jest-matcher-utils": "^26.6.2", - "jest-message-util": "^26.6.2", - "jest-runtime": "^26.6.3", - "jest-snapshot": "^26.6.2", - "jest-util": "^26.6.2", - "pretty-format": "^26.6.2", - "throat": "^5.0.0" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-jasmine2/node_modules/diff-sequences": { - "version": "26.6.2", - "resolved": "http://localhost:4873/diff-sequences/-/diff-sequences-26.6.2.tgz", - "integrity": "sha512-Mv/TDa3nZ9sbc5soK+OoA74BsS3mL37yixCvUAQkiuA4Wz6YtwP/K47n2rv2ovzHZvoiQeA5FTQOschKkEwB0Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-jasmine2/node_modules/expect": { - "version": "26.6.2", - "resolved": "http://localhost:4873/expect/-/expect-26.6.2.tgz", - "integrity": "sha512-9/hlOBkQl2l/PLHJx6JjoDF6xPKcJEsUlWKb23rKE7KzeDqUZKXKNMW27KIue5JMdBV9HgmoJPcc8HtO85t9IA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^26.6.2", - "ansi-styles": "^4.0.0", - "jest-get-type": "^26.3.0", - "jest-matcher-utils": "^26.6.2", - "jest-message-util": "^26.6.2", - "jest-regex-util": "^26.0.0" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-jasmine2/node_modules/jest-diff": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-diff/-/jest-diff-26.6.2.tgz", - "integrity": "sha512-6m+9Z3Gv9wN0WFVasqjCL/06+EFCMTqDEUl/b87HYK2rAPTyfz4ZIuSlPhY51PIQRWx5TaxeF1qmXKe9gfN3sA==", - "dev": true, - "license": "MIT", - "dependencies": { - "chalk": "^4.0.0", - "diff-sequences": "^26.6.2", - "jest-get-type": "^26.3.0", - "pretty-format": "^26.6.2" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-jasmine2/node_modules/jest-get-type": { - "version": "26.3.0", - "resolved": "http://localhost:4873/jest-get-type/-/jest-get-type-26.3.0.tgz", - "integrity": "sha512-TpfaviN1R2pQWkIihlfEanwOXK0zcxrKEE4MlU6Tn7keoXdN6/3gK/xl0yEh8DOunn5pOVGKf8hB4R9gVh04ig==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-jasmine2/node_modules/jest-matcher-utils": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-matcher-utils/-/jest-matcher-utils-26.6.2.tgz", - "integrity": "sha512-llnc8vQgYcNqDrqRDXWwMr9i7rS5XFiCwvh6DTP7Jqa2mqpcCBBlpCbn+trkG0KNhPu/h8rzyBkriOtBstvWhw==", - "dev": true, - "license": "MIT", - "dependencies": { - "chalk": "^4.0.0", - "jest-diff": "^26.6.2", - "jest-get-type": "^26.3.0", - "pretty-format": "^26.6.2" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-jasmine2/node_modules/jest-message-util": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-message-util/-/jest-message-util-26.6.2.tgz", - "integrity": "sha512-rGiLePzQ3AzwUshu2+Rn+UMFk0pHN58sOG+IaJbk5Jxuqo3NYO1U2/MIR4S1sKgsoYSXSzdtSa0TgrmtUwEbmA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/code-frame": "^7.0.0", - "@jest/types": "^26.6.2", - "@types/stack-utils": "^2.0.0", - "chalk": "^4.0.0", - "graceful-fs": "^4.2.4", - "micromatch": "^4.0.2", - "pretty-format": "^26.6.2", - "slash": "^3.0.0", - "stack-utils": "^2.0.2" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-jasmine2/node_modules/pretty-format": { - "version": "26.6.2", - "resolved": "http://localhost:4873/pretty-format/-/pretty-format-26.6.2.tgz", - "integrity": "sha512-7AeGuCYNGmycyQbCqd/3PWH4eOoX/OiCa0uphp57NVTeAGdJGaAliecxwBDHYQCIvrW7aDBZCYeNTP/WX69mkg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^26.6.2", - "ansi-regex": "^5.0.0", - "ansi-styles": "^4.0.0", - "react-is": "^17.0.1" - }, - "engines": { - "node": ">= 10" - } - }, - "node_modules/jest-jasmine2/node_modules/react-is": { - "version": "17.0.2", - "resolved": "http://localhost:4873/react-is/-/react-is-17.0.2.tgz", - "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==", - "dev": true, - "license": "MIT" - }, - "node_modules/jest-jasmine2/node_modules/slash": { - "version": "3.0.0", - "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", - "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/jest-leak-detector": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-leak-detector/-/jest-leak-detector-26.6.2.tgz", - "integrity": "sha512-i4xlXpsVSMeKvg2cEKdfhh0H39qlJlP5Ex1yQxwF9ubahboQYMgTtz5oML35AVA3B4Eu+YsmwaiKVev9KCvLxg==", - "dev": true, - "license": "MIT", - "dependencies": { - "jest-get-type": "^26.3.0", - "pretty-format": "^26.6.2" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-leak-detector/node_modules/jest-get-type": { - "version": "26.3.0", - "resolved": "http://localhost:4873/jest-get-type/-/jest-get-type-26.3.0.tgz", - "integrity": "sha512-TpfaviN1R2pQWkIihlfEanwOXK0zcxrKEE4MlU6Tn7keoXdN6/3gK/xl0yEh8DOunn5pOVGKf8hB4R9gVh04ig==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-leak-detector/node_modules/pretty-format": { - "version": "26.6.2", - "resolved": "http://localhost:4873/pretty-format/-/pretty-format-26.6.2.tgz", - "integrity": "sha512-7AeGuCYNGmycyQbCqd/3PWH4eOoX/OiCa0uphp57NVTeAGdJGaAliecxwBDHYQCIvrW7aDBZCYeNTP/WX69mkg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^26.6.2", - "ansi-regex": "^5.0.0", - "ansi-styles": "^4.0.0", - "react-is": "^17.0.1" - }, - "engines": { - "node": ">= 10" - } - }, - "node_modules/jest-leak-detector/node_modules/react-is": { - "version": "17.0.2", - "resolved": "http://localhost:4873/react-is/-/react-is-17.0.2.tgz", - "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==", - "dev": true, - "license": "MIT" - }, - "node_modules/jest-matcher-utils": { - "version": "29.7.0", - "resolved": "http://localhost:4873/jest-matcher-utils/-/jest-matcher-utils-29.7.0.tgz", - "integrity": "sha512-sBkD+Xi9DtcChsI3L3u0+N0opgPYnCRPtGcQYrgXmR+hmt/fYfWAL0xRXYU8eWOdfuLgBe0YCW3AFtnRLagq/g==", - "dev": true, - "license": "MIT", - "dependencies": { - "chalk": "^4.0.0", - "jest-diff": "^29.7.0", - "jest-get-type": "^29.6.3", - "pretty-format": "^29.7.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-matcher-utils/node_modules/ansi-styles": { - "version": "5.2.0", - "resolved": "http://localhost:4873/ansi-styles/-/ansi-styles-5.2.0.tgz", - "integrity": "sha512-Cxwpt2SfTzTtXcfOlzGEee8O+c+MmUgGrNiBcXnuWxuFJHe6a5Hz7qwhwe5OgaSYI0IJvkLqWX1ASG+cJOkEiA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/chalk/ansi-styles?sponsor=1" - } - }, - "node_modules/jest-matcher-utils/node_modules/pretty-format": { - "version": "29.7.0", - "resolved": "http://localhost:4873/pretty-format/-/pretty-format-29.7.0.tgz", - "integrity": "sha512-Pdlw/oPxN+aXdmM9R00JVC9WVFoCLTKJvDVLgmJ+qAffBMxsV85l/Lu7sNx4zSzPyoL2euImuEwHhOXdEgNFZQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/schemas": "^29.6.3", - "ansi-styles": "^5.0.0", - "react-is": "^18.0.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-matcher-utils/node_modules/react-is": { - "version": "18.3.1", - "resolved": "http://localhost:4873/react-is/-/react-is-18.3.1.tgz", - "integrity": "sha512-/LLMVyas0ljjAtoYiPqYiL8VWXzUUdThrmU5+n20DZv+a+ClRoevUzw5JxU+Ieh5/c87ytoTBV9G1FiKfNJdmg==", - "dev": true, - "license": "MIT" - }, - "node_modules/jest-message-util": { - "version": "29.7.0", - "resolved": "http://localhost:4873/jest-message-util/-/jest-message-util-29.7.0.tgz", - "integrity": "sha512-GBEV4GRADeP+qtB2+6u61stea8mGcOT4mCtrYISZwfu9/ISHFJ/5zOMXYbpBE9RsS5+Gb63DW4FgmnKJ79Kf6w==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/code-frame": "^7.12.13", - "@jest/types": "^29.6.3", - "@types/stack-utils": "^2.0.0", - "chalk": "^4.0.0", - "graceful-fs": "^4.2.9", - "micromatch": "^4.0.4", - "pretty-format": "^29.7.0", - "slash": "^3.0.0", - "stack-utils": "^2.0.3" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-message-util/node_modules/@jest/types": { - "version": "29.6.3", - "resolved": "http://localhost:4873/@jest/types/-/types-29.6.3.tgz", - "integrity": "sha512-u3UPsIilWKOM3F9CXtrG8LEJmNxwoCQC/XVj4IKYXvvpx7QIi/Kg1LI5uDmDpKlac62NUtX7eLjRh+jVZcLOzw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/schemas": "^29.6.3", - "@types/istanbul-lib-coverage": "^2.0.0", - "@types/istanbul-reports": "^3.0.0", - "@types/node": "*", - "@types/yargs": "^17.0.8", - "chalk": "^4.0.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-message-util/node_modules/@types/yargs": { - "version": "17.0.33", - "resolved": "http://localhost:4873/@types/yargs/-/yargs-17.0.33.tgz", - "integrity": "sha512-WpxBCKWPLr4xSsHgz511rFJAM+wS28w2zEO1QDNY5zM/S8ok70NNfztH0xwhqKyaK0OHCbN98LDAZuy1ctxDkA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/yargs-parser": "*" - } - }, - "node_modules/jest-message-util/node_modules/ansi-styles": { - "version": "5.2.0", - "resolved": "http://localhost:4873/ansi-styles/-/ansi-styles-5.2.0.tgz", - "integrity": "sha512-Cxwpt2SfTzTtXcfOlzGEee8O+c+MmUgGrNiBcXnuWxuFJHe6a5Hz7qwhwe5OgaSYI0IJvkLqWX1ASG+cJOkEiA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/chalk/ansi-styles?sponsor=1" - } - }, - "node_modules/jest-message-util/node_modules/pretty-format": { - "version": "29.7.0", - "resolved": "http://localhost:4873/pretty-format/-/pretty-format-29.7.0.tgz", - "integrity": "sha512-Pdlw/oPxN+aXdmM9R00JVC9WVFoCLTKJvDVLgmJ+qAffBMxsV85l/Lu7sNx4zSzPyoL2euImuEwHhOXdEgNFZQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/schemas": "^29.6.3", - "ansi-styles": "^5.0.0", - "react-is": "^18.0.0" - }, - "engines": { - "node": "^14.15.0 || ^16.10.0 || >=18.0.0" - } - }, - "node_modules/jest-message-util/node_modules/react-is": { - "version": "18.3.1", - "resolved": "http://localhost:4873/react-is/-/react-is-18.3.1.tgz", - "integrity": "sha512-/LLMVyas0ljjAtoYiPqYiL8VWXzUUdThrmU5+n20DZv+a+ClRoevUzw5JxU+Ieh5/c87ytoTBV9G1FiKfNJdmg==", - "dev": true, - "license": "MIT" - }, - "node_modules/jest-message-util/node_modules/slash": { - "version": "3.0.0", - "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", - "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/jest-mock": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-mock/-/jest-mock-26.6.2.tgz", - "integrity": "sha512-YyFjePHHp1LzpzYcmgqkJ0nm0gg/lJx2aZFzFy1S6eUqNjXsOqTK10zNRff2dNfssgokjkG65OlWNcIlgd3zew==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^26.6.2", - "@types/node": "*" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-pnp-resolver": { - "version": "1.2.3", - "resolved": "http://localhost:4873/jest-pnp-resolver/-/jest-pnp-resolver-1.2.3.tgz", - "integrity": "sha512-+3NpwQEnRoIBtx4fyhblQDPgJI0H1IEIkX7ShLUjPGA7TtUTvI1oiKi3SR4oBR0hQhQR80l4WAe5RrXBwWMA8w==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - }, - "peerDependencies": { - "jest-resolve": "*" - }, - "peerDependenciesMeta": { - "jest-resolve": { - "optional": true - } - } - }, - "node_modules/jest-regex-util": { - "version": "26.0.0", - "resolved": "http://localhost:4873/jest-regex-util/-/jest-regex-util-26.0.0.tgz", - "integrity": "sha512-Gv3ZIs/nA48/Zvjrl34bf+oD76JHiGDUxNOVgUjh3j890sblXryjY4rss71fPtD/njchl6PSE2hIhvyWa1eT0A==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-resolve": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-resolve/-/jest-resolve-26.6.2.tgz", - "integrity": "sha512-sOxsZOq25mT1wRsfHcbtkInS+Ek7Q8jCHUB0ZUTP0tc/c41QHriU/NunqMfCUWsL4H3MHpvQD4QR9kSYhS7UvQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^26.6.2", - "chalk": "^4.0.0", - "graceful-fs": "^4.2.4", - "jest-pnp-resolver": "^1.2.2", - "jest-util": "^26.6.2", - "read-pkg-up": "^7.0.1", - "resolve": "^1.18.1", - "slash": "^3.0.0" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-resolve-dependencies": { - "version": "26.6.3", - "resolved": "http://localhost:4873/jest-resolve-dependencies/-/jest-resolve-dependencies-26.6.3.tgz", - "integrity": "sha512-pVwUjJkxbhe4RY8QEWzN3vns2kqyuldKpxlxJlzEYfKSvY6/bMvxoFrYYzUO1Gx28yKWN37qyV7rIoIp2h8fTg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^26.6.2", - "jest-regex-util": "^26.0.0", - "jest-snapshot": "^26.6.2" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-resolve/node_modules/slash": { - "version": "3.0.0", - "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", - "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/jest-runner": { - "version": "26.6.3", - "resolved": "http://localhost:4873/jest-runner/-/jest-runner-26.6.3.tgz", - "integrity": "sha512-atgKpRHnaA2OvByG/HpGA4g6CSPS/1LK0jK3gATJAoptC1ojltpmVlYC3TYgdmGp+GLuhzpH30Gvs36szSL2JQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/console": "^26.6.2", - "@jest/environment": "^26.6.2", - "@jest/test-result": "^26.6.2", - "@jest/types": "^26.6.2", - "@types/node": "*", - "chalk": "^4.0.0", - "emittery": "^0.7.1", - "exit": "^0.1.2", - "graceful-fs": "^4.2.4", - "jest-config": "^26.6.3", - "jest-docblock": "^26.0.0", - "jest-haste-map": "^26.6.2", - "jest-leak-detector": "^26.6.2", - "jest-message-util": "^26.6.2", - "jest-resolve": "^26.6.2", - "jest-runtime": "^26.6.3", - "jest-util": "^26.6.2", - "jest-worker": "^26.6.2", - "source-map-support": "^0.5.6", - "throat": "^5.0.0" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-runner/node_modules/jest-message-util": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-message-util/-/jest-message-util-26.6.2.tgz", - "integrity": "sha512-rGiLePzQ3AzwUshu2+Rn+UMFk0pHN58sOG+IaJbk5Jxuqo3NYO1U2/MIR4S1sKgsoYSXSzdtSa0TgrmtUwEbmA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/code-frame": "^7.0.0", - "@jest/types": "^26.6.2", - "@types/stack-utils": "^2.0.0", - "chalk": "^4.0.0", - "graceful-fs": "^4.2.4", - "micromatch": "^4.0.2", - "pretty-format": "^26.6.2", - "slash": "^3.0.0", - "stack-utils": "^2.0.2" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-runner/node_modules/pretty-format": { - "version": "26.6.2", - "resolved": "http://localhost:4873/pretty-format/-/pretty-format-26.6.2.tgz", - "integrity": "sha512-7AeGuCYNGmycyQbCqd/3PWH4eOoX/OiCa0uphp57NVTeAGdJGaAliecxwBDHYQCIvrW7aDBZCYeNTP/WX69mkg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^26.6.2", - "ansi-regex": "^5.0.0", - "ansi-styles": "^4.0.0", - "react-is": "^17.0.1" - }, - "engines": { - "node": ">= 10" - } - }, - "node_modules/jest-runner/node_modules/react-is": { - "version": "17.0.2", - "resolved": "http://localhost:4873/react-is/-/react-is-17.0.2.tgz", - "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==", - "dev": true, - "license": "MIT" - }, - "node_modules/jest-runner/node_modules/slash": { - "version": "3.0.0", - "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", - "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/jest-runtime": { - "version": "26.6.3", - "resolved": "http://localhost:4873/jest-runtime/-/jest-runtime-26.6.3.tgz", - "integrity": "sha512-lrzyR3N8sacTAMeonbqpnSka1dHNux2uk0qqDXVkMv2c/A3wYnvQ4EXuI013Y6+gSKSCxdaczvf4HF0mVXHRdw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/console": "^26.6.2", - "@jest/environment": "^26.6.2", - "@jest/fake-timers": "^26.6.2", - "@jest/globals": "^26.6.2", - "@jest/source-map": "^26.6.2", - "@jest/test-result": "^26.6.2", - "@jest/transform": "^26.6.2", - "@jest/types": "^26.6.2", - "@types/yargs": "^15.0.0", - "chalk": "^4.0.0", - "cjs-module-lexer": "^0.6.0", - "collect-v8-coverage": "^1.0.0", - "exit": "^0.1.2", - "glob": "^7.1.3", - "graceful-fs": "^4.2.4", - "jest-config": "^26.6.3", - "jest-haste-map": "^26.6.2", - "jest-message-util": "^26.6.2", - "jest-mock": "^26.6.2", - "jest-regex-util": "^26.0.0", - "jest-resolve": "^26.6.2", - "jest-snapshot": "^26.6.2", - "jest-util": "^26.6.2", - "jest-validate": "^26.6.2", - "slash": "^3.0.0", - "strip-bom": "^4.0.0", - "yargs": "^15.4.1" - }, - "bin": { - "jest-runtime": "bin/jest-runtime.js" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-runtime/node_modules/jest-message-util": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-message-util/-/jest-message-util-26.6.2.tgz", - "integrity": "sha512-rGiLePzQ3AzwUshu2+Rn+UMFk0pHN58sOG+IaJbk5Jxuqo3NYO1U2/MIR4S1sKgsoYSXSzdtSa0TgrmtUwEbmA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/code-frame": "^7.0.0", - "@jest/types": "^26.6.2", - "@types/stack-utils": "^2.0.0", - "chalk": "^4.0.0", - "graceful-fs": "^4.2.4", - "micromatch": "^4.0.2", - "pretty-format": "^26.6.2", - "slash": "^3.0.0", - "stack-utils": "^2.0.2" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-runtime/node_modules/pretty-format": { - "version": "26.6.2", - "resolved": "http://localhost:4873/pretty-format/-/pretty-format-26.6.2.tgz", - "integrity": "sha512-7AeGuCYNGmycyQbCqd/3PWH4eOoX/OiCa0uphp57NVTeAGdJGaAliecxwBDHYQCIvrW7aDBZCYeNTP/WX69mkg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^26.6.2", - "ansi-regex": "^5.0.0", - "ansi-styles": "^4.0.0", - "react-is": "^17.0.1" - }, - "engines": { - "node": ">= 10" - } - }, - "node_modules/jest-runtime/node_modules/react-is": { - "version": "17.0.2", - "resolved": "http://localhost:4873/react-is/-/react-is-17.0.2.tgz", - "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==", - "dev": true, - "license": "MIT" - }, - "node_modules/jest-runtime/node_modules/slash": { - "version": "3.0.0", - "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", - "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/jest-serializer": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-serializer/-/jest-serializer-26.6.2.tgz", - "integrity": "sha512-S5wqyz0DXnNJPd/xfIzZ5Xnp1HrJWBczg8mMfMpN78OJ5eDxXyf+Ygld9wX1DnUWbIbhM1YDY95NjR4CBXkb2g==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/node": "*", - "graceful-fs": "^4.2.4" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-snapshot": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-snapshot/-/jest-snapshot-26.6.2.tgz", - "integrity": "sha512-OLhxz05EzUtsAmOMzuupt1lHYXCNib0ECyuZ/PZOx9TrZcC8vL0x+DUG3TL+GLX3yHG45e6YGjIm0XwDc3q3og==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/types": "^7.0.0", - "@jest/types": "^26.6.2", - "@types/babel__traverse": "^7.0.4", - "@types/prettier": "^2.0.0", - "chalk": "^4.0.0", - "expect": "^26.6.2", - "graceful-fs": "^4.2.4", - "jest-diff": "^26.6.2", - "jest-get-type": "^26.3.0", - "jest-haste-map": "^26.6.2", - "jest-matcher-utils": "^26.6.2", - "jest-message-util": "^26.6.2", - "jest-resolve": "^26.6.2", - "natural-compare": "^1.4.0", - "pretty-format": "^26.6.2", - "semver": "^7.3.2" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-snapshot/node_modules/diff-sequences": { - "version": "26.6.2", - "resolved": "http://localhost:4873/diff-sequences/-/diff-sequences-26.6.2.tgz", - "integrity": "sha512-Mv/TDa3nZ9sbc5soK+OoA74BsS3mL37yixCvUAQkiuA4Wz6YtwP/K47n2rv2ovzHZvoiQeA5FTQOschKkEwB0Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-snapshot/node_modules/expect": { - "version": "26.6.2", - "resolved": "http://localhost:4873/expect/-/expect-26.6.2.tgz", - "integrity": "sha512-9/hlOBkQl2l/PLHJx6JjoDF6xPKcJEsUlWKb23rKE7KzeDqUZKXKNMW27KIue5JMdBV9HgmoJPcc8HtO85t9IA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^26.6.2", - "ansi-styles": "^4.0.0", - "jest-get-type": "^26.3.0", - "jest-matcher-utils": "^26.6.2", - "jest-message-util": "^26.6.2", - "jest-regex-util": "^26.0.0" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-snapshot/node_modules/jest-diff": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-diff/-/jest-diff-26.6.2.tgz", - "integrity": "sha512-6m+9Z3Gv9wN0WFVasqjCL/06+EFCMTqDEUl/b87HYK2rAPTyfz4ZIuSlPhY51PIQRWx5TaxeF1qmXKe9gfN3sA==", - "dev": true, - "license": "MIT", - "dependencies": { - "chalk": "^4.0.0", - "diff-sequences": "^26.6.2", - "jest-get-type": "^26.3.0", - "pretty-format": "^26.6.2" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-snapshot/node_modules/jest-get-type": { - "version": "26.3.0", - "resolved": "http://localhost:4873/jest-get-type/-/jest-get-type-26.3.0.tgz", - "integrity": "sha512-TpfaviN1R2pQWkIihlfEanwOXK0zcxrKEE4MlU6Tn7keoXdN6/3gK/xl0yEh8DOunn5pOVGKf8hB4R9gVh04ig==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-snapshot/node_modules/jest-matcher-utils": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-matcher-utils/-/jest-matcher-utils-26.6.2.tgz", - "integrity": "sha512-llnc8vQgYcNqDrqRDXWwMr9i7rS5XFiCwvh6DTP7Jqa2mqpcCBBlpCbn+trkG0KNhPu/h8rzyBkriOtBstvWhw==", - "dev": true, - "license": "MIT", - "dependencies": { - "chalk": "^4.0.0", - "jest-diff": "^26.6.2", - "jest-get-type": "^26.3.0", - "pretty-format": "^26.6.2" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-snapshot/node_modules/jest-message-util": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-message-util/-/jest-message-util-26.6.2.tgz", - "integrity": "sha512-rGiLePzQ3AzwUshu2+Rn+UMFk0pHN58sOG+IaJbk5Jxuqo3NYO1U2/MIR4S1sKgsoYSXSzdtSa0TgrmtUwEbmA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/code-frame": "^7.0.0", - "@jest/types": "^26.6.2", - "@types/stack-utils": "^2.0.0", - "chalk": "^4.0.0", - "graceful-fs": "^4.2.4", - "micromatch": "^4.0.2", - "pretty-format": "^26.6.2", - "slash": "^3.0.0", - "stack-utils": "^2.0.2" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-snapshot/node_modules/pretty-format": { - "version": "26.6.2", - "resolved": "http://localhost:4873/pretty-format/-/pretty-format-26.6.2.tgz", - "integrity": "sha512-7AeGuCYNGmycyQbCqd/3PWH4eOoX/OiCa0uphp57NVTeAGdJGaAliecxwBDHYQCIvrW7aDBZCYeNTP/WX69mkg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^26.6.2", - "ansi-regex": "^5.0.0", - "ansi-styles": "^4.0.0", - "react-is": "^17.0.1" - }, - "engines": { - "node": ">= 10" - } - }, - "node_modules/jest-snapshot/node_modules/react-is": { - "version": "17.0.2", - "resolved": "http://localhost:4873/react-is/-/react-is-17.0.2.tgz", - "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==", - "dev": true, - "license": "MIT" - }, - "node_modules/jest-snapshot/node_modules/slash": { - "version": "3.0.0", - "resolved": "http://localhost:4873/slash/-/slash-3.0.0.tgz", - "integrity": "sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/jest-util": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-util/-/jest-util-26.6.2.tgz", - "integrity": "sha512-MDW0fKfsn0OI7MS7Euz6h8HNDXVQ0gaM9uW6RjfDmd1DAFcaxX9OqIakHIqhbnmF08Cf2DLDG+ulq8YQQ0Lp0Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^26.6.2", - "@types/node": "*", - "chalk": "^4.0.0", - "graceful-fs": "^4.2.4", - "is-ci": "^2.0.0", - "micromatch": "^4.0.2" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-validate": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-validate/-/jest-validate-26.6.2.tgz", - "integrity": "sha512-NEYZ9Aeyj0i5rQqbq+tpIOom0YS1u2MVu6+euBsvpgIme+FOfRmoC4R5p0JiAUpaFvFy24xgrpMknarR/93XjQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^26.6.2", - "camelcase": "^6.0.0", - "chalk": "^4.0.0", - "jest-get-type": "^26.3.0", - "leven": "^3.1.0", - "pretty-format": "^26.6.2" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-validate/node_modules/camelcase": { - "version": "6.3.0", - "resolved": "http://localhost:4873/camelcase/-/camelcase-6.3.0.tgz", - "integrity": "sha512-Gmy6FhYlCY7uOElZUSbxo2UCDH8owEk996gkbrpsgGtrJLM3J7jGxl9Ic7Qwwj4ivOE5AWZWRMecDdF7hqGjFA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/jest-validate/node_modules/jest-get-type": { - "version": "26.3.0", - "resolved": "http://localhost:4873/jest-get-type/-/jest-get-type-26.3.0.tgz", - "integrity": "sha512-TpfaviN1R2pQWkIihlfEanwOXK0zcxrKEE4MlU6Tn7keoXdN6/3gK/xl0yEh8DOunn5pOVGKf8hB4R9gVh04ig==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-validate/node_modules/pretty-format": { - "version": "26.6.2", - "resolved": "http://localhost:4873/pretty-format/-/pretty-format-26.6.2.tgz", - "integrity": "sha512-7AeGuCYNGmycyQbCqd/3PWH4eOoX/OiCa0uphp57NVTeAGdJGaAliecxwBDHYQCIvrW7aDBZCYeNTP/WX69mkg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/types": "^26.6.2", - "ansi-regex": "^5.0.0", - "ansi-styles": "^4.0.0", - "react-is": "^17.0.1" - }, - "engines": { - "node": ">= 10" - } - }, - "node_modules/jest-validate/node_modules/react-is": { - "version": "17.0.2", - "resolved": "http://localhost:4873/react-is/-/react-is-17.0.2.tgz", - "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==", - "dev": true, - "license": "MIT" - }, - "node_modules/jest-watcher": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-watcher/-/jest-watcher-26.6.2.tgz", - "integrity": "sha512-WKJob0P/Em2csiVthsI68p6aGKTIcsfjH9Gsx1f0A3Italz43e3ho0geSAVsmj09RWOELP1AZ/DXyJgOgDKxXQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jest/test-result": "^26.6.2", - "@jest/types": "^26.6.2", - "@types/node": "*", - "ansi-escapes": "^4.2.1", - "chalk": "^4.0.0", - "jest-util": "^26.6.2", - "string-length": "^4.0.1" - }, - "engines": { - "node": ">= 10.14.2" - } - }, - "node_modules/jest-watcher/node_modules/ansi-escapes": { - "version": "4.3.2", - "resolved": "http://localhost:4873/ansi-escapes/-/ansi-escapes-4.3.2.tgz", - "integrity": "sha512-gKXj5ALrKWQLsYG9jlTRmR/xKluxHV+Z9QEwNIgCfM1/uwPMCuzVVnh5mwTd+OuBZcwSIMbqssNWRm1lE51QaQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "type-fest": "^0.21.3" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/jest-watcher/node_modules/type-fest": { - "version": "0.21.3", - "resolved": "http://localhost:4873/type-fest/-/type-fest-0.21.3.tgz", - "integrity": "sha512-t0rzBq87m3fVcduHDUFhKmyyX+9eo6WQjZvf51Ea/M0Q7+T374Jp1aUiyUl0GKxp8M/OETVHSDvmkyPgvX+X2w==", - "dev": true, - "license": "(MIT OR CC0-1.0)", - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/jest-worker": { - "version": "26.6.2", - "resolved": "http://localhost:4873/jest-worker/-/jest-worker-26.6.2.tgz", - "integrity": "sha512-KWYVV1c4i+jbMpaBC+U++4Va0cp8OisU185o73T1vo99hqi7w8tSJfUXYswwqqrjzwxa6KpRK54WhPvwf5w6PQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/node": "*", - "merge-stream": "^2.0.0", - "supports-color": "^7.0.0" - }, - "engines": { - "node": ">= 10.13.0" - } - }, - "node_modules/jmespath": { - "version": "0.16.0", - "resolved": "http://localhost:4873/jmespath/-/jmespath-0.16.0.tgz", - "integrity": "sha512-9FzQjJ7MATs1tSpnco1K6ayiYE3figslrXA72G2HQ/n76RzvYlofyi5QM+iX4YRs/pu3yzxlVQSST23+dMDknw==", - "dev": true, - "license": "Apache-2.0", - "engines": { - "node": ">= 0.6.0" - } - }, - "node_modules/jose": { - "version": "4.15.9", - "resolved": "http://localhost:4873/jose/-/jose-4.15.9.tgz", - "integrity": "sha512-1vUQX+IdDMVPj4k8kOxgUqlcK518yluMuGZwqlr44FS1ppZB/5GWh4rZG89erpOBOJjU/OBsnCVFfapsRz6nEA==", - "dev": true, - "license": "MIT", - "funding": { - "url": "https://github.com/sponsors/panva" - } - }, - "node_modules/jpeg-js": { - "version": "0.4.4", - "resolved": "http://localhost:4873/jpeg-js/-/jpeg-js-0.4.4.tgz", - "integrity": "sha512-WZzeDOEtTOBK4Mdsar0IqEU5sMr3vSV2RqkAIzUEV2BHnUfKGyswWFPFwK5EeDo93K3FohSHbLAjj0s1Wzd+dg==", - "dev": true, - "license": "BSD-3-Clause" - }, - "node_modules/js-base64": { - "version": "2.6.4", - "resolved": "http://localhost:4873/js-base64/-/js-base64-2.6.4.tgz", - "integrity": "sha512-pZe//GGmwJndub7ZghVHz7vjb2LgC1m8B07Au3eYqeqv9emhESByMXxaEgkUkEqJe87oBbSniGYoQNIBklc7IQ==", - "dev": true, - "license": "BSD-3-Clause" - }, - "node_modules/js-cookie": { - "version": "3.0.5", - "resolved": "http://localhost:4873/js-cookie/-/js-cookie-3.0.5.tgz", - "integrity": "sha512-cEiJEAEoIbWfCZYKWhVwFuvPX1gETRYPw6LlaTKoxD3s2AkXzkCjnp6h0V77ozyqj0jakteJ4YqDJT830+lVGw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=14" - } - }, - "node_modules/js-levenshtein": { - "version": "1.1.6", - "resolved": "http://localhost:4873/js-levenshtein/-/js-levenshtein-1.1.6.tgz", - "integrity": "sha512-X2BB11YZtrRqY4EnQcLX5Rh373zbK4alC1FW7D7MBhL2gtcC17cTnr6DmfHZeS0s2rTHjUTMMHfG7gO8SSdw+g==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/js-library-detector": { - "version": "6.7.0", - "resolved": "http://localhost:4873/js-library-detector/-/js-library-detector-6.7.0.tgz", - "integrity": "sha512-c80Qupofp43y4cJ7+8TTDN/AsDwLi5oOm/plBrWI+iQt485vKXCco+yVmOwEgdo9VOdsYTuV0UlTeetVPTriXA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=12" - } - }, - "node_modules/js-tokens": { - "version": "4.0.0", - "resolved": "http://localhost:4873/js-tokens/-/js-tokens-4.0.0.tgz", - "integrity": "sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/js-yaml": { - "version": "3.14.1", - "resolved": "http://localhost:4873/js-yaml/-/js-yaml-3.14.1.tgz", - "integrity": "sha512-okMH7OXXJ7YrN9Ok3/SXrnu4iX9yOk+25nqX4imS2npuvTYDmo/QEZoqwZkYaIDk3jVvBOTOIEgEhaLOynBS9g==", - "dev": true, - "license": "MIT", - "dependencies": { - "argparse": "^1.0.7", - "esprima": "^4.0.0" - }, - "bin": { - "js-yaml": "bin/js-yaml.js" - } - }, - "node_modules/jsdom": { - "version": "16.7.0", - "resolved": "http://localhost:4873/jsdom/-/jsdom-16.7.0.tgz", - "integrity": "sha512-u9Smc2G1USStM+s/x1ru5Sxrl6mPYCbByG1U/hUmqaVsm4tbNyS7CicOSRyuGQYZhTu0h84qkZZQ/I+dzizSVw==", - "dev": true, - "license": "MIT", - "dependencies": { - "abab": "^2.0.5", - "acorn": "^8.2.4", - "acorn-globals": "^6.0.0", - "cssom": "^0.4.4", - "cssstyle": "^2.3.0", - "data-urls": "^2.0.0", - "decimal.js": "^10.2.1", - "domexception": "^2.0.1", - "escodegen": "^2.0.0", - "form-data": "^3.0.0", - "html-encoding-sniffer": "^2.0.1", - "http-proxy-agent": "^4.0.1", - "https-proxy-agent": "^5.0.0", - "is-potential-custom-element-name": "^1.0.1", - "nwsapi": "^2.2.0", - "parse5": "6.0.1", - "saxes": "^5.0.1", - "symbol-tree": "^3.2.4", - "tough-cookie": "^4.0.0", - "w3c-hr-time": "^1.0.2", - "w3c-xmlserializer": "^2.0.0", - "webidl-conversions": "^6.1.0", - "whatwg-encoding": "^1.0.5", - "whatwg-mimetype": "^2.3.0", - "whatwg-url": "^8.5.0", - "ws": "^7.4.6", - "xml-name-validator": "^3.0.0" - }, - "engines": { - "node": ">=10" - }, - "peerDependencies": { - "canvas": "^2.5.0" - }, - "peerDependenciesMeta": { - "canvas": { - "optional": true - } - } - }, - "node_modules/jsdom/node_modules/ws": { - "version": "7.5.10", - "resolved": "http://localhost:4873/ws/-/ws-7.5.10.tgz", - "integrity": "sha512-+dbF1tHwZpXcbOJdVOkzLDxZP1ailvSxM6ZweXTegylPny803bFhA+vqBYw4s31NSAk4S2Qz+AKXK9a4wkdjcQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8.3.0" - }, - "peerDependencies": { - "bufferutil": "^4.0.1", - "utf-8-validate": "^5.0.2" - }, - "peerDependenciesMeta": { - "bufferutil": { - "optional": true - }, - "utf-8-validate": { - "optional": true - } - } - }, - "node_modules/jsesc": { - "version": "3.1.0", - "resolved": "http://localhost:4873/jsesc/-/jsesc-3.1.0.tgz", - "integrity": "sha512-/sM3dO2FOzXjKQhJuo0Q173wf2KOo8t4I8vHy6lF9poUp7bKT0/NHE8fPX23PwfhnykfqnC2xRxOnVw5XuGIaA==", - "dev": true, - "license": "MIT", - "bin": { - "jsesc": "bin/jsesc" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/json-buffer": { - "version": "3.0.1", - "resolved": "http://localhost:4873/json-buffer/-/json-buffer-3.0.1.tgz", - "integrity": "sha512-4bV5BfR2mqfQTJm+V5tPPdf+ZpuhiIvTuAB5g8kcrXOZpTT/QwwVRWBywX1ozr6lEuPdbHxwaJlm9G6mI2sfSQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/json-parse-better-errors": { - "version": "1.0.2", - "resolved": "http://localhost:4873/json-parse-better-errors/-/json-parse-better-errors-1.0.2.tgz", - "integrity": "sha512-mrqyZKfX5EhL7hvqcV6WG1yYjnjeuYDzDhhcAAUrq8Po85NBQBJP+ZDUT75qZQ98IkUoBqdkExkukOU7Ts2wrw==", - "dev": true, - "license": "MIT" - }, - "node_modules/json-parse-even-better-errors": { - "version": "2.3.1", - "resolved": "http://localhost:4873/json-parse-even-better-errors/-/json-parse-even-better-errors-2.3.1.tgz", - "integrity": "sha512-xyFwyhro/JEof6Ghe2iz2NcXoj2sloNsWr/XsERDK/oiPCfaNhl5ONfp+jQdAZRQQ0IJWNzH9zIZF7li91kh2w==", - "dev": true, - "license": "MIT" - }, - "node_modules/json-schema-traverse": { - "version": "0.4.1", - "resolved": "http://localhost:4873/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz", - "integrity": "sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==", - "dev": true, - "license": "MIT" - }, - "node_modules/json-stable-stringify": { - "version": "1.3.0", - "resolved": "http://localhost:4873/json-stable-stringify/-/json-stable-stringify-1.3.0.tgz", - "integrity": "sha512-qtYiSSFlwot9XHtF9bD9c7rwKjr+RecWT//ZnPvSmEjpV5mmPOCN4j8UjY5hbjNkOwZ/jQv3J6R1/pL7RwgMsg==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind": "^1.0.8", - "call-bound": "^1.0.4", - "isarray": "^2.0.5", - "jsonify": "^0.0.1", - "object-keys": "^1.1.1" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/json-stable-stringify-without-jsonify": { - "version": "1.0.1", - "resolved": "http://localhost:4873/json-stable-stringify-without-jsonify/-/json-stable-stringify-without-jsonify-1.0.1.tgz", - "integrity": "sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==", - "dev": true, - "license": "MIT" - }, - "node_modules/json-stable-stringify/node_modules/isarray": { - "version": "2.0.5", - "resolved": "http://localhost:4873/isarray/-/isarray-2.0.5.tgz", - "integrity": "sha512-xHjhDr3cNBK0BzdUJSPXZntQUx/mwMS5Rw4A7lPJ90XGAO6ISP/ePDNuo0vhqOZU+UD5JoodwCAAoZQd3FeAKw==", - "dev": true, - "license": "MIT" - }, - "node_modules/json5": { - "version": "2.2.3", - "resolved": "http://localhost:4873/json5/-/json5-2.2.3.tgz", - "integrity": "sha512-XmOWe7eyHYH14cLdVPoyg+GOH3rYX++KpzrylJwSW98t3Nk+U8XOl8FWKOgwtzdb8lXGf6zYwDUzeHMWfxasyg==", - "dev": true, - "license": "MIT", - "bin": { - "json5": "lib/cli.js" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/jsonfile": { - "version": "6.1.0", - "resolved": "http://localhost:4873/jsonfile/-/jsonfile-6.1.0.tgz", - "integrity": "sha512-5dgndWOriYSm5cnYaJNhalLNDKOqFwyDB/rr1E9ZsGciGvKPs8R2xYGCacuf3z6K1YKDz182fd+fY3cn3pMqXQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "universalify": "^2.0.0" - }, - "optionalDependencies": { - "graceful-fs": "^4.1.6" - } - }, - "node_modules/jsonify": { - "version": "0.0.1", - "resolved": "http://localhost:4873/jsonify/-/jsonify-0.0.1.tgz", - "integrity": "sha512-2/Ki0GcmuqSrgFyelQq9M05y7PS0mEwuIzrf3f1fPqkVDVRvZrPZtVSMHxdgo8Aq0sxAOb/cr2aqqA3LeWHVPg==", - "dev": true, - "license": "Public Domain", - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/jsonwebtoken": { - "version": "9.0.2", - "resolved": "http://localhost:4873/jsonwebtoken/-/jsonwebtoken-9.0.2.tgz", - "integrity": "sha512-PRp66vJ865SSqOlgqS8hujT5U4AOgMfhrwYIuIhfKaoSCZcirrmASQr8CX7cUg+RMih+hgznrjp99o+W4pJLHQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "jws": "^3.2.2", - "lodash.includes": "^4.3.0", - "lodash.isboolean": "^3.0.3", - "lodash.isinteger": "^4.0.4", - "lodash.isnumber": "^3.0.3", - "lodash.isplainobject": "^4.0.6", - "lodash.isstring": "^4.0.1", - "lodash.once": "^4.0.0", - "ms": "^2.1.1", - "semver": "^7.5.4" - }, - "engines": { - "node": ">=12", - "npm": ">=6" - } - }, - "node_modules/jsx-ast-utils": { - "version": "3.3.5", - "resolved": "http://localhost:4873/jsx-ast-utils/-/jsx-ast-utils-3.3.5.tgz", - "integrity": "sha512-ZZow9HBI5O6EPgSJLUb8n2NKgmVWTwCvHGwFuJlMjvLFqlGG6pjirPhtdsseaLZjSibD8eegzmYpUZwoIlj2cQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "array-includes": "^3.1.6", - "array.prototype.flat": "^1.3.1", - "object.assign": "^4.1.4", - "object.values": "^1.1.6" - }, - "engines": { - "node": ">=4.0" - } - }, - "node_modules/jwa": { - "version": "1.4.2", - "resolved": "http://localhost:4873/jwa/-/jwa-1.4.2.tgz", - "integrity": "sha512-eeH5JO+21J78qMvTIDdBXidBd6nG2kZjg5Ohz/1fpa28Z4CcsWUzJ1ZZyFq/3z3N17aZy+ZuBoHljASbL1WfOw==", - "dev": true, - "license": "MIT", - "dependencies": { - "buffer-equal-constant-time": "^1.0.1", - "ecdsa-sig-formatter": "1.0.11", - "safe-buffer": "^5.0.1" - } - }, - "node_modules/jws": { - "version": "3.2.2", - "resolved": "http://localhost:4873/jws/-/jws-3.2.2.tgz", - "integrity": "sha512-YHlZCB6lMTllWDtSPHz/ZXTsi8S00usEV6v1tjq8tOUZzw7DpSDWVXjXDre6ed1w/pd495ODpHZYSdkRTsa0HA==", - "dev": true, - "license": "MIT", - "dependencies": { - "jwa": "^1.4.1", - "safe-buffer": "^5.0.1" - } - }, - "node_modules/jwt-decode": { - "version": "4.0.0", - "resolved": "http://localhost:4873/jwt-decode/-/jwt-decode-4.0.0.tgz", - "integrity": "sha512-+KJGIyHgkGuIq3IEBNftfhW/LfWhXUIY6OmyVWjliu5KH1y0fw7VQ8YndE2O4qZdMSd9SqbnC8GOcZEy0Om7sA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=18" - } - }, - "node_modules/keyv": { - "version": "4.5.4", - "resolved": "http://localhost:4873/keyv/-/keyv-4.5.4.tgz", - "integrity": "sha512-oxVHkHR/EJf2CNXnWxRLW6mg7JyCCUcG0DtEGmL2ctUo1PNTin1PUil+r/+4r5MpVgC/fn1kjsx7mjSujKqIpw==", - "dev": true, - "license": "MIT", - "dependencies": { - "json-buffer": "3.0.1" - } - }, - "node_modules/kind-of": { - "version": "6.0.3", - "resolved": "http://localhost:4873/kind-of/-/kind-of-6.0.3.tgz", - "integrity": "sha512-dcS1ul+9tmeD95T+x28/ehLgd9mENa3LsvDTtzm3vyBEO7RPptvAD+t44WVXaUjTBRcrpFeFlC8WCruUR456hw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/kleur": { - "version": "3.0.3", - "resolved": "http://localhost:4873/kleur/-/kleur-3.0.3.tgz", - "integrity": "sha512-eTIzlVOSUR+JxdDFepEYcBMtZ9Qqdef+rnzWdRZuMbOywu5tO2w2N7rqjoANZ5k9vywhL6Br1VRjUIgTQx4E8w==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/language-subtag-registry": { - "version": "0.3.23", - "resolved": "http://localhost:4873/language-subtag-registry/-/language-subtag-registry-0.3.23.tgz", - "integrity": "sha512-0K65Lea881pHotoGEa5gDlMxt3pctLi2RplBb7Ezh4rRdLEOtgi7n4EwK9lamnUCkKBqaeKRVebTq6BAxSkpXQ==", - "dev": true, - "license": "CC0-1.0" - }, - "node_modules/language-tags": { - "version": "1.0.5", - "resolved": "http://localhost:4873/language-tags/-/language-tags-1.0.5.tgz", - "integrity": "sha512-qJhlO9cGXi6hBGKoxEG/sKZDAHD5Hnu9Hs4WbOY3pCWXDhw0N8x1NenNzm2EnNLkLkk7J2SdxAkDSbb6ftT+UQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "language-subtag-registry": "~0.3.2" - } - }, - "node_modules/lazystream": { - "version": "1.0.1", - "resolved": "http://localhost:4873/lazystream/-/lazystream-1.0.1.tgz", - "integrity": "sha512-b94GiNHQNy6JNTrt5w6zNyffMrNkXZb3KTkCZJb2V1xaEGCk093vkZ2jk3tpaeP33/OiXC+WvK9AxUebnf5nbw==", - "dev": true, - "license": "MIT", - "dependencies": { - "readable-stream": "^2.0.5" - }, - "engines": { - "node": ">= 0.6.3" - } - }, - "node_modules/leven": { - "version": "3.1.0", - "resolved": "http://localhost:4873/leven/-/leven-3.1.0.tgz", - "integrity": "sha512-qsda+H8jTaUaN/x5vzW2rzc+8Rw4TAQ/4KjB46IwK5VH+IlVeeeje/EoZRpiXvIqjFgK84QffqPztGI3VBLG1A==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/levn": { - "version": "0.4.1", - "resolved": "http://localhost:4873/levn/-/levn-0.4.1.tgz", - "integrity": "sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "prelude-ls": "^1.2.1", - "type-check": "~0.4.0" - }, - "engines": { - "node": ">= 0.8.0" - } - }, - "node_modules/lighthouse": { - "version": "9.6.8", - "resolved": "http://localhost:4873/lighthouse/-/lighthouse-9.6.8.tgz", - "integrity": "sha512-5aRSvnqazci8D2oE7GJM6C7IStvUuMVV+74cGyBuS4n4NCixsDd6+uJdX834XiInSfo+OuVbAJCX4Xu6d2+N9Q==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "@sentry/node": "^6.17.4", - "axe-core": "4.4.1", - "chrome-launcher": "^0.15.0", - "configstore": "^5.0.1", - "csp_evaluator": "1.1.1", - "cssstyle": "1.2.1", - "enquirer": "^2.3.6", - "http-link-header": "^0.8.0", - "intl-messageformat": "^4.4.0", - "jpeg-js": "^0.4.3", - "js-library-detector": "^6.5.0", - "lighthouse-logger": "^1.3.0", - "lighthouse-stack-packs": "1.8.2", - "lodash": "^4.17.21", - "lookup-closest-locale": "6.2.0", - "metaviewport-parser": "0.2.0", - "open": "^8.4.0", - "parse-cache-control": "1.0.1", - "ps-list": "^8.0.0", - "puppeteer-core": "^13.7.0", - "robots-parser": "^3.0.0", - "semver": "^5.3.0", - "speedline-core": "^1.4.3", - "third-party-web": "^0.17.1", - "ws": "^7.0.0", - "yargs": "^17.3.1", - "yargs-parser": "^21.0.0" - }, - "bin": { - "chrome-debug": "lighthouse-core/scripts/manual-chrome-launcher.js", - "lighthouse": "lighthouse-cli/index.js", - "smokehouse": "lighthouse-cli/test/smokehouse/frontends/smokehouse-bin.js" - }, - "engines": { - "node": ">=14.15" - } - }, - "node_modules/lighthouse-logger": { - "version": "1.2.0", - "resolved": "http://localhost:4873/lighthouse-logger/-/lighthouse-logger-1.2.0.tgz", - "integrity": "sha512-wzUvdIeJZhRsG6gpZfmSCfysaxNEr43i+QT+Hie94wvHDKFLi4n7C2GqZ4sTC+PH5b5iktmXJvU87rWvhP3lHw==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "debug": "^2.6.8", - "marky": "^1.2.0" - } - }, - "node_modules/lighthouse-logger/node_modules/debug": { - "version": "2.6.9", - "resolved": "http://localhost:4873/debug/-/debug-2.6.9.tgz", - "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", - "dev": true, - "license": "MIT", - "dependencies": { - "ms": "2.0.0" - } - }, - "node_modules/lighthouse-logger/node_modules/ms": { - "version": "2.0.0", - "resolved": "http://localhost:4873/ms/-/ms-2.0.0.tgz", - "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", - "dev": true, - "license": "MIT" - }, - "node_modules/lighthouse-stack-packs": { - "version": "1.8.2", - "resolved": "http://localhost:4873/lighthouse-stack-packs/-/lighthouse-stack-packs-1.8.2.tgz", - "integrity": "sha512-vlCUxxQAB8Nu6LQHqPpDRiMi06Du593/my/6JbMttQeEfJ7pf4OS8obSTh5xSOS80U/O7fq59Q8rQGAUxQatUQ==", - "dev": true, - "license": "Apache-2.0" - }, - "node_modules/lighthouse/node_modules/axe-core": { - "version": "4.4.1", - "resolved": "http://localhost:4873/axe-core/-/axe-core-4.4.1.tgz", - "integrity": "sha512-gd1kmb21kwNuWr6BQz8fv6GNECPBnUasepcoLbekws23NVBLODdsClRZ+bQ8+9Uomf3Sm3+Vwn0oYG9NvwnJCw==", - "dev": true, - "license": "MPL-2.0", - "engines": { - "node": ">=4" - } - }, - "node_modules/lighthouse/node_modules/chrome-launcher": { - "version": "0.15.2", - "resolved": "http://localhost:4873/chrome-launcher/-/chrome-launcher-0.15.2.tgz", - "integrity": "sha512-zdLEwNo3aUVzIhKhTtXfxhdvZhUghrnmkvcAq2NoDd+LeOHKf03H5jwZ8T/STsAlzyALkBVK552iaG1fGf1xVQ==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "@types/node": "*", - "escape-string-regexp": "^4.0.0", - "is-wsl": "^2.2.0", - "lighthouse-logger": "^1.0.0" - }, - "bin": { - "print-chrome-path": "bin/print-chrome-path.js" - }, - "engines": { - "node": ">=12.13.0" - } - }, - "node_modules/lighthouse/node_modules/cliui": { - "version": "8.0.1", - "resolved": "http://localhost:4873/cliui/-/cliui-8.0.1.tgz", - "integrity": "sha512-BSeNnyus75C4//NQ9gQt1/csTXyo/8Sb+afLAkzAptFuMsod9HFokGNudZpi/oQV73hnVK+sR+5PVRMd+Dr7YQ==", - "dev": true, - "license": "ISC", - "dependencies": { - "string-width": "^4.2.0", - "strip-ansi": "^6.0.1", - "wrap-ansi": "^7.0.0" - }, - "engines": { - "node": ">=12" - } - }, - "node_modules/lighthouse/node_modules/cssom": { - "version": "0.3.8", - "resolved": "http://localhost:4873/cssom/-/cssom-0.3.8.tgz", - "integrity": "sha512-b0tGHbfegbhPJpxpiBPU2sCkigAqtM9O121le6bbOlgyV+NyGyCmVfJ6QW9eRjz8CpNfWEOYBIMIGRYkLwsIYg==", - "dev": true, - "license": "MIT" - }, - "node_modules/lighthouse/node_modules/cssstyle": { - "version": "1.2.1", - "resolved": "http://localhost:4873/cssstyle/-/cssstyle-1.2.1.tgz", - "integrity": "sha512-7DYm8qe+gPx/h77QlCyFmX80+fGaE/6A/Ekl0zaszYOubvySO2saYFdQ78P29D0UsULxFKCetDGNaNRUdSF+2A==", - "dev": true, - "license": "MIT", - "dependencies": { - "cssom": "0.3.x" - } - }, - "node_modules/lighthouse/node_modules/debug": { - "version": "2.6.9", - "resolved": "http://localhost:4873/debug/-/debug-2.6.9.tgz", - "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", - "dev": true, - "license": "MIT", - "dependencies": { - "ms": "2.0.0" - } - }, - "node_modules/lighthouse/node_modules/emoji-regex": { - "version": "8.0.0", - "resolved": "http://localhost:4873/emoji-regex/-/emoji-regex-8.0.0.tgz", - "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", - "dev": true, - "license": "MIT" - }, - "node_modules/lighthouse/node_modules/is-fullwidth-code-point": { - "version": "3.0.0", - "resolved": "http://localhost:4873/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", - "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/lighthouse/node_modules/lighthouse-logger": { - "version": "1.4.2", - "resolved": "http://localhost:4873/lighthouse-logger/-/lighthouse-logger-1.4.2.tgz", - "integrity": "sha512-gPWxznF6TKmUHrOQjlVo2UbaL2EJ71mb2CCeRs/2qBpi4L/g4LUVc9+3lKQ6DTUZwJswfM7ainGrLO1+fOqa2g==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "debug": "^2.6.9", - "marky": "^1.2.2" - } - }, - "node_modules/lighthouse/node_modules/ms": { - "version": "2.0.0", - "resolved": "http://localhost:4873/ms/-/ms-2.0.0.tgz", - "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", - "dev": true, - "license": "MIT" - }, - "node_modules/lighthouse/node_modules/open": { - "version": "8.4.2", - "resolved": "http://localhost:4873/open/-/open-8.4.2.tgz", - "integrity": "sha512-7x81NCL719oNbsq/3mh+hVrAWmFuEYUqrq/Iw3kUzH8ReypT9QQ0BLoJS7/G9k6N81XjW4qHWtjWwe/9eLy1EQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "define-lazy-prop": "^2.0.0", - "is-docker": "^2.1.1", - "is-wsl": "^2.2.0" - }, - "engines": { - "node": ">=12" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/lighthouse/node_modules/semver": { - "version": "5.7.2", - "resolved": "http://localhost:4873/semver/-/semver-5.7.2.tgz", - "integrity": "sha512-cBznnQ9KjJqU67B52RMC65CMarK2600WFnbkcaiwWq3xy/5haFJlshgnpjovMVJ+Hff49d8GEn0b87C5pDQ10g==", - "dev": true, - "license": "ISC", - "bin": { - "semver": "bin/semver" - } - }, - "node_modules/lighthouse/node_modules/string-width": { - "version": "4.2.3", - "resolved": "http://localhost:4873/string-width/-/string-width-4.2.3.tgz", - "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", - "dev": true, - "license": "MIT", - "dependencies": { - "emoji-regex": "^8.0.0", - "is-fullwidth-code-point": "^3.0.0", - "strip-ansi": "^6.0.1" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/lighthouse/node_modules/wrap-ansi": { - "version": "7.0.0", - "resolved": "http://localhost:4873/wrap-ansi/-/wrap-ansi-7.0.0.tgz", - "integrity": "sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "ansi-styles": "^4.0.0", - "string-width": "^4.1.0", - "strip-ansi": "^6.0.0" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/chalk/wrap-ansi?sponsor=1" - } - }, - "node_modules/lighthouse/node_modules/ws": { - "version": "7.5.10", - "resolved": "http://localhost:4873/ws/-/ws-7.5.10.tgz", - "integrity": "sha512-+dbF1tHwZpXcbOJdVOkzLDxZP1ailvSxM6ZweXTegylPny803bFhA+vqBYw4s31NSAk4S2Qz+AKXK9a4wkdjcQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8.3.0" - }, - "peerDependencies": { - "bufferutil": "^4.0.1", - "utf-8-validate": "^5.0.2" - }, - "peerDependenciesMeta": { - "bufferutil": { - "optional": true - }, - "utf-8-validate": { - "optional": true - } - } - }, - "node_modules/lighthouse/node_modules/y18n": { - "version": "5.0.8", - "resolved": "http://localhost:4873/y18n/-/y18n-5.0.8.tgz", - "integrity": "sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA==", - "dev": true, - "license": "ISC", - "engines": { - "node": ">=10" - } - }, - "node_modules/lighthouse/node_modules/yargs": { - "version": "17.7.2", - "resolved": "http://localhost:4873/yargs/-/yargs-17.7.2.tgz", - "integrity": "sha512-7dSzzRQ++CKnNI/krKnYRV7JKKPUXMEh61soaHKg9mrWEhzFWhFnxPxGl+69cD1Ou63C13NUPCnmIcrvqCuM6w==", - "dev": true, - "license": "MIT", - "dependencies": { - "cliui": "^8.0.1", - "escalade": "^3.1.1", - "get-caller-file": "^2.0.5", - "require-directory": "^2.1.1", - "string-width": "^4.2.3", - "y18n": "^5.0.5", - "yargs-parser": "^21.1.1" - }, - "engines": { - "node": ">=12" - } - }, - "node_modules/lighthouse/node_modules/yargs-parser": { - "version": "21.1.1", - "resolved": "http://localhost:4873/yargs-parser/-/yargs-parser-21.1.1.tgz", - "integrity": "sha512-tVpsJW7DdjecAiFpbIB1e3qxIQsE6NoPc5/eTdrbbIC4h0LVsWhnoa3g+m2HclBIujHzsxZ4VJVA+GUuc2/LBw==", - "dev": true, - "license": "ISC", - "engines": { - "node": ">=12" - } - }, - "node_modules/lines-and-columns": { - "version": "1.2.4", - "resolved": "http://localhost:4873/lines-and-columns/-/lines-and-columns-1.2.4.tgz", - "integrity": "sha512-7ylylesZQ/PV29jhEDl3Ufjo6ZX7gCqJr5F7PKrqc93v7fzSymt1BpwEU8nAUXs8qzzvqhbjhK5QZg6Mt/HkBg==", - "dev": true, - "license": "MIT" - }, - "node_modules/loader-runner": { - "version": "4.3.0", - "resolved": "http://localhost:4873/loader-runner/-/loader-runner-4.3.0.tgz", - "integrity": "sha512-3R/1M+yS3j5ou80Me59j7F9IMs4PXs3VqRrm0TU3AbKPxlmpoY1TNscJV/oGJXo8qCatFGTfDbY6W6ipGOYXfg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6.11.5" - } - }, - "node_modules/loader-utils": { - "version": "2.0.4", - "resolved": "http://localhost:4873/loader-utils/-/loader-utils-2.0.4.tgz", - "integrity": "sha512-xXqpXoINfFhgua9xiqD8fPFHgkoq1mmmpE92WlDbm9rNRd/EbRb+Gqf908T2DMfuHjjJlksiK2RbHVOdD/MqSw==", - "dev": true, - "license": "MIT", - "dependencies": { - "big.js": "^5.2.2", - "emojis-list": "^3.0.0", - "json5": "^2.1.2" - }, - "engines": { - "node": ">=8.9.0" - } - }, - "node_modules/locate-path": { - "version": "5.0.0", - "resolved": "http://localhost:4873/locate-path/-/locate-path-5.0.0.tgz", - "integrity": "sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==", - "dev": true, - "license": "MIT", - "dependencies": { - "p-locate": "^4.1.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/lodash": { - "version": "4.17.21", - "resolved": "http://localhost:4873/lodash/-/lodash-4.17.21.tgz", - "integrity": "sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg==", - "dev": true, - "license": "MIT" - }, - "node_modules/lodash.debounce": { - "version": "4.0.8", - "resolved": "http://localhost:4873/lodash.debounce/-/lodash.debounce-4.0.8.tgz", - "integrity": "sha512-FT1yDzDYEoYWhnSGnpE/4Kj1fLZkDFyqRb7fNt6FdYOSxlUWAtp42Eh6Wb0rGIv/m9Bgo7x4GhQbm5Ys4SG5ow==", - "dev": true, - "license": "MIT" - }, - "node_modules/lodash.includes": { - "version": "4.3.0", - "resolved": "http://localhost:4873/lodash.includes/-/lodash.includes-4.3.0.tgz", - "integrity": "sha512-W3Bx6mdkRTGtlJISOvVD/lbqjTlPPUDTMnlXZFnVwi9NKJ6tiAk6LVdlhZMm17VZisqhKcgzpO5Wz91PCt5b0w==", - "dev": true, - "license": "MIT" - }, - "node_modules/lodash.isboolean": { - "version": "3.0.3", - "resolved": "http://localhost:4873/lodash.isboolean/-/lodash.isboolean-3.0.3.tgz", - "integrity": "sha512-Bz5mupy2SVbPHURB98VAcw+aHh4vRV5IPNhILUCsOzRmsTmSQ17jIuqopAentWoehktxGd9e/hbIXq980/1QJg==", - "dev": true, - "license": "MIT" - }, - "node_modules/lodash.isinteger": { - "version": "4.0.4", - "resolved": "http://localhost:4873/lodash.isinteger/-/lodash.isinteger-4.0.4.tgz", - "integrity": "sha512-DBwtEWN2caHQ9/imiNeEA5ys1JoRtRfY3d7V9wkqtbycnAmTvRRmbHKDV4a0EYc678/dia0jrte4tjYwVBaZUA==", - "dev": true, - "license": "MIT" - }, - "node_modules/lodash.isnumber": { - "version": "3.0.3", - "resolved": "http://localhost:4873/lodash.isnumber/-/lodash.isnumber-3.0.3.tgz", - "integrity": "sha512-QYqzpfwO3/CWf3XP+Z+tkQsfaLL/EnUlXWVkIk5FUPc4sBdTehEqZONuyRt2P67PXAk+NXmTBcc97zw9t1FQrw==", - "dev": true, - "license": "MIT" - }, - "node_modules/lodash.isplainobject": { - "version": "4.0.6", - "resolved": "http://localhost:4873/lodash.isplainobject/-/lodash.isplainobject-4.0.6.tgz", - "integrity": "sha512-oSXzaWypCMHkPC3NvBEaPHf0KsA5mvPrOPgQWDsbg8n7orZ290M0BmC/jgRZ4vcJ6DTAhjrsSYgdsW/F+MFOBA==", - "dev": true, - "license": "MIT" - }, - "node_modules/lodash.isstring": { - "version": "4.0.1", - "resolved": "http://localhost:4873/lodash.isstring/-/lodash.isstring-4.0.1.tgz", - "integrity": "sha512-0wJxfxH1wgO3GrbuP+dTTk7op+6L41QCXbGINEmD+ny/G/eCqGzxyCsh7159S+mgDDcoarnBw6PC1PS5+wUGgw==", - "dev": true, - "license": "MIT" - }, - "node_modules/lodash.merge": { - "version": "4.6.2", - "resolved": "http://localhost:4873/lodash.merge/-/lodash.merge-4.6.2.tgz", - "integrity": "sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/lodash.mergewith": { - "version": "4.6.2", - "resolved": "http://localhost:4873/lodash.mergewith/-/lodash.mergewith-4.6.2.tgz", - "integrity": "sha512-GK3g5RPZWTRSeLSpgP8Xhra+pnjBC56q9FZYe1d5RN3TJ35dbkGy3YqBSMbyCrlbi+CM9Z3Jk5yTL7RCsqboyQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/lodash.once": { - "version": "4.1.1", - "resolved": "http://localhost:4873/lodash.once/-/lodash.once-4.1.1.tgz", - "integrity": "sha512-Sb487aTOCr9drQVL8pIxOzVhafOjZN9UU54hiN8PU3uAiSV7lx1yYNpbNmex2PK6dSJoNTSJUUswT651yww3Mg==", - "dev": true, - "license": "MIT" - }, - "node_modules/log-symbols": { - "version": "4.1.0", - "resolved": "http://localhost:4873/log-symbols/-/log-symbols-4.1.0.tgz", - "integrity": "sha512-8XPvpAA8uyhfteu8pIvQxpJZ7SYYdpUivZpGy6sFsBuKRY/7rQGavedeB8aK+Zkyq6upMFVL/9AW6vOYzfRyLg==", - "dev": true, - "license": "MIT", - "dependencies": { - "chalk": "^4.1.0", - "is-unicode-supported": "^0.1.0" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/lookup-closest-locale": { - "version": "6.2.0", - "resolved": "http://localhost:4873/lookup-closest-locale/-/lookup-closest-locale-6.2.0.tgz", - "integrity": "sha512-/c2kL+Vnp1jnV6K6RpDTHK3dgg0Tu2VVp+elEiJpjfS1UyY7AjOYHohRug6wT0OpoX2qFgNORndE9RqesfVxWQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/loose-envify": { - "version": "1.4.0", - "resolved": "http://localhost:4873/loose-envify/-/loose-envify-1.4.0.tgz", - "integrity": "sha512-lyuxPGr/Wfhrlem2CL/UcnUc1zcqKAImBDzukY7Y5F/yQiNdko6+fRLevlw1HgMySw7f611UIY408EtxRSoK3Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "js-tokens": "^3.0.0 || ^4.0.0" - }, - "bin": { - "loose-envify": "cli.js" - } - }, - "node_modules/lower-case": { - "version": "1.1.4", - "resolved": "http://localhost:4873/lower-case/-/lower-case-1.1.4.tgz", - "integrity": "sha512-2Fgx1Ycm599x+WGpIYwJOvsjmXFzTSc34IwDWALRA/8AopUKAVPwfJ+h5+f85BCp0PWmmJcWzEpxOpoXycMpdA==", - "dev": true, - "license": "MIT" - }, - "node_modules/lru_map": { - "version": "0.3.3", - "resolved": "http://localhost:4873/lru_map/-/lru_map-0.3.3.tgz", - "integrity": "sha512-Pn9cox5CsMYngeDbmChANltQl+5pi6XmTrraMSzhPmMBbmgcxmqWry0U3PGapCU1yB4/LqCcom7qhHZiF/jGfQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/lru-cache": { - "version": "5.1.1", - "resolved": "http://localhost:4873/lru-cache/-/lru-cache-5.1.1.tgz", - "integrity": "sha512-KpNARQA3Iwv+jTA0utUVVbrh+Jlrr1Fv0e56GGzAFOXN7dk/FviaDW8LHmK52DlcH4WP2n6gI8vN1aesBFgo9w==", - "dev": true, - "license": "ISC", - "dependencies": { - "yallist": "^3.0.2" - } - }, - "node_modules/lz-string": { - "version": "1.5.0", - "resolved": "http://localhost:4873/lz-string/-/lz-string-1.5.0.tgz", - "integrity": "sha512-h5bgJWpxJNswbU7qCrV0tIKQCaS3blPDrqKWx+QxzuzL1zGUzij9XCWLrSLsJPu5t+eWA/ycetzYAO5IOMcWAQ==", - "dev": true, - "license": "MIT", - "bin": { - "lz-string": "bin/bin.js" - } - }, - "node_modules/make-dir": { - "version": "2.1.0", - "resolved": "http://localhost:4873/make-dir/-/make-dir-2.1.0.tgz", - "integrity": "sha512-LS9X+dc8KLxXCb8dni79fLIIUA5VyZoyjSMCwTluaXA0o27cCK0bhXkpgw+sTXVpPy/lSO57ilRixqk0vDmtRA==", - "dev": true, - "license": "MIT", - "dependencies": { - "pify": "^4.0.1", - "semver": "^5.6.0" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/make-dir/node_modules/semver": { - "version": "5.7.2", - "resolved": "http://localhost:4873/semver/-/semver-5.7.2.tgz", - "integrity": "sha512-cBznnQ9KjJqU67B52RMC65CMarK2600WFnbkcaiwWq3xy/5haFJlshgnpjovMVJ+Hff49d8GEn0b87C5pDQ10g==", - "dev": true, - "license": "ISC", - "bin": { - "semver": "bin/semver" - } - }, - "node_modules/makeerror": { - "version": "1.0.12", - "resolved": "http://localhost:4873/makeerror/-/makeerror-1.0.12.tgz", - "integrity": "sha512-JmqCvUhmt43madlpFzG4BQzG2Z3m6tvQDNKdClZnO3VbIudJYmxsT0FNJMeiB2+JTSlTQTSbU8QdesVmwJcmLg==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "tmpl": "1.0.5" - } - }, - "node_modules/map-cache": { - "version": "0.2.2", - "resolved": "http://localhost:4873/map-cache/-/map-cache-0.2.2.tgz", - "integrity": "sha512-8y/eV9QQZCiyn1SprXSrCmqJN0yNRATe+PO8ztwqrvrbdRLA3eYJF0yaR0YayLWkMbsQSKWS9N2gPcGEc4UsZg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/map-visit": { - "version": "1.0.0", - "resolved": "http://localhost:4873/map-visit/-/map-visit-1.0.0.tgz", - "integrity": "sha512-4y7uGv8bd2WdM9vpQsiQNo41Ln1NvhvDRuVt0k2JZQ+ezN2uaQes7lZeZ+QQUHOLQAtDaBJ+7wCbi+ab/KFs+w==", - "dev": true, - "license": "MIT", - "dependencies": { - "object-visit": "^1.0.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/marky": { - "version": "1.3.0", - "resolved": "http://localhost:4873/marky/-/marky-1.3.0.tgz", - "integrity": "sha512-ocnPZQLNpvbedwTy9kNrQEsknEfgvcLMvOtz3sFeWApDq1MXH1TqkCIx58xlpESsfwQOnuBO9beyQuNGzVvuhQ==", - "dev": true, - "license": "Apache-2.0" - }, - "node_modules/math-intrinsics": { - "version": "1.1.0", - "resolved": "http://localhost:4873/math-intrinsics/-/math-intrinsics-1.1.0.tgz", - "integrity": "sha512-/IXtbwEk5HTPyEwyKX6hGkYXxM9nbj64B+ilVJnC/R6B0pH5G4V3b0pVbL7DBj4tkhBAppbQUlf6F6Xl9LHu1g==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/media-typer": { - "version": "0.3.0", - "resolved": "http://localhost:4873/media-typer/-/media-typer-0.3.0.tgz", - "integrity": "sha512-dq+qelQ9akHpcOl/gUVRTxVIOkAJ1wR3QAvb4RsVjS8oVoFjDGTc679wJYmUmknUF5HwMLOgb5O+a3KxfWapPQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.6" - } - }, - "node_modules/memfs": { - "version": "3.5.3", - "resolved": "http://localhost:4873/memfs/-/memfs-3.5.3.tgz", - "integrity": "sha512-UERzLsxzllchadvbPs5aolHh65ISpKpM+ccLbOJ8/vvpBKmAWf+la7dXFy7Mr0ySHbdHrFv5kGFCUHHe6GFEmw==", - "dev": true, - "license": "Unlicense", - "dependencies": { - "fs-monkey": "^1.0.4" - }, - "engines": { - "node": ">= 4.0.0" - } - }, - "node_modules/merge-descriptors": { - "version": "1.0.3", - "resolved": "http://localhost:4873/merge-descriptors/-/merge-descriptors-1.0.3.tgz", - "integrity": "sha512-gaNvAS7TZ897/rVaZ0nMtAyxNyi/pdbjbAwUpFQpN70GqnVfOiXpeUUMKRBmzXaSQ8DdTX4/0ms62r2K+hE6mQ==", - "dev": true, - "license": "MIT", - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/merge-options": { - "version": "1.0.1", - "resolved": "http://localhost:4873/merge-options/-/merge-options-1.0.1.tgz", - "integrity": "sha512-iuPV41VWKWBIOpBsjoxjDZw8/GbSfZ2mk7N1453bwMrfzdrIk7EzBd+8UVR6rkw67th7xnk9Dytl3J+lHPdxvg==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-plain-obj": "^1.1" - }, - "engines": { - "node": ">=4" - } - }, - "node_modules/merge-options/node_modules/is-plain-obj": { - "version": "1.1.0", - "resolved": "http://localhost:4873/is-plain-obj/-/is-plain-obj-1.1.0.tgz", - "integrity": "sha512-yvkRyxmFKEOQ4pNXCmJG5AEQNlXJS5LaONXo5/cLdTZdWvsZ1ioJEonLGAosKlMWE8lwUy/bJzMjcw8az73+Fg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/merge-stream": { - "version": "2.0.0", - "resolved": "http://localhost:4873/merge-stream/-/merge-stream-2.0.0.tgz", - "integrity": "sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w==", - "dev": true, - "license": "MIT" - }, - "node_modules/merge2": { - "version": "1.4.1", - "resolved": "http://localhost:4873/merge2/-/merge2-1.4.1.tgz", - "integrity": "sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 8" - } - }, - "node_modules/metaviewport-parser": { - "version": "0.2.0", - "resolved": "http://localhost:4873/metaviewport-parser/-/metaviewport-parser-0.2.0.tgz", - "integrity": "sha512-qL5NtY18LGs7lvZCkj3ep2H4Pes9rIiSLZRUyfDdvVw7pWFA0eLwmqaIxApD74RGvUrNEtk9e5Wt1rT+VlCvGw==", - "dev": true, - "license": "MIT" - }, - "node_modules/methods": { - "version": "1.1.2", - "resolved": "http://localhost:4873/methods/-/methods-1.1.2.tgz", - "integrity": "sha512-iclAHeNqNm68zFtnZ0e+1L2yUIdvzNoauKU4WBA3VvH/vPFieF7qfRlwUZU+DA9P9bPXIS90ulxoUoCH23sV2w==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.6" - } - }, - "node_modules/micromatch": { - "version": "4.0.8", - "resolved": "http://localhost:4873/micromatch/-/micromatch-4.0.8.tgz", - "integrity": "sha512-PXwfBhYu0hBCPw8Dn0E+WDYb7af3dSLVWKi3HGv84IdF4TyFoC0ysxFd0Goxw7nSv4T/PzEJQxsYsEiFCKo2BA==", - "dev": true, - "license": "MIT", - "dependencies": { - "braces": "^3.0.3", - "picomatch": "^2.3.1" - }, - "engines": { - "node": ">=8.6" - } - }, - "node_modules/mime": { - "version": "1.6.0", - "resolved": "http://localhost:4873/mime/-/mime-1.6.0.tgz", - "integrity": "sha512-x0Vn8spI+wuJ1O6S7gnbaQg8Pxh4NNHb7KSINmEWKiPE4RKOplvijn+NkmYmmRgP68mc70j2EbeTFRsrswaQeg==", - "dev": true, - "license": "MIT", - "bin": { - "mime": "cli.js" - }, - "engines": { - "node": ">=4" - } - }, - "node_modules/mime-db": { - "version": "1.54.0", - "resolved": "http://localhost:4873/mime-db/-/mime-db-1.54.0.tgz", - "integrity": "sha512-aU5EJuIN2WDemCcAp2vFBfp/m4EAhWJnUNSSw0ixs7/kXbd6Pg64EmwJkNdFhB8aWt1sH2CTXrLxo/iAGV3oPQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.6" - } - }, - "node_modules/mime-types": { - "version": "2.1.35", - "resolved": "http://localhost:4873/mime-types/-/mime-types-2.1.35.tgz", - "integrity": "sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw==", - "dev": true, - "license": "MIT", - "dependencies": { - "mime-db": "1.52.0" - }, - "engines": { - "node": ">= 0.6" - } - }, - "node_modules/mime-types/node_modules/mime-db": { - "version": "1.52.0", - "resolved": "http://localhost:4873/mime-db/-/mime-db-1.52.0.tgz", - "integrity": "sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.6" - } - }, - "node_modules/mimic-fn": { - "version": "2.1.0", - "resolved": "http://localhost:4873/mimic-fn/-/mimic-fn-2.1.0.tgz", - "integrity": "sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/min-indent": { - "version": "1.0.1", - "resolved": "http://localhost:4873/min-indent/-/min-indent-1.0.1.tgz", - "integrity": "sha512-I9jwMn07Sy/IwOj3zVkVik2JTvgpaykDZEigL6Rx6N9LbMywwUSMtxET+7lVoDLLd3O3IXwJwvuuns8UB/HeAg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=4" - } - }, - "node_modules/minimatch": { - "version": "3.1.2", - "resolved": "http://localhost:4873/minimatch/-/minimatch-3.1.2.tgz", - "integrity": "sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==", - "dev": true, - "license": "ISC", - "dependencies": { - "brace-expansion": "^1.1.7" - }, - "engines": { - "node": "*" - } - }, - "node_modules/minimist": { - "version": "1.2.8", - "resolved": "http://localhost:4873/minimist/-/minimist-1.2.8.tgz", - "integrity": "sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA==", - "dev": true, - "license": "MIT", - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/minipass": { - "version": "4.2.8", - "resolved": "http://localhost:4873/minipass/-/minipass-4.2.8.tgz", - "integrity": "sha512-fNzuVyifolSLFL4NzpF+wEF4qrgqaaKX0haXPQEdQ7NKAN+WecoKMHV09YcuL/DHxrUsYQOK3MiuDf7Ip2OXfQ==", - "dev": true, - "license": "ISC", - "engines": { - "node": ">=8" - } - }, - "node_modules/mitt": { - "version": "1.1.2", - "resolved": "http://localhost:4873/mitt/-/mitt-1.1.2.tgz", - "integrity": "sha512-3btxP0O9iGADGWAkteQ8mzDtEspZqu4I32y4GZYCV5BrwtzdcRpF4dQgNdJadCrbBx7Lu6Sq9AVrerMHR0Hkmw==", - "dev": true, - "license": "MIT" - }, - "node_modules/mixin-deep": { - "version": "1.3.2", - "resolved": "http://localhost:4873/mixin-deep/-/mixin-deep-1.3.2.tgz", - "integrity": "sha512-WRoDn//mXBiJ1H40rqa3vH0toePwSsGb45iInWlTySa+Uu4k3tYUSxa2v1KqAiLtvlrSzaExqS1gtk96A9zvEA==", - "dev": true, - "license": "MIT", - "dependencies": { - "for-in": "^1.0.2", - "is-extendable": "^1.0.1" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/mkdirp": { - "version": "0.5.6", - "resolved": "http://localhost:4873/mkdirp/-/mkdirp-0.5.6.tgz", - "integrity": "sha512-FP+p8RB8OWpF3YZBCrP5gtADmtXApB5AMLn+vdyA+PyxCjrCs00mjyUozssO33cwDeT3wNGdLxJ5M//YqtHAJw==", - "dev": true, - "license": "MIT", - "dependencies": { - "minimist": "^1.2.6" - }, - "bin": { - "mkdirp": "bin/cmd.js" - } - }, - "node_modules/mkdirp-classic": { - "version": "0.5.3", - "resolved": "http://localhost:4873/mkdirp-classic/-/mkdirp-classic-0.5.3.tgz", - "integrity": "sha512-gKLcREMhtuZRwRAfqP3RFW+TK4JqApVBtOIftVgjuABpAtpxhPGaDcfvbhNvD0B8iD1oUr/txX35NjcaY6Ns/A==", - "dev": true, - "license": "MIT" - }, - "node_modules/morgan": { - "version": "1.10.0", - "resolved": "http://localhost:4873/morgan/-/morgan-1.10.0.tgz", - "integrity": "sha512-AbegBVI4sh6El+1gNwvD5YIck7nSA36weD7xvIxG4in80j/UoK8AEGaWnnz8v1GxonMCltmlNs5ZKbGvl9b1XQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "basic-auth": "~2.0.1", - "debug": "2.6.9", - "depd": "~2.0.0", - "on-finished": "~2.3.0", - "on-headers": "~1.0.2" - }, - "engines": { - "node": ">= 0.8.0" - } - }, - "node_modules/morgan/node_modules/debug": { - "version": "2.6.9", - "resolved": "http://localhost:4873/debug/-/debug-2.6.9.tgz", - "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", - "dev": true, - "license": "MIT", - "dependencies": { - "ms": "2.0.0" - } - }, - "node_modules/morgan/node_modules/ms": { - "version": "2.0.0", - "resolved": "http://localhost:4873/ms/-/ms-2.0.0.tgz", - "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", - "dev": true, - "license": "MIT" - }, - "node_modules/morgan/node_modules/on-finished": { - "version": "2.3.0", - "resolved": "http://localhost:4873/on-finished/-/on-finished-2.3.0.tgz", - "integrity": "sha512-ikqdkGAAyf/X/gPhXGvfgAytDZtDbr+bkNUJ0N9h5MI/dmdgCs3l6hoHrcUv41sRKew3jIwrp4qQDXiK99Utww==", - "dev": true, - "license": "MIT", - "dependencies": { - "ee-first": "1.1.1" - }, - "engines": { - "node": ">= 0.8" - } - }, - "node_modules/mrmime": { - "version": "2.0.1", - "resolved": "http://localhost:4873/mrmime/-/mrmime-2.0.1.tgz", - "integrity": "sha512-Y3wQdFg2Va6etvQ5I82yUhGdsKrcYox6p7FfL1LbK2J4V01F9TGlepTIhnK24t7koZibmg82KGglhA1XK5IsLQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10" - } - }, - "node_modules/ms": { - "version": "2.1.3", - "resolved": "http://localhost:4873/ms/-/ms-2.1.3.tgz", - "integrity": "sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==", - "dev": true, - "license": "MIT" - }, - "node_modules/msw": { - "version": "1.3.5", - "resolved": "http://localhost:4873/msw/-/msw-1.3.5.tgz", - "integrity": "sha512-nG3fpmBXxFbKSIdk6miPuL3KjU6WMxgoW4tG1YgnP1M+TRG3Qn7b7R0euKAHq4vpwARHb18ZyfZljSxsTnMX2w==", - "dev": true, - "hasInstallScript": true, - "license": "MIT", - "dependencies": { - "@mswjs/cookies": "^0.2.2", - "@mswjs/interceptors": "^0.17.10", - "@open-draft/until": "^1.0.3", - "@types/cookie": "^0.4.1", - "@types/js-levenshtein": "^1.1.1", - "chalk": "^4.1.1", - "chokidar": "^3.4.2", - "cookie": "^0.4.2", - "graphql": "^16.8.1", - "headers-polyfill": "3.2.5", - "inquirer": "^8.2.0", - "is-node-process": "^1.2.0", - "js-levenshtein": "^1.1.6", - "node-fetch": "^2.6.7", - "outvariant": "^1.4.0", - "path-to-regexp": "^6.3.0", - "strict-event-emitter": "^0.4.3", - "type-fest": "^2.19.0", - "yargs": "^17.3.1" - }, - "bin": { - "msw": "cli/index.js" - }, - "engines": { - "node": ">=14" - }, - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/mswjs" - }, - "peerDependencies": { - "typescript": ">= 4.4.x" - }, - "peerDependenciesMeta": { - "typescript": { - "optional": true - } - } - }, - "node_modules/msw/node_modules/ansi-escapes": { - "version": "4.3.2", - "resolved": "http://localhost:4873/ansi-escapes/-/ansi-escapes-4.3.2.tgz", - "integrity": "sha512-gKXj5ALrKWQLsYG9jlTRmR/xKluxHV+Z9QEwNIgCfM1/uwPMCuzVVnh5mwTd+OuBZcwSIMbqssNWRm1lE51QaQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "type-fest": "^0.21.3" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/msw/node_modules/ansi-escapes/node_modules/type-fest": { - "version": "0.21.3", - "resolved": "http://localhost:4873/type-fest/-/type-fest-0.21.3.tgz", - "integrity": "sha512-t0rzBq87m3fVcduHDUFhKmyyX+9eo6WQjZvf51Ea/M0Q7+T374Jp1aUiyUl0GKxp8M/OETVHSDvmkyPgvX+X2w==", - "dev": true, - "license": "(MIT OR CC0-1.0)", - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/msw/node_modules/cli-cursor": { - "version": "3.1.0", - "resolved": "http://localhost:4873/cli-cursor/-/cli-cursor-3.1.0.tgz", - "integrity": "sha512-I/zHAwsKf9FqGoXM4WWRACob9+SNukZTd94DWF57E4toouRulbCxcUh6RKUEOQlYTHJnzkPMySvPNaaSLNfLZw==", - "dev": true, - "license": "MIT", - "dependencies": { - "restore-cursor": "^3.1.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/msw/node_modules/cli-width": { - "version": "3.0.0", - "resolved": "http://localhost:4873/cli-width/-/cli-width-3.0.0.tgz", - "integrity": "sha512-FxqpkPPwu1HjuN93Omfm4h8uIanXofW0RxVEW3k5RKx+mJJYSthzNhp32Kzxxy3YAEZ/Dc/EWN1vZRY0+kOhbw==", - "dev": true, - "license": "ISC", - "engines": { - "node": ">= 10" - } - }, - "node_modules/msw/node_modules/cliui": { - "version": "8.0.1", - "resolved": "http://localhost:4873/cliui/-/cliui-8.0.1.tgz", - "integrity": "sha512-BSeNnyus75C4//NQ9gQt1/csTXyo/8Sb+afLAkzAptFuMsod9HFokGNudZpi/oQV73hnVK+sR+5PVRMd+Dr7YQ==", - "dev": true, - "license": "ISC", - "dependencies": { - "string-width": "^4.2.0", - "strip-ansi": "^6.0.1", - "wrap-ansi": "^7.0.0" - }, - "engines": { - "node": ">=12" - } - }, - "node_modules/msw/node_modules/cliui/node_modules/wrap-ansi": { - "version": "7.0.0", - "resolved": "http://localhost:4873/wrap-ansi/-/wrap-ansi-7.0.0.tgz", - "integrity": "sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "ansi-styles": "^4.0.0", - "string-width": "^4.1.0", - "strip-ansi": "^6.0.0" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/chalk/wrap-ansi?sponsor=1" - } - }, - "node_modules/msw/node_modules/cookie": { - "version": "0.4.2", - "resolved": "http://localhost:4873/cookie/-/cookie-0.4.2.tgz", - "integrity": "sha512-aSWTXFzaKWkvHO1Ny/s+ePFpvKsPnjc551iI41v3ny/ow6tBG5Vd+FuqGNhh1LxOmVzOlGUriIlOaokOvhaStA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.6" - } - }, - "node_modules/msw/node_modules/emoji-regex": { - "version": "8.0.0", - "resolved": "http://localhost:4873/emoji-regex/-/emoji-regex-8.0.0.tgz", - "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", - "dev": true, - "license": "MIT" - }, - "node_modules/msw/node_modules/headers-polyfill": { - "version": "3.2.5", - "resolved": "http://localhost:4873/headers-polyfill/-/headers-polyfill-3.2.5.tgz", - "integrity": "sha512-tUCGvt191vNSQgttSyJoibR+VO+I6+iCHIUdhzEMJKE+EAL8BwCN7fUOZlY4ofOelNHsK+gEjxB/B+9N3EWtdA==", - "dev": true, - "license": "MIT" - }, - "node_modules/msw/node_modules/inquirer": { - "version": "8.2.6", - "resolved": "http://localhost:4873/inquirer/-/inquirer-8.2.6.tgz", - "integrity": "sha512-M1WuAmb7pn9zdFRtQYk26ZBoY043Sse0wVDdk4Bppr+JOXyQYybdtvK+l9wUibhtjdjvtoiNy8tk+EgsYIUqKg==", - "dev": true, - "license": "MIT", - "dependencies": { - "ansi-escapes": "^4.2.1", - "chalk": "^4.1.1", - "cli-cursor": "^3.1.0", - "cli-width": "^3.0.0", - "external-editor": "^3.0.3", - "figures": "^3.0.0", - "lodash": "^4.17.21", - "mute-stream": "0.0.8", - "ora": "^5.4.1", - "run-async": "^2.4.0", - "rxjs": "^7.5.5", - "string-width": "^4.1.0", - "strip-ansi": "^6.0.0", - "through": "^2.3.6", - "wrap-ansi": "^6.0.1" - }, - "engines": { - "node": ">=12.0.0" - } - }, - "node_modules/msw/node_modules/is-fullwidth-code-point": { - "version": "3.0.0", - "resolved": "http://localhost:4873/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", - "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/msw/node_modules/mute-stream": { - "version": "0.0.8", - "resolved": "http://localhost:4873/mute-stream/-/mute-stream-0.0.8.tgz", - "integrity": "sha512-nnbWWOkoWyUsTjKrhgD0dcz22mdkSnpYqbEjIm2nhwhuxlSkpywJmBo8h0ZqJdkp73mb90SssHkN4rsRaBAfAA==", - "dev": true, - "license": "ISC" - }, - "node_modules/msw/node_modules/path-to-regexp": { - "version": "6.3.0", - "resolved": "http://localhost:4873/path-to-regexp/-/path-to-regexp-6.3.0.tgz", - "integrity": "sha512-Yhpw4T9C6hPpgPeA28us07OJeqZ5EzQTkbfwuhsUg0c237RomFoETJgmp2sa3F/41gfLE6G5cqcYwznmeEeOlQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/msw/node_modules/restore-cursor": { - "version": "3.1.0", - "resolved": "http://localhost:4873/restore-cursor/-/restore-cursor-3.1.0.tgz", - "integrity": "sha512-l+sSefzHpj5qimhFSE5a8nufZYAM3sBSVMAPtYkmC+4EH2anSGaEMXSD0izRQbu9nfyQ9y5JrVmp7E8oZrUjvA==", - "dev": true, - "license": "MIT", - "dependencies": { - "onetime": "^5.1.0", - "signal-exit": "^3.0.2" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/msw/node_modules/rxjs": { - "version": "7.8.2", - "resolved": "http://localhost:4873/rxjs/-/rxjs-7.8.2.tgz", - "integrity": "sha512-dhKf903U/PQZY6boNNtAGdWbG85WAbjT/1xYoZIC7FAY0yWapOBQVsVrDl58W86//e1VpMNBtRV4MaXfdMySFA==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "tslib": "^2.1.0" - } - }, - "node_modules/msw/node_modules/string-width": { - "version": "4.2.3", - "resolved": "http://localhost:4873/string-width/-/string-width-4.2.3.tgz", - "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", - "dev": true, - "license": "MIT", - "dependencies": { - "emoji-regex": "^8.0.0", - "is-fullwidth-code-point": "^3.0.0", - "strip-ansi": "^6.0.1" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/msw/node_modules/y18n": { - "version": "5.0.8", - "resolved": "http://localhost:4873/y18n/-/y18n-5.0.8.tgz", - "integrity": "sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA==", - "dev": true, - "license": "ISC", - "engines": { - "node": ">=10" - } - }, - "node_modules/msw/node_modules/yargs": { - "version": "17.7.2", - "resolved": "http://localhost:4873/yargs/-/yargs-17.7.2.tgz", - "integrity": "sha512-7dSzzRQ++CKnNI/krKnYRV7JKKPUXMEh61soaHKg9mrWEhzFWhFnxPxGl+69cD1Ou63C13NUPCnmIcrvqCuM6w==", - "dev": true, - "license": "MIT", - "dependencies": { - "cliui": "^8.0.1", - "escalade": "^3.1.1", - "get-caller-file": "^2.0.5", - "require-directory": "^2.1.1", - "string-width": "^4.2.3", - "y18n": "^5.0.5", - "yargs-parser": "^21.1.1" - }, - "engines": { - "node": ">=12" - } - }, - "node_modules/msw/node_modules/yargs-parser": { - "version": "21.1.1", - "resolved": "http://localhost:4873/yargs-parser/-/yargs-parser-21.1.1.tgz", - "integrity": "sha512-tVpsJW7DdjecAiFpbIB1e3qxIQsE6NoPc5/eTdrbbIC4h0LVsWhnoa3g+m2HclBIujHzsxZ4VJVA+GUuc2/LBw==", - "dev": true, - "license": "ISC", - "engines": { - "node": ">=12" - } - }, - "node_modules/mute-stream": { - "version": "0.0.7", - "resolved": "http://localhost:4873/mute-stream/-/mute-stream-0.0.7.tgz", - "integrity": "sha512-r65nCZhrbXXb6dXOACihYApHw2Q6pV0M3V0PSxd74N0+D8nzAdEAITq2oAjA1jVnKI+tGvEBUpqiMh0+rW6zDQ==", - "dev": true, - "license": "ISC" - }, - "node_modules/nanoid": { - "version": "3.3.11", - "resolved": "http://localhost:4873/nanoid/-/nanoid-3.3.11.tgz", - "integrity": "sha512-N8SpfPUnUp1bK+PMYW8qSWdl9U+wwNWI4QKxOYDy9JAro3WMX7p2OeVRF9v+347pnakNevPmiHhNmZ2HbFA76w==", - "dev": true, - "funding": [ - { - "type": "github", - "url": "https://github.com/sponsors/ai" - } - ], - "license": "MIT", - "bin": { - "nanoid": "bin/nanoid.cjs" - }, - "engines": { - "node": "^10 || ^12 || ^13.7 || ^14 || >=15.0.1" - } - }, - "node_modules/nanomatch": { - "version": "1.2.13", - "resolved": "http://localhost:4873/nanomatch/-/nanomatch-1.2.13.tgz", - "integrity": "sha512-fpoe2T0RbHwBTBUOftAfBPaDEi06ufaUai0mE6Yn1kacc3SnTErfb/h+X94VXzI64rKFHYImXSvdwGGCmwOqCA==", - "dev": true, - "license": "MIT", - "dependencies": { - "arr-diff": "^4.0.0", - "array-unique": "^0.3.2", - "define-property": "^2.0.2", - "extend-shallow": "^3.0.2", - "fragment-cache": "^0.2.1", - "is-windows": "^1.0.2", - "kind-of": "^6.0.2", - "object.pick": "^1.3.0", - "regex-not": "^1.0.0", - "snapdragon": "^0.8.1", - "to-regex": "^3.0.1" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/natural-compare": { - "version": "1.4.0", - "resolved": "http://localhost:4873/natural-compare/-/natural-compare-1.4.0.tgz", - "integrity": "sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==", - "dev": true, - "license": "MIT" - }, - "node_modules/natural-compare-lite": { - "version": "1.4.0", - "resolved": "http://localhost:4873/natural-compare-lite/-/natural-compare-lite-1.4.0.tgz", - "integrity": "sha512-Tj+HTDSJJKaZnfiuw+iaF9skdPpTo2GtEly5JHnWV/hfv2Qj/9RKsGISQtLh2ox3l5EAGw487hnBee0sIJ6v2g==", - "dev": true, - "license": "MIT" - }, - "node_modules/negotiator": { - "version": "0.6.4", - "resolved": "http://localhost:4873/negotiator/-/negotiator-0.6.4.tgz", - "integrity": "sha512-myRT3DiWPHqho5PrJaIRyaMv2kgYf0mUVgBNOYMuCH5Ki1yEiQaf/ZJuQ62nvpc44wL5WDbTX7yGJi1Neevw8w==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.6" - } - }, - "node_modules/neo-async": { - "version": "2.6.2", - "resolved": "http://localhost:4873/neo-async/-/neo-async-2.6.2.tgz", - "integrity": "sha512-Yd3UES5mWCSqR+qNT93S3UoYUkqAZ9lLg8a7g9rimsWmYGK8cVToA4/sF3RrshdyV3sAGMXVUmpMYOw+dLpOuw==", - "dev": true, - "license": "MIT" - }, - "node_modules/next-tick": { - "version": "1.1.0", - "resolved": "http://localhost:4873/next-tick/-/next-tick-1.1.0.tgz", - "integrity": "sha512-CXdUiJembsNjuToQvxayPZF9Vqht7hewsvy2sOWafLvi2awflj9mOC6bHIg50orX8IJvWKY9wYQ/zB2kogPslQ==", - "dev": true, - "license": "ISC" - }, - "node_modules/nice-try": { - "version": "1.0.5", - "resolved": "http://localhost:4873/nice-try/-/nice-try-1.0.5.tgz", - "integrity": "sha512-1nh45deeb5olNY7eX82BkPO7SSxR5SSYJiPTrTdFUVYwAl8CKMA5N9PjTYkHiRjisVcxcQ1HXdLhx2qxxJzLNQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/no-case": { - "version": "2.3.2", - "resolved": "http://localhost:4873/no-case/-/no-case-2.3.2.tgz", - "integrity": "sha512-rmTZ9kz+f3rCvK2TD1Ue/oZlns7OGoIWP4fc3llxxRXlOkHKoWPPWJOfFYpITabSow43QJbRIoHQXtt10VldyQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "lower-case": "^1.1.1" - } - }, - "node_modules/node-environment-flags": { - "version": "1.0.6", - "resolved": "http://localhost:4873/node-environment-flags/-/node-environment-flags-1.0.6.tgz", - "integrity": "sha512-5Evy2epuL+6TM0lCQGpFIj6KwiEsGh1SrHUhTbNX+sLbBtjidPZFAnVK9y5yU1+h//RitLbRHTIMyxQPtxMdHw==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "object.getownpropertydescriptors": "^2.0.3", - "semver": "^5.7.0" - } - }, - "node_modules/node-environment-flags/node_modules/semver": { - "version": "5.7.2", - "resolved": "http://localhost:4873/semver/-/semver-5.7.2.tgz", - "integrity": "sha512-cBznnQ9KjJqU67B52RMC65CMarK2600WFnbkcaiwWq3xy/5haFJlshgnpjovMVJ+Hff49d8GEn0b87C5pDQ10g==", - "dev": true, - "license": "ISC", - "bin": { - "semver": "bin/semver" - } - }, - "node_modules/node-fetch": { - "version": "2.7.0", - "resolved": "http://localhost:4873/node-fetch/-/node-fetch-2.7.0.tgz", - "integrity": "sha512-c4FRfUm/dbcWZ7U+1Wq0AwCyFL+3nt2bEw05wfxSz+DWpWsitgmSgYmy2dQdWyKC1694ELPqMs/YzUSNozLt8A==", - "dev": true, - "license": "MIT", - "dependencies": { - "whatwg-url": "^5.0.0" - }, - "engines": { - "node": "4.x || >=6.0.0" - }, - "peerDependencies": { - "encoding": "^0.1.0" - }, - "peerDependenciesMeta": { - "encoding": { - "optional": true - } - } - }, - "node_modules/node-fetch/node_modules/tr46": { - "version": "0.0.3", - "resolved": "http://localhost:4873/tr46/-/tr46-0.0.3.tgz", - "integrity": "sha512-N3WMsuqV66lT30CrXNbEjx4GEwlow3v6rr4mCcv6prnfwhS01rkgyFdjPNBYd9br7LpXV1+Emh01fHnq2Gdgrw==", - "dev": true, - "license": "MIT" - }, - "node_modules/node-fetch/node_modules/webidl-conversions": { - "version": "3.0.1", - "resolved": "http://localhost:4873/webidl-conversions/-/webidl-conversions-3.0.1.tgz", - "integrity": "sha512-2JAn3z8AR6rjK8Sm8orRC0h/bcl/DqL7tRPdGZ4I1CjdF+EaMLmYxBHyXuKL849eucPFhvBoxMsflfOb8kxaeQ==", - "dev": true, - "license": "BSD-2-Clause" - }, - "node_modules/node-fetch/node_modules/whatwg-url": { - "version": "5.0.0", - "resolved": "http://localhost:4873/whatwg-url/-/whatwg-url-5.0.0.tgz", - "integrity": "sha512-saE57nupxk6v3HY35+jzBwYa0rKSy0XR8JSxZPwgLr7ys0IBzhGviA1/TUGJLmSVqs8pb9AnvICXEuOHLprYTw==", - "dev": true, - "license": "MIT", - "dependencies": { - "tr46": "~0.0.3", - "webidl-conversions": "^3.0.0" - } - }, - "node_modules/node-int64": { - "version": "0.4.0", - "resolved": "http://localhost:4873/node-int64/-/node-int64-0.4.0.tgz", - "integrity": "sha512-O5lz91xSOeoXP6DulyHfllpq+Eg00MWitZIbtPfoSEvqIHdl5gfcY6hYzDWnj0qD5tz52PI08u9qUvSVeUBeHw==", - "dev": true, - "license": "MIT" - }, - "node_modules/node-notifier": { - "version": "8.0.2", - "resolved": "http://localhost:4873/node-notifier/-/node-notifier-8.0.2.tgz", - "integrity": "sha512-oJP/9NAdd9+x2Q+rfphB2RJCHjod70RcRLjosiPMMu5gjIfwVnOUGq2nbTjTUbmy0DJ/tFIVT30+Qe3nzl4TJg==", - "dev": true, - "license": "MIT", - "optional": true, - "dependencies": { - "growly": "^1.3.0", - "is-wsl": "^2.2.0", - "semver": "^7.3.2", - "shellwords": "^0.1.1", - "uuid": "^8.3.0", - "which": "^2.0.2" - } - }, - "node_modules/node-notifier/node_modules/which": { - "version": "2.0.2", - "resolved": "http://localhost:4873/which/-/which-2.0.2.tgz", - "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", - "dev": true, - "license": "ISC", - "optional": true, - "dependencies": { - "isexe": "^2.0.0" - }, - "bin": { - "node-which": "bin/node-which" - }, - "engines": { - "node": ">= 8" - } - }, - "node_modules/node-releases": { - "version": "2.0.19", - "resolved": "http://localhost:4873/node-releases/-/node-releases-2.0.19.tgz", - "integrity": "sha512-xxOWJsBKtzAq7DY0J+DTzuz58K8e7sJbdgwkbMWQe8UYB6ekmsQ45q0M/tJDsGaZmbC+l7n57UV8Hl5tHxO9uw==", - "dev": true, - "license": "MIT" - }, - "node_modules/normalize-package-data": { - "version": "2.5.0", - "resolved": "http://localhost:4873/normalize-package-data/-/normalize-package-data-2.5.0.tgz", - "integrity": "sha512-/5CMN3T0R4XTj4DcGaexo+roZSdSFW/0AOOTROrjxzCG1wrWXEsGbRKevjlIL+ZDE4sZlJr5ED4YW0yqmkK+eA==", - "dev": true, - "license": "BSD-2-Clause", - "dependencies": { - "hosted-git-info": "^2.1.4", - "resolve": "^1.10.0", - "semver": "2 || 3 || 4 || 5", - "validate-npm-package-license": "^3.0.1" - } - }, - "node_modules/normalize-package-data/node_modules/semver": { - "version": "5.7.2", - "resolved": "http://localhost:4873/semver/-/semver-5.7.2.tgz", - "integrity": "sha512-cBznnQ9KjJqU67B52RMC65CMarK2600WFnbkcaiwWq3xy/5haFJlshgnpjovMVJ+Hff49d8GEn0b87C5pDQ10g==", - "dev": true, - "license": "ISC", - "bin": { - "semver": "bin/semver" - } - }, - "node_modules/normalize-path": { - "version": "2.1.1", - "resolved": "http://localhost:4873/normalize-path/-/normalize-path-2.1.1.tgz", - "integrity": "sha512-3pKJwH184Xo/lnH6oyP1q2pMd7HcypqqmRs91/6/i2CGtWwIKGCkOOMTm/zXbgTEWHw1uNpNi/igc3ePOYHb6w==", - "dev": true, - "license": "MIT", - "dependencies": { - "remove-trailing-separator": "^1.0.1" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/npm-run-path": { - "version": "4.0.1", - "resolved": "http://localhost:4873/npm-run-path/-/npm-run-path-4.0.1.tgz", - "integrity": "sha512-S48WzZW777zhNIrn7gxOlISNAqi9ZC/uQFnRdbeIHhZhCA6UqpkOT8T1G7BvfdgP4Er8gF4sUbaS0i7QvIfCWw==", - "dev": true, - "license": "MIT", - "dependencies": { - "path-key": "^3.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/npm-run-path/node_modules/path-key": { - "version": "3.1.1", - "resolved": "http://localhost:4873/path-key/-/path-key-3.1.1.tgz", - "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/nwsapi": { - "version": "2.2.20", - "resolved": "http://localhost:4873/nwsapi/-/nwsapi-2.2.20.tgz", - "integrity": "sha512-/ieB+mDe4MrrKMT8z+mQL8klXydZWGR5Dowt4RAGKbJ3kIGEx3X4ljUo+6V73IXtUPWgfOlU5B9MlGxFO5T+cA==", - "dev": true, - "license": "MIT" - }, - "node_modules/object-assign": { - "version": "4.1.1", - "resolved": "http://localhost:4873/object-assign/-/object-assign-4.1.1.tgz", - "integrity": "sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/object-copy": { - "version": "0.1.0", - "resolved": "http://localhost:4873/object-copy/-/object-copy-0.1.0.tgz", - "integrity": "sha512-79LYn6VAb63zgtmAteVOWo9Vdj71ZVBy3Pbse+VqxDpEP83XuujMrGqHIwAXJ5I/aM0zU7dIyIAhifVTPrNItQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "copy-descriptor": "^0.1.0", - "define-property": "^0.2.5", - "kind-of": "^3.0.3" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/object-copy/node_modules/define-property": { - "version": "0.2.5", - "resolved": "http://localhost:4873/define-property/-/define-property-0.2.5.tgz", - "integrity": "sha512-Rr7ADjQZenceVOAKop6ALkkRAmH1A4Gx9hV/7ZujPUN2rkATqFO0JZLZInbAjpZYoJ1gUx8MRMQVkYemcbMSTA==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-descriptor": "^0.1.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/object-copy/node_modules/is-descriptor": { - "version": "0.1.7", - "resolved": "http://localhost:4873/is-descriptor/-/is-descriptor-0.1.7.tgz", - "integrity": "sha512-C3grZTvObeN1xud4cRWl366OMXZTj0+HGyk4hvfpx4ZHt1Pb60ANSXqCK7pdOTeUQpRzECBSTphqvD7U+l22Eg==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-accessor-descriptor": "^1.0.1", - "is-data-descriptor": "^1.0.1" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/object-copy/node_modules/kind-of": { - "version": "3.2.2", - "resolved": "http://localhost:4873/kind-of/-/kind-of-3.2.2.tgz", - "integrity": "sha512-NOW9QQXMoZGg/oqnVNoNTTIFEIid1627WCffUBJEdMxYApq7mNE7CpzucIPc+ZQg25Phej7IJSmX3hO+oblOtQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-buffer": "^1.1.5" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/object-inspect": { - "version": "1.13.4", - "resolved": "http://localhost:4873/object-inspect/-/object-inspect-1.13.4.tgz", - "integrity": "sha512-W67iLl4J2EXEGTbfeHCffrjDfitvLANg0UlX3wFUUSTx92KXRFegMHUVgSqE+wvhAbi4WqjGg9czysTV2Epbew==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/object-is": { - "version": "1.1.6", - "resolved": "http://localhost:4873/object-is/-/object-is-1.1.6.tgz", - "integrity": "sha512-F8cZ+KfGlSGi09lJT7/Nd6KJZ9ygtvYC0/UYYLI9nmQKLMnydpB9yvbv9K1uSkEu7FU9vYPmVwLg328tX+ot3Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind": "^1.0.7", - "define-properties": "^1.2.1" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/object-keys": { - "version": "1.1.1", - "resolved": "http://localhost:4873/object-keys/-/object-keys-1.1.1.tgz", - "integrity": "sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/object-visit": { - "version": "1.0.1", - "resolved": "http://localhost:4873/object-visit/-/object-visit-1.0.1.tgz", - "integrity": "sha512-GBaMwwAVK9qbQN3Scdo0OyvgPW7l3lnaVMj84uTOZlswkX0KpF6fyDBJhtTthf7pymztoN36/KEr1DyhF96zEA==", - "dev": true, - "license": "MIT", - "dependencies": { - "isobject": "^3.0.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/object.assign": { - "version": "4.1.7", - "resolved": "http://localhost:4873/object.assign/-/object.assign-4.1.7.tgz", - "integrity": "sha512-nK28WOo+QIjBkDduTINE4JkF/UJJKyf2EJxvJKfblDpyg0Q+pkOHNTL0Qwy6NP6FhE/EnzV73BxxqcJaXY9anw==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind": "^1.0.8", - "call-bound": "^1.0.3", - "define-properties": "^1.2.1", - "es-object-atoms": "^1.0.0", - "has-symbols": "^1.1.0", - "object-keys": "^1.1.1" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/object.entries": { - "version": "1.1.9", - "resolved": "http://localhost:4873/object.entries/-/object.entries-1.1.9.tgz", - "integrity": "sha512-8u/hfXFRBD1O0hPUjioLhoWFHRmt6tKA4/vZPyckBr18l1KE9uHrFaFaUi8MDRTpi4uak2goyPTSNJLXX2k2Hw==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind": "^1.0.8", - "call-bound": "^1.0.4", - "define-properties": "^1.2.1", - "es-object-atoms": "^1.1.1" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/object.fromentries": { - "version": "2.0.8", - "resolved": "http://localhost:4873/object.fromentries/-/object.fromentries-2.0.8.tgz", - "integrity": "sha512-k6E21FzySsSK5a21KRADBd/NGneRegFO5pLHfdQLpRDETUNJueLXs3WCzyQ3tFRDYgbq3KHGXfTbi2bs8WQ6rQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind": "^1.0.7", - "define-properties": "^1.2.1", - "es-abstract": "^1.23.2", - "es-object-atoms": "^1.0.0" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/object.getownpropertydescriptors": { - "version": "2.1.8", - "resolved": "http://localhost:4873/object.getownpropertydescriptors/-/object.getownpropertydescriptors-2.1.8.tgz", - "integrity": "sha512-qkHIGe4q0lSYMv0XI4SsBTJz3WaURhLvd0lKSgtVuOsJ2krg4SgMw3PIRQFMp07yi++UR3se2mkcLqsBNpBb/A==", - "dev": true, - "license": "MIT", - "dependencies": { - "array.prototype.reduce": "^1.0.6", - "call-bind": "^1.0.7", - "define-properties": "^1.2.1", - "es-abstract": "^1.23.2", - "es-object-atoms": "^1.0.0", - "gopd": "^1.0.1", - "safe-array-concat": "^1.1.2" - }, - "engines": { - "node": ">= 0.8" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/object.pick": { - "version": "1.3.0", - "resolved": "http://localhost:4873/object.pick/-/object.pick-1.3.0.tgz", - "integrity": "sha512-tqa/UMy/CCoYmj+H5qc07qvSL9dqcs/WZENZ1JbtWBlATP+iVOe778gE6MSijnyCnORzDuX6hU+LA4SZ09YjFQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "isobject": "^3.0.1" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/object.values": { - "version": "1.2.1", - "resolved": "http://localhost:4873/object.values/-/object.values-1.2.1.tgz", - "integrity": "sha512-gXah6aZrcUxjWg2zR2MwouP2eHlCBzdV4pygudehaKXSGW4v2AsRQUK+lwwXhii6KFZcunEnmSUoYp5CXibxtA==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind": "^1.0.8", - "call-bound": "^1.0.3", - "define-properties": "^1.2.1", - "es-object-atoms": "^1.0.0" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/on-finished": { - "version": "2.4.1", - "resolved": "http://localhost:4873/on-finished/-/on-finished-2.4.1.tgz", - "integrity": "sha512-oVlzkg3ENAhCk2zdv7IJwd/QUD4z2RxRwpkcGY8psCVcCYZNq4wYnVWALHM+brtuJjePWiYF/ClmuDr8Ch5+kg==", - "dev": true, - "license": "MIT", - "dependencies": { - "ee-first": "1.1.1" - }, - "engines": { - "node": ">= 0.8" - } - }, - "node_modules/on-headers": { - "version": "1.0.2", - "resolved": "http://localhost:4873/on-headers/-/on-headers-1.0.2.tgz", - "integrity": "sha512-pZAE+FJLoyITytdqK0U5s+FIpjN0JP3OzFi/u8Rx+EV5/W+JTWGXG8xFzevE7AjBfDqHv/8vL8qQsIhHnqRkrA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.8" - } - }, - "node_modules/once": { - "version": "1.4.0", - "resolved": "http://localhost:4873/once/-/once-1.4.0.tgz", - "integrity": "sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==", - "dev": true, - "license": "ISC", - "dependencies": { - "wrappy": "1" - } - }, - "node_modules/onetime": { - "version": "5.1.2", - "resolved": "http://localhost:4873/onetime/-/onetime-5.1.2.tgz", - "integrity": "sha512-kbpaSSGJTWdAY5KPVeMOKXSrPtr8C8C7wodJbcsd51jRnmD+GZu8Y0VoU6Dm5Z4vWr0Ig/1NKuWRKf7j5aaYSg==", - "dev": true, - "license": "MIT", - "dependencies": { - "mimic-fn": "^2.1.0" - }, - "engines": { - "node": ">=6" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/open": { - "version": "7.4.2", - "resolved": "http://localhost:4873/open/-/open-7.4.2.tgz", - "integrity": "sha512-MVHddDVweXZF3awtlAS+6pgKLlm/JgxZ90+/NBurBoQctVOOB/zDdVjcyPzQ+0laDGbsWgrRkflI65sQeOgT9Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-docker": "^2.0.0", - "is-wsl": "^2.1.1" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/openapi-fetch": { - "version": "0.8.2", - "resolved": "http://localhost:4873/openapi-fetch/-/openapi-fetch-0.8.2.tgz", - "integrity": "sha512-4g+NLK8FmQ51RW6zLcCBOVy/lwYmFJiiT+ckYZxJWxUxH4XFhsNcX2eeqVMfVOi+mDNFja6qDXIZAz2c5J/RVw==", - "dev": true, - "license": "MIT", - "dependencies": { - "openapi-typescript-helpers": "^0.0.5" - } - }, - "node_modules/openapi-typescript-helpers": { - "version": "0.0.5", - "resolved": "http://localhost:4873/openapi-typescript-helpers/-/openapi-typescript-helpers-0.0.5.tgz", - "integrity": "sha512-MRffg93t0hgGZbYTxg60hkRIK2sRuEOHEtCUgMuLgbCC33TMQ68AmxskzUlauzZYD47+ENeGV/ElI7qnWqrAxA==", - "dev": true, - "license": "MIT" - }, - "node_modules/opener": { - "version": "1.5.2", - "resolved": "http://localhost:4873/opener/-/opener-1.5.2.tgz", - "integrity": "sha512-ur5UIdyw5Y7yEj9wLzhqXiy6GZ3Mwx0yGI+5sMn2r0N0v3cKJvUmFH5yPP+WXh9e0xfyzyJX95D8l088DNFj7A==", - "dev": true, - "license": "(WTFPL OR MIT)", - "bin": { - "opener": "bin/opener-bin.js" - } - }, - "node_modules/optionator": { - "version": "0.9.4", - "resolved": "http://localhost:4873/optionator/-/optionator-0.9.4.tgz", - "integrity": "sha512-6IpQ7mKUxRcZNLIObR0hz7lxsapSSIYNZJwXPGeF0mTVqGKFIXj1DQcMoT22S3ROcLyY/rz0PWaWZ9ayWmad9g==", - "dev": true, - "license": "MIT", - "dependencies": { - "deep-is": "^0.1.3", - "fast-levenshtein": "^2.0.6", - "levn": "^0.4.1", - "prelude-ls": "^1.2.1", - "type-check": "^0.4.0", - "word-wrap": "^1.2.5" - }, - "engines": { - "node": ">= 0.8.0" - } - }, - "node_modules/ora": { - "version": "5.4.1", - "resolved": "http://localhost:4873/ora/-/ora-5.4.1.tgz", - "integrity": "sha512-5b6Y85tPxZZ7QytO+BQzysW31HJku27cRIlkbAXaNx+BdcVi+LlRFmVXzeF6a7JCwJpyw5c4b+YSVImQIrBpuQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "bl": "^4.1.0", - "chalk": "^4.1.0", - "cli-cursor": "^3.1.0", - "cli-spinners": "^2.5.0", - "is-interactive": "^1.0.0", - "is-unicode-supported": "^0.1.0", - "log-symbols": "^4.1.0", - "strip-ansi": "^6.0.0", - "wcwidth": "^1.0.1" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/ora/node_modules/bl": { - "version": "4.1.0", - "resolved": "http://localhost:4873/bl/-/bl-4.1.0.tgz", - "integrity": "sha512-1W07cM9gS6DcLperZfFSj+bWLtaPGSOHWhPiGzXmvVJbRLdG82sH/Kn8EtW1VqWVA54AKf2h5k5BbnIbwF3h6w==", - "dev": true, - "license": "MIT", - "dependencies": { - "buffer": "^5.5.0", - "inherits": "^2.0.4", - "readable-stream": "^3.4.0" - } - }, - "node_modules/ora/node_modules/buffer": { - "version": "5.7.1", - "resolved": "http://localhost:4873/buffer/-/buffer-5.7.1.tgz", - "integrity": "sha512-EHcyIPBQ4BSGlvjB16k5KgAJ27CIsHY/2JBmCRReo48y9rQ3MaUzWX3KVlBa4U7MyX02HdVj0K7C3WaB3ju7FQ==", - "dev": true, - "funding": [ - { - "type": "github", - "url": "https://github.com/sponsors/feross" - }, - { - "type": "patreon", - "url": "https://www.patreon.com/feross" - }, - { - "type": "consulting", - "url": "https://feross.org/support" - } - ], - "license": "MIT", - "dependencies": { - "base64-js": "^1.3.1", - "ieee754": "^1.1.13" - } - }, - "node_modules/ora/node_modules/cli-cursor": { - "version": "3.1.0", - "resolved": "http://localhost:4873/cli-cursor/-/cli-cursor-3.1.0.tgz", - "integrity": "sha512-I/zHAwsKf9FqGoXM4WWRACob9+SNukZTd94DWF57E4toouRulbCxcUh6RKUEOQlYTHJnzkPMySvPNaaSLNfLZw==", - "dev": true, - "license": "MIT", - "dependencies": { - "restore-cursor": "^3.1.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/ora/node_modules/readable-stream": { - "version": "3.6.2", - "resolved": "http://localhost:4873/readable-stream/-/readable-stream-3.6.2.tgz", - "integrity": "sha512-9u/sniCrY3D5WdsERHzHE4G2YCXqoG5FTHUiCC4SIbr6XcLZBY05ya9EKjYek9O5xOAwjGq+1JdGBAS7Q9ScoA==", - "dev": true, - "license": "MIT", - "dependencies": { - "inherits": "^2.0.3", - "string_decoder": "^1.1.1", - "util-deprecate": "^1.0.1" - }, - "engines": { - "node": ">= 6" - } - }, - "node_modules/ora/node_modules/restore-cursor": { - "version": "3.1.0", - "resolved": "http://localhost:4873/restore-cursor/-/restore-cursor-3.1.0.tgz", - "integrity": "sha512-l+sSefzHpj5qimhFSE5a8nufZYAM3sBSVMAPtYkmC+4EH2anSGaEMXSD0izRQbu9nfyQ9y5JrVmp7E8oZrUjvA==", - "dev": true, - "license": "MIT", - "dependencies": { - "onetime": "^5.1.0", - "signal-exit": "^3.0.2" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/os-tmpdir": { - "version": "1.0.2", - "resolved": "http://localhost:4873/os-tmpdir/-/os-tmpdir-1.0.2.tgz", - "integrity": "sha512-D2FR03Vir7FIu45XBY20mTb+/ZSWB00sjU9jdQXt83gDrI4Ztz5Fs7/yy74g2N5SVQY4xY1qDr4rNddwYRVX0g==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/outvariant": { - "version": "1.4.3", - "resolved": "http://localhost:4873/outvariant/-/outvariant-1.4.3.tgz", - "integrity": "sha512-+Sl2UErvtsoajRDKCE5/dBz4DIvHXQQnAxtQTF04OJxY0+DyZXSo5P5Bb7XYWOh81syohlYL24hbDwxedPUJCA==", - "dev": true, - "license": "MIT" - }, - "node_modules/own-keys": { - "version": "1.0.1", - "resolved": "http://localhost:4873/own-keys/-/own-keys-1.0.1.tgz", - "integrity": "sha512-qFOyK5PjiWZd+QQIh+1jhdb9LpxTF0qs7Pm8o5QHYZ0M3vKqSqzsZaEB6oWlxZ+q2sJBMI/Ktgd2N5ZwQoRHfg==", - "dev": true, - "license": "MIT", - "dependencies": { - "get-intrinsic": "^1.2.6", - "object-keys": "^1.1.1", - "safe-push-apply": "^1.0.0" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/p-each-series": { - "version": "2.2.0", - "resolved": "http://localhost:4873/p-each-series/-/p-each-series-2.2.0.tgz", - "integrity": "sha512-ycIL2+1V32th+8scbpTvyHNaHe02z0sjgh91XXjAk+ZeXoPN4Z46DVUnzdso0aX4KckKw0FNNFHdjZ2UsZvxiA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/p-finally": { - "version": "1.0.0", - "resolved": "http://localhost:4873/p-finally/-/p-finally-1.0.0.tgz", - "integrity": "sha512-LICb2p9CB7FS+0eR1oqWnHhp0FljGLZCWBE9aix0Uye9W8LTQPwMTYVGWQWIw9RdQiDg4+epXQODwIYJtSJaow==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=4" - } - }, - "node_modules/p-limit": { - "version": "2.3.0", - "resolved": "http://localhost:4873/p-limit/-/p-limit-2.3.0.tgz", - "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==", - "dev": true, - "license": "MIT", - "dependencies": { - "p-try": "^2.0.0" - }, - "engines": { - "node": ">=6" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/p-locate": { - "version": "4.1.0", - "resolved": "http://localhost:4873/p-locate/-/p-locate-4.1.0.tgz", - "integrity": "sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==", - "dev": true, - "license": "MIT", - "dependencies": { - "p-limit": "^2.2.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/p-try": { - "version": "2.2.0", - "resolved": "http://localhost:4873/p-try/-/p-try-2.2.0.tgz", - "integrity": "sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/parent-module": { - "version": "1.0.1", - "resolved": "http://localhost:4873/parent-module/-/parent-module-1.0.1.tgz", - "integrity": "sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==", - "dev": true, - "license": "MIT", - "dependencies": { - "callsites": "^3.0.0" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/parse-cache-control": { - "version": "1.0.1", - "resolved": "http://localhost:4873/parse-cache-control/-/parse-cache-control-1.0.1.tgz", - "integrity": "sha512-60zvsJReQPX5/QP0Kzfd/VrpjScIQ7SHBW6bFCYfEP+fp0Eppr1SHhIO5nd1PjZtvclzSzES9D/p5nFJurwfWg==", - "dev": true - }, - "node_modules/parse-json": { - "version": "5.2.0", - "resolved": "http://localhost:4873/parse-json/-/parse-json-5.2.0.tgz", - "integrity": "sha512-ayCKvm/phCGxOkYRSCM82iDwct8/EonSEgCSxWxD7ve6jHggsFl4fZVQBPRNgQoKiuV/odhFrGzQXZwbifC8Rg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/code-frame": "^7.0.0", - "error-ex": "^1.3.1", - "json-parse-even-better-errors": "^2.3.0", - "lines-and-columns": "^1.1.6" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/parse-passwd": { - "version": "1.0.0", - "resolved": "http://localhost:4873/parse-passwd/-/parse-passwd-1.0.0.tgz", - "integrity": "sha512-1Y1A//QUXEZK7YKz+rD9WydcE1+EuPr6ZBgKecAB8tmoW6UFv0NREVJe1p+jRxtThkcbbKkfwIbWJe/IeE6m2Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/parse5": { - "version": "6.0.1", - "resolved": "http://localhost:4873/parse5/-/parse5-6.0.1.tgz", - "integrity": "sha512-Ofn/CTFzRGTTxwpNEs9PP93gXShHcTq255nzRYSKe8AkVpZY7e1fpmTfOyoIvjP5HG7Z2ZM7VS9PPhQGW2pOpw==", - "dev": true, - "license": "MIT" - }, - "node_modules/parseurl": { - "version": "1.3.3", - "resolved": "http://localhost:4873/parseurl/-/parseurl-1.3.3.tgz", - "integrity": "sha512-CiyeOxFT/JZyN5m0z9PfXw4SCBJ6Sygz1Dpl0wqjlhDEGGBP1GnsUVEL0p63hoG1fcj3fHynXi9NYO4nWOL+qQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.8" - } - }, - "node_modules/pascalcase": { - "version": "0.1.1", - "resolved": "http://localhost:4873/pascalcase/-/pascalcase-0.1.1.tgz", - "integrity": "sha512-XHXfu/yOQRy9vYOtUDVMN60OEJjW013GoObG1o+xwQTpB9eYJX/BjXMsdW13ZDPruFhYYn0AG22w0xgQMwl3Nw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/path-exists": { - "version": "4.0.0", - "resolved": "http://localhost:4873/path-exists/-/path-exists-4.0.0.tgz", - "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/path-is-absolute": { - "version": "1.0.1", - "resolved": "http://localhost:4873/path-is-absolute/-/path-is-absolute-1.0.1.tgz", - "integrity": "sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/path-key": { - "version": "2.0.1", - "resolved": "http://localhost:4873/path-key/-/path-key-2.0.1.tgz", - "integrity": "sha512-fEHGKCSmUSDPv4uoj8AlD+joPlq3peND+HRYyxFz4KPw4z926S/b8rIuFs2FYJg3BwsxJf6A9/3eIdLaYC+9Dw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=4" - } - }, - "node_modules/path-parse": { - "version": "1.0.7", - "resolved": "http://localhost:4873/path-parse/-/path-parse-1.0.7.tgz", - "integrity": "sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==", - "dev": true, - "license": "MIT" - }, - "node_modules/path-scurry": { - "version": "1.11.1", - "resolved": "http://localhost:4873/path-scurry/-/path-scurry-1.11.1.tgz", - "integrity": "sha512-Xa4Nw17FS9ApQFJ9umLiJS4orGjm7ZzwUrwamcGQuHSzDyth9boKDaycYdDcZDuqYATXw4HFXgaqWTctW/v1HA==", - "dev": true, - "license": "BlueOak-1.0.0", - "dependencies": { - "lru-cache": "^10.2.0", - "minipass": "^5.0.0 || ^6.0.2 || ^7.0.0" - }, - "engines": { - "node": ">=16 || 14 >=14.18" - }, - "funding": { - "url": "https://github.com/sponsors/isaacs" - } - }, - "node_modules/path-scurry/node_modules/lru-cache": { - "version": "10.4.3", - "resolved": "http://localhost:4873/lru-cache/-/lru-cache-10.4.3.tgz", - "integrity": "sha512-JNAzZcXrCt42VGLuYz0zfAzDfAvJWW6AfYlDBQyDV5DClI2m5sAmK+OIO7s59XfsRsWHp02jAJrRadPRGTt6SQ==", - "dev": true, - "license": "ISC" - }, - "node_modules/path-scurry/node_modules/minipass": { - "version": "7.1.2", - "resolved": "http://localhost:4873/minipass/-/minipass-7.1.2.tgz", - "integrity": "sha512-qOOzS1cBTWYF4BH8fVePDBOO9iptMnGUEZwNc/cMWnTV2nVLZ7VoNWEPHkYczZA0pdoA7dl6e7FL659nX9S2aw==", - "dev": true, - "license": "ISC", - "engines": { - "node": ">=16 || 14 >=14.17" - } - }, - "node_modules/path-to-regexp": { - "version": "0.1.12", - "resolved": "http://localhost:4873/path-to-regexp/-/path-to-regexp-0.1.12.tgz", - "integrity": "sha512-RA1GjUVMnvYFxuqovrEqZoxxW5NUZqbwKtYz/Tt7nXerk0LbLblQmrsgdeOxV5SFHf0UDggjS/bSeOZwt1pmEQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/path-type": { - "version": "4.0.0", - "resolved": "http://localhost:4873/path-type/-/path-type-4.0.0.tgz", - "integrity": "sha512-gDKb8aZMDeD/tZWs9P6+q0J9Mwkdl6xMV8TjnGP3qJVJ06bdMgkbBlLU8IdfOsIsFz2BW1rNVT3XuNEl8zPAvw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/pend": { - "version": "1.2.0", - "resolved": "http://localhost:4873/pend/-/pend-1.2.0.tgz", - "integrity": "sha512-F3asv42UuXchdzt+xXqfW1OGlVBe+mxa2mqI0pg5yAHZPvFmY3Y6drSf/GQ1A86WgWEN9Kzh/WrgKa6iGcHXLg==", - "dev": true, - "license": "MIT" - }, - "node_modules/performance-now": { - "version": "2.1.0", - "resolved": "http://localhost:4873/performance-now/-/performance-now-2.1.0.tgz", - "integrity": "sha512-7EAHlyLHI56VEIdK57uwHdHKIaAGbnXPiw0yWbarQZOKaKpvUIgW0jWRVLiatnM+XXlSwsanIBH/hzGMJulMow==", - "dev": true, - "license": "MIT" - }, - "node_modules/picocolors": { - "version": "1.1.1", - "resolved": "http://localhost:4873/picocolors/-/picocolors-1.1.1.tgz", - "integrity": "sha512-xceH2snhtb5M9liqDsmEw56le376mTZkEX/jEb/RxNFyegNul7eNslCXP9FDj/Lcu0X8KEyMceP2ntpaHrDEVA==", - "dev": true, - "license": "ISC" - }, - "node_modules/picomatch": { - "version": "2.3.1", - "resolved": "http://localhost:4873/picomatch/-/picomatch-2.3.1.tgz", - "integrity": "sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8.6" - }, - "funding": { - "url": "https://github.com/sponsors/jonschlinkert" - } - }, - "node_modules/pify": { - "version": "4.0.1", - "resolved": "http://localhost:4873/pify/-/pify-4.0.1.tgz", - "integrity": "sha512-uB80kBFb/tfd68bVleG9T5GGsGPjJrLAUpR5PZIrhBnIaRTQRjqdJSsIKkOP6OAIFbj7GOrcudc5pNjZ+geV2g==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/pirates": { - "version": "4.0.7", - "resolved": "http://localhost:4873/pirates/-/pirates-4.0.7.tgz", - "integrity": "sha512-TfySrs/5nm8fQJDcBDuUng3VOUKsd7S+zqvbOTiGXHfxX4wK31ard+hoNuvkicM/2YFzlpDgABOevKSsB4G/FA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 6" - } - }, - "node_modules/pkg-dir": { - "version": "3.0.0", - "resolved": "http://localhost:4873/pkg-dir/-/pkg-dir-3.0.0.tgz", - "integrity": "sha512-/E57AYkoeQ25qkxMj5PBOVgF8Kiu/h7cYS30Z5+R7WaiCCBfLq58ZI/dSeaEKb9WVJV5n/03QwrN3IeWIFllvw==", - "dev": true, - "license": "MIT", - "dependencies": { - "find-up": "^3.0.0" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/pkg-dir/node_modules/find-up": { - "version": "3.0.0", - "resolved": "http://localhost:4873/find-up/-/find-up-3.0.0.tgz", - "integrity": "sha512-1yD6RmLI1XBfxugvORwlck6f75tYL+iR0jqwsOrOxMZyGYqUuDhJ0l4AXdO1iX/FTs9cBAMEk1gWSEx1kSbylg==", - "dev": true, - "license": "MIT", - "dependencies": { - "locate-path": "^3.0.0" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/pkg-dir/node_modules/locate-path": { - "version": "3.0.0", - "resolved": "http://localhost:4873/locate-path/-/locate-path-3.0.0.tgz", - "integrity": "sha512-7AO748wWnIhNqAuaty2ZWHkQHRSNfPVIsPIfwEOWO22AmaoVrWavlOcMR5nzTLNYvp36X220/maaRsrec1G65A==", - "dev": true, - "license": "MIT", - "dependencies": { - "p-locate": "^3.0.0", - "path-exists": "^3.0.0" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/pkg-dir/node_modules/p-locate": { - "version": "3.0.0", - "resolved": "http://localhost:4873/p-locate/-/p-locate-3.0.0.tgz", - "integrity": "sha512-x+12w/To+4GFfgJhBEpiDcLozRJGegY+Ei7/z0tSLkMmxGZNybVMSfWj9aJn8Z5Fc7dBUNJOOVgPv2H7IwulSQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "p-limit": "^2.0.0" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/pkg-dir/node_modules/path-exists": { - "version": "3.0.0", - "resolved": "http://localhost:4873/path-exists/-/path-exists-3.0.0.tgz", - "integrity": "sha512-bpC7GYwiDYQ4wYLe+FA8lhRjhQCMcQGuSgGGqDkg/QerRWw9CmGRT0iSOVRSZJ29NMLZgIzqaljJ63oaL4NIJQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=4" - } - }, - "node_modules/pkg-up": { - "version": "3.1.0", - "resolved": "http://localhost:4873/pkg-up/-/pkg-up-3.1.0.tgz", - "integrity": "sha512-nDywThFk1i4BQK4twPQ6TA4RT8bDY96yeuCVBWL3ePARCiEKDRSrNGbFIgUJpLp+XeIR65v8ra7WuJOFUBtkMA==", - "dev": true, - "license": "MIT", - "dependencies": { - "find-up": "^3.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/pkg-up/node_modules/find-up": { - "version": "3.0.0", - "resolved": "http://localhost:4873/find-up/-/find-up-3.0.0.tgz", - "integrity": "sha512-1yD6RmLI1XBfxugvORwlck6f75tYL+iR0jqwsOrOxMZyGYqUuDhJ0l4AXdO1iX/FTs9cBAMEk1gWSEx1kSbylg==", - "dev": true, - "license": "MIT", - "dependencies": { - "locate-path": "^3.0.0" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/pkg-up/node_modules/locate-path": { - "version": "3.0.0", - "resolved": "http://localhost:4873/locate-path/-/locate-path-3.0.0.tgz", - "integrity": "sha512-7AO748wWnIhNqAuaty2ZWHkQHRSNfPVIsPIfwEOWO22AmaoVrWavlOcMR5nzTLNYvp36X220/maaRsrec1G65A==", - "dev": true, - "license": "MIT", - "dependencies": { - "p-locate": "^3.0.0", - "path-exists": "^3.0.0" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/pkg-up/node_modules/p-locate": { - "version": "3.0.0", - "resolved": "http://localhost:4873/p-locate/-/p-locate-3.0.0.tgz", - "integrity": "sha512-x+12w/To+4GFfgJhBEpiDcLozRJGegY+Ei7/z0tSLkMmxGZNybVMSfWj9aJn8Z5Fc7dBUNJOOVgPv2H7IwulSQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "p-limit": "^2.0.0" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/pkg-up/node_modules/path-exists": { - "version": "3.0.0", - "resolved": "http://localhost:4873/path-exists/-/path-exists-3.0.0.tgz", - "integrity": "sha512-bpC7GYwiDYQ4wYLe+FA8lhRjhQCMcQGuSgGGqDkg/QerRWw9CmGRT0iSOVRSZJ29NMLZgIzqaljJ63oaL4NIJQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=4" - } - }, - "node_modules/plur": { - "version": "4.0.0", - "resolved": "http://localhost:4873/plur/-/plur-4.0.0.tgz", - "integrity": "sha512-4UGewrYgqDFw9vV6zNV+ADmPAUAfJPKtGvb/VdpQAx25X5f3xXdGdyOEVFwkl8Hl/tl7+xbeHqSEM+D5/TirUg==", - "dev": true, - "license": "MIT", - "dependencies": { - "irregular-plurals": "^3.2.0" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/posix-character-classes": { - "version": "0.1.1", - "resolved": "http://localhost:4873/posix-character-classes/-/posix-character-classes-0.1.1.tgz", - "integrity": "sha512-xTgYBc3fuo7Yt7JbiuFxSYGToMoz8fLoE6TC9Wx1P/u+LfeThMOAqmuyECnlBaaJb+u1m9hHiXUEtwW4OzfUJg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/possible-typed-array-names": { - "version": "1.1.0", - "resolved": "http://localhost:4873/possible-typed-array-names/-/possible-typed-array-names-1.1.0.tgz", - "integrity": "sha512-/+5VFTchJDoVj3bhoqi6UeymcD00DAwb1nJwamzPvHEszJ4FpF6SNNbUbOS8yI56qHzdV8eK0qEfOSiodkTdxg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/postcss": { - "version": "5.2.18", - "resolved": "http://localhost:4873/postcss/-/postcss-5.2.18.tgz", - "integrity": "sha512-zrUjRRe1bpXKsX1qAJNJjqZViErVuyEkMTRrwu4ud4sbTtIBRmtaYDrHmcGgmrbsW3MHfmtIf+vJumgQn+PrXg==", - "dev": true, - "license": "MIT", - "dependencies": { - "chalk": "^1.1.3", - "js-base64": "^2.1.9", - "source-map": "^0.5.6", - "supports-color": "^3.2.3" - }, - "engines": { - "node": ">=0.12" - } - }, - "node_modules/postcss-prefix-selector": { - "version": "1.16.1", - "resolved": "http://localhost:4873/postcss-prefix-selector/-/postcss-prefix-selector-1.16.1.tgz", - "integrity": "sha512-Umxu+FvKMwlY6TyDzGFoSUnzW+NOfMBLyC1tAkIjgX+Z/qGspJeRjVC903D7mx7TuBpJlwti2ibXtWuA7fKMeQ==", - "dev": true, - "license": "MIT", - "peerDependencies": { - "postcss": ">4 <9" - } - }, - "node_modules/postcss/node_modules/ansi-regex": { - "version": "2.1.1", - "resolved": "http://localhost:4873/ansi-regex/-/ansi-regex-2.1.1.tgz", - "integrity": "sha512-TIGnTpdo+E3+pCyAluZvtED5p5wCqLdezCyhPZzKPcxvFplEt4i+W7OONCKgeZFT3+y5NZZfOOS/Bdcanm1MYA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/postcss/node_modules/ansi-styles": { - "version": "2.2.1", - "resolved": "http://localhost:4873/ansi-styles/-/ansi-styles-2.2.1.tgz", - "integrity": "sha512-kmCevFghRiWM7HB5zTPULl4r9bVFSWjz62MhqizDGUrq2NWuNMQyuv4tHHoKJHs69M/MF64lEcHdYIocrdWQYA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/postcss/node_modules/chalk": { - "version": "1.1.3", - "resolved": "http://localhost:4873/chalk/-/chalk-1.1.3.tgz", - "integrity": "sha512-U3lRVLMSlsCfjqYPbLyVv11M9CPW4I728d6TCKMAOJueEeB9/8o+eSsMnxPJD+Q+K909sdESg7C+tIkoH6on1A==", - "dev": true, - "license": "MIT", - "dependencies": { - "ansi-styles": "^2.2.1", - "escape-string-regexp": "^1.0.2", - "has-ansi": "^2.0.0", - "strip-ansi": "^3.0.0", - "supports-color": "^2.0.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/postcss/node_modules/chalk/node_modules/supports-color": { - "version": "2.0.0", - "resolved": "http://localhost:4873/supports-color/-/supports-color-2.0.0.tgz", - "integrity": "sha512-KKNVtd6pCYgPIKU4cp2733HWYCpplQhddZLBUryaAHou723x+FRzQ5Df824Fj+IyyuiQTRoub4SnIFfIcrp70g==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.8.0" - } - }, - "node_modules/postcss/node_modules/escape-string-regexp": { - "version": "1.0.5", - "resolved": "http://localhost:4873/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz", - "integrity": "sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.8.0" - } - }, - "node_modules/postcss/node_modules/has-flag": { - "version": "1.0.0", - "resolved": "http://localhost:4873/has-flag/-/has-flag-1.0.0.tgz", - "integrity": "sha512-DyYHfIYwAJmjAjSSPKANxI8bFY9YtFrgkAfinBojQ8YJTOuOuav64tMUJv584SES4xl74PmuaevIyaLESHdTAA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/postcss/node_modules/strip-ansi": { - "version": "3.0.1", - "resolved": "http://localhost:4873/strip-ansi/-/strip-ansi-3.0.1.tgz", - "integrity": "sha512-VhumSSbBqDTP8p2ZLKj40UjBCV4+v8bUSEpUb4KjRgWk9pbqGF4REFj6KEagidb2f/M6AzC0EmFyDNGaw9OCzg==", - "dev": true, - "license": "MIT", - "dependencies": { - "ansi-regex": "^2.0.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/postcss/node_modules/supports-color": { - "version": "3.2.3", - "resolved": "http://localhost:4873/supports-color/-/supports-color-3.2.3.tgz", - "integrity": "sha512-Jds2VIYDrlp5ui7t8abHN2bjAu4LV/q4N2KivFPpGH0lrka0BMq/33AmECUXlKPcHigkNaqfXRENFju+rlcy+A==", - "dev": true, - "license": "MIT", - "dependencies": { - "has-flag": "^1.0.0" - }, - "engines": { - "node": ">=0.8.0" - } - }, - "node_modules/posthtml": { - "version": "0.9.2", - "resolved": "http://localhost:4873/posthtml/-/posthtml-0.9.2.tgz", - "integrity": "sha512-spBB5sgC4cv2YcW03f/IAUN1pgDJWNWD8FzkyY4mArLUMJW+KlQhlmUdKAHQuPfb00Jl5xIfImeOsf6YL8QK7Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "posthtml-parser": "^0.2.0", - "posthtml-render": "^1.0.5" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/posthtml-parser": { - "version": "0.2.1", - "resolved": "http://localhost:4873/posthtml-parser/-/posthtml-parser-0.2.1.tgz", - "integrity": "sha512-nPC53YMqJnc/+1x4fRYFfm81KV2V+G9NZY+hTohpYg64Ay7NemWWcV4UWuy/SgMupqQ3kJ88M/iRfZmSnxT+pw==", - "dev": true, - "license": "MIT", - "dependencies": { - "htmlparser2": "^3.8.3", - "isobject": "^2.1.0" - } - }, - "node_modules/posthtml-parser/node_modules/isobject": { - "version": "2.1.0", - "resolved": "http://localhost:4873/isobject/-/isobject-2.1.0.tgz", - "integrity": "sha512-+OUdGJlgjOBZDfxnDjYYG6zp487z0JGNQq3cYQYg5f5hKR+syHMsaztzGeml/4kGG55CSpKSpWTY+jYGgsHLgA==", - "dev": true, - "license": "MIT", - "dependencies": { - "isarray": "1.0.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/posthtml-rename-id": { - "version": "1.0.12", - "resolved": "http://localhost:4873/posthtml-rename-id/-/posthtml-rename-id-1.0.12.tgz", - "integrity": "sha512-UKXf9OF/no8WZo9edRzvuMenb6AD5hDLzIepJW+a4oJT+T/Lx7vfMYWT4aWlGNQh0WMhnUx1ipN9OkZ9q+ddEw==", - "dev": true, - "license": "MIT", - "dependencies": { - "escape-string-regexp": "1.0.5" - } - }, - "node_modules/posthtml-rename-id/node_modules/escape-string-regexp": { - "version": "1.0.5", - "resolved": "http://localhost:4873/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz", - "integrity": "sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.8.0" - } - }, - "node_modules/posthtml-render": { - "version": "1.4.0", - "resolved": "http://localhost:4873/posthtml-render/-/posthtml-render-1.4.0.tgz", - "integrity": "sha512-W1779iVHGfq0Fvh2PROhCe2QhB8mEErgqzo1wpIt36tCgChafP+hbXIhLDOM8ePJrZcFs0vkNEtdibEWVqChqw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10" - } - }, - "node_modules/posthtml-svg-mode": { - "version": "1.0.3", - "resolved": "http://localhost:4873/posthtml-svg-mode/-/posthtml-svg-mode-1.0.3.tgz", - "integrity": "sha512-hEqw9NHZ9YgJ2/0G7CECOeuLQKZi8HjWLkBaSVtOWjygQ9ZD8P7tqeowYs7WrFdKsWEKG7o+IlsPY8jrr0CJpQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "merge-options": "1.0.1", - "posthtml": "^0.9.2", - "posthtml-parser": "^0.2.1", - "posthtml-render": "^1.0.6" - } - }, - "node_modules/prelude-ls": { - "version": "1.2.1", - "resolved": "http://localhost:4873/prelude-ls/-/prelude-ls-1.2.1.tgz", - "integrity": "sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.8.0" - } - }, - "node_modules/prettier": { - "version": "2.8.8", - "resolved": "http://localhost:4873/prettier/-/prettier-2.8.8.tgz", - "integrity": "sha512-tdN8qQGvNjw4CHbY+XXk0JgCXn9QiF21a55rBe5LJAU+kDyC4WQn4+awm2Xfk2lQMk5fKup9XgzTZtGkjBdP9Q==", - "dev": true, - "license": "MIT", - "bin": { - "prettier": "bin-prettier.js" - }, - "engines": { - "node": ">=10.13.0" - }, - "funding": { - "url": "https://github.com/prettier/prettier?sponsor=1" - } - }, - "node_modules/prettier-linter-helpers": { - "version": "1.0.0", - "resolved": "http://localhost:4873/prettier-linter-helpers/-/prettier-linter-helpers-1.0.0.tgz", - "integrity": "sha512-GbK2cP9nraSSUF9N2XwUwqfzlAFlMNYYl+ShE/V+H8a9uNl/oUqB1w2EL54Jh0OlyRSd8RfWYJ3coVS4TROP2w==", - "dev": true, - "license": "MIT", - "dependencies": { - "fast-diff": "^1.1.2" - }, - "engines": { - "node": ">=6.0.0" - } - }, - "node_modules/pretty-format": { - "version": "27.5.1", - "resolved": "http://localhost:4873/pretty-format/-/pretty-format-27.5.1.tgz", - "integrity": "sha512-Qb1gy5OrP5+zDf2Bvnzdl3jsTf1qXVMazbvCoKhtKqVs4/YK4ozX4gKQJJVyNe+cajNPn0KoC0MC3FUmaHWEmQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "ansi-regex": "^5.0.1", - "ansi-styles": "^5.0.0", - "react-is": "^17.0.1" - }, - "engines": { - "node": "^10.13.0 || ^12.13.0 || ^14.15.0 || >=15.0.0" - } - }, - "node_modules/pretty-format/node_modules/ansi-styles": { - "version": "5.2.0", - "resolved": "http://localhost:4873/ansi-styles/-/ansi-styles-5.2.0.tgz", - "integrity": "sha512-Cxwpt2SfTzTtXcfOlzGEee8O+c+MmUgGrNiBcXnuWxuFJHe6a5Hz7qwhwe5OgaSYI0IJvkLqWX1ASG+cJOkEiA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/chalk/ansi-styles?sponsor=1" - } - }, - "node_modules/pretty-format/node_modules/react-is": { - "version": "17.0.2", - "resolved": "http://localhost:4873/react-is/-/react-is-17.0.2.tgz", - "integrity": "sha512-w2GsyukL62IJnlaff/nRegPQR94C/XXamvMWmSHRJ4y7Ts/4ocGRmTHvOs8PSE6pB3dWOrD/nueuU5sduBsQ4w==", - "dev": true, - "license": "MIT" - }, - "node_modules/process-nextick-args": { - "version": "2.0.1", - "resolved": "http://localhost:4873/process-nextick-args/-/process-nextick-args-2.0.1.tgz", - "integrity": "sha512-3ouUOpQhtgrbOa17J7+uxOTpITYWaGP7/AhoR3+A+/1e9skrzelGi/dXzEYyvbxubEF6Wn2ypscTKiKJFFn1ag==", - "dev": true, - "license": "MIT" - }, - "node_modules/progress": { - "version": "2.0.3", - "resolved": "http://localhost:4873/progress/-/progress-2.0.3.tgz", - "integrity": "sha512-7PiHtLll5LdnKIMw100I+8xJXR5gW2QwWYkT6iJva0bXitZKa/XMrSbdmg3r2Xnaidz9Qumd0VPaMrZlF9V9sA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.4.0" - } - }, - "node_modules/promise-polyfill": { - "version": "7.1.2", - "resolved": "http://localhost:4873/promise-polyfill/-/promise-polyfill-7.1.2.tgz", - "integrity": "sha512-FuEc12/eKqqoRYIGBrUptCBRhobL19PS2U31vMNTfyck1FxPyMfgsXyW4Mav85y/ZN1hop3hOwRlUDok23oYfQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/prompts": { - "version": "2.4.2", - "resolved": "http://localhost:4873/prompts/-/prompts-2.4.2.tgz", - "integrity": "sha512-NxNv/kLguCA7p3jE8oL2aEBsrJWgAakBpgmgK6lpPWV+WuOmY6r2/zbAVnP+T8bQlA0nzHXSJSJW0Hq7ylaD2Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "kleur": "^3.0.3", - "sisteransi": "^1.0.5" - }, - "engines": { - "node": ">= 6" - } - }, - "node_modules/prop-types": { - "version": "15.8.1", - "resolved": "http://localhost:4873/prop-types/-/prop-types-15.8.1.tgz", - "integrity": "sha512-oj87CgZICdulUohogVAR7AjlC0327U4el4L6eAvOqCeudMDVU0NThNaV+b9Df4dXgSP1gXMTnPdhfe/2qDH5cg==", - "dev": true, - "license": "MIT", - "dependencies": { - "loose-envify": "^1.4.0", - "object-assign": "^4.1.1", - "react-is": "^16.13.1" - } - }, - "node_modules/proxy-addr": { - "version": "2.0.7", - "resolved": "http://localhost:4873/proxy-addr/-/proxy-addr-2.0.7.tgz", - "integrity": "sha512-llQsMLSUDUPT44jdrU/O37qlnifitDP+ZwrmmZcoSKyLKvtZxpyV0n2/bD/N4tBAAZ/gJEdZU7KMraoK1+XYAg==", - "dev": true, - "license": "MIT", - "dependencies": { - "forwarded": "0.2.0", - "ipaddr.js": "1.9.1" - }, - "engines": { - "node": ">= 0.10" - } - }, - "node_modules/proxy-from-env": { - "version": "1.1.0", - "resolved": "http://localhost:4873/proxy-from-env/-/proxy-from-env-1.1.0.tgz", - "integrity": "sha512-D+zkORCbA9f1tdWRK0RaCR3GPv50cMxcrz4X8k5LTSUD1Dkw47mKJEZQNunItRTkWwgtaUSo1RVFRIG9ZXiFYg==", - "dev": true, - "license": "MIT" - }, - "node_modules/ps-list": { - "version": "8.1.1", - "resolved": "http://localhost:4873/ps-list/-/ps-list-8.1.1.tgz", - "integrity": "sha512-OPS9kEJYVmiO48u/B9qneqhkMvgCxT+Tm28VCEJpheTpl8cJ0ffZRRNgS5mrQRTrX5yRTpaJ+hRDeefXYmmorQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": "^12.20.0 || ^14.13.1 || >=16.0.0" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/psl": { - "version": "1.15.0", - "resolved": "http://localhost:4873/psl/-/psl-1.15.0.tgz", - "integrity": "sha512-JZd3gMVBAVQkSs6HdNZo9Sdo0LNcQeMNP3CozBJb3JYC/QUYZTnKxP+f8oWRX4rHP5EurWxqAHTSwUCjlNKa1w==", - "dev": true, - "license": "MIT", - "dependencies": { - "punycode": "^2.3.1" - }, - "funding": { - "url": "https://github.com/sponsors/lupomontero" - } - }, - "node_modules/pump": { - "version": "3.0.2", - "resolved": "http://localhost:4873/pump/-/pump-3.0.2.tgz", - "integrity": "sha512-tUPXtzlGM8FE3P0ZL6DVs/3P58k9nk8/jZeQCurTJylQA8qFYzHFfhBJkuqyE0FifOsQ0uKWekiZ5g8wtr28cw==", - "dev": true, - "license": "MIT", - "dependencies": { - "end-of-stream": "^1.1.0", - "once": "^1.3.1" - } - }, - "node_modules/punycode": { - "version": "2.3.1", - "resolved": "http://localhost:4873/punycode/-/punycode-2.3.1.tgz", - "integrity": "sha512-vYt7UD1U9Wg6138shLtLOvdAu+8DsC/ilFtEVHcH+wydcSpNE20AfSOduf6MkRFahL5FY7X1oU7nKVZFtfq8Fg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/puppeteer-core": { - "version": "13.7.0", - "resolved": "http://localhost:4873/puppeteer-core/-/puppeteer-core-13.7.0.tgz", - "integrity": "sha512-rXja4vcnAzFAP1OVLq/5dWNfwBGuzcOARJ6qGV7oAZhnLmVRU8G5MsdeQEAOy332ZhkIOnn9jp15R89LKHyp2Q==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "cross-fetch": "3.1.5", - "debug": "4.3.4", - "devtools-protocol": "0.0.981744", - "extract-zip": "2.0.1", - "https-proxy-agent": "5.0.1", - "pkg-dir": "4.2.0", - "progress": "2.0.3", - "proxy-from-env": "1.1.0", - "rimraf": "3.0.2", - "tar-fs": "2.1.1", - "unbzip2-stream": "1.4.3", - "ws": "8.5.0" - }, - "engines": { - "node": ">=10.18.1" - } - }, - "node_modules/puppeteer-core/node_modules/cross-fetch": { - "version": "3.1.5", - "resolved": "http://localhost:4873/cross-fetch/-/cross-fetch-3.1.5.tgz", - "integrity": "sha512-lvb1SBsI0Z7GDwmuid+mU3kWVBwTVUbe7S0H52yaaAdQOXq2YktTCZdlAcNKFzE6QtRz0snpw9bNiPeOIkkQvw==", - "dev": true, - "license": "MIT", - "dependencies": { - "node-fetch": "2.6.7" - } - }, - "node_modules/puppeteer-core/node_modules/debug": { - "version": "4.3.4", - "resolved": "http://localhost:4873/debug/-/debug-4.3.4.tgz", - "integrity": "sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "ms": "2.1.2" - }, - "engines": { - "node": ">=6.0" - }, - "peerDependenciesMeta": { - "supports-color": { - "optional": true - } - } - }, - "node_modules/puppeteer-core/node_modules/ms": { - "version": "2.1.2", - "resolved": "http://localhost:4873/ms/-/ms-2.1.2.tgz", - "integrity": "sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==", - "dev": true, - "license": "MIT" - }, - "node_modules/puppeteer-core/node_modules/node-fetch": { - "version": "2.6.7", - "resolved": "http://localhost:4873/node-fetch/-/node-fetch-2.6.7.tgz", - "integrity": "sha512-ZjMPFEfVx5j+y2yF35Kzx5sF7kDzxuDj6ziH4FFbOp87zKDZNx8yExJIb05OGF4Nlt9IHFIMBkRl41VdvcNdbQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "whatwg-url": "^5.0.0" - }, - "engines": { - "node": "4.x || >=6.0.0" - }, - "peerDependencies": { - "encoding": "^0.1.0" - }, - "peerDependenciesMeta": { - "encoding": { - "optional": true - } - } - }, - "node_modules/puppeteer-core/node_modules/pkg-dir": { - "version": "4.2.0", - "resolved": "http://localhost:4873/pkg-dir/-/pkg-dir-4.2.0.tgz", - "integrity": "sha512-HRDzbaKjC+AOWVXxAU/x54COGeIv9eb+6CkDSQoNTt4XyWoIJvuPsXizxu/Fr23EiekbtZwmh1IcIG/l/a10GQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "find-up": "^4.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/puppeteer-core/node_modules/rimraf": { - "version": "3.0.2", - "resolved": "http://localhost:4873/rimraf/-/rimraf-3.0.2.tgz", - "integrity": "sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==", - "deprecated": "Rimraf versions prior to v4 are no longer supported", - "dev": true, - "license": "ISC", - "dependencies": { - "glob": "^7.1.3" - }, - "bin": { - "rimraf": "bin.js" - }, - "funding": { - "url": "https://github.com/sponsors/isaacs" - } - }, - "node_modules/puppeteer-core/node_modules/tr46": { - "version": "0.0.3", - "resolved": "http://localhost:4873/tr46/-/tr46-0.0.3.tgz", - "integrity": "sha512-N3WMsuqV66lT30CrXNbEjx4GEwlow3v6rr4mCcv6prnfwhS01rkgyFdjPNBYd9br7LpXV1+Emh01fHnq2Gdgrw==", - "dev": true, - "license": "MIT" - }, - "node_modules/puppeteer-core/node_modules/webidl-conversions": { - "version": "3.0.1", - "resolved": "http://localhost:4873/webidl-conversions/-/webidl-conversions-3.0.1.tgz", - "integrity": "sha512-2JAn3z8AR6rjK8Sm8orRC0h/bcl/DqL7tRPdGZ4I1CjdF+EaMLmYxBHyXuKL849eucPFhvBoxMsflfOb8kxaeQ==", - "dev": true, - "license": "BSD-2-Clause" - }, - "node_modules/puppeteer-core/node_modules/whatwg-url": { - "version": "5.0.0", - "resolved": "http://localhost:4873/whatwg-url/-/whatwg-url-5.0.0.tgz", - "integrity": "sha512-saE57nupxk6v3HY35+jzBwYa0rKSy0XR8JSxZPwgLr7ys0IBzhGviA1/TUGJLmSVqs8pb9AnvICXEuOHLprYTw==", - "dev": true, - "license": "MIT", - "dependencies": { - "tr46": "~0.0.3", - "webidl-conversions": "^3.0.0" - } - }, - "node_modules/puppeteer-core/node_modules/ws": { - "version": "8.5.0", - "resolved": "http://localhost:4873/ws/-/ws-8.5.0.tgz", - "integrity": "sha512-BWX0SWVgLPzYwF8lTzEy1egjhS4S4OEAHfsO8o65WOVsrnSRGaSiUaa9e0ggGlkMTtBlmOpEXiie9RUcBO86qg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10.0.0" - }, - "peerDependencies": { - "bufferutil": "^4.0.1", - "utf-8-validate": "^5.0.2" - }, - "peerDependenciesMeta": { - "bufferutil": { - "optional": true - }, - "utf-8-validate": { - "optional": true - } - } - }, - "node_modules/pvtsutils": { - "version": "1.3.6", - "resolved": "http://localhost:4873/pvtsutils/-/pvtsutils-1.3.6.tgz", - "integrity": "sha512-PLgQXQ6H2FWCaeRak8vvk1GW462lMxB5s3Jm673N82zI4vqtVUPuZdffdZbPDFRoU8kAhItWFtPCWiPpp4/EDg==", - "dev": true, - "license": "MIT", - "dependencies": { - "tslib": "^2.8.1" - } - }, - "node_modules/pvutils": { - "version": "1.1.3", - "resolved": "http://localhost:4873/pvutils/-/pvutils-1.1.3.tgz", - "integrity": "sha512-pMpnA0qRdFp32b1sJl1wOJNxZLQ2cbQx+k6tjNtZ8CpvVhNqEPRgivZ2WOUev2YMajecdH7ctUPDvEe87nariQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6.0.0" - } - }, - "node_modules/qs": { - "version": "6.13.0", - "resolved": "http://localhost:4873/qs/-/qs-6.13.0.tgz", - "integrity": "sha512-+38qI9SOr8tfZ4QmJNplMUxqjbe7LKvvZgWdExBOmd+egZTtjLB67Gu0HRX3u/XOq7UU2Nx6nsjvS16Z9uwfpg==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "side-channel": "^1.0.6" - }, - "engines": { - "node": ">=0.6" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/query-string": { - "version": "7.1.3", - "resolved": "http://localhost:4873/query-string/-/query-string-7.1.3.tgz", - "integrity": "sha512-hh2WYhq4fi8+b+/2Kg9CEge4fDPvHS534aOOvOZeQ3+Vf2mCFsaFBYj0i+iXcAq6I9Vzp5fjMFBlONvayDC1qg==", - "dev": true, - "license": "MIT", - "dependencies": { - "decode-uri-component": "^0.2.2", - "filter-obj": "^1.1.0", - "split-on-first": "^1.0.0", - "strict-uri-encode": "^2.0.0" - }, - "engines": { - "node": ">=6" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/querystring": { - "version": "0.2.0", - "resolved": "http://localhost:4873/querystring/-/querystring-0.2.0.tgz", - "integrity": "sha512-X/xY82scca2tau62i9mDyU9K+I+djTMUsvwf7xnUX5GLvVzgJybOJf4Y6o9Zx3oJK/LSXg5tTZBjwzqVPaPO2g==", - "deprecated": "The querystring API is considered Legacy. new code should use the URLSearchParams API instead.", - "dev": true, - "engines": { - "node": ">=0.4.x" - } - }, - "node_modules/querystringify": { - "version": "2.2.0", - "resolved": "http://localhost:4873/querystringify/-/querystringify-2.2.0.tgz", - "integrity": "sha512-FIqgj2EUvTa7R50u0rGsyTftzjYmv/a3hO345bZNrqabNqjtgiDMgmo4mkUjd+nzU5oF3dClKqFIPUKybUyqoQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/queue-microtask": { - "version": "1.2.3", - "resolved": "http://localhost:4873/queue-microtask/-/queue-microtask-1.2.3.tgz", - "integrity": "sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==", - "dev": true, - "funding": [ - { - "type": "github", - "url": "https://github.com/sponsors/feross" - }, - { - "type": "patreon", - "url": "https://www.patreon.com/feross" - }, - { - "type": "consulting", - "url": "https://feross.org/support" - } - ], - "license": "MIT" - }, - "node_modules/raf": { - "version": "3.4.1", - "resolved": "http://localhost:4873/raf/-/raf-3.4.1.tgz", - "integrity": "sha512-Sq4CW4QhwOHE8ucn6J34MqtZCeWFP2aQSmrlroYgqAV1PjStIhJXxYuTgUIfkEk7zTLjmIjLmU5q+fbD1NnOJA==", - "dev": true, - "license": "MIT", - "dependencies": { - "performance-now": "^2.1.0" - } - }, - "node_modules/randombytes": { - "version": "2.1.0", - "resolved": "http://localhost:4873/randombytes/-/randombytes-2.1.0.tgz", - "integrity": "sha512-vYl3iOX+4CKUWuxGi9Ukhie6fsqXqS9FE2Zaic4tNFD2N2QQaXOMFbuKK4QmDHC0JO6B1Zp41J0LpT0oR68amQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "safe-buffer": "^5.1.0" - } - }, - "node_modules/randomstring": { - "version": "1.3.1", - "resolved": "http://localhost:4873/randomstring/-/randomstring-1.3.1.tgz", - "integrity": "sha512-lgXZa80MUkjWdE7g2+PZ1xDLzc7/RokXVEQOv5NN2UOTChW1I8A9gha5a9xYBOqgaSoI6uJikDmCU8PyRdArRQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "randombytes": "2.1.0" - }, - "bin": { - "randomstring": "bin/randomstring" - }, - "engines": { - "node": "*" - } - }, - "node_modules/range-parser": { - "version": "1.2.1", - "resolved": "http://localhost:4873/range-parser/-/range-parser-1.2.1.tgz", - "integrity": "sha512-Hrgsx+orqoygnmhFbKaHE6c296J+HTAQXoxEF6gNupROmmGJRoyzfG3ccAveqCBrwr/2yxQ5BVd/GTl5agOwSg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.6" - } - }, - "node_modules/raw-body": { - "version": "2.5.2", - "resolved": "http://localhost:4873/raw-body/-/raw-body-2.5.2.tgz", - "integrity": "sha512-8zGqypfENjCIqGhgXToC8aB2r7YrBX+AQAfIPs/Mlk+BtPTztOvTS01NRW/3Eh60J+a48lt8qsCzirQ6loCVfA==", - "dev": true, - "license": "MIT", - "dependencies": { - "bytes": "3.1.2", - "http-errors": "2.0.0", - "iconv-lite": "0.4.24", - "unpipe": "1.0.0" - }, - "engines": { - "node": ">= 0.8" - } - }, - "node_modules/react": { - "version": "18.3.1", - "resolved": "http://localhost:4873/react/-/react-18.3.1.tgz", - "integrity": "sha512-wS+hAgJShR0KhEvPJArfuPVN1+Hz1t0Y6n5jLrGQbkb4urgPE/0Rve+1kMB1v/oWgHgm4WIcV+i7F2pTVj+2iQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "loose-envify": "^1.1.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/react-clientside-effect": { - "version": "1.2.8", - "resolved": "http://localhost:4873/react-clientside-effect/-/react-clientside-effect-1.2.8.tgz", - "integrity": "sha512-ma2FePH0z3px2+WOu6h+YycZcEvFmmxIlAb62cF52bG86eMySciO/EQZeQMXd07kPCYB0a1dWDT5J+KE9mCDUw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/runtime": "^7.12.13" - }, - "peerDependencies": { - "react": "^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0 || ^19.0.0-rc" - } - }, - "node_modules/react-dom": { - "version": "18.3.1", - "resolved": "http://localhost:4873/react-dom/-/react-dom-18.3.1.tgz", - "integrity": "sha512-5m4nQKp+rZRb09LNH59GM4BxTh9251/ylbKIbpe7TpGxfJ+9kv6BLkLBXIjjspbgbnIBNqlI23tRnTWT0snUIw==", - "dev": true, - "license": "MIT", - "dependencies": { - "loose-envify": "^1.1.0", - "scheduler": "^0.23.2" - }, - "peerDependencies": { - "react": "^18.3.1" - } - }, - "node_modules/react-fast-compare": { - "version": "3.2.2", - "resolved": "http://localhost:4873/react-fast-compare/-/react-fast-compare-3.2.2.tgz", - "integrity": "sha512-nsO+KSNgo1SbJqJEYRE9ERzo7YtYbou/OqjSQKxV7jcKox7+usiUVZOAC+XnDOABXggQTno0Y1CpVnuWEc1boQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/react-focus-lock": { - "version": "2.13.6", - "resolved": "http://localhost:4873/react-focus-lock/-/react-focus-lock-2.13.6.tgz", - "integrity": "sha512-ehylFFWyYtBKXjAO9+3v8d0i+cnc1trGS0vlTGhzFW1vbFXVUTmR8s2tt/ZQG8x5hElg6rhENlLG1H3EZK0Llg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/runtime": "^7.0.0", - "focus-lock": "^1.3.6", - "prop-types": "^15.6.2", - "react-clientside-effect": "^1.2.7", - "use-callback-ref": "^1.3.3", - "use-sidecar": "^1.1.3" - }, - "peerDependencies": { - "@types/react": "*", - "react": "^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0 || ^19.0.0-rc" - }, - "peerDependenciesMeta": { - "@types/react": { - "optional": true - } - } - }, - "node_modules/react-helmet": { - "version": "6.1.0", - "resolved": "http://localhost:4873/react-helmet/-/react-helmet-6.1.0.tgz", - "integrity": "sha512-4uMzEY9nlDlgxr61NL3XbKRy1hEkXmKNXhjbAIOVw5vcFrsdYbH2FEwcNyWvWinl103nXgzYNlns9ca+8kFiWw==", - "dev": true, - "license": "MIT", - "dependencies": { - "object-assign": "^4.1.1", - "prop-types": "^15.7.2", - "react-fast-compare": "^3.1.1", - "react-side-effect": "^2.1.0" - }, - "peerDependencies": { - "react": ">=16.3.0" - } - }, - "node_modules/react-hook-form": { - "version": "7.56.4", - "resolved": "http://localhost:4873/react-hook-form/-/react-hook-form-7.56.4.tgz", - "integrity": "sha512-Rob7Ftz2vyZ/ZGsQZPaRdIefkgOSrQSPXfqBdvOPwJfoGnjwRJUs7EM7Kc1mcoDv3NOtqBzPGbcMB8CGn9CKgw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=18.0.0" - }, - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/react-hook-form" - }, - "peerDependencies": { - "react": "^16.8.0 || ^17 || ^18 || ^19" - } - }, - "node_modules/react-intl": { - "version": "5.25.1", - "resolved": "http://localhost:4873/react-intl/-/react-intl-5.25.1.tgz", - "integrity": "sha512-pkjdQDvpJROoXLMltkP/5mZb0/XqrqLoPGKUCfbdkP8m6U9xbK40K51Wu+a4aQqTEvEK5lHBk0fWzUV72SJ3Hg==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "@formatjs/ecma402-abstract": "1.11.4", - "@formatjs/icu-messageformat-parser": "2.1.0", - "@formatjs/intl": "2.2.1", - "@formatjs/intl-displaynames": "5.4.3", - "@formatjs/intl-listformat": "6.5.3", - "@types/hoist-non-react-statics": "^3.3.1", - "@types/react": "16 || 17 || 18", - "hoist-non-react-statics": "^3.3.2", - "intl-messageformat": "9.13.0", - "tslib": "^2.1.0" - }, - "peerDependencies": { - "react": "^16.3.0 || 17 || 18", - "typescript": "^4.5" - }, - "peerDependenciesMeta": { - "typescript": { - "optional": true - } - } - }, - "node_modules/react-intl/node_modules/@formatjs/ecma402-abstract": { - "version": "1.11.4", - "resolved": "http://localhost:4873/@formatjs/ecma402-abstract/-/ecma402-abstract-1.11.4.tgz", - "integrity": "sha512-EBikYFp2JCdIfGEb5G9dyCkTGDmC57KSHhRQOC3aYxoPWVZvfWCDjZwkGYHN7Lis/fmuWl906bnNTJifDQ3sXw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@formatjs/intl-localematcher": "0.2.25", - "tslib": "^2.1.0" - } - }, - "node_modules/react-intl/node_modules/@formatjs/fast-memoize": { - "version": "1.2.1", - "resolved": "http://localhost:4873/@formatjs/fast-memoize/-/fast-memoize-1.2.1.tgz", - "integrity": "sha512-Rg0e76nomkz3vF9IPlKeV+Qynok0r7YZjL6syLz4/urSg0IbjPZCB/iYUMNsYA643gh4mgrX3T7KEIFIxJBQeg==", - "dev": true, - "license": "MIT", - "dependencies": { - "tslib": "^2.1.0" - } - }, - "node_modules/react-intl/node_modules/@formatjs/icu-messageformat-parser": { - "version": "2.1.0", - "resolved": "http://localhost:4873/@formatjs/icu-messageformat-parser/-/icu-messageformat-parser-2.1.0.tgz", - "integrity": "sha512-Qxv/lmCN6hKpBSss2uQ8IROVnta2r9jd3ymUEIjm2UyIkUCHVcbUVRGL/KS/wv7876edvsPe+hjHVJ4z8YuVaw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@formatjs/ecma402-abstract": "1.11.4", - "@formatjs/icu-skeleton-parser": "1.3.6", - "tslib": "^2.1.0" - } - }, - "node_modules/react-intl/node_modules/@formatjs/icu-skeleton-parser": { - "version": "1.3.6", - "resolved": "http://localhost:4873/@formatjs/icu-skeleton-parser/-/icu-skeleton-parser-1.3.6.tgz", - "integrity": "sha512-I96mOxvml/YLrwU2Txnd4klA7V8fRhb6JG/4hm3VMNmeJo1F03IpV2L3wWt7EweqNLES59SZ4d6hVOPCSf80Bg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@formatjs/ecma402-abstract": "1.11.4", - "tslib": "^2.1.0" - } - }, - "node_modules/react-intl/node_modules/@formatjs/intl-localematcher": { - "version": "0.2.25", - "resolved": "http://localhost:4873/@formatjs/intl-localematcher/-/intl-localematcher-0.2.25.tgz", - "integrity": "sha512-YmLcX70BxoSopLFdLr1Ds99NdlTI2oWoLbaUW2M406lxOIPzE1KQhRz2fPUkq34xVZQaihCoU29h0KK7An3bhA==", - "dev": true, - "license": "MIT", - "dependencies": { - "tslib": "^2.1.0" - } - }, - "node_modules/react-intl/node_modules/intl-messageformat": { - "version": "9.13.0", - "resolved": "http://localhost:4873/intl-messageformat/-/intl-messageformat-9.13.0.tgz", - "integrity": "sha512-7sGC7QnSQGa5LZP7bXLDhVDtQOeKGeBFGHF2Y8LVBwYZoQZCgWeKoPGTa5GMG8g/TzDgeXuYJQis7Ggiw2xTOw==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "@formatjs/ecma402-abstract": "1.11.4", - "@formatjs/fast-memoize": "1.2.1", - "@formatjs/icu-messageformat-parser": "2.1.0", - "tslib": "^2.1.0" - } - }, - "node_modules/react-is": { - "version": "16.13.1", - "resolved": "http://localhost:4873/react-is/-/react-is-16.13.1.tgz", - "integrity": "sha512-24e6ynE2H+OKt4kqsOvNd8kBpV65zoxbA4BVsEOB3ARVWQki/DHzaUoC5KuON/BiccDaCCTZBuOcfZs70kR8bQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/react-refresh": { - "version": "0.14.2", - "resolved": "http://localhost:4873/react-refresh/-/react-refresh-0.14.2.tgz", - "integrity": "sha512-jCvmsr+1IUSMUyzOkRcvnVbX3ZYC6g9TDrDbFuFmRDq7PD4yaGbLKNQL6k2jnArV8hjYxh7hVhAZB6s9HDGpZA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/react-remove-scroll": { - "version": "2.7.0", - "resolved": "http://localhost:4873/react-remove-scroll/-/react-remove-scroll-2.7.0.tgz", - "integrity": "sha512-sGsQtcjMqdQyijAHytfGEELB8FufGbfXIsvUTe+NLx1GDRJCXtCFLBLUI1eyZCKXXvbEU2C6gai0PZKoIE9Vbg==", - "dev": true, - "license": "MIT", - "dependencies": { - "react-remove-scroll-bar": "^2.3.7", - "react-style-singleton": "^2.2.3", - "tslib": "^2.1.0", - "use-callback-ref": "^1.3.3", - "use-sidecar": "^1.1.3" - }, - "engines": { - "node": ">=10" - }, - "peerDependencies": { - "@types/react": "*", - "react": "^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0 || ^19.0.0-rc" - }, - "peerDependenciesMeta": { - "@types/react": { - "optional": true - } - } - }, - "node_modules/react-remove-scroll-bar": { - "version": "2.3.8", - "resolved": "http://localhost:4873/react-remove-scroll-bar/-/react-remove-scroll-bar-2.3.8.tgz", - "integrity": "sha512-9r+yi9+mgU33AKcj6IbT9oRCO78WriSj6t/cF8DWBZJ9aOGPOTEDvdUDz1FwKim7QXWwmHqtdHnRJfhAxEG46Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "react-style-singleton": "^2.2.2", - "tslib": "^2.0.0" - }, - "engines": { - "node": ">=10" - }, - "peerDependencies": { - "@types/react": "*", - "react": "^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0" - }, - "peerDependenciesMeta": { - "@types/react": { - "optional": true - } - } - }, - "node_modules/react-router": { - "version": "5.3.4", - "resolved": "http://localhost:4873/react-router/-/react-router-5.3.4.tgz", - "integrity": "sha512-Ys9K+ppnJah3QuaRiLxk+jDWOR1MekYQrlytiXxC1RyfbdsZkS5pvKAzCCr031xHixZwpnsYNT5xysdFHQaYsA==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/runtime": "^7.12.13", - "history": "^4.9.0", - "hoist-non-react-statics": "^3.1.0", - "loose-envify": "^1.3.1", - "path-to-regexp": "^1.7.0", - "prop-types": "^15.6.2", - "react-is": "^16.6.0", - "tiny-invariant": "^1.0.2", - "tiny-warning": "^1.0.0" - }, - "peerDependencies": { - "react": ">=15" - } - }, - "node_modules/react-router-dom": { - "version": "5.3.4", - "resolved": "http://localhost:4873/react-router-dom/-/react-router-dom-5.3.4.tgz", - "integrity": "sha512-m4EqFMHv/Ih4kpcBCONHbkT68KoAeHN4p3lAGoNryfHi0dMy0kCzEZakiKRsvg5wHZ/JLrLW8o8KomWiz/qbYQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@babel/runtime": "^7.12.13", - "history": "^4.9.0", - "loose-envify": "^1.3.1", - "prop-types": "^15.6.2", - "react-router": "5.3.4", - "tiny-invariant": "^1.0.2", - "tiny-warning": "^1.0.0" - }, - "peerDependencies": { - "react": ">=15" - } - }, - "node_modules/react-router/node_modules/isarray": { - "version": "0.0.1", - "resolved": "http://localhost:4873/isarray/-/isarray-0.0.1.tgz", - "integrity": "sha512-D2S+3GLxWH+uhrNEcoh/fnmYeP8E8/zHl644d/jdA0g2uyXvy3sb0qxotE+ne0LtccHknQzWwZEzhak7oJ0COQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/react-router/node_modules/path-to-regexp": { - "version": "1.9.0", - "resolved": "http://localhost:4873/path-to-regexp/-/path-to-regexp-1.9.0.tgz", - "integrity": "sha512-xIp7/apCFJuUHdDLWe8O1HIkb0kQrOMb/0u6FXQjemHn/ii5LrIzU6bdECnsiTF/GjZkMEKg1xdiZwNqDYlZ6g==", - "dev": true, - "license": "MIT", - "dependencies": { - "isarray": "0.0.1" - } - }, - "node_modules/react-side-effect": { - "version": "2.1.2", - "resolved": "http://localhost:4873/react-side-effect/-/react-side-effect-2.1.2.tgz", - "integrity": "sha512-PVjOcvVOyIILrYoyGEpDN3vmYNLdy1CajSFNt4TDsVQC5KpTijDvWVoR+/7Rz2xT978D8/ZtFceXxzsPwZEDvw==", - "dev": true, - "license": "MIT", - "peerDependencies": { - "react": "^16.3.0 || ^17.0.0 || ^18.0.0" - } - }, - "node_modules/react-ssr-prepass": { - "version": "1.6.0", - "resolved": "http://localhost:4873/react-ssr-prepass/-/react-ssr-prepass-1.6.0.tgz", - "integrity": "sha512-M10nxc95Sfm00fXm+tLkC1MWG5NLWEBgWoGrPSnAqEFM4BUaoy97JvVw+m3iL74ZHzj86M33rPiFi738hEFLWg==", - "dev": true, - "license": "MIT", - "peerDependencies": { - "react": "^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0 || ^19.0.0-rc" - } - }, - "node_modules/react-style-singleton": { - "version": "2.2.3", - "resolved": "http://localhost:4873/react-style-singleton/-/react-style-singleton-2.2.3.tgz", - "integrity": "sha512-b6jSvxvVnyptAiLjbkWLE/lOnR4lfTtDAl+eUC7RZy+QQWc6wRzIV2CE6xBuMmDxc2qIihtDCZD5NPOFl7fRBQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "get-nonce": "^1.0.0", - "tslib": "^2.0.0" - }, - "engines": { - "node": ">=10" - }, - "peerDependencies": { - "@types/react": "*", - "react": "^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0 || ^19.0.0-rc" - }, - "peerDependenciesMeta": { - "@types/react": { - "optional": true - } - } - }, - "node_modules/react-uid": { - "version": "2.4.0", - "resolved": "http://localhost:4873/react-uid/-/react-uid-2.4.0.tgz", - "integrity": "sha512-+MVs/25NrcZuGrmlVRWPOSsbS8y72GJOBsR7d68j3/wqOrRBF52U29XAw4+XSelw0Vm6s5VmGH5mCbTCPGVCVg==", - "dev": true, - "license": "MIT", - "dependencies": { - "tslib": "^2.0.0" - }, - "engines": { - "node": ">=10" - }, - "peerDependencies": { - "@types/react": "^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0", - "react": "^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0" - }, - "peerDependenciesMeta": { - "@types/react": { - "optional": true - } - } - }, - "node_modules/read-pkg": { - "version": "5.2.0", - "resolved": "http://localhost:4873/read-pkg/-/read-pkg-5.2.0.tgz", - "integrity": "sha512-Ug69mNOpfvKDAc2Q8DRpMjjzdtrnv9HcSMX+4VsZxD1aZ6ZzrIE7rlzXBtWTyhULSMKg076AW6WR5iZpD0JiOg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/normalize-package-data": "^2.4.0", - "normalize-package-data": "^2.5.0", - "parse-json": "^5.0.0", - "type-fest": "^0.6.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/read-pkg-up": { - "version": "7.0.1", - "resolved": "http://localhost:4873/read-pkg-up/-/read-pkg-up-7.0.1.tgz", - "integrity": "sha512-zK0TB7Xd6JpCLmlLmufqykGE+/TlOePD6qKClNW7hHDKFh/J7/7gCWGR7joEQEW1bKq3a3yUZSObOoWLFQ4ohg==", - "dev": true, - "license": "MIT", - "dependencies": { - "find-up": "^4.1.0", - "read-pkg": "^5.2.0", - "type-fest": "^0.8.1" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/read-pkg-up/node_modules/type-fest": { - "version": "0.8.1", - "resolved": "http://localhost:4873/type-fest/-/type-fest-0.8.1.tgz", - "integrity": "sha512-4dbzIzqvjtgiM5rw1k5rEHtBANKmdudhGyBEajN01fEyhaAIhsoKNy6y7+IN93IfpFtwY9iqi7kD+xwKhQsNJA==", - "dev": true, - "license": "(MIT OR CC0-1.0)", - "engines": { - "node": ">=8" - } - }, - "node_modules/read-pkg/node_modules/type-fest": { - "version": "0.6.0", - "resolved": "http://localhost:4873/type-fest/-/type-fest-0.6.0.tgz", - "integrity": "sha512-q+MB8nYR1KDLrgr4G5yemftpMC7/QLqVndBmEEdqzmNj5dcFOO4Oo8qlwZE3ULT3+Zim1F8Kq4cBnikNhlCMlg==", - "dev": true, - "license": "(MIT OR CC0-1.0)", - "engines": { - "node": ">=8" - } - }, - "node_modules/readable-stream": { - "version": "2.3.8", - "resolved": "http://localhost:4873/readable-stream/-/readable-stream-2.3.8.tgz", - "integrity": "sha512-8p0AUk4XODgIewSi0l8Epjs+EVnWiK7NoDIEGU0HhE7+ZyY8D1IMY7odu5lRrFXGg71L15KG8QrPmum45RTtdA==", - "dev": true, - "license": "MIT", - "dependencies": { - "core-util-is": "~1.0.0", - "inherits": "~2.0.3", - "isarray": "~1.0.0", - "process-nextick-args": "~2.0.0", - "safe-buffer": "~5.1.1", - "string_decoder": "~1.1.1", - "util-deprecate": "~1.0.1" - } - }, - "node_modules/readable-stream/node_modules/safe-buffer": { - "version": "5.1.2", - "resolved": "http://localhost:4873/safe-buffer/-/safe-buffer-5.1.2.tgz", - "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==", - "dev": true, - "license": "MIT" - }, - "node_modules/readdirp": { - "version": "3.6.0", - "resolved": "http://localhost:4873/readdirp/-/readdirp-3.6.0.tgz", - "integrity": "sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==", - "dev": true, - "license": "MIT", - "dependencies": { - "picomatch": "^2.2.1" - }, - "engines": { - "node": ">=8.10.0" - } - }, - "node_modules/rechoir": { - "version": "0.6.2", - "resolved": "http://localhost:4873/rechoir/-/rechoir-0.6.2.tgz", - "integrity": "sha512-HFM8rkZ+i3zrV+4LQjwQ0W+ez98pApMGM3HUrN04j3CqzPOzl9nmP15Y8YXNm8QHGv/eacOVEjqhmWpkRV0NAw==", - "dev": true, - "dependencies": { - "resolve": "^1.1.6" - }, - "engines": { - "node": ">= 0.10" - } - }, - "node_modules/redent": { - "version": "3.0.0", - "resolved": "http://localhost:4873/redent/-/redent-3.0.0.tgz", - "integrity": "sha512-6tDA8g98We0zd0GvVeMT9arEOnTw9qM03L9cJXaCjrip1OO764RDBLBfrB4cwzNGDj5OA5ioymC9GkizgWJDUg==", - "dev": true, - "license": "MIT", - "dependencies": { - "indent-string": "^4.0.0", - "strip-indent": "^3.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/reflect.getprototypeof": { - "version": "1.0.10", - "resolved": "http://localhost:4873/reflect.getprototypeof/-/reflect.getprototypeof-1.0.10.tgz", - "integrity": "sha512-00o4I+DVrefhv+nX0ulyi3biSHCPDe+yLv5o/p6d/UVlirijB8E16FtfwSAi4g3tcqrQ4lRAqQSoFEZJehYEcw==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind": "^1.0.8", - "define-properties": "^1.2.1", - "es-abstract": "^1.23.9", - "es-errors": "^1.3.0", - "es-object-atoms": "^1.0.0", - "get-intrinsic": "^1.2.7", - "get-proto": "^1.0.1", - "which-builtin-type": "^1.2.1" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/regenerate": { - "version": "1.4.2", - "resolved": "http://localhost:4873/regenerate/-/regenerate-1.4.2.tgz", - "integrity": "sha512-zrceR/XhGYU/d/opr2EKO7aRHUeiBI8qjtfHqADTwZd6Szfy16la6kqD0MIUs5z5hx6AaKa+PixpPrR289+I0A==", - "dev": true, - "license": "MIT" - }, - "node_modules/regenerate-unicode-properties": { - "version": "10.2.0", - "resolved": "http://localhost:4873/regenerate-unicode-properties/-/regenerate-unicode-properties-10.2.0.tgz", - "integrity": "sha512-DqHn3DwbmmPVzeKj9woBadqmXxLvQoQIwu7nopMc72ztvxVmVk2SBhSnx67zuye5TP+lJsb/TBQsjLKhnDf3MA==", - "dev": true, - "license": "MIT", - "dependencies": { - "regenerate": "^1.4.2" - }, - "engines": { - "node": ">=4" - } - }, - "node_modules/regenerator-runtime": { - "version": "0.14.1", - "resolved": "http://localhost:4873/regenerator-runtime/-/regenerator-runtime-0.14.1.tgz", - "integrity": "sha512-dYnhHh0nJoMfnkZs6GmmhFknAGRrLznOu5nc9ML+EJxGvrx6H7teuevqVqCuPcPK//3eDrrjQhehXVx9cnkGdw==", - "dev": true, - "license": "MIT" - }, - "node_modules/regex-not": { - "version": "1.0.2", - "resolved": "http://localhost:4873/regex-not/-/regex-not-1.0.2.tgz", - "integrity": "sha512-J6SDjUgDxQj5NusnOtdFxDwN/+HWykR8GELwctJ7mdqhcyy1xEc4SRFHUXvxTp661YaVKAjfRLZ9cCqS6tn32A==", - "dev": true, - "license": "MIT", - "dependencies": { - "extend-shallow": "^3.0.2", - "safe-regex": "^1.1.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/regexp.prototype.flags": { - "version": "1.5.4", - "resolved": "http://localhost:4873/regexp.prototype.flags/-/regexp.prototype.flags-1.5.4.tgz", - "integrity": "sha512-dYqgNSZbDwkaJ2ceRd9ojCGjBq+mOm9LmtXnAnEGyHhN/5R7iDW2TRw3h+o/jCFxus3P2LfWIIiwowAjANm7IA==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind": "^1.0.8", - "define-properties": "^1.2.1", - "es-errors": "^1.3.0", - "get-proto": "^1.0.1", - "gopd": "^1.2.0", - "set-function-name": "^2.0.2" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/regexpu-core": { - "version": "6.2.0", - "resolved": "http://localhost:4873/regexpu-core/-/regexpu-core-6.2.0.tgz", - "integrity": "sha512-H66BPQMrv+V16t8xtmq+UC0CBpiTBA60V8ibS1QVReIp8T1z8hwFxqcGzm9K6lgsN7sB5edVH8a+ze6Fqm4weA==", - "dev": true, - "license": "MIT", - "dependencies": { - "regenerate": "^1.4.2", - "regenerate-unicode-properties": "^10.2.0", - "regjsgen": "^0.8.0", - "regjsparser": "^0.12.0", - "unicode-match-property-ecmascript": "^2.0.0", - "unicode-match-property-value-ecmascript": "^2.1.0" - }, - "engines": { - "node": ">=4" - } - }, - "node_modules/regjsgen": { - "version": "0.8.0", - "resolved": "http://localhost:4873/regjsgen/-/regjsgen-0.8.0.tgz", - "integrity": "sha512-RvwtGe3d7LvWiDQXeQw8p5asZUmfU1G/l6WbUXeHta7Y2PEIvBTwH6E2EfmYUK8pxcxEdEmaomqyp0vZZ7C+3Q==", - "dev": true, - "license": "MIT" - }, - "node_modules/regjsparser": { - "version": "0.12.0", - "resolved": "http://localhost:4873/regjsparser/-/regjsparser-0.12.0.tgz", - "integrity": "sha512-cnE+y8bz4NhMjISKbgeVJtqNbtf5QpjZP+Bslo+UqkIt9QPnX9q095eiRRASJG1/tz6dlNr6Z5NsBiWYokp6EQ==", - "dev": true, - "license": "BSD-2-Clause", - "dependencies": { - "jsesc": "~3.0.2" - }, - "bin": { - "regjsparser": "bin/parser" - } - }, - "node_modules/regjsparser/node_modules/jsesc": { - "version": "3.0.2", - "resolved": "http://localhost:4873/jsesc/-/jsesc-3.0.2.tgz", - "integrity": "sha512-xKqzzWXDttJuOcawBt4KnKHHIf5oQ/Cxax+0PWFG+DFDgHNAdi+TXECADI+RYiFUMmx8792xsMbbgXj4CwnP4g==", - "dev": true, - "license": "MIT", - "bin": { - "jsesc": "bin/jsesc" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/remove-accents": { - "version": "0.5.0", - "resolved": "http://localhost:4873/remove-accents/-/remove-accents-0.5.0.tgz", - "integrity": "sha512-8g3/Otx1eJaVD12e31UbJj1YzdtVvzH85HV7t+9MJYk/u3XmkOUJ5Ys9wQrf9PCPK8+xn4ymzqYCiZl6QWKn+A==", - "dev": true, - "license": "MIT" - }, - "node_modules/remove-trailing-separator": { - "version": "1.1.0", - "resolved": "http://localhost:4873/remove-trailing-separator/-/remove-trailing-separator-1.1.0.tgz", - "integrity": "sha512-/hS+Y0u3aOfIETiaiirUFwDBDzmXPvO+jAfKTitUngIPzdKc6Z0LoFjM/CK5PL4C+eKwHohlHAb6H0VFfmmUsw==", - "dev": true, - "license": "ISC" - }, - "node_modules/repeat-element": { - "version": "1.1.4", - "resolved": "http://localhost:4873/repeat-element/-/repeat-element-1.1.4.tgz", - "integrity": "sha512-LFiNfRcSu7KK3evMyYOuCzv3L10TW7yC1G2/+StMjK8Y6Vqd2MG7r/Qjw4ghtuCOjFvlnms/iMmLqpvW/ES/WQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/repeat-string": { - "version": "1.6.1", - "resolved": "http://localhost:4873/repeat-string/-/repeat-string-1.6.1.tgz", - "integrity": "sha512-PV0dzCYDNfRi1jCDbJzpW7jNNDRuCOG/jI5ctQcGKt/clZD+YcPS3yIlWuTJMmESC8aevCFmWJy5wjAFgNqN6w==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10" - } - }, - "node_modules/replace-in-file": { - "version": "6.3.5", - "resolved": "http://localhost:4873/replace-in-file/-/replace-in-file-6.3.5.tgz", - "integrity": "sha512-arB9d3ENdKva2fxRnSjwBEXfK1npgyci7ZZuwysgAp7ORjHSyxz6oqIjTEv8R0Ydl4Ll7uOAZXL4vbkhGIizCg==", - "dev": true, - "license": "MIT", - "dependencies": { - "chalk": "^4.1.2", - "glob": "^7.2.0", - "yargs": "^17.2.1" - }, - "bin": { - "replace-in-file": "bin/cli.js" - }, - "engines": { - "node": ">=10" - } - }, - "node_modules/replace-in-file/node_modules/cliui": { - "version": "8.0.1", - "resolved": "http://localhost:4873/cliui/-/cliui-8.0.1.tgz", - "integrity": "sha512-BSeNnyus75C4//NQ9gQt1/csTXyo/8Sb+afLAkzAptFuMsod9HFokGNudZpi/oQV73hnVK+sR+5PVRMd+Dr7YQ==", - "dev": true, - "license": "ISC", - "dependencies": { - "string-width": "^4.2.0", - "strip-ansi": "^6.0.1", - "wrap-ansi": "^7.0.0" - }, - "engines": { - "node": ">=12" - } - }, - "node_modules/replace-in-file/node_modules/emoji-regex": { - "version": "8.0.0", - "resolved": "http://localhost:4873/emoji-regex/-/emoji-regex-8.0.0.tgz", - "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", - "dev": true, - "license": "MIT" - }, - "node_modules/replace-in-file/node_modules/is-fullwidth-code-point": { - "version": "3.0.0", - "resolved": "http://localhost:4873/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", - "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/replace-in-file/node_modules/string-width": { - "version": "4.2.3", - "resolved": "http://localhost:4873/string-width/-/string-width-4.2.3.tgz", - "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", - "dev": true, - "license": "MIT", - "dependencies": { - "emoji-regex": "^8.0.0", - "is-fullwidth-code-point": "^3.0.0", - "strip-ansi": "^6.0.1" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/replace-in-file/node_modules/wrap-ansi": { - "version": "7.0.0", - "resolved": "http://localhost:4873/wrap-ansi/-/wrap-ansi-7.0.0.tgz", - "integrity": "sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "ansi-styles": "^4.0.0", - "string-width": "^4.1.0", - "strip-ansi": "^6.0.0" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/chalk/wrap-ansi?sponsor=1" - } - }, - "node_modules/replace-in-file/node_modules/y18n": { - "version": "5.0.8", - "resolved": "http://localhost:4873/y18n/-/y18n-5.0.8.tgz", - "integrity": "sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA==", - "dev": true, - "license": "ISC", - "engines": { - "node": ">=10" - } - }, - "node_modules/replace-in-file/node_modules/yargs": { - "version": "17.7.2", - "resolved": "http://localhost:4873/yargs/-/yargs-17.7.2.tgz", - "integrity": "sha512-7dSzzRQ++CKnNI/krKnYRV7JKKPUXMEh61soaHKg9mrWEhzFWhFnxPxGl+69cD1Ou63C13NUPCnmIcrvqCuM6w==", - "dev": true, - "license": "MIT", - "dependencies": { - "cliui": "^8.0.1", - "escalade": "^3.1.1", - "get-caller-file": "^2.0.5", - "require-directory": "^2.1.1", - "string-width": "^4.2.3", - "y18n": "^5.0.5", - "yargs-parser": "^21.1.1" - }, - "engines": { - "node": ">=12" - } - }, - "node_modules/replace-in-file/node_modules/yargs-parser": { - "version": "21.1.1", - "resolved": "http://localhost:4873/yargs-parser/-/yargs-parser-21.1.1.tgz", - "integrity": "sha512-tVpsJW7DdjecAiFpbIB1e3qxIQsE6NoPc5/eTdrbbIC4h0LVsWhnoa3g+m2HclBIujHzsxZ4VJVA+GUuc2/LBw==", - "dev": true, - "license": "ISC", - "engines": { - "node": ">=12" - } - }, - "node_modules/require-directory": { - "version": "2.1.1", - "resolved": "http://localhost:4873/require-directory/-/require-directory-2.1.1.tgz", - "integrity": "sha512-fGxEI7+wsG9xrvdjsrlmL22OMTTiHRwAMroiEeMgq8gzoLC/PQr7RsRDSTLUg/bZAZtF+TVIkHc6/4RIKrui+Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/require-from-string": { - "version": "2.0.2", - "resolved": "http://localhost:4873/require-from-string/-/require-from-string-2.0.2.tgz", - "integrity": "sha512-Xf0nWe6RseziFMu+Ap9biiUbmplq6S9/p+7w7YXP/JBHhrUDDUhwa+vANyubuqfZWTveU//DYVGsDG7RKL/vEw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/require-main-filename": { - "version": "2.0.0", - "resolved": "http://localhost:4873/require-main-filename/-/require-main-filename-2.0.0.tgz", - "integrity": "sha512-NKN5kMDylKuldxYLSUfrbo5Tuzh4hd+2E8NPPX02mZtn1VuREQToYe/ZdlJy+J3uCpfaiGF05e7B8W0iXbQHmg==", - "dev": true, - "license": "ISC" - }, - "node_modules/requireindex": { - "version": "1.2.0", - "resolved": "http://localhost:4873/requireindex/-/requireindex-1.2.0.tgz", - "integrity": "sha512-L9jEkOi3ASd9PYit2cwRfyppc9NoABujTP8/5gFcbERmo5jUoAKovIC3fsF17pkTnGsrByysqX+Kxd2OTNI1ww==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.5" - } - }, - "node_modules/requires-port": { - "version": "1.0.0", - "resolved": "http://localhost:4873/requires-port/-/requires-port-1.0.0.tgz", - "integrity": "sha512-KigOCHcocU3XODJxsu8i/j8T9tzT4adHiecwORRQ0ZZFcp7ahwXuRU1m+yuO90C5ZUyGeGfocHDI14M3L3yDAQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/reselect": { - "version": "4.1.8", - "resolved": "http://localhost:4873/reselect/-/reselect-4.1.8.tgz", - "integrity": "sha512-ab9EmR80F/zQTMNeneUr4cv+jSwPJgIlvEmVwLerwrWVbpLlBuls9XHzIeTFy4cegU2NHBp3va0LKOzU5qFEYQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/resolve": { - "version": "1.22.10", - "resolved": "http://localhost:4873/resolve/-/resolve-1.22.10.tgz", - "integrity": "sha512-NPRy+/ncIMeDlTAsuqwKIiferiawhefFJtkNSW0qZJEqMEb+qBt/77B/jGeeek+F0uOeN05CDa6HXbbIgtVX4w==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-core-module": "^2.16.0", - "path-parse": "^1.0.7", - "supports-preserve-symlinks-flag": "^1.0.0" - }, - "bin": { - "resolve": "bin/resolve" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/resolve-cwd": { - "version": "3.0.0", - "resolved": "http://localhost:4873/resolve-cwd/-/resolve-cwd-3.0.0.tgz", - "integrity": "sha512-OrZaX2Mb+rJCpH/6CpSqt9xFVpN++x01XnN2ie9g6P5/3xelLAkXWVADpdz1IHD/KFfEXyE6V0U01OQ3UO2rEg==", - "dev": true, - "license": "MIT", - "dependencies": { - "resolve-from": "^5.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/resolve-from": { - "version": "5.0.0", - "resolved": "http://localhost:4873/resolve-from/-/resolve-from-5.0.0.tgz", - "integrity": "sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/resolve-pathname": { - "version": "3.0.0", - "resolved": "http://localhost:4873/resolve-pathname/-/resolve-pathname-3.0.0.tgz", - "integrity": "sha512-C7rARubxI8bXFNB/hqcp/4iUeIXJhJZvFPFPiSPRnhU5UPxzMFIl+2E6yY6c4k9giDJAhtV+enfA+G89N6Csng==", - "dev": true, - "license": "MIT" - }, - "node_modules/resolve-url": { - "version": "0.2.1", - "resolved": "http://localhost:4873/resolve-url/-/resolve-url-0.2.1.tgz", - "integrity": "sha512-ZuF55hVUQaaczgOIwqWzkEcEidmlD/xl44x1UZnhOXcYuFN2S6+rcxpG+C1N3So0wvNI3DmJICUFfu2SxhBmvg==", - "deprecated": "https://github.com/lydell/resolve-url#deprecated", - "dev": true, - "license": "MIT" - }, - "node_modules/restore-cursor": { - "version": "2.0.0", - "resolved": "http://localhost:4873/restore-cursor/-/restore-cursor-2.0.0.tgz", - "integrity": "sha512-6IzJLuGi4+R14vwagDHX+JrXmPVtPpn4mffDJ1UdR7/Edm87fl6yi8mMBIVvFtJaNTUvjughmW4hwLhRG7gC1Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "onetime": "^2.0.0", - "signal-exit": "^3.0.2" - }, - "engines": { - "node": ">=4" - } - }, - "node_modules/restore-cursor/node_modules/mimic-fn": { - "version": "1.2.0", - "resolved": "http://localhost:4873/mimic-fn/-/mimic-fn-1.2.0.tgz", - "integrity": "sha512-jf84uxzwiuiIVKiOLpfYk7N46TSy8ubTonmneY9vrpHNAnp0QBt2BxWV9dO3/j+BoVAb+a5G6YDPW3M5HOdMWQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=4" - } - }, - "node_modules/restore-cursor/node_modules/onetime": { - "version": "2.0.1", - "resolved": "http://localhost:4873/onetime/-/onetime-2.0.1.tgz", - "integrity": "sha512-oyyPpiMaKARvvcgip+JV+7zci5L8D1W9RZIz2l1o08AM3pfspitVWnPt3mzHcBPp12oYMTy0pqrFs/C+m3EwsQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "mimic-fn": "^1.0.0" - }, - "engines": { - "node": ">=4" - } - }, - "node_modules/ret": { - "version": "0.1.15", - "resolved": "http://localhost:4873/ret/-/ret-0.1.15.tgz", - "integrity": "sha512-TTlYpa+OL+vMMNG24xSlQGEJ3B/RzEfUlLct7b5G/ytav+wPrplCpVMFuwzXbkecJrb6IYo1iFb0S9v37754mg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.12" - } - }, - "node_modules/reusify": { - "version": "1.1.0", - "resolved": "http://localhost:4873/reusify/-/reusify-1.1.0.tgz", - "integrity": "sha512-g6QUff04oZpHs0eG5p83rFLhHeV00ug/Yf9nZM6fLeUrPguBTkTQOdpAWWspMh55TZfVQDPaN3NQJfbVRAxdIw==", - "dev": true, - "license": "MIT", - "engines": { - "iojs": ">=1.0.0", - "node": ">=0.10.0" - } - }, - "node_modules/rimraf": { - "version": "2.7.1", - "resolved": "http://localhost:4873/rimraf/-/rimraf-2.7.1.tgz", - "integrity": "sha512-uWjbaKIK3T1OSVptzX7Nl6PvQ3qAGtKEtVRjRuazjfL3Bx5eI409VZSqgND+4UNnmzLVdPj9FqFJNPqBZFve4w==", - "deprecated": "Rimraf versions prior to v4 are no longer supported", - "dev": true, - "license": "ISC", - "dependencies": { - "glob": "^7.1.3" - }, - "bin": { - "rimraf": "bin.js" - } - }, - "node_modules/robots-parser": { - "version": "3.0.1", - "resolved": "http://localhost:4873/robots-parser/-/robots-parser-3.0.1.tgz", - "integrity": "sha512-s+pyvQeIKIZ0dx5iJiQk1tPLJAWln39+MI5jtM8wnyws+G5azk+dMnMX0qfbqNetKKNgcWWOdi0sfm+FbQbgdQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10.0.0" - } - }, - "node_modules/rollup": { - "version": "2.79.2", - "resolved": "http://localhost:4873/rollup/-/rollup-2.79.2.tgz", - "integrity": "sha512-fS6iqSPZDs3dr/y7Od6y5nha8dW1YnbgtsyotCVvoFGKbERG++CVRFv1meyGDE1SNItQA8BrnCw7ScdAhRJ3XQ==", - "dev": true, - "license": "MIT", - "bin": { - "rollup": "dist/bin/rollup" - }, - "engines": { - "node": ">=10.0.0" - }, - "optionalDependencies": { - "fsevents": "~2.3.2" - } - }, - "node_modules/rsvp": { - "version": "4.8.5", - "resolved": "http://localhost:4873/rsvp/-/rsvp-4.8.5.tgz", - "integrity": "sha512-nfMOlASu9OnRJo1mbEk2cz0D56a1MBNrJ7orjRZQG10XDyuvwksKbuXNp6qa+kbn839HwjwhBzhFmdsaEAfauA==", - "dev": true, - "license": "MIT", - "engines": { - "node": "6.* || >= 7.*" - } - }, - "node_modules/run-async": { - "version": "2.4.1", - "resolved": "http://localhost:4873/run-async/-/run-async-2.4.1.tgz", - "integrity": "sha512-tvVnVv01b8c1RrA6Ep7JkStj85Guv/YrMcwqYQnwjsAS2cTmmPGBBjAjpCW7RrSodNSoE2/qg9O4bceNvUuDgQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.12.0" - } - }, - "node_modules/run-parallel": { - "version": "1.2.0", - "resolved": "http://localhost:4873/run-parallel/-/run-parallel-1.2.0.tgz", - "integrity": "sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==", - "dev": true, - "funding": [ - { - "type": "github", - "url": "https://github.com/sponsors/feross" - }, - { - "type": "patreon", - "url": "https://www.patreon.com/feross" - }, - { - "type": "consulting", - "url": "https://feross.org/support" - } - ], - "license": "MIT", - "dependencies": { - "queue-microtask": "^1.2.2" - } - }, - "node_modules/rxjs": { - "version": "6.6.7", - "resolved": "http://localhost:4873/rxjs/-/rxjs-6.6.7.tgz", - "integrity": "sha512-hTdwr+7yYNIT5n4AMYp85KA6yw2Va0FLa3Rguvbpa4W3I5xynaBZo41cM3XM+4Q6fRMj3sBYIR1VAmZMXYJvRQ==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "tslib": "^1.9.0" - }, - "engines": { - "npm": ">=2.0.0" - } - }, - "node_modules/rxjs/node_modules/tslib": { - "version": "1.14.1", - "resolved": "http://localhost:4873/tslib/-/tslib-1.14.1.tgz", - "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==", - "dev": true, - "license": "0BSD" - }, - "node_modules/safe-array-concat": { - "version": "1.1.3", - "resolved": "http://localhost:4873/safe-array-concat/-/safe-array-concat-1.1.3.tgz", - "integrity": "sha512-AURm5f0jYEOydBj7VQlVvDrjeFgthDdEF5H1dP+6mNpoXOMo1quQqJ4wvJDyRZ9+pO3kGWoOdmV08cSv2aJV6Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind": "^1.0.8", - "call-bound": "^1.0.2", - "get-intrinsic": "^1.2.6", - "has-symbols": "^1.1.0", - "isarray": "^2.0.5" - }, - "engines": { - "node": ">=0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/safe-array-concat/node_modules/isarray": { - "version": "2.0.5", - "resolved": "http://localhost:4873/isarray/-/isarray-2.0.5.tgz", - "integrity": "sha512-xHjhDr3cNBK0BzdUJSPXZntQUx/mwMS5Rw4A7lPJ90XGAO6ISP/ePDNuo0vhqOZU+UD5JoodwCAAoZQd3FeAKw==", - "dev": true, - "license": "MIT" - }, - "node_modules/safe-buffer": { - "version": "5.2.1", - "resolved": "http://localhost:4873/safe-buffer/-/safe-buffer-5.2.1.tgz", - "integrity": "sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==", - "dev": true, - "funding": [ - { - "type": "github", - "url": "https://github.com/sponsors/feross" - }, - { - "type": "patreon", - "url": "https://www.patreon.com/feross" - }, - { - "type": "consulting", - "url": "https://feross.org/support" - } - ], - "license": "MIT" - }, - "node_modules/safe-push-apply": { - "version": "1.0.0", - "resolved": "http://localhost:4873/safe-push-apply/-/safe-push-apply-1.0.0.tgz", - "integrity": "sha512-iKE9w/Z7xCzUMIZqdBsp6pEQvwuEebH4vdpjcDWnyzaI6yl6O9FHvVpmGelvEHNsoY6wGblkxR6Zty/h00WiSA==", - "dev": true, - "license": "MIT", - "dependencies": { - "es-errors": "^1.3.0", - "isarray": "^2.0.5" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/safe-push-apply/node_modules/isarray": { - "version": "2.0.5", - "resolved": "http://localhost:4873/isarray/-/isarray-2.0.5.tgz", - "integrity": "sha512-xHjhDr3cNBK0BzdUJSPXZntQUx/mwMS5Rw4A7lPJ90XGAO6ISP/ePDNuo0vhqOZU+UD5JoodwCAAoZQd3FeAKw==", - "dev": true, - "license": "MIT" - }, - "node_modules/safe-regex": { - "version": "1.1.0", - "resolved": "http://localhost:4873/safe-regex/-/safe-regex-1.1.0.tgz", - "integrity": "sha512-aJXcif4xnaNUzvUuC5gcb46oTS7zvg4jpMTnuqtrEPlR3vFr4pxtdTwaF1Qs3Enjn9HK+ZlwQui+a7z0SywIzg==", - "dev": true, - "license": "MIT", - "dependencies": { - "ret": "~0.1.10" - } - }, - "node_modules/safe-regex-test": { - "version": "1.1.0", - "resolved": "http://localhost:4873/safe-regex-test/-/safe-regex-test-1.1.0.tgz", - "integrity": "sha512-x/+Cz4YrimQxQccJf5mKEbIa1NzeCRNI5Ecl/ekmlYaampdNLPalVyIcCZNNH3MvmqBugV5TMYZXv0ljslUlaw==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bound": "^1.0.2", - "es-errors": "^1.3.0", - "is-regex": "^1.2.1" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/safer-buffer": { - "version": "2.1.2", - "resolved": "http://localhost:4873/safer-buffer/-/safer-buffer-2.1.2.tgz", - "integrity": "sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==", - "dev": true, - "license": "MIT" - }, - "node_modules/sane": { - "version": "4.1.0", - "resolved": "http://localhost:4873/sane/-/sane-4.1.0.tgz", - "integrity": "sha512-hhbzAgTIX8O7SHfp2c8/kREfEn4qO/9q8C9beyY6+tvZ87EpoZ3i1RIEvp27YBswnNbY9mWd6paKVmKbAgLfZA==", - "deprecated": "some dependency vulnerabilities fixed, support for node < 10 dropped, and newer ECMAScript syntax/features added", - "dev": true, - "license": "MIT", - "dependencies": { - "@cnakazawa/watch": "^1.0.3", - "anymatch": "^2.0.0", - "capture-exit": "^2.0.0", - "exec-sh": "^0.3.2", - "execa": "^1.0.0", - "fb-watchman": "^2.0.0", - "micromatch": "^3.1.4", - "minimist": "^1.1.1", - "walker": "~1.0.5" - }, - "bin": { - "sane": "src/cli.js" - }, - "engines": { - "node": "6.* || 8.* || >= 10.*" - } - }, - "node_modules/sane/node_modules/anymatch": { - "version": "2.0.0", - "resolved": "http://localhost:4873/anymatch/-/anymatch-2.0.0.tgz", - "integrity": "sha512-5teOsQWABXHHBFP9y3skS5P3d/WfWXpv3FUpy+LorMrNYaT9pI4oLMQX7jzQ2KklNpGpWHzdCXTDT2Y3XGlZBw==", - "dev": true, - "license": "ISC", - "dependencies": { - "micromatch": "^3.1.4", - "normalize-path": "^2.1.1" - } - }, - "node_modules/sane/node_modules/braces": { - "version": "2.3.2", - "resolved": "http://localhost:4873/braces/-/braces-2.3.2.tgz", - "integrity": "sha512-aNdbnj9P8PjdXU4ybaWLK2IF3jc/EoDYbC7AazW6to3TRsfXxscC9UXOB5iDiEQrkyIbWp2SLQda4+QAa7nc3w==", - "dev": true, - "license": "MIT", - "dependencies": { - "arr-flatten": "^1.1.0", - "array-unique": "^0.3.2", - "extend-shallow": "^2.0.1", - "fill-range": "^4.0.0", - "isobject": "^3.0.1", - "repeat-element": "^1.1.2", - "snapdragon": "^0.8.1", - "snapdragon-node": "^2.0.1", - "split-string": "^3.0.2", - "to-regex": "^3.0.1" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/sane/node_modules/braces/node_modules/extend-shallow": { - "version": "2.0.1", - "resolved": "http://localhost:4873/extend-shallow/-/extend-shallow-2.0.1.tgz", - "integrity": "sha512-zCnTtlxNoAiDc3gqY2aYAWFx7XWWiasuF2K8Me5WbN8otHKTUKBwjPtNpRs/rbUZm7KxWAaNj7P1a/p52GbVug==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-extendable": "^0.1.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/sane/node_modules/execa": { - "version": "1.0.0", - "resolved": "http://localhost:4873/execa/-/execa-1.0.0.tgz", - "integrity": "sha512-adbxcyWV46qiHyvSp50TKt05tB4tK3HcmF7/nxfAdhnox83seTDbwnaqKO4sXRy7roHAIFqJP/Rw/AuEbX61LA==", - "dev": true, - "license": "MIT", - "dependencies": { - "cross-spawn": "^6.0.0", - "get-stream": "^4.0.0", - "is-stream": "^1.1.0", - "npm-run-path": "^2.0.0", - "p-finally": "^1.0.0", - "signal-exit": "^3.0.0", - "strip-eof": "^1.0.0" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/sane/node_modules/fill-range": { - "version": "4.0.0", - "resolved": "http://localhost:4873/fill-range/-/fill-range-4.0.0.tgz", - "integrity": "sha512-VcpLTWqWDiTerugjj8e3+esbg+skS3M9e54UuR3iCeIDMXCLTsAH8hTSzDQU/X6/6t3eYkOKoZSef2PlU6U1XQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "extend-shallow": "^2.0.1", - "is-number": "^3.0.0", - "repeat-string": "^1.6.1", - "to-regex-range": "^2.1.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/sane/node_modules/fill-range/node_modules/extend-shallow": { - "version": "2.0.1", - "resolved": "http://localhost:4873/extend-shallow/-/extend-shallow-2.0.1.tgz", - "integrity": "sha512-zCnTtlxNoAiDc3gqY2aYAWFx7XWWiasuF2K8Me5WbN8otHKTUKBwjPtNpRs/rbUZm7KxWAaNj7P1a/p52GbVug==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-extendable": "^0.1.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/sane/node_modules/get-stream": { - "version": "4.1.0", - "resolved": "http://localhost:4873/get-stream/-/get-stream-4.1.0.tgz", - "integrity": "sha512-GMat4EJ5161kIy2HevLlr4luNjBgvmj413KaQA7jt4V8B4RDsfpHk7WQ9GVqfYyyx8OS/L66Kox+rJRNklLK7w==", - "dev": true, - "license": "MIT", - "dependencies": { - "pump": "^3.0.0" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/sane/node_modules/is-extendable": { - "version": "0.1.1", - "resolved": "http://localhost:4873/is-extendable/-/is-extendable-0.1.1.tgz", - "integrity": "sha512-5BMULNob1vgFX6EjQw5izWDxrecWK9AM72rugNr0TFldMOi0fj6Jk+zeKIt0xGj4cEfQIJth4w3OKWOJ4f+AFw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/sane/node_modules/is-number": { - "version": "3.0.0", - "resolved": "http://localhost:4873/is-number/-/is-number-3.0.0.tgz", - "integrity": "sha512-4cboCqIpliH+mAvFNegjZQ4kgKc3ZUhQVr3HvWbSh5q3WH2v82ct+T2Y1hdU5Gdtorx/cLifQjqCbL7bpznLTg==", - "dev": true, - "license": "MIT", - "dependencies": { - "kind-of": "^3.0.2" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/sane/node_modules/is-number/node_modules/kind-of": { - "version": "3.2.2", - "resolved": "http://localhost:4873/kind-of/-/kind-of-3.2.2.tgz", - "integrity": "sha512-NOW9QQXMoZGg/oqnVNoNTTIFEIid1627WCffUBJEdMxYApq7mNE7CpzucIPc+ZQg25Phej7IJSmX3hO+oblOtQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-buffer": "^1.1.5" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/sane/node_modules/is-stream": { - "version": "1.1.0", - "resolved": "http://localhost:4873/is-stream/-/is-stream-1.1.0.tgz", - "integrity": "sha512-uQPm8kcs47jx38atAcWTVxyltQYoPT68y9aWYdV6yWXSyW8mzSat0TL6CiWdZeCdF3KrAvpVtnHbTv4RN+rqdQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/sane/node_modules/micromatch": { - "version": "3.1.10", - "resolved": "http://localhost:4873/micromatch/-/micromatch-3.1.10.tgz", - "integrity": "sha512-MWikgl9n9M3w+bpsY3He8L+w9eF9338xRl8IAO5viDizwSzziFEyUzo2xrrloB64ADbTf8uA8vRqqttDTOmccg==", - "dev": true, - "license": "MIT", - "dependencies": { - "arr-diff": "^4.0.0", - "array-unique": "^0.3.2", - "braces": "^2.3.1", - "define-property": "^2.0.2", - "extend-shallow": "^3.0.2", - "extglob": "^2.0.4", - "fragment-cache": "^0.2.1", - "kind-of": "^6.0.2", - "nanomatch": "^1.2.9", - "object.pick": "^1.3.0", - "regex-not": "^1.0.0", - "snapdragon": "^0.8.1", - "to-regex": "^3.0.2" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/sane/node_modules/npm-run-path": { - "version": "2.0.2", - "resolved": "http://localhost:4873/npm-run-path/-/npm-run-path-2.0.2.tgz", - "integrity": "sha512-lJxZYlT4DW/bRUtFh1MQIWqmLwQfAxnqWG4HhEdjMlkrJYnJn0Jrr2u3mgxqaWsdiBc76TYkTG/mhrnYTuzfHw==", - "dev": true, - "license": "MIT", - "dependencies": { - "path-key": "^2.0.0" - }, - "engines": { - "node": ">=4" - } - }, - "node_modules/sane/node_modules/to-regex-range": { - "version": "2.1.1", - "resolved": "http://localhost:4873/to-regex-range/-/to-regex-range-2.1.1.tgz", - "integrity": "sha512-ZZWNfCjUokXXDGXFpZehJIkZqq91BcULFq/Pi7M5i4JnxXdhMKAK682z8bCW3o8Hj1wuuzoKcW3DfVzaP6VuNg==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-number": "^3.0.0", - "repeat-string": "^1.6.1" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/sax": { - "version": "1.2.1", - "resolved": "http://localhost:4873/sax/-/sax-1.2.1.tgz", - "integrity": "sha512-8I2a3LovHTOpm7NV5yOyO8IHqgVsfK4+UuySrXU8YXkSRX7k6hCV9b3HrkKCr3nMpgj+0bmocaJJWpvp1oc7ZA==", - "dev": true, - "license": "ISC" - }, - "node_modules/saxes": { - "version": "5.0.1", - "resolved": "http://localhost:4873/saxes/-/saxes-5.0.1.tgz", - "integrity": "sha512-5LBh1Tls8c9xgGjw3QrMwETmTMVk0oFgvrFSvWx62llR2hcEInrKNZ2GZCCuuy2lvWrdl5jhbpeqc5hRYKFOcw==", - "dev": true, - "license": "ISC", - "dependencies": { - "xmlchars": "^2.2.0" - }, - "engines": { - "node": ">=10" - } - }, - "node_modules/scheduler": { - "version": "0.23.2", - "resolved": "http://localhost:4873/scheduler/-/scheduler-0.23.2.tgz", - "integrity": "sha512-UOShsPwz7NrMUqhR6t0hWjFduvOzbtv7toDH1/hIrfRNIDBnnBWd0CwJTGvTpngVlmwGCdP9/Zl/tVrDqcuYzQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "loose-envify": "^1.1.0" - } - }, - "node_modules/schema-utils": { - "version": "4.3.2", - "resolved": "http://localhost:4873/schema-utils/-/schema-utils-4.3.2.tgz", - "integrity": "sha512-Gn/JaSk/Mt9gYubxTtSn/QCV4em9mpAPiR1rqy/Ocu19u/G9J5WWdNoUT4SiV6mFC3y6cxyFcFwdzPM3FgxGAQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/json-schema": "^7.0.9", - "ajv": "^8.9.0", - "ajv-formats": "^2.1.1", - "ajv-keywords": "^5.1.0" - }, - "engines": { - "node": ">= 10.13.0" - }, - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/webpack" - } - }, - "node_modules/schema-utils/node_modules/ajv": { - "version": "8.17.1", - "resolved": "http://localhost:4873/ajv/-/ajv-8.17.1.tgz", - "integrity": "sha512-B/gBuNg5SiMTrPkC+A2+cW0RszwxYmn6VYxB/inlBStS5nx6xHIt/ehKRhIMhqusl7a8LjQoZnjCs5vhwxOQ1g==", - "dev": true, - "license": "MIT", - "dependencies": { - "fast-deep-equal": "^3.1.3", - "fast-uri": "^3.0.1", - "json-schema-traverse": "^1.0.0", - "require-from-string": "^2.0.2" - }, - "funding": { - "type": "github", - "url": "https://github.com/sponsors/epoberezkin" - } - }, - "node_modules/schema-utils/node_modules/ajv-keywords": { - "version": "5.1.0", - "resolved": "http://localhost:4873/ajv-keywords/-/ajv-keywords-5.1.0.tgz", - "integrity": "sha512-YCS/JNFAUyr5vAuhk1DWm1CBxRHW9LbJ2ozWeemrIqpbsqKjHVxYPyi5GC0rjZIT5JxJ3virVTS8wk4i/Z+krw==", - "dev": true, - "license": "MIT", - "dependencies": { - "fast-deep-equal": "^3.1.3" - }, - "peerDependencies": { - "ajv": "^8.8.2" - } - }, - "node_modules/schema-utils/node_modules/json-schema-traverse": { - "version": "1.0.0", - "resolved": "http://localhost:4873/json-schema-traverse/-/json-schema-traverse-1.0.0.tgz", - "integrity": "sha512-NM8/P9n3XjXhIZn1lLhkFaACTOURQXjWhV4BA/RnOv8xvgqtqpAX9IO4mRQxSx1Rlo4tqzeqb0sOlruaOy3dug==", - "dev": true, - "license": "MIT" - }, - "node_modules/seedrandom": { - "version": "3.0.5", - "resolved": "http://localhost:4873/seedrandom/-/seedrandom-3.0.5.tgz", - "integrity": "sha512-8OwmbklUNzwezjGInmZ+2clQmExQPvomqjL7LFqOYqtmuxRgQYqOD3mHaU+MvZn5FLUeVxVfQjwLZW/n/JFuqg==", - "dev": true, - "license": "MIT" - }, - "node_modules/semver": { - "version": "7.7.2", - "resolved": "http://localhost:4873/semver/-/semver-7.7.2.tgz", - "integrity": "sha512-RF0Fw+rO5AMf9MAyaRXI4AV0Ulj5lMHqVxxdSgiVbixSCXoEmmX/jk0CuJw4+3SqroYO9VoUh+HcuJivvtJemA==", - "dev": true, - "license": "ISC", - "bin": { - "semver": "bin/semver.js" - }, - "engines": { - "node": ">=10" - } - }, - "node_modules/send": { - "version": "0.19.0", - "resolved": "http://localhost:4873/send/-/send-0.19.0.tgz", - "integrity": "sha512-dW41u5VfLXu8SJh5bwRmyYUbAoSB3c9uQh6L8h/KtsFREPWpbX1lrljJo186Jc4nmci/sGUZ9a0a0J2zgfq2hw==", - "dev": true, - "license": "MIT", - "dependencies": { - "debug": "2.6.9", - "depd": "2.0.0", - "destroy": "1.2.0", - "encodeurl": "~1.0.2", - "escape-html": "~1.0.3", - "etag": "~1.8.1", - "fresh": "0.5.2", - "http-errors": "2.0.0", - "mime": "1.6.0", - "ms": "2.1.3", - "on-finished": "2.4.1", - "range-parser": "~1.2.1", - "statuses": "2.0.1" - }, - "engines": { - "node": ">= 0.8.0" - } - }, - "node_modules/send/node_modules/debug": { - "version": "2.6.9", - "resolved": "http://localhost:4873/debug/-/debug-2.6.9.tgz", - "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", - "dev": true, - "license": "MIT", - "dependencies": { - "ms": "2.0.0" - } - }, - "node_modules/send/node_modules/debug/node_modules/ms": { - "version": "2.0.0", - "resolved": "http://localhost:4873/ms/-/ms-2.0.0.tgz", - "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", - "dev": true, - "license": "MIT" - }, - "node_modules/send/node_modules/encodeurl": { - "version": "1.0.2", - "resolved": "http://localhost:4873/encodeurl/-/encodeurl-1.0.2.tgz", - "integrity": "sha512-TPJXq8JqFaVYm2CWmPvnP2Iyo4ZSM7/QKcSmuMLDObfpH5fi7RUGmd/rTDf+rut/saiDiQEeVTNgAmJEdAOx0w==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.8" - } - }, - "node_modules/serialize-javascript": { - "version": "6.0.2", - "resolved": "http://localhost:4873/serialize-javascript/-/serialize-javascript-6.0.2.tgz", - "integrity": "sha512-Saa1xPByTTq2gdeFZYLLo+RFE35NHZkAbqZeWNd3BpzppeVisAqpDjcp8dyf6uIvEqJRd46jemmyA4iFIeVk8g==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "randombytes": "^2.1.0" - } - }, - "node_modules/serve-static": { - "version": "1.16.2", - "resolved": "http://localhost:4873/serve-static/-/serve-static-1.16.2.tgz", - "integrity": "sha512-VqpjJZKadQB/PEbEwvFdO43Ax5dFBZ2UECszz8bQ7pi7wt//PWe1P6MN7eCnjsatYtBT6EuiClbjSWP2WrIoTw==", - "dev": true, - "license": "MIT", - "dependencies": { - "encodeurl": "~2.0.0", - "escape-html": "~1.0.3", - "parseurl": "~1.3.3", - "send": "0.19.0" - }, - "engines": { - "node": ">= 0.8.0" - } - }, - "node_modules/set-blocking": { - "version": "2.0.0", - "resolved": "http://localhost:4873/set-blocking/-/set-blocking-2.0.0.tgz", - "integrity": "sha512-KiKBS8AnWGEyLzofFfmvKwpdPzqiy16LvQfK3yv/fVH7Bj13/wl3JSR1J+rfgRE9q7xUJK4qvgS8raSOeLUehw==", - "dev": true, - "license": "ISC" - }, - "node_modules/set-cookie-parser": { - "version": "2.7.1", - "resolved": "http://localhost:4873/set-cookie-parser/-/set-cookie-parser-2.7.1.tgz", - "integrity": "sha512-IOc8uWeOZgnb3ptbCURJWNjWUPcO3ZnTTdzsurqERrP6nPyv+paC55vJM0LpOlT2ne+Ix+9+CRG1MNLlyZ4GjQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/set-function-length": { - "version": "1.2.2", - "resolved": "http://localhost:4873/set-function-length/-/set-function-length-1.2.2.tgz", - "integrity": "sha512-pgRc4hJ4/sNjWCSS9AmnS40x3bNMDTknHgL5UaMBTMyJnU90EgWh1Rz+MC9eFu4BuN/UwZjKQuY/1v3rM7HMfg==", - "dev": true, - "license": "MIT", - "dependencies": { - "define-data-property": "^1.1.4", - "es-errors": "^1.3.0", - "function-bind": "^1.1.2", - "get-intrinsic": "^1.2.4", - "gopd": "^1.0.1", - "has-property-descriptors": "^1.0.2" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/set-function-name": { - "version": "2.0.2", - "resolved": "http://localhost:4873/set-function-name/-/set-function-name-2.0.2.tgz", - "integrity": "sha512-7PGFlmtwsEADb0WYyvCMa1t+yke6daIG4Wirafur5kcf+MhUnPms1UeR0CKQdTZD81yESwMHbtn+TR+dMviakQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "define-data-property": "^1.1.4", - "es-errors": "^1.3.0", - "functions-have-names": "^1.2.3", - "has-property-descriptors": "^1.0.2" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/set-proto": { - "version": "1.0.0", - "resolved": "http://localhost:4873/set-proto/-/set-proto-1.0.0.tgz", - "integrity": "sha512-RJRdvCo6IAnPdsvP/7m6bsQqNnn1FCBX5ZNtFL98MmFF/4xAIJTIg1YbHW5DC2W5SKZanrC6i4HsJqlajw/dZw==", - "dev": true, - "license": "MIT", - "dependencies": { - "dunder-proto": "^1.0.1", - "es-errors": "^1.3.0", - "es-object-atoms": "^1.0.0" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/set-value": { - "version": "2.0.1", - "resolved": "http://localhost:4873/set-value/-/set-value-2.0.1.tgz", - "integrity": "sha512-JxHc1weCN68wRY0fhCoXpyK55m/XPHafOmK4UWD7m2CI14GMcFypt4w/0+NV5f/ZMby2F6S2wwA7fgynh9gWSw==", - "dev": true, - "license": "MIT", - "dependencies": { - "extend-shallow": "^2.0.1", - "is-extendable": "^0.1.1", - "is-plain-object": "^2.0.3", - "split-string": "^3.0.1" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/set-value/node_modules/extend-shallow": { - "version": "2.0.1", - "resolved": "http://localhost:4873/extend-shallow/-/extend-shallow-2.0.1.tgz", - "integrity": "sha512-zCnTtlxNoAiDc3gqY2aYAWFx7XWWiasuF2K8Me5WbN8otHKTUKBwjPtNpRs/rbUZm7KxWAaNj7P1a/p52GbVug==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-extendable": "^0.1.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/set-value/node_modules/is-extendable": { - "version": "0.1.1", - "resolved": "http://localhost:4873/is-extendable/-/is-extendable-0.1.1.tgz", - "integrity": "sha512-5BMULNob1vgFX6EjQw5izWDxrecWK9AM72rugNr0TFldMOi0fj6Jk+zeKIt0xGj4cEfQIJth4w3OKWOJ4f+AFw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/setprototypeof": { - "version": "1.2.0", - "resolved": "http://localhost:4873/setprototypeof/-/setprototypeof-1.2.0.tgz", - "integrity": "sha512-E5LDX7Wrp85Kil5bhZv46j8jOeboKq5JMmYM3gVGdGH8xFpPWXUMsNrlODCrkoxMEeNi/XZIwuRvY4XNwYMJpw==", - "dev": true, - "license": "ISC" - }, - "node_modules/shallow-clone": { - "version": "3.0.1", - "resolved": "http://localhost:4873/shallow-clone/-/shallow-clone-3.0.1.tgz", - "integrity": "sha512-/6KqX+GVUdqPuPPd2LxDDxzX6CAbjJehAAOKlNpqqUpAqPM6HeL8f+o3a+JsyGjn2lv0WY8UsTgUJjU9Ok55NA==", - "dev": true, - "license": "MIT", - "dependencies": { - "kind-of": "^6.0.2" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/shebang-command": { - "version": "1.2.0", - "resolved": "http://localhost:4873/shebang-command/-/shebang-command-1.2.0.tgz", - "integrity": "sha512-EV3L1+UQWGor21OmnvojK36mhg+TyIKDh3iFBKBohr5xeXIhNBcx8oWdgkTEEQ+BEFFYdLRuqMfd5L84N1V5Vg==", - "dev": true, - "license": "MIT", - "dependencies": { - "shebang-regex": "^1.0.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/shebang-regex": { - "version": "1.0.0", - "resolved": "http://localhost:4873/shebang-regex/-/shebang-regex-1.0.0.tgz", - "integrity": "sha512-wpoSFAxys6b2a2wHZ1XpDSgD7N9iVjg29Ph9uV/uaP9Ex/KXlkTZTeddxDPSYQpgvzKLGJke2UU0AzoGCjNIvQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/shelljs": { - "version": "0.8.5", - "resolved": "http://localhost:4873/shelljs/-/shelljs-0.8.5.tgz", - "integrity": "sha512-TiwcRcrkhHvbrZbnRcFYMLl30Dfov3HKqzp5tO5b4pt6G/SezKcYhmDg15zXVBswHmctSAQKznqNW2LO5tTDow==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "glob": "^7.0.0", - "interpret": "^1.0.0", - "rechoir": "^0.6.2" - }, - "bin": { - "shjs": "bin/shjs" - }, - "engines": { - "node": ">=4" - } - }, - "node_modules/shellwords": { - "version": "0.1.1", - "resolved": "http://localhost:4873/shellwords/-/shellwords-0.1.1.tgz", - "integrity": "sha512-vFwSUfQvqybiICwZY5+DAWIPLKsWO31Q91JSKl3UYv+K5c2QRPzn0qzec6QPu1Qc9eHYItiP3NdJqNVqetYAww==", - "dev": true, - "license": "MIT" - }, - "node_modules/side-channel": { - "version": "1.1.0", - "resolved": "http://localhost:4873/side-channel/-/side-channel-1.1.0.tgz", - "integrity": "sha512-ZX99e6tRweoUXqR+VBrslhda51Nh5MTQwou5tnUDgbtyM0dBgmhEDtWGP/xbKn6hqfPRHujUNwz5fy/wbbhnpw==", - "dev": true, - "license": "MIT", - "dependencies": { - "es-errors": "^1.3.0", - "object-inspect": "^1.13.3", - "side-channel-list": "^1.0.0", - "side-channel-map": "^1.0.1", - "side-channel-weakmap": "^1.0.2" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/side-channel-list": { - "version": "1.0.0", - "resolved": "http://localhost:4873/side-channel-list/-/side-channel-list-1.0.0.tgz", - "integrity": "sha512-FCLHtRD/gnpCiCHEiJLOwdmFP+wzCmDEkc9y7NsYxeF4u7Btsn1ZuwgwJGxImImHicJArLP4R0yX4c2KCrMrTA==", - "dev": true, - "license": "MIT", - "dependencies": { - "es-errors": "^1.3.0", - "object-inspect": "^1.13.3" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/side-channel-map": { - "version": "1.0.1", - "resolved": "http://localhost:4873/side-channel-map/-/side-channel-map-1.0.1.tgz", - "integrity": "sha512-VCjCNfgMsby3tTdo02nbjtM/ewra6jPHmpThenkTYh8pG9ucZ/1P8So4u4FGBek/BjpOVsDCMoLA/iuBKIFXRA==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bound": "^1.0.2", - "es-errors": "^1.3.0", - "get-intrinsic": "^1.2.5", - "object-inspect": "^1.13.3" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/side-channel-weakmap": { - "version": "1.0.2", - "resolved": "http://localhost:4873/side-channel-weakmap/-/side-channel-weakmap-1.0.2.tgz", - "integrity": "sha512-WPS/HvHQTYnHisLo9McqBHOJk2FkHO/tlpvldyrnem4aeQp4hai3gythswg6p01oSoTl58rcpiFAjF2br2Ak2A==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bound": "^1.0.2", - "es-errors": "^1.3.0", - "get-intrinsic": "^1.2.5", - "object-inspect": "^1.13.3", - "side-channel-map": "^1.0.1" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/signal-exit": { - "version": "3.0.7", - "resolved": "http://localhost:4873/signal-exit/-/signal-exit-3.0.7.tgz", - "integrity": "sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ==", - "dev": true, - "license": "ISC" - }, - "node_modules/sirv": { - "version": "2.0.4", - "resolved": "http://localhost:4873/sirv/-/sirv-2.0.4.tgz", - "integrity": "sha512-94Bdh3cC2PKrbgSOUqTiGPWVZeSiXfKOVZNJniWoqrWrRkB1CJzBU3NEbiTsPcYy1lDsANA/THzS+9WBiy5nfQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "@polka/url": "^1.0.0-next.24", - "mrmime": "^2.0.0", - "totalist": "^3.0.0" - }, - "engines": { - "node": ">= 10" - } - }, - "node_modules/sisteransi": { - "version": "1.0.5", - "resolved": "http://localhost:4873/sisteransi/-/sisteransi-1.0.5.tgz", - "integrity": "sha512-bLGGlR1QxBcynn2d5YmDX4MGjlZvy2MRBDRNHLJ8VI6l6+9FUiyTFNJ0IveOSP0bcXgVDPRcfGqA0pjaqUpfVg==", - "dev": true, - "license": "MIT" - }, - "node_modules/slash": { - "version": "2.0.0", - "resolved": "http://localhost:4873/slash/-/slash-2.0.0.tgz", - "integrity": "sha512-ZYKh3Wh2z1PpEXWr0MpSBZ0V6mZHAQfYevttO11c51CaWjGTaadiKZ+wVt1PbMlDV5qhMFslpZCemhwOK7C89A==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/snapdragon": { - "version": "0.8.2", - "resolved": "http://localhost:4873/snapdragon/-/snapdragon-0.8.2.tgz", - "integrity": "sha512-FtyOnWN/wCHTVXOMwvSv26d+ko5vWlIDD6zoUJ7LW8vh+ZBC8QdljveRP+crNrtBwioEUWy/4dMtbBjA4ioNlg==", - "dev": true, - "license": "MIT", - "dependencies": { - "base": "^0.11.1", - "debug": "^2.2.0", - "define-property": "^0.2.5", - "extend-shallow": "^2.0.1", - "map-cache": "^0.2.2", - "source-map": "^0.5.6", - "source-map-resolve": "^0.5.0", - "use": "^3.1.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/snapdragon-node": { - "version": "2.1.1", - "resolved": "http://localhost:4873/snapdragon-node/-/snapdragon-node-2.1.1.tgz", - "integrity": "sha512-O27l4xaMYt/RSQ5TR3vpWCAB5Kb/czIcqUFOM/C4fYcLnbZUc1PkjTAMjof2pBWaSTwOUd6qUHcFGVGj7aIwnw==", - "dev": true, - "license": "MIT", - "dependencies": { - "define-property": "^1.0.0", - "isobject": "^3.0.0", - "snapdragon-util": "^3.0.1" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/snapdragon-node/node_modules/define-property": { - "version": "1.0.0", - "resolved": "http://localhost:4873/define-property/-/define-property-1.0.0.tgz", - "integrity": "sha512-cZTYKFWspt9jZsMscWo8sc/5lbPC9Q0N5nBLgb+Yd915iL3udB1uFgS3B8YCx66UVHq018DAVFoee7x+gxggeA==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-descriptor": "^1.0.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/snapdragon-util": { - "version": "3.0.1", - "resolved": "http://localhost:4873/snapdragon-util/-/snapdragon-util-3.0.1.tgz", - "integrity": "sha512-mbKkMdQKsjX4BAL4bRYTj21edOf8cN7XHdYUJEe+Zn99hVEYcMvKPct1IqNe7+AZPirn8BCDOQBHQZknqmKlZQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "kind-of": "^3.2.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/snapdragon-util/node_modules/kind-of": { - "version": "3.2.2", - "resolved": "http://localhost:4873/kind-of/-/kind-of-3.2.2.tgz", - "integrity": "sha512-NOW9QQXMoZGg/oqnVNoNTTIFEIid1627WCffUBJEdMxYApq7mNE7CpzucIPc+ZQg25Phej7IJSmX3hO+oblOtQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-buffer": "^1.1.5" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/snapdragon/node_modules/debug": { - "version": "2.6.9", - "resolved": "http://localhost:4873/debug/-/debug-2.6.9.tgz", - "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", - "dev": true, - "license": "MIT", - "dependencies": { - "ms": "2.0.0" - } - }, - "node_modules/snapdragon/node_modules/define-property": { - "version": "0.2.5", - "resolved": "http://localhost:4873/define-property/-/define-property-0.2.5.tgz", - "integrity": "sha512-Rr7ADjQZenceVOAKop6ALkkRAmH1A4Gx9hV/7ZujPUN2rkATqFO0JZLZInbAjpZYoJ1gUx8MRMQVkYemcbMSTA==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-descriptor": "^0.1.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/snapdragon/node_modules/extend-shallow": { - "version": "2.0.1", - "resolved": "http://localhost:4873/extend-shallow/-/extend-shallow-2.0.1.tgz", - "integrity": "sha512-zCnTtlxNoAiDc3gqY2aYAWFx7XWWiasuF2K8Me5WbN8otHKTUKBwjPtNpRs/rbUZm7KxWAaNj7P1a/p52GbVug==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-extendable": "^0.1.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/snapdragon/node_modules/is-descriptor": { - "version": "0.1.7", - "resolved": "http://localhost:4873/is-descriptor/-/is-descriptor-0.1.7.tgz", - "integrity": "sha512-C3grZTvObeN1xud4cRWl366OMXZTj0+HGyk4hvfpx4ZHt1Pb60ANSXqCK7pdOTeUQpRzECBSTphqvD7U+l22Eg==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-accessor-descriptor": "^1.0.1", - "is-data-descriptor": "^1.0.1" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/snapdragon/node_modules/is-extendable": { - "version": "0.1.1", - "resolved": "http://localhost:4873/is-extendable/-/is-extendable-0.1.1.tgz", - "integrity": "sha512-5BMULNob1vgFX6EjQw5izWDxrecWK9AM72rugNr0TFldMOi0fj6Jk+zeKIt0xGj4cEfQIJth4w3OKWOJ4f+AFw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/snapdragon/node_modules/ms": { - "version": "2.0.0", - "resolved": "http://localhost:4873/ms/-/ms-2.0.0.tgz", - "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", - "dev": true, - "license": "MIT" - }, - "node_modules/source-map": { - "version": "0.5.7", - "resolved": "http://localhost:4873/source-map/-/source-map-0.5.7.tgz", - "integrity": "sha512-LbrmJOMUSdEVxIKvdcJzQC+nQhe8FUZQTXQy6+I75skNgn3OoQ0DZA8YnFa7gp8tqtL3KPf1kmo0R5DoApeSGQ==", - "dev": true, - "license": "BSD-3-Clause", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/source-map-js": { - "version": "1.2.1", - "resolved": "http://localhost:4873/source-map-js/-/source-map-js-1.2.1.tgz", - "integrity": "sha512-UXWMKhLOwVKb728IUtQPXxfYU+usdybtUrK/8uGE8CQMvrhOpwvzDBwj0QhSL7MQc7vIsISBG8VQ8+IDQxpfQA==", - "dev": true, - "license": "BSD-3-Clause", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/source-map-loader": { - "version": "4.0.2", - "resolved": "http://localhost:4873/source-map-loader/-/source-map-loader-4.0.2.tgz", - "integrity": "sha512-oYwAqCuL0OZhBoSgmdrLa7mv9MjommVMiQIWgcztf+eS4+8BfcUee6nenFnDhKOhzAVnk5gpZdfnz1iiBv+5sg==", - "dev": true, - "license": "MIT", - "dependencies": { - "iconv-lite": "^0.6.3", - "source-map-js": "^1.0.2" - }, - "engines": { - "node": ">= 14.15.0" - }, - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/webpack" - }, - "peerDependencies": { - "webpack": "^5.72.1" - } - }, - "node_modules/source-map-loader/node_modules/iconv-lite": { - "version": "0.6.3", - "resolved": "http://localhost:4873/iconv-lite/-/iconv-lite-0.6.3.tgz", - "integrity": "sha512-4fCk79wshMdzMp2rH06qWrJE4iolqLhCUH+OiuIgU++RB0+94NlDL81atO7GX55uUKueo0txHNtvEyI6D7WdMw==", - "dev": true, - "license": "MIT", - "dependencies": { - "safer-buffer": ">= 2.1.2 < 3.0.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/source-map-resolve": { - "version": "0.5.3", - "resolved": "http://localhost:4873/source-map-resolve/-/source-map-resolve-0.5.3.tgz", - "integrity": "sha512-Htz+RnsXWk5+P2slx5Jh3Q66vhQj1Cllm0zvnaY98+NFx+Dv2CF/f5O/t8x+KaNdrdIAsruNzoh/KpialbqAnw==", - "deprecated": "See https://github.com/lydell/source-map-resolve#deprecated", - "dev": true, - "license": "MIT", - "dependencies": { - "atob": "^2.1.2", - "decode-uri-component": "^0.2.0", - "resolve-url": "^0.2.1", - "source-map-url": "^0.4.0", - "urix": "^0.1.0" - } - }, - "node_modules/source-map-support": { - "version": "0.5.21", - "resolved": "http://localhost:4873/source-map-support/-/source-map-support-0.5.21.tgz", - "integrity": "sha512-uBHU3L3czsIyYXKX88fdrGovxdSCoTGDRZ6SYXtSRxLZUzHg5P/66Ht6uoUlHu9EZod+inXhKo3qQgwXUT/y1w==", - "dev": true, - "license": "MIT", - "dependencies": { - "buffer-from": "^1.0.0", - "source-map": "^0.6.0" - } - }, - "node_modules/source-map-support/node_modules/source-map": { - "version": "0.6.1", - "resolved": "http://localhost:4873/source-map/-/source-map-0.6.1.tgz", - "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==", - "dev": true, - "license": "BSD-3-Clause", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/source-map-url": { - "version": "0.4.1", - "resolved": "http://localhost:4873/source-map-url/-/source-map-url-0.4.1.tgz", - "integrity": "sha512-cPiFOTLUKvJFIg4SKVScy4ilPPW6rFgMgfuZJPNoDuMs3nC1HbMUycBoJw77xFIp6z1UJQJOfx6C9GMH80DiTw==", - "deprecated": "See https://github.com/lydell/source-map-url#deprecated", - "dev": true, - "license": "MIT" - }, - "node_modules/spdx-correct": { - "version": "3.2.0", - "resolved": "http://localhost:4873/spdx-correct/-/spdx-correct-3.2.0.tgz", - "integrity": "sha512-kN9dJbvnySHULIluDHy32WHRUu3Og7B9sbY7tsFLctQkIqnMh3hErYgdMjTYuqmcXX+lK5T1lnUt3G7zNswmZA==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "spdx-expression-parse": "^3.0.0", - "spdx-license-ids": "^3.0.0" - } - }, - "node_modules/spdx-exceptions": { - "version": "2.5.0", - "resolved": "http://localhost:4873/spdx-exceptions/-/spdx-exceptions-2.5.0.tgz", - "integrity": "sha512-PiU42r+xO4UbUS1buo3LPJkjlO7430Xn5SVAhdpzzsPHsjbYVflnnFdATgabnLude+Cqu25p6N+g2lw/PFsa4w==", - "dev": true, - "license": "CC-BY-3.0" - }, - "node_modules/spdx-expression-parse": { - "version": "3.0.1", - "resolved": "http://localhost:4873/spdx-expression-parse/-/spdx-expression-parse-3.0.1.tgz", - "integrity": "sha512-cbqHunsQWnJNE6KhVSMsMeH5H/L9EpymbzqTQ3uLwNCLZ1Q481oWaofqH7nO6V07xlXwY6PhQdQ2IedWx/ZK4Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "spdx-exceptions": "^2.1.0", - "spdx-license-ids": "^3.0.0" - } - }, - "node_modules/spdx-license-ids": { - "version": "3.0.21", - "resolved": "http://localhost:4873/spdx-license-ids/-/spdx-license-ids-3.0.21.tgz", - "integrity": "sha512-Bvg/8F5XephndSK3JffaRqdT+gyhfqIPwDHpX80tJrF8QQRYMo8sNMeaZ2Dp5+jhwKnUmIOyFFQfHRkjJm5nXg==", - "dev": true, - "license": "CC0-1.0" - }, - "node_modules/speed-measure-webpack-plugin": { - "version": "1.5.0", - "resolved": "http://localhost:4873/speed-measure-webpack-plugin/-/speed-measure-webpack-plugin-1.5.0.tgz", - "integrity": "sha512-Re0wX5CtM6gW7bZA64ONOfEPEhwbiSF/vz6e2GvadjuaPrQcHTQdRGsD8+BE7iUOysXH8tIenkPCQBEcspXsNg==", - "dev": true, - "license": "MIT", - "dependencies": { - "chalk": "^4.1.0" - }, - "engines": { - "node": ">=6.0.0" - }, - "peerDependencies": { - "webpack": "^1 || ^2 || ^3 || ^4 || ^5" - } - }, - "node_modules/speedline-core": { - "version": "1.4.3", - "resolved": "http://localhost:4873/speedline-core/-/speedline-core-1.4.3.tgz", - "integrity": "sha512-DI7/OuAUD+GMpR6dmu8lliO2Wg5zfeh+/xsdyJZCzd8o5JgFUjCeLsBDuZjIQJdwXS3J0L/uZYrELKYqx+PXog==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/node": "*", - "image-ssim": "^0.2.0", - "jpeg-js": "^0.4.1" - }, - "engines": { - "node": ">=8.0" - } - }, - "node_modules/split-on-first": { - "version": "1.1.0", - "resolved": "http://localhost:4873/split-on-first/-/split-on-first-1.1.0.tgz", - "integrity": "sha512-43ZssAJaMusuKWL8sKUBQXHWOpq8d6CfN/u1p4gUzfJkM05C8rxTmYrkIPTXapZpORA6LkkzcUulJ8FqA7Uudw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/split-string": { - "version": "3.1.0", - "resolved": "http://localhost:4873/split-string/-/split-string-3.1.0.tgz", - "integrity": "sha512-NzNVhJDYpwceVVii8/Hu6DKfD2G+NrQHlS/V/qgv763EYudVwEcMQNxd2lh+0VrUByXN/oJkl5grOhYWvQUYiw==", - "dev": true, - "license": "MIT", - "dependencies": { - "extend-shallow": "^3.0.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/sprintf-js": { - "version": "1.0.3", - "resolved": "http://localhost:4873/sprintf-js/-/sprintf-js-1.0.3.tgz", - "integrity": "sha512-D9cPgkvLlV3t3IzL0D0YLvGA9Ahk4PcvVwUbN0dSGr1aP0Nrt4AEnTUbuGvquEC0mA64Gqt1fzirlRs5ibXx8g==", - "dev": true, - "license": "BSD-3-Clause" - }, - "node_modules/stack-utils": { - "version": "2.0.6", - "resolved": "http://localhost:4873/stack-utils/-/stack-utils-2.0.6.tgz", - "integrity": "sha512-XlkWvfIm6RmsWtNJx+uqtKLS8eqFbxUg0ZzLXqY0caEy9l7hruX8IpiDnjsLavoBgqCCR71TqWO8MaXYheJ3RQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "escape-string-regexp": "^2.0.0" - }, - "engines": { - "node": ">=10" - } - }, - "node_modules/stack-utils/node_modules/escape-string-regexp": { - "version": "2.0.0", - "resolved": "http://localhost:4873/escape-string-regexp/-/escape-string-regexp-2.0.0.tgz", - "integrity": "sha512-UpzcLCXolUWcNu5HtVMHYdXJjArjsF9C0aNnquZYY4uW/Vu0miy5YoWvbV345HauVvcAUnpRuhMMcqTcGOY2+w==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/stackframe": { - "version": "1.3.4", - "resolved": "http://localhost:4873/stackframe/-/stackframe-1.3.4.tgz", - "integrity": "sha512-oeVtt7eWQS+Na6F//S4kJ2K2VbRlS9D43mAlMyVpVWovy9o+jfgH8O9agzANzaiLjclA0oYzUXEM4PurhSUChw==", - "dev": true, - "license": "MIT" - }, - "node_modules/static-extend": { - "version": "0.1.2", - "resolved": "http://localhost:4873/static-extend/-/static-extend-0.1.2.tgz", - "integrity": "sha512-72E9+uLc27Mt718pMHt9VMNiAL4LMsmDbBva8mxWUCkT07fSzEGMYUCk0XWY6lp0j6RBAG4cJ3mWuZv2OE3s0g==", - "dev": true, - "license": "MIT", - "dependencies": { - "define-property": "^0.2.5", - "object-copy": "^0.1.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/static-extend/node_modules/define-property": { - "version": "0.2.5", - "resolved": "http://localhost:4873/define-property/-/define-property-0.2.5.tgz", - "integrity": "sha512-Rr7ADjQZenceVOAKop6ALkkRAmH1A4Gx9hV/7ZujPUN2rkATqFO0JZLZInbAjpZYoJ1gUx8MRMQVkYemcbMSTA==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-descriptor": "^0.1.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/static-extend/node_modules/is-descriptor": { - "version": "0.1.7", - "resolved": "http://localhost:4873/is-descriptor/-/is-descriptor-0.1.7.tgz", - "integrity": "sha512-C3grZTvObeN1xud4cRWl366OMXZTj0+HGyk4hvfpx4ZHt1Pb60ANSXqCK7pdOTeUQpRzECBSTphqvD7U+l22Eg==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-accessor-descriptor": "^1.0.1", - "is-data-descriptor": "^1.0.1" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/statuses": { - "version": "2.0.1", - "resolved": "http://localhost:4873/statuses/-/statuses-2.0.1.tgz", - "integrity": "sha512-RwNA9Z/7PrK06rYLIzFMlaF+l73iwpzsqRIFgbMLbTcLD6cOao82TaWefPXQvB2fOC4AjuYSEndS7N/mTCbkdQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.8" - } - }, - "node_modules/stop-iteration-iterator": { - "version": "1.1.0", - "resolved": "http://localhost:4873/stop-iteration-iterator/-/stop-iteration-iterator-1.1.0.tgz", - "integrity": "sha512-eLoXW/DHyl62zxY4SCaIgnRhuMr6ri4juEYARS8E6sCEqzKpOiE521Ucofdx+KnDZl5xmvGYaaKCk5FEOxJCoQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "es-errors": "^1.3.0", - "internal-slot": "^1.1.0" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/strict-event-emitter": { - "version": "0.4.6", - "resolved": "http://localhost:4873/strict-event-emitter/-/strict-event-emitter-0.4.6.tgz", - "integrity": "sha512-12KWeb+wixJohmnwNFerbyiBrAlq5qJLwIt38etRtKtmmHyDSoGlIqFE9wx+4IwG0aDjI7GV8tc8ZccjWZZtTg==", - "dev": true, - "license": "MIT" - }, - "node_modules/strict-uri-encode": { - "version": "2.0.0", - "resolved": "http://localhost:4873/strict-uri-encode/-/strict-uri-encode-2.0.0.tgz", - "integrity": "sha512-QwiXZgpRcKkhTj2Scnn++4PKtWsH0kpzZ62L2R6c/LUVYv7hVnZqcg2+sMuT6R7Jusu1vviK/MFsu6kNJfWlEQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=4" - } - }, - "node_modules/string_decoder": { - "version": "1.1.1", - "resolved": "http://localhost:4873/string_decoder/-/string_decoder-1.1.1.tgz", - "integrity": "sha512-n/ShnvDi6FHbbVfviro+WojiFzv+s8MPMHBczVePfUpDJLwoLT0ht1l4YwBCbi8pJAveEEdnkHyPyTP/mzRfwg==", - "dev": true, - "license": "MIT", - "dependencies": { - "safe-buffer": "~5.1.0" - } - }, - "node_modules/string_decoder/node_modules/safe-buffer": { - "version": "5.1.2", - "resolved": "http://localhost:4873/safe-buffer/-/safe-buffer-5.1.2.tgz", - "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==", - "dev": true, - "license": "MIT" - }, - "node_modules/string-length": { - "version": "4.0.2", - "resolved": "http://localhost:4873/string-length/-/string-length-4.0.2.tgz", - "integrity": "sha512-+l6rNN5fYHNhZZy41RXsYptCjA2Igmq4EG7kZAYFQI1E1VTXarr6ZPXBg6eq7Y6eK4FEhY6AJlyuFIb/v/S0VQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "char-regex": "^1.0.2", - "strip-ansi": "^6.0.0" - }, - "engines": { - "node": ">=10" - } - }, - "node_modules/string-width": { - "version": "2.1.1", - "resolved": "http://localhost:4873/string-width/-/string-width-2.1.1.tgz", - "integrity": "sha512-nOqH59deCq9SRHlxq1Aw85Jnt4w6KvLKqWVik6oA9ZklXLNIOlqg4F2yrT1MVaTjAqvVwdfeZ7w7aCvJD7ugkw==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-fullwidth-code-point": "^2.0.0", - "strip-ansi": "^4.0.0" - }, - "engines": { - "node": ">=4" - } - }, - "node_modules/string-width/node_modules/ansi-regex": { - "version": "3.0.1", - "resolved": "http://localhost:4873/ansi-regex/-/ansi-regex-3.0.1.tgz", - "integrity": "sha512-+O9Jct8wf++lXxxFc4hc8LsjaSq0HFzzL7cVsw8pRDIPdjKD2mT4ytDZlLuSBZ4cLKZFXIrMGO7DbQCtMJJMKw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=4" - } - }, - "node_modules/string-width/node_modules/strip-ansi": { - "version": "4.0.0", - "resolved": "http://localhost:4873/strip-ansi/-/strip-ansi-4.0.0.tgz", - "integrity": "sha512-4XaJ2zQdCzROZDivEVIDPkcQn8LMFSa8kj8Gxb/Lnwzv9A8VctNZ+lfivC/sV3ivW8ElJTERXZoPBRrZKkNKow==", - "dev": true, - "license": "MIT", - "dependencies": { - "ansi-regex": "^3.0.0" - }, - "engines": { - "node": ">=4" - } - }, - "node_modules/string.prototype.matchall": { - "version": "4.0.12", - "resolved": "http://localhost:4873/string.prototype.matchall/-/string.prototype.matchall-4.0.12.tgz", - "integrity": "sha512-6CC9uyBL+/48dYizRf7H7VAYCMCNTBeM78x/VTUe9bFEaxBepPJDa1Ow99LqI/1yF7kuy7Q3cQsYMrcjGUcskA==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind": "^1.0.8", - "call-bound": "^1.0.3", - "define-properties": "^1.2.1", - "es-abstract": "^1.23.6", - "es-errors": "^1.3.0", - "es-object-atoms": "^1.0.0", - "get-intrinsic": "^1.2.6", - "gopd": "^1.2.0", - "has-symbols": "^1.1.0", - "internal-slot": "^1.1.0", - "regexp.prototype.flags": "^1.5.3", - "set-function-name": "^2.0.2", - "side-channel": "^1.1.0" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/string.prototype.repeat": { - "version": "1.0.0", - "resolved": "http://localhost:4873/string.prototype.repeat/-/string.prototype.repeat-1.0.0.tgz", - "integrity": "sha512-0u/TldDbKD8bFCQ/4f5+mNRrXwZ8hg2w7ZR8wa16e8z9XpePWl3eGEcUD0OXpEH/VJH/2G3gjUtR3ZOiBe2S/w==", - "dev": true, - "license": "MIT", - "dependencies": { - "define-properties": "^1.1.3", - "es-abstract": "^1.17.5" - } - }, - "node_modules/string.prototype.trim": { - "version": "1.2.10", - "resolved": "http://localhost:4873/string.prototype.trim/-/string.prototype.trim-1.2.10.tgz", - "integrity": "sha512-Rs66F0P/1kedk5lyYyH9uBzuiI/kNRmwJAR9quK6VOtIpZ2G+hMZd+HQbbv25MgCA6gEffoMZYxlTod4WcdrKA==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind": "^1.0.8", - "call-bound": "^1.0.2", - "define-data-property": "^1.1.4", - "define-properties": "^1.2.1", - "es-abstract": "^1.23.5", - "es-object-atoms": "^1.0.0", - "has-property-descriptors": "^1.0.2" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/string.prototype.trimend": { - "version": "1.0.9", - "resolved": "http://localhost:4873/string.prototype.trimend/-/string.prototype.trimend-1.0.9.tgz", - "integrity": "sha512-G7Ok5C6E/j4SGfyLCloXTrngQIQU3PWtXGst3yM7Bea9FRURf1S42ZHlZZtsNque2FN2PoUhfZXYLNWwEr4dLQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind": "^1.0.8", - "call-bound": "^1.0.2", - "define-properties": "^1.2.1", - "es-object-atoms": "^1.0.0" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/string.prototype.trimstart": { - "version": "1.0.8", - "resolved": "http://localhost:4873/string.prototype.trimstart/-/string.prototype.trimstart-1.0.8.tgz", - "integrity": "sha512-UXSH262CSZY1tfu3G3Secr6uGLCFVPMhIqHjlgCUtCCcgihYc/xKs9djMTMUOb2j1mVSeU8EU6NWc/iQKU6Gfg==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind": "^1.0.7", - "define-properties": "^1.2.1", - "es-object-atoms": "^1.0.0" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/strip-ansi": { - "version": "6.0.1", - "resolved": "http://localhost:4873/strip-ansi/-/strip-ansi-6.0.1.tgz", - "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", - "dev": true, - "license": "MIT", - "dependencies": { - "ansi-regex": "^5.0.1" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/strip-bom": { - "version": "4.0.0", - "resolved": "http://localhost:4873/strip-bom/-/strip-bom-4.0.0.tgz", - "integrity": "sha512-3xurFv5tEgii33Zi8Jtp55wEIILR9eh34FAW00PZf+JnSsTmV/ioewSgQl97JHvgjoRGwPShsWm+IdrxB35d0w==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/strip-eof": { - "version": "1.0.0", - "resolved": "http://localhost:4873/strip-eof/-/strip-eof-1.0.0.tgz", - "integrity": "sha512-7FCwGGmx8mD5xQd3RPUvnSpUXHM3BWuzjtpD4TXsfcZ9EL4azvVVUscFYwD9nx8Kh+uCBC00XBtAykoMHwTh8Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/strip-final-newline": { - "version": "2.0.0", - "resolved": "http://localhost:4873/strip-final-newline/-/strip-final-newline-2.0.0.tgz", - "integrity": "sha512-BrpvfNAE3dcvq7ll3xVumzjKjZQ5tI1sEUIKr3Uoks0XUl45St3FlatVqef9prk4jRDzhW6WZg+3bk93y6pLjA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/strip-indent": { - "version": "3.0.0", - "resolved": "http://localhost:4873/strip-indent/-/strip-indent-3.0.0.tgz", - "integrity": "sha512-laJTa3Jb+VQpaC6DseHhF7dXVqHTfJPCRDaEbid/drOhgitgYku/letMUqOXFoWV0zIIUbjpdH2t+tYj4bQMRQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "min-indent": "^1.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/strip-json-comments": { - "version": "3.1.1", - "resolved": "http://localhost:4873/strip-json-comments/-/strip-json-comments-3.1.1.tgz", - "integrity": "sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/stylis": { - "version": "4.2.0", - "resolved": "http://localhost:4873/stylis/-/stylis-4.2.0.tgz", - "integrity": "sha512-Orov6g6BB1sDfYgzWfTHDOxamtX1bE/zo104Dh9e6fqJ3PooipYyfJ0pUmrZO2wAvO8YbEyeFrkV91XTsGMSrw==", - "dev": true, - "license": "MIT" - }, - "node_modules/superjson": { - "version": "1.13.3", - "resolved": "http://localhost:4873/superjson/-/superjson-1.13.3.tgz", - "integrity": "sha512-mJiVjfd2vokfDxsQPOwJ/PtanO87LhpYY88ubI5dUB1Ab58Txbyje3+jpm+/83R/fevaq/107NNhtYBLuoTrFg==", - "dev": true, - "license": "MIT", - "dependencies": { - "copy-anything": "^3.0.2" - }, - "engines": { - "node": ">=10" - } - }, - "node_modules/supports-color": { - "version": "7.2.0", - "resolved": "http://localhost:4873/supports-color/-/supports-color-7.2.0.tgz", - "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==", - "dev": true, - "license": "MIT", - "dependencies": { - "has-flag": "^4.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/supports-hyperlinks": { - "version": "2.3.0", - "resolved": "http://localhost:4873/supports-hyperlinks/-/supports-hyperlinks-2.3.0.tgz", - "integrity": "sha512-RpsAZlpWcDwOPQA22aCH4J0t7L8JmAvsCxfOSEwm7cQs3LshN36QaTkwd70DnBOXDWGssw2eUoc8CaRWT0XunA==", - "dev": true, - "license": "MIT", - "dependencies": { - "has-flag": "^4.0.0", - "supports-color": "^7.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/supports-preserve-symlinks-flag": { - "version": "1.0.0", - "resolved": "http://localhost:4873/supports-preserve-symlinks-flag/-/supports-preserve-symlinks-flag-1.0.0.tgz", - "integrity": "sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/svg-baker": { - "version": "1.7.0", - "resolved": "http://localhost:4873/svg-baker/-/svg-baker-1.7.0.tgz", - "integrity": "sha512-nibslMbkXOIkqKVrfcncwha45f97fGuAOn1G99YwnwTj8kF9YiM6XexPcUso97NxOm6GsP0SIvYVIosBis1xLg==", - "dev": true, - "license": "MIT", - "dependencies": { - "bluebird": "^3.5.0", - "clone": "^2.1.1", - "he": "^1.1.1", - "image-size": "^0.5.1", - "loader-utils": "^1.1.0", - "merge-options": "1.0.1", - "micromatch": "3.1.0", - "postcss": "^5.2.17", - "postcss-prefix-selector": "^1.6.0", - "posthtml-rename-id": "^1.0", - "posthtml-svg-mode": "^1.0.3", - "query-string": "^4.3.2", - "traverse": "^0.6.6" - } - }, - "node_modules/svg-baker-runtime": { - "version": "1.4.7", - "resolved": "http://localhost:4873/svg-baker-runtime/-/svg-baker-runtime-1.4.7.tgz", - "integrity": "sha512-Zorfwwj5+lWjk/oxwSMsRdS2sPQQdTmmsvaSpzU+i9ZWi3zugHLt6VckWfnswphQP0LmOel3nggpF5nETbt6xw==", - "dev": true, - "license": "MIT", - "dependencies": { - "deepmerge": "1.3.2", - "mitt": "1.1.2", - "svg-baker": "^1.7.0" - } - }, - "node_modules/svg-baker-runtime/node_modules/deepmerge": { - "version": "1.3.2", - "resolved": "http://localhost:4873/deepmerge/-/deepmerge-1.3.2.tgz", - "integrity": "sha512-qjMjTrk+RKv/sp4RPDpV5CnKhxjFI9p+GkLBOls5A8EEElldYWCWA9zceAkmfd0xIo2aU1nxiaLFoiya2sb6Cg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/svg-baker/node_modules/braces": { - "version": "2.3.2", - "resolved": "http://localhost:4873/braces/-/braces-2.3.2.tgz", - "integrity": "sha512-aNdbnj9P8PjdXU4ybaWLK2IF3jc/EoDYbC7AazW6to3TRsfXxscC9UXOB5iDiEQrkyIbWp2SLQda4+QAa7nc3w==", - "dev": true, - "license": "MIT", - "dependencies": { - "arr-flatten": "^1.1.0", - "array-unique": "^0.3.2", - "extend-shallow": "^2.0.1", - "fill-range": "^4.0.0", - "isobject": "^3.0.1", - "repeat-element": "^1.1.2", - "snapdragon": "^0.8.1", - "snapdragon-node": "^2.0.1", - "split-string": "^3.0.2", - "to-regex": "^3.0.1" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/svg-baker/node_modules/define-property": { - "version": "1.0.0", - "resolved": "http://localhost:4873/define-property/-/define-property-1.0.0.tgz", - "integrity": "sha512-cZTYKFWspt9jZsMscWo8sc/5lbPC9Q0N5nBLgb+Yd915iL3udB1uFgS3B8YCx66UVHq018DAVFoee7x+gxggeA==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-descriptor": "^1.0.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/svg-baker/node_modules/extend-shallow": { - "version": "2.0.1", - "resolved": "http://localhost:4873/extend-shallow/-/extend-shallow-2.0.1.tgz", - "integrity": "sha512-zCnTtlxNoAiDc3gqY2aYAWFx7XWWiasuF2K8Me5WbN8otHKTUKBwjPtNpRs/rbUZm7KxWAaNj7P1a/p52GbVug==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-extendable": "^0.1.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/svg-baker/node_modules/fill-range": { - "version": "4.0.0", - "resolved": "http://localhost:4873/fill-range/-/fill-range-4.0.0.tgz", - "integrity": "sha512-VcpLTWqWDiTerugjj8e3+esbg+skS3M9e54UuR3iCeIDMXCLTsAH8hTSzDQU/X6/6t3eYkOKoZSef2PlU6U1XQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "extend-shallow": "^2.0.1", - "is-number": "^3.0.0", - "repeat-string": "^1.6.1", - "to-regex-range": "^2.1.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/svg-baker/node_modules/is-extendable": { - "version": "0.1.1", - "resolved": "http://localhost:4873/is-extendable/-/is-extendable-0.1.1.tgz", - "integrity": "sha512-5BMULNob1vgFX6EjQw5izWDxrecWK9AM72rugNr0TFldMOi0fj6Jk+zeKIt0xGj4cEfQIJth4w3OKWOJ4f+AFw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/svg-baker/node_modules/is-number": { - "version": "3.0.0", - "resolved": "http://localhost:4873/is-number/-/is-number-3.0.0.tgz", - "integrity": "sha512-4cboCqIpliH+mAvFNegjZQ4kgKc3ZUhQVr3HvWbSh5q3WH2v82ct+T2Y1hdU5Gdtorx/cLifQjqCbL7bpznLTg==", - "dev": true, - "license": "MIT", - "dependencies": { - "kind-of": "^3.0.2" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/svg-baker/node_modules/is-number/node_modules/kind-of": { - "version": "3.2.2", - "resolved": "http://localhost:4873/kind-of/-/kind-of-3.2.2.tgz", - "integrity": "sha512-NOW9QQXMoZGg/oqnVNoNTTIFEIid1627WCffUBJEdMxYApq7mNE7CpzucIPc+ZQg25Phej7IJSmX3hO+oblOtQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-buffer": "^1.1.5" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/svg-baker/node_modules/json5": { - "version": "1.0.2", - "resolved": "http://localhost:4873/json5/-/json5-1.0.2.tgz", - "integrity": "sha512-g1MWMLBiz8FKi1e4w0UyVL3w+iJceWAFBAaBnnGKOpNa5f8TLktkbre1+s6oICydWAm+HRUGTmI+//xv2hvXYA==", - "dev": true, - "license": "MIT", - "dependencies": { - "minimist": "^1.2.0" - }, - "bin": { - "json5": "lib/cli.js" - } - }, - "node_modules/svg-baker/node_modules/kind-of": { - "version": "5.1.0", - "resolved": "http://localhost:4873/kind-of/-/kind-of-5.1.0.tgz", - "integrity": "sha512-NGEErnH6F2vUuXDh+OlbcKW7/wOcfdRHaZ7VWtqCztfHri/++YKmP51OdWeGPuqCOba6kk2OTe5d02VmTB80Pw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/svg-baker/node_modules/loader-utils": { - "version": "1.4.2", - "resolved": "http://localhost:4873/loader-utils/-/loader-utils-1.4.2.tgz", - "integrity": "sha512-I5d00Pd/jwMD2QCduo657+YM/6L3KZu++pmX9VFncxaxvHcru9jx1lBaFft+r4Mt2jK0Yhp41XlRAihzPxHNCg==", - "dev": true, - "license": "MIT", - "dependencies": { - "big.js": "^5.2.2", - "emojis-list": "^3.0.0", - "json5": "^1.0.1" - }, - "engines": { - "node": ">=4.0.0" - } - }, - "node_modules/svg-baker/node_modules/micromatch": { - "version": "3.1.0", - "resolved": "http://localhost:4873/micromatch/-/micromatch-3.1.0.tgz", - "integrity": "sha512-3StSelAE+hnRvMs8IdVW7Uhk8CVed5tp+kLLGlBP6WiRAXS21GPGu/Nat4WNPXj2Eoc24B02SaeoyozPMfj0/g==", - "dev": true, - "license": "MIT", - "dependencies": { - "arr-diff": "^4.0.0", - "array-unique": "^0.3.2", - "braces": "^2.2.2", - "define-property": "^1.0.0", - "extend-shallow": "^2.0.1", - "extglob": "^2.0.2", - "fragment-cache": "^0.2.1", - "kind-of": "^5.0.2", - "nanomatch": "^1.2.1", - "object.pick": "^1.3.0", - "regex-not": "^1.0.0", - "snapdragon": "^0.8.1", - "to-regex": "^3.0.1" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/svg-baker/node_modules/query-string": { - "version": "4.3.4", - "resolved": "http://localhost:4873/query-string/-/query-string-4.3.4.tgz", - "integrity": "sha512-O2XLNDBIg1DnTOa+2XrIwSiXEV8h2KImXUnjhhn2+UsvZ+Es2uyd5CCRTNQlDGbzUQOW3aYCBx9rVA6dzsiY7Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "object-assign": "^4.1.0", - "strict-uri-encode": "^1.0.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/svg-baker/node_modules/strict-uri-encode": { - "version": "1.1.0", - "resolved": "http://localhost:4873/strict-uri-encode/-/strict-uri-encode-1.1.0.tgz", - "integrity": "sha512-R3f198pcvnB+5IpnBlRkphuE9n46WyVl8I39W/ZUTZLz4nqSP/oLYUrcnJrw462Ds8he4YKMov2efsTIw1BDGQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/svg-baker/node_modules/to-regex-range": { - "version": "2.1.1", - "resolved": "http://localhost:4873/to-regex-range/-/to-regex-range-2.1.1.tgz", - "integrity": "sha512-ZZWNfCjUokXXDGXFpZehJIkZqq91BcULFq/Pi7M5i4JnxXdhMKAK682z8bCW3o8Hj1wuuzoKcW3DfVzaP6VuNg==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-number": "^3.0.0", - "repeat-string": "^1.6.1" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/svg-sprite-loader": { - "version": "6.0.11", - "resolved": "http://localhost:4873/svg-sprite-loader/-/svg-sprite-loader-6.0.11.tgz", - "integrity": "sha512-TedsTf8wsHH6HgdwKjUveDZRC6q5gPloYV8A8/zZaRWP929J7x6TzQ6MvZFl+YYDJuJ0Akyuu/vNVJ+fbPuYXg==", - "dev": true, - "license": "MIT", - "dependencies": { - "bluebird": "^3.5.0", - "deepmerge": "1.3.2", - "domready": "1.0.8", - "escape-string-regexp": "1.0.5", - "loader-utils": "^1.1.0", - "svg-baker": "^1.5.0", - "svg-baker-runtime": "^1.4.7", - "url-slug": "2.0.0" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/svg-sprite-loader/node_modules/deepmerge": { - "version": "1.3.2", - "resolved": "http://localhost:4873/deepmerge/-/deepmerge-1.3.2.tgz", - "integrity": "sha512-qjMjTrk+RKv/sp4RPDpV5CnKhxjFI9p+GkLBOls5A8EEElldYWCWA9zceAkmfd0xIo2aU1nxiaLFoiya2sb6Cg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/svg-sprite-loader/node_modules/escape-string-regexp": { - "version": "1.0.5", - "resolved": "http://localhost:4873/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz", - "integrity": "sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.8.0" - } - }, - "node_modules/svg-sprite-loader/node_modules/json5": { - "version": "1.0.2", - "resolved": "http://localhost:4873/json5/-/json5-1.0.2.tgz", - "integrity": "sha512-g1MWMLBiz8FKi1e4w0UyVL3w+iJceWAFBAaBnnGKOpNa5f8TLktkbre1+s6oICydWAm+HRUGTmI+//xv2hvXYA==", - "dev": true, - "license": "MIT", - "dependencies": { - "minimist": "^1.2.0" - }, - "bin": { - "json5": "lib/cli.js" - } - }, - "node_modules/svg-sprite-loader/node_modules/loader-utils": { - "version": "1.4.2", - "resolved": "http://localhost:4873/loader-utils/-/loader-utils-1.4.2.tgz", - "integrity": "sha512-I5d00Pd/jwMD2QCduo657+YM/6L3KZu++pmX9VFncxaxvHcru9jx1lBaFft+r4Mt2jK0Yhp41XlRAihzPxHNCg==", - "dev": true, - "license": "MIT", - "dependencies": { - "big.js": "^5.2.2", - "emojis-list": "^3.0.0", - "json5": "^1.0.1" - }, - "engines": { - "node": ">=4.0.0" - } - }, - "node_modules/symbol-tree": { - "version": "3.2.4", - "resolved": "http://localhost:4873/symbol-tree/-/symbol-tree-3.2.4.tgz", - "integrity": "sha512-9QNk5KwDF+Bvz+PyObkmSYjI5ksVUYtjW7AU22r2NKcfLJcXp96hkDWU3+XndOsUb+AQ9QhfzfCT2O+CNWT5Tw==", - "dev": true, - "license": "MIT" - }, - "node_modules/tapable": { - "version": "2.2.2", - "resolved": "http://localhost:4873/tapable/-/tapable-2.2.2.tgz", - "integrity": "sha512-Re10+NauLTMCudc7T5WLFLAwDhQ0JWdrMK+9B2M8zR5hRExKmsRDCBA7/aV/pNJFltmBFO5BAMlQFi/vq3nKOg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/tar-fs": { - "version": "2.1.1", - "resolved": "http://localhost:4873/tar-fs/-/tar-fs-2.1.1.tgz", - "integrity": "sha512-V0r2Y9scmbDRLCNex/+hYzvp/zyYjvFbHPNgVTKfQvVrb6guiE/fxP+XblDNR011utopbkex2nM4dHNV6GDsng==", - "dev": true, - "license": "MIT", - "dependencies": { - "chownr": "^1.1.1", - "mkdirp-classic": "^0.5.2", - "pump": "^3.0.0", - "tar-stream": "^2.1.4" - } - }, - "node_modules/tar-fs/node_modules/bl": { - "version": "4.1.0", - "resolved": "http://localhost:4873/bl/-/bl-4.1.0.tgz", - "integrity": "sha512-1W07cM9gS6DcLperZfFSj+bWLtaPGSOHWhPiGzXmvVJbRLdG82sH/Kn8EtW1VqWVA54AKf2h5k5BbnIbwF3h6w==", - "dev": true, - "license": "MIT", - "dependencies": { - "buffer": "^5.5.0", - "inherits": "^2.0.4", - "readable-stream": "^3.4.0" - } - }, - "node_modules/tar-fs/node_modules/buffer": { - "version": "5.7.1", - "resolved": "http://localhost:4873/buffer/-/buffer-5.7.1.tgz", - "integrity": "sha512-EHcyIPBQ4BSGlvjB16k5KgAJ27CIsHY/2JBmCRReo48y9rQ3MaUzWX3KVlBa4U7MyX02HdVj0K7C3WaB3ju7FQ==", - "dev": true, - "funding": [ - { - "type": "github", - "url": "https://github.com/sponsors/feross" - }, - { - "type": "patreon", - "url": "https://www.patreon.com/feross" - }, - { - "type": "consulting", - "url": "https://feross.org/support" - } - ], - "license": "MIT", - "dependencies": { - "base64-js": "^1.3.1", - "ieee754": "^1.1.13" - } - }, - "node_modules/tar-fs/node_modules/readable-stream": { - "version": "3.6.2", - "resolved": "http://localhost:4873/readable-stream/-/readable-stream-3.6.2.tgz", - "integrity": "sha512-9u/sniCrY3D5WdsERHzHE4G2YCXqoG5FTHUiCC4SIbr6XcLZBY05ya9EKjYek9O5xOAwjGq+1JdGBAS7Q9ScoA==", - "dev": true, - "license": "MIT", - "dependencies": { - "inherits": "^2.0.3", - "string_decoder": "^1.1.1", - "util-deprecate": "^1.0.1" - }, - "engines": { - "node": ">= 6" - } - }, - "node_modules/tar-fs/node_modules/tar-stream": { - "version": "2.2.0", - "resolved": "http://localhost:4873/tar-stream/-/tar-stream-2.2.0.tgz", - "integrity": "sha512-ujeqbceABgwMZxEJnk2HDY2DlnUZ+9oEcb1KzTVfYHio0UE6dG71n60d8D2I4qNvleWrrXpmjpt7vZeF1LnMZQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "bl": "^4.0.3", - "end-of-stream": "^1.4.1", - "fs-constants": "^1.0.0", - "inherits": "^2.0.3", - "readable-stream": "^3.1.1" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/tar-stream": { - "version": "1.6.2", - "resolved": "http://localhost:4873/tar-stream/-/tar-stream-1.6.2.tgz", - "integrity": "sha512-rzS0heiNf8Xn7/mpdSVVSMAWAoy9bfb1WOTYC78Z0UQKeKa/CWS8FOq0lKGNa8DWKAn9gxjCvMLYc5PGXYlK2A==", - "dev": true, - "license": "MIT", - "dependencies": { - "bl": "^1.0.0", - "buffer-alloc": "^1.2.0", - "end-of-stream": "^1.0.0", - "fs-constants": "^1.0.0", - "readable-stream": "^2.3.0", - "to-buffer": "^1.1.1", - "xtend": "^4.0.0" - }, - "engines": { - "node": ">= 0.8.0" - } - }, - "node_modules/terminal-link": { - "version": "2.1.1", - "resolved": "http://localhost:4873/terminal-link/-/terminal-link-2.1.1.tgz", - "integrity": "sha512-un0FmiRUQNr5PJqy9kP7c40F5BOfpGlYTrxonDChEZB7pzZxRNp/bt+ymiy9/npwXya9KH99nJ/GXFIiUkYGFQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "ansi-escapes": "^4.2.1", - "supports-hyperlinks": "^2.0.0" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/terminal-link/node_modules/ansi-escapes": { - "version": "4.3.2", - "resolved": "http://localhost:4873/ansi-escapes/-/ansi-escapes-4.3.2.tgz", - "integrity": "sha512-gKXj5ALrKWQLsYG9jlTRmR/xKluxHV+Z9QEwNIgCfM1/uwPMCuzVVnh5mwTd+OuBZcwSIMbqssNWRm1lE51QaQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "type-fest": "^0.21.3" - }, - "engines": { - "node": ">=8" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/terminal-link/node_modules/type-fest": { - "version": "0.21.3", - "resolved": "http://localhost:4873/type-fest/-/type-fest-0.21.3.tgz", - "integrity": "sha512-t0rzBq87m3fVcduHDUFhKmyyX+9eo6WQjZvf51Ea/M0Q7+T374Jp1aUiyUl0GKxp8M/OETVHSDvmkyPgvX+X2w==", - "dev": true, - "license": "(MIT OR CC0-1.0)", - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/terser": { - "version": "5.39.2", - "resolved": "http://localhost:4873/terser/-/terser-5.39.2.tgz", - "integrity": "sha512-yEPUmWve+VA78bI71BW70Dh0TuV4HHd+I5SHOAfS1+QBOmvmCiiffgjR8ryyEd3KIfvPGFqoADt8LdQ6XpXIvg==", - "dev": true, - "license": "BSD-2-Clause", - "dependencies": { - "@jridgewell/source-map": "^0.3.3", - "acorn": "^8.14.0", - "commander": "^2.20.0", - "source-map-support": "~0.5.20" - }, - "bin": { - "terser": "bin/terser" - }, - "engines": { - "node": ">=10" - } - }, - "node_modules/terser-webpack-plugin": { - "version": "5.3.14", - "resolved": "http://localhost:4873/terser-webpack-plugin/-/terser-webpack-plugin-5.3.14.tgz", - "integrity": "sha512-vkZjpUjb6OMS7dhV+tILUW6BhpDR7P2L/aQSAv+Uwk+m8KATX9EccViHTJR2qDtACKPIYndLGCyl3FMo+r2LMw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@jridgewell/trace-mapping": "^0.3.25", - "jest-worker": "^27.4.5", - "schema-utils": "^4.3.0", - "serialize-javascript": "^6.0.2", - "terser": "^5.31.1" - }, - "engines": { - "node": ">= 10.13.0" - }, - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/webpack" - }, - "peerDependencies": { - "webpack": "^5.1.0" - }, - "peerDependenciesMeta": { - "@swc/core": { - "optional": true - }, - "esbuild": { - "optional": true - }, - "uglify-js": { - "optional": true - } - } - }, - "node_modules/terser-webpack-plugin/node_modules/jest-worker": { - "version": "27.5.1", - "resolved": "http://localhost:4873/jest-worker/-/jest-worker-27.5.1.tgz", - "integrity": "sha512-7vuh85V5cdDofPyxn58nrPjBktZo0u9x1g8WtjQol+jZDaE+fhN+cIvTj11GndBnMnyfrUOG1sZQxCdjKh+DKg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/node": "*", - "merge-stream": "^2.0.0", - "supports-color": "^8.0.0" - }, - "engines": { - "node": ">= 10.13.0" - } - }, - "node_modules/terser-webpack-plugin/node_modules/supports-color": { - "version": "8.1.1", - "resolved": "http://localhost:4873/supports-color/-/supports-color-8.1.1.tgz", - "integrity": "sha512-MpUEN2OodtUzxvKQl72cUF7RQ5EiHsGvSsVG0ia9c5RbWGL2CI4C7EpPS8UTBIplnlzZiNuV56w+FuNxy3ty2Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "has-flag": "^4.0.0" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/chalk/supports-color?sponsor=1" - } - }, - "node_modules/terser/node_modules/commander": { - "version": "2.20.3", - "resolved": "http://localhost:4873/commander/-/commander-2.20.3.tgz", - "integrity": "sha512-GpVkmM8vF2vQUkj2LvZmD35JxeJOLCwJ9cUkugyk2nuhbv3+mJvpLYYt+0+USMxE+oj+ey/lJEnhZw75x/OMcQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/test-exclude": { - "version": "6.0.0", - "resolved": "http://localhost:4873/test-exclude/-/test-exclude-6.0.0.tgz", - "integrity": "sha512-cAGWPIyOHU6zlmg88jwm7VRyXnMN7iV68OGAbYDk/Mh/xC/pzVPlQtY6ngoIH/5/tciuhGfvESU8GrHrcxD56w==", - "dev": true, - "license": "ISC", - "dependencies": { - "@istanbuljs/schema": "^0.1.2", - "glob": "^7.1.4", - "minimatch": "^3.0.4" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/text-table": { - "version": "0.2.0", - "resolved": "http://localhost:4873/text-table/-/text-table-0.2.0.tgz", - "integrity": "sha512-N+8UisAXDGk8PFXP4HAzVR9nbfmVJ3zYLAWiTIoqC5v5isinhr+r5uaO8+7r3BMfuNIufIsA7RdpVgacC2cSpw==", - "dev": true, - "license": "MIT" - }, - "node_modules/third-party-web": { - "version": "0.17.1", - "resolved": "http://localhost:4873/third-party-web/-/third-party-web-0.17.1.tgz", - "integrity": "sha512-X9Mha8cVeBwakunlZXkXL6xRzw8VCcDGWqT59EzeTYAJIi8ien3CuufnEGEx4ZUFahumNQdoOwf4H2T9Ca6lBg==", - "dev": true, - "license": "MIT" - }, - "node_modules/throat": { - "version": "5.0.0", - "resolved": "http://localhost:4873/throat/-/throat-5.0.0.tgz", - "integrity": "sha512-fcwX4mndzpLQKBS1DVYhGAcYaYt7vsHNIvQV+WXMvnow5cgjPphq5CaayLaGsjRdSCKZFNGt7/GYAuXaNOiYCA==", - "dev": true, - "license": "MIT" - }, - "node_modules/through": { - "version": "2.3.8", - "resolved": "http://localhost:4873/through/-/through-2.3.8.tgz", - "integrity": "sha512-w89qg7PI8wAdvX60bMDP+bFoD5Dvhm9oLheFp5O4a2QF0cSBGsBX4qZmadPMvVqlLJBBci+WqGGOAPvcDeNSVg==", - "dev": true, - "license": "MIT" - }, - "node_modules/tiny-invariant": { - "version": "1.3.3", - "resolved": "http://localhost:4873/tiny-invariant/-/tiny-invariant-1.3.3.tgz", - "integrity": "sha512-+FbBPE1o9QAYvviau/qC5SE3caw21q3xkvWKBtja5vgqOWIHHJ3ioaq1VPfn/Szqctz2bU/oYeKd9/z5BL+PVg==", - "dev": true, - "license": "MIT" - }, - "node_modules/tiny-warning": { - "version": "1.0.3", - "resolved": "http://localhost:4873/tiny-warning/-/tiny-warning-1.0.3.tgz", - "integrity": "sha512-lBN9zLN/oAf68o3zNXYrdCt1kP8WsiGW8Oo2ka41b2IM5JL/S1CTyX1rW0mb/zSuJun0ZUrDxx4sqvYS2FWzPA==", - "dev": true, - "license": "MIT" - }, - "node_modules/tmp": { - "version": "0.1.0", - "resolved": "http://localhost:4873/tmp/-/tmp-0.1.0.tgz", - "integrity": "sha512-J7Z2K08jbGcdA1kkQpJSqLF6T0tdQqpR2pnSUXsIchbPdTI9v3e85cLW0d6WDhwuAleOV71j2xWs8qMPfK7nKw==", - "dev": true, - "license": "MIT", - "dependencies": { - "rimraf": "^2.6.3" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/tmpl": { - "version": "1.0.5", - "resolved": "http://localhost:4873/tmpl/-/tmpl-1.0.5.tgz", - "integrity": "sha512-3f0uOEAQwIqGuWW2MVzYg8fV/QNnc/IpuJNG837rLuczAaLVHslWHZQj4IGiEl5Hs3kkbhwL9Ab7Hrsmuj+Smw==", - "dev": true, - "license": "BSD-3-Clause" - }, - "node_modules/to-buffer": { - "version": "1.1.1", - "resolved": "http://localhost:4873/to-buffer/-/to-buffer-1.1.1.tgz", - "integrity": "sha512-lx9B5iv7msuFYE3dytT+KE5tap+rNYw+K4jVkb9R/asAb+pbBSM17jtunHplhBe6RRJdZx3Pn2Jph24O32mOVg==", - "dev": true, - "license": "MIT" - }, - "node_modules/to-object-path": { - "version": "0.3.0", - "resolved": "http://localhost:4873/to-object-path/-/to-object-path-0.3.0.tgz", - "integrity": "sha512-9mWHdnGRuh3onocaHzukyvCZhzvr6tiflAy/JRFXcJX0TjgfWA9pk9t8CMbzmBE4Jfw58pXbkngtBtqYxzNEyg==", - "dev": true, - "license": "MIT", - "dependencies": { - "kind-of": "^3.0.2" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/to-object-path/node_modules/kind-of": { - "version": "3.2.2", - "resolved": "http://localhost:4873/kind-of/-/kind-of-3.2.2.tgz", - "integrity": "sha512-NOW9QQXMoZGg/oqnVNoNTTIFEIid1627WCffUBJEdMxYApq7mNE7CpzucIPc+ZQg25Phej7IJSmX3hO+oblOtQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-buffer": "^1.1.5" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/to-regex": { - "version": "3.0.2", - "resolved": "http://localhost:4873/to-regex/-/to-regex-3.0.2.tgz", - "integrity": "sha512-FWtleNAtZ/Ki2qtqej2CXTOayOH9bHDQF+Q48VpWyDXjbYxA4Yz8iDB31zXOBUlOHHKidDbqGVrTUvQMPmBGBw==", - "dev": true, - "license": "MIT", - "dependencies": { - "define-property": "^2.0.2", - "extend-shallow": "^3.0.2", - "regex-not": "^1.0.2", - "safe-regex": "^1.1.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/to-regex-range": { - "version": "5.0.1", - "resolved": "http://localhost:4873/to-regex-range/-/to-regex-range-5.0.1.tgz", - "integrity": "sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-number": "^7.0.0" - }, - "engines": { - "node": ">=8.0" - } - }, - "node_modules/toggle-selection": { - "version": "1.0.6", - "resolved": "http://localhost:4873/toggle-selection/-/toggle-selection-1.0.6.tgz", - "integrity": "sha512-BiZS+C1OS8g/q2RRbJmy59xpyghNBqrr6k5L/uKBGRsTfxmu3ffiRnd8mlGPUVayg8pvfi5urfnu8TU7DVOkLQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/toidentifier": { - "version": "1.0.1", - "resolved": "http://localhost:4873/toidentifier/-/toidentifier-1.0.1.tgz", - "integrity": "sha512-o5sSPKEkg/DIQNmH43V0/uerLrpzVedkUh8tGNvaeXpfpuwjKenlSox/2O/BTlZUtEe+JG7s5YhEz608PlAHRA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.6" - } - }, - "node_modules/totalist": { - "version": "3.0.1", - "resolved": "http://localhost:4873/totalist/-/totalist-3.0.1.tgz", - "integrity": "sha512-sf4i37nQ2LBx4m3wB74y+ubopq6W/dIzXg0FDGjsYnZHVa1Da8FH853wlL2gtUhg+xJXjfk3kUZS3BRoQeoQBQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=6" - } - }, - "node_modules/tough-cookie": { - "version": "4.1.4", - "resolved": "http://localhost:4873/tough-cookie/-/tough-cookie-4.1.4.tgz", - "integrity": "sha512-Loo5UUvLD9ScZ6jh8beX1T6sO1w2/MpCRpEP7V280GKMVUQ0Jzar2U3UJPsrdbziLEMMhu3Ujnq//rhiFuIeag==", - "dev": true, - "license": "BSD-3-Clause", - "dependencies": { - "psl": "^1.1.33", - "punycode": "^2.1.1", - "universalify": "^0.2.0", - "url-parse": "^1.5.3" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/tough-cookie/node_modules/universalify": { - "version": "0.2.0", - "resolved": "http://localhost:4873/universalify/-/universalify-0.2.0.tgz", - "integrity": "sha512-CJ1QgKmNg3CwvAv/kOFmtnEN05f0D/cn9QntgNOQlQF9dgvVTHj3t+8JPdjqawCHk7V/KA+fbUqzZ9XWhcqPUg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 4.0.0" - } - }, - "node_modules/tr46": { - "version": "2.1.0", - "resolved": "http://localhost:4873/tr46/-/tr46-2.1.0.tgz", - "integrity": "sha512-15Ih7phfcdP5YxqiB+iDtLoaTz4Nd35+IiAv0kQ5FNKHzXgdWqPoTIqEDDJmXceQt4JZk6lVPT8lnDlPpGDppw==", - "dev": true, - "license": "MIT", - "dependencies": { - "punycode": "^2.1.1" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/traverse": { - "version": "0.6.11", - "resolved": "http://localhost:4873/traverse/-/traverse-0.6.11.tgz", - "integrity": "sha512-vxXDZg8/+p3gblxB6BhhG5yWVn1kGRlaL8O78UDXc3wRnPizB5g83dcvWV1jpDMIPnjZjOFuxlMmE82XJ4407w==", - "dev": true, - "license": "MIT", - "dependencies": { - "gopd": "^1.2.0", - "typedarray.prototype.slice": "^1.0.5", - "which-typed-array": "^1.1.18" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/tree-kill": { - "version": "1.2.2", - "resolved": "http://localhost:4873/tree-kill/-/tree-kill-1.2.2.tgz", - "integrity": "sha512-L0Orpi8qGpRG//Nd+H90vFB+3iHnue1zSSGmNOOCh1GLJ7rUKVwV2HvijphGQS2UmhUZewS9VgvxYIdgr+fG1A==", - "dev": true, - "license": "MIT", - "bin": { - "tree-kill": "cli.js" - } - }, - "node_modules/tslib": { - "version": "2.8.1", - "resolved": "http://localhost:4873/tslib/-/tslib-2.8.1.tgz", - "integrity": "sha512-oJFu94HQb+KVduSUQL7wnpmqnfmLsOA/nAh6b6EH0wCEoK0/mPeXU6c3wKDV83MkOuHPRHtSXKKU99IBazS/2w==", - "dev": true, - "license": "0BSD" - }, - "node_modules/tsutils": { - "version": "3.21.0", - "resolved": "http://localhost:4873/tsutils/-/tsutils-3.21.0.tgz", - "integrity": "sha512-mHKK3iUXL+3UF6xL5k0PEhKRUBKPBCv/+RkEOpjRWxxx27KKRBmmA60A9pgOUvMi8GKhRMPEmjBRPzs2W7O1OA==", - "dev": true, - "license": "MIT", - "dependencies": { - "tslib": "^1.8.1" - }, - "engines": { - "node": ">= 6" - }, - "peerDependencies": { - "typescript": ">=2.8.0 || >= 3.2.0-dev || >= 3.3.0-dev || >= 3.4.0-dev || >= 3.5.0-dev || >= 3.6.0-dev || >= 3.6.0-beta || >= 3.7.0-dev || >= 3.7.0-beta" - } - }, - "node_modules/tsutils/node_modules/tslib": { - "version": "1.14.1", - "resolved": "http://localhost:4873/tslib/-/tslib-1.14.1.tgz", - "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==", - "dev": true, - "license": "0BSD" - }, - "node_modules/type": { - "version": "2.7.3", - "resolved": "http://localhost:4873/type/-/type-2.7.3.tgz", - "integrity": "sha512-8j+1QmAbPvLZow5Qpi6NCaN8FB60p/6x8/vfNqOk/hC+HuvFZhL4+WfekuhQLiqFZXOgQdrs3B+XxEmCc6b3FQ==", - "dev": true, - "license": "ISC" - }, - "node_modules/type-check": { - "version": "0.4.0", - "resolved": "http://localhost:4873/type-check/-/type-check-0.4.0.tgz", - "integrity": "sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==", - "dev": true, - "license": "MIT", - "dependencies": { - "prelude-ls": "^1.2.1" - }, - "engines": { - "node": ">= 0.8.0" - } - }, - "node_modules/type-detect": { - "version": "4.0.8", - "resolved": "http://localhost:4873/type-detect/-/type-detect-4.0.8.tgz", - "integrity": "sha512-0fr/mIH1dlO+x7TlcMy+bIDqKPsw/70tVyeHW787goQjhmqaZe10uwLujubK9q9Lg6Fiho1KUKDYz0Z7k7g5/g==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=4" - } - }, - "node_modules/type-fest": { - "version": "2.19.0", - "resolved": "http://localhost:4873/type-fest/-/type-fest-2.19.0.tgz", - "integrity": "sha512-RAH822pAdBgcNMAfWnCBU3CFZcfZ/i1eZjwFU/dsLKumyuuP3niueg2UAukXYF0E2AAoc82ZSSf9J0WQBinzHA==", - "dev": true, - "license": "(MIT OR CC0-1.0)", - "engines": { - "node": ">=12.20" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/type-is": { - "version": "1.6.18", - "resolved": "http://localhost:4873/type-is/-/type-is-1.6.18.tgz", - "integrity": "sha512-TkRKr9sUTxEH8MdfuCSP7VizJyzRNMjj2J2do2Jr3Kym598JVdEksuzPQCnlFPW4ky9Q+iA+ma9BGm06XQBy8g==", - "dev": true, - "license": "MIT", - "dependencies": { - "media-typer": "0.3.0", - "mime-types": "~2.1.24" - }, - "engines": { - "node": ">= 0.6" - } - }, - "node_modules/typed-array-buffer": { - "version": "1.0.3", - "resolved": "http://localhost:4873/typed-array-buffer/-/typed-array-buffer-1.0.3.tgz", - "integrity": "sha512-nAYYwfY3qnzX30IkA6AQZjVbtK6duGontcQm1WSG1MD94YLqK0515GNApXkoxKOWMusVssAHWLh9SeaoefYFGw==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bound": "^1.0.3", - "es-errors": "^1.3.0", - "is-typed-array": "^1.1.14" - }, - "engines": { - "node": ">= 0.4" - } - }, - "node_modules/typed-array-byte-length": { - "version": "1.0.3", - "resolved": "http://localhost:4873/typed-array-byte-length/-/typed-array-byte-length-1.0.3.tgz", - "integrity": "sha512-BaXgOuIxz8n8pIq3e7Atg/7s+DpiYrxn4vdot3w9KbnBhcRQq6o3xemQdIfynqSeXeDrF32x+WvfzmOjPiY9lg==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind": "^1.0.8", - "for-each": "^0.3.3", - "gopd": "^1.2.0", - "has-proto": "^1.2.0", - "is-typed-array": "^1.1.14" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/typed-array-byte-offset": { - "version": "1.0.4", - "resolved": "http://localhost:4873/typed-array-byte-offset/-/typed-array-byte-offset-1.0.4.tgz", - "integrity": "sha512-bTlAFB/FBYMcuX81gbL4OcpH5PmlFHqlCCpAl8AlEzMz5k53oNDvN8p1PNOWLEmI2x4orp3raOFB51tv9X+MFQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "available-typed-arrays": "^1.0.7", - "call-bind": "^1.0.8", - "for-each": "^0.3.3", - "gopd": "^1.2.0", - "has-proto": "^1.2.0", - "is-typed-array": "^1.1.15", - "reflect.getprototypeof": "^1.0.9" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/typed-array-length": { - "version": "1.0.7", - "resolved": "http://localhost:4873/typed-array-length/-/typed-array-length-1.0.7.tgz", - "integrity": "sha512-3KS2b+kL7fsuk/eJZ7EQdnEmQoaho/r6KUef7hxvltNA5DR8NAUM+8wJMbJyZ4G9/7i3v5zPBIMN5aybAh2/Jg==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind": "^1.0.7", - "for-each": "^0.3.3", - "gopd": "^1.0.1", - "is-typed-array": "^1.1.13", - "possible-typed-array-names": "^1.0.0", - "reflect.getprototypeof": "^1.0.6" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/typedarray-to-buffer": { - "version": "3.1.5", - "resolved": "http://localhost:4873/typedarray-to-buffer/-/typedarray-to-buffer-3.1.5.tgz", - "integrity": "sha512-zdu8XMNEDepKKR+XYOXAVPtWui0ly0NtohUscw+UmaHiAWT8hrV1rr//H6V+0DvJ3OQ19S979M0laLfX8rm82Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-typedarray": "^1.0.0" - } - }, - "node_modules/typedarray.prototype.slice": { - "version": "1.0.5", - "resolved": "http://localhost:4873/typedarray.prototype.slice/-/typedarray.prototype.slice-1.0.5.tgz", - "integrity": "sha512-q7QNVDGTdl702bVFiI5eY4l/HkgCM6at9KhcFbgUAzezHFbOVy4+0O/lCjsABEQwbZPravVfBIiBVGo89yzHFg==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bind": "^1.0.8", - "define-properties": "^1.2.1", - "es-abstract": "^1.23.9", - "es-errors": "^1.3.0", - "get-proto": "^1.0.1", - "math-intrinsics": "^1.1.0", - "typed-array-buffer": "^1.0.3", - "typed-array-byte-offset": "^1.0.4" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/typescript": { - "version": "4.9.5", - "resolved": "http://localhost:4873/typescript/-/typescript-4.9.5.tgz", - "integrity": "sha512-1FXk9E2Hm+QzZQ7z+McJiHL4NW1F2EzMu9Nq9i3zAaGqibafqYwCVU6WyWAuyQRRzOlxou8xZSyXLEN8oKj24g==", - "dev": true, - "license": "Apache-2.0", - "peer": true, - "bin": { - "tsc": "bin/tsc", - "tsserver": "bin/tsserver" - }, - "engines": { - "node": ">=4.2.0" - } - }, - "node_modules/unbox-primitive": { - "version": "1.1.0", - "resolved": "http://localhost:4873/unbox-primitive/-/unbox-primitive-1.1.0.tgz", - "integrity": "sha512-nWJ91DjeOkej/TA8pXQ3myruKpKEYgqvpw9lz4OPHj/NWFNluYrjbz9j01CJ8yKQd2g4jFoOkINCTW2I5LEEyw==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bound": "^1.0.3", - "has-bigints": "^1.0.2", - "has-symbols": "^1.1.0", - "which-boxed-primitive": "^1.1.1" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/unbzip2-stream": { - "version": "1.4.3", - "resolved": "http://localhost:4873/unbzip2-stream/-/unbzip2-stream-1.4.3.tgz", - "integrity": "sha512-mlExGW4w71ebDJviH16lQLtZS32VKqsSfk80GCfUlwT/4/hNRFsoscrF/c++9xinkMzECL1uL9DDwXqFWkruPg==", - "dev": true, - "license": "MIT", - "dependencies": { - "buffer": "^5.2.1", - "through": "^2.3.8" - } - }, - "node_modules/unbzip2-stream/node_modules/buffer": { - "version": "5.7.1", - "resolved": "http://localhost:4873/buffer/-/buffer-5.7.1.tgz", - "integrity": "sha512-EHcyIPBQ4BSGlvjB16k5KgAJ27CIsHY/2JBmCRReo48y9rQ3MaUzWX3KVlBa4U7MyX02HdVj0K7C3WaB3ju7FQ==", - "dev": true, - "funding": [ - { - "type": "github", - "url": "https://github.com/sponsors/feross" - }, - { - "type": "patreon", - "url": "https://www.patreon.com/feross" - }, - { - "type": "consulting", - "url": "https://feross.org/support" - } - ], - "license": "MIT", - "dependencies": { - "base64-js": "^1.3.1", - "ieee754": "^1.1.13" - } - }, - "node_modules/undici-types": { - "version": "6.21.0", - "resolved": "http://localhost:4873/undici-types/-/undici-types-6.21.0.tgz", - "integrity": "sha512-iwDZqg0QAGrg9Rav5H4n0M64c3mkR59cJ6wQp+7C4nI0gsmExaedaYLNO44eT4AtBBwjbTiGPMlt2Md0T9H9JQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/unicode-canonical-property-names-ecmascript": { - "version": "2.0.1", - "resolved": "http://localhost:4873/unicode-canonical-property-names-ecmascript/-/unicode-canonical-property-names-ecmascript-2.0.1.tgz", - "integrity": "sha512-dA8WbNeb2a6oQzAQ55YlT5vQAWGV9WXOsi3SskE3bcCdM0P4SDd+24zS/OCacdRq5BkdsRj9q3Pg6YyQoxIGqg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=4" - } - }, - "node_modules/unicode-match-property-ecmascript": { - "version": "2.0.0", - "resolved": "http://localhost:4873/unicode-match-property-ecmascript/-/unicode-match-property-ecmascript-2.0.0.tgz", - "integrity": "sha512-5kaZCrbp5mmbz5ulBkDkbY0SsPOjKqVS35VpL9ulMPfSl0J0Xsm+9Evphv9CoIZFwre7aJoa94AY6seMKGVN5Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "unicode-canonical-property-names-ecmascript": "^2.0.0", - "unicode-property-aliases-ecmascript": "^2.0.0" - }, - "engines": { - "node": ">=4" - } - }, - "node_modules/unicode-match-property-value-ecmascript": { - "version": "2.2.0", - "resolved": "http://localhost:4873/unicode-match-property-value-ecmascript/-/unicode-match-property-value-ecmascript-2.2.0.tgz", - "integrity": "sha512-4IehN3V/+kkr5YeSSDDQG8QLqO26XpL2XP3GQtqwlT/QYSECAwFztxVHjlbh0+gjJ3XmNLS0zDsbgs9jWKExLg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=4" - } - }, - "node_modules/unicode-property-aliases-ecmascript": { - "version": "2.1.0", - "resolved": "http://localhost:4873/unicode-property-aliases-ecmascript/-/unicode-property-aliases-ecmascript-2.1.0.tgz", - "integrity": "sha512-6t3foTQI9qne+OZoVQB/8x8rk2k1eVy1gRXhV3oFQ5T6R1dqQ1xtin3XqSlx3+ATBkliTaR/hHyJBm+LVPNM8w==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=4" - } - }, - "node_modules/unidecode": { - "version": "0.1.8", - "resolved": "http://localhost:4873/unidecode/-/unidecode-0.1.8.tgz", - "integrity": "sha512-SdoZNxCWpN2tXTCrGkPF/0rL2HEq+i2gwRG1ReBvx8/0yTzC3enHfugOf8A9JBShVwwrRIkLX0YcDUGbzjbVCA==", - "dev": true, - "engines": { - "node": ">= 0.4.12" - } - }, - "node_modules/union-value": { - "version": "1.0.1", - "resolved": "http://localhost:4873/union-value/-/union-value-1.0.1.tgz", - "integrity": "sha512-tJfXmxMeWYnczCVs7XAEvIV7ieppALdyepWMkHkwciRpZraG/xwT+s2JN8+pr1+8jCRf80FFzvr+MpQeeoF4Xg==", - "dev": true, - "license": "MIT", - "dependencies": { - "arr-union": "^3.1.0", - "get-value": "^2.0.6", - "is-extendable": "^0.1.1", - "set-value": "^2.0.1" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/union-value/node_modules/is-extendable": { - "version": "0.1.1", - "resolved": "http://localhost:4873/is-extendable/-/is-extendable-0.1.1.tgz", - "integrity": "sha512-5BMULNob1vgFX6EjQw5izWDxrecWK9AM72rugNr0TFldMOi0fj6Jk+zeKIt0xGj4cEfQIJth4w3OKWOJ4f+AFw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/unique-string": { - "version": "2.0.0", - "resolved": "http://localhost:4873/unique-string/-/unique-string-2.0.0.tgz", - "integrity": "sha512-uNaeirEPvpZWSgzwsPGtU2zVSTrn/8L5q/IexZmH0eH6SA73CmAA5U4GwORTxQAZs95TAXLNqeLoPPNO5gZfWg==", - "dev": true, - "license": "MIT", - "dependencies": { - "crypto-random-string": "^2.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/universalify": { - "version": "2.0.1", - "resolved": "http://localhost:4873/universalify/-/universalify-2.0.1.tgz", - "integrity": "sha512-gptHNQghINnc/vTGIk0SOFGFNXw7JVrlRUtConJRlvaw6DuX0wO5Jeko9sWrMBhh+PsYAZ7oXAiOnf/UKogyiw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 10.0.0" - } - }, - "node_modules/unpipe": { - "version": "1.0.0", - "resolved": "http://localhost:4873/unpipe/-/unpipe-1.0.0.tgz", - "integrity": "sha512-pjy2bYhSsufwWlKwPc+l3cN7+wuJlK6uz0YdJEOlQDbl6jo/YlPi4mb8agUkVC8BF7V8NuzeyPNqRksA3hztKQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.8" - } - }, - "node_modules/unset-value": { - "version": "1.0.0", - "resolved": "http://localhost:4873/unset-value/-/unset-value-1.0.0.tgz", - "integrity": "sha512-PcA2tsuGSF9cnySLHTLSh2qrQiJ70mn+r+Glzxv2TWZblxsxCC52BDlZoPCsz7STd9pN7EZetkWZBAvk4cgZdQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "has-value": "^0.3.1", - "isobject": "^3.0.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/unset-value/node_modules/has-value": { - "version": "0.3.1", - "resolved": "http://localhost:4873/has-value/-/has-value-0.3.1.tgz", - "integrity": "sha512-gpG936j8/MzaeID5Yif+577c17TxaDmhuyVgSwtnL/q8UUTySg8Mecb+8Cf1otgLoD7DDH75axp86ER7LFsf3Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "get-value": "^2.0.3", - "has-values": "^0.1.4", - "isobject": "^2.0.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/unset-value/node_modules/has-value/node_modules/isobject": { - "version": "2.1.0", - "resolved": "http://localhost:4873/isobject/-/isobject-2.1.0.tgz", - "integrity": "sha512-+OUdGJlgjOBZDfxnDjYYG6zp487z0JGNQq3cYQYg5f5hKR+syHMsaztzGeml/4kGG55CSpKSpWTY+jYGgsHLgA==", - "dev": true, - "license": "MIT", - "dependencies": { - "isarray": "1.0.0" - }, - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/unset-value/node_modules/has-values": { - "version": "0.1.4", - "resolved": "http://localhost:4873/has-values/-/has-values-0.1.4.tgz", - "integrity": "sha512-J8S0cEdWuQbqD9//tlZxiMuMNmxB8PlEwvYwuxsTmR1G5RXUePEX/SJn7aD0GMLieuZYSwNH0cQuJGwnYunXRQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/update-browserslist-db": { - "version": "1.1.3", - "resolved": "http://localhost:4873/update-browserslist-db/-/update-browserslist-db-1.1.3.tgz", - "integrity": "sha512-UxhIZQ+QInVdunkDAaiazvvT/+fXL5Osr0JZlJulepYu6Jd7qJtDZjlur0emRlT71EN3ScPoE7gvsuIKKNavKw==", - "dev": true, - "funding": [ - { - "type": "opencollective", - "url": "https://opencollective.com/browserslist" - }, - { - "type": "tidelift", - "url": "https://tidelift.com/funding/github/npm/browserslist" - }, - { - "type": "github", - "url": "https://github.com/sponsors/ai" - } - ], - "license": "MIT", - "dependencies": { - "escalade": "^3.2.0", - "picocolors": "^1.1.1" - }, - "bin": { - "update-browserslist-db": "cli.js" - }, - "peerDependencies": { - "browserslist": ">= 4.21.0" - } - }, - "node_modules/upper-case": { - "version": "1.1.3", - "resolved": "http://localhost:4873/upper-case/-/upper-case-1.1.3.tgz", - "integrity": "sha512-WRbjgmYzgXkCV7zNVpy5YgrHgbBv126rMALQQMrmzOVC4GM2waQ9x7xtm8VU+1yF2kWyPzI9zbZ48n4vSxwfSA==", - "dev": true, - "license": "MIT" - }, - "node_modules/uri-js": { - "version": "4.4.1", - "resolved": "http://localhost:4873/uri-js/-/uri-js-4.4.1.tgz", - "integrity": "sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==", - "dev": true, - "license": "BSD-2-Clause", - "dependencies": { - "punycode": "^2.1.0" - } - }, - "node_modules/urix": { - "version": "0.1.0", - "resolved": "http://localhost:4873/urix/-/urix-0.1.0.tgz", - "integrity": "sha512-Am1ousAhSLBeB9cG/7k7r2R0zj50uDRlZHPGbazid5s9rlF1F/QKYObEKSIunSjIOkJZqwRRLpvewjEkM7pSqg==", - "deprecated": "Please see https://github.com/lydell/urix#deprecated", - "dev": true, - "license": "MIT" - }, - "node_modules/url": { - "version": "0.10.3", - "resolved": "http://localhost:4873/url/-/url-0.10.3.tgz", - "integrity": "sha512-hzSUW2q06EqL1gKM/a+obYHLIO6ct2hwPuviqTTOcfFVc61UbfJ2Q32+uGL/HCPxKqrdGB5QUwIe7UqlDgwsOQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "punycode": "1.3.2", - "querystring": "0.2.0" - } - }, - "node_modules/url-parse": { - "version": "1.5.10", - "resolved": "http://localhost:4873/url-parse/-/url-parse-1.5.10.tgz", - "integrity": "sha512-WypcfiRhfeUP9vvF0j6rw0J3hrWrw6iZv3+22h6iRMJ/8z1Tj6XfLP4DsUix5MhMPnXpiHDoKyoZ/bdCkwBCiQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "querystringify": "^2.1.1", - "requires-port": "^1.0.0" - } - }, - "node_modules/url-slug": { - "version": "2.0.0", - "resolved": "http://localhost:4873/url-slug/-/url-slug-2.0.0.tgz", - "integrity": "sha512-aiNmSsVgrjCiJ2+KWPferjT46YFKoE8i0YX04BlMVDue022Xwhg/zYlnZ6V9/mP3p8Wj7LEp0myiTkC/p6sxew==", - "dev": true, - "license": "MIT", - "dependencies": { - "unidecode": "0.1.8" - } - }, - "node_modules/url/node_modules/punycode": { - "version": "1.3.2", - "resolved": "http://localhost:4873/punycode/-/punycode-1.3.2.tgz", - "integrity": "sha512-RofWgt/7fL5wP1Y7fxE7/EmTLzQVnB0ycyibJ0OOHIlJqTNzglYFxVwETOcIoJqJmpDXJ9xImDv+Fq34F/d4Dw==", - "dev": true, - "license": "MIT" - }, - "node_modules/use": { - "version": "3.1.1", - "resolved": "http://localhost:4873/use/-/use-3.1.1.tgz", - "integrity": "sha512-cwESVXlO3url9YWlFW/TA9cshCEhtu7IKJ/p5soJ/gGpj7vbvFrAY/eIioQ6Dw23KjZhYgiIo8HOs1nQ2vr/oQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/use-callback-ref": { - "version": "1.3.3", - "resolved": "http://localhost:4873/use-callback-ref/-/use-callback-ref-1.3.3.tgz", - "integrity": "sha512-jQL3lRnocaFtu3V00JToYz/4QkNWswxijDaCVNZRiRTO3HQDLsdu1ZtmIUvV4yPp+rvWm5j0y0TG/S61cuijTg==", - "dev": true, - "license": "MIT", - "dependencies": { - "tslib": "^2.0.0" - }, - "engines": { - "node": ">=10" - }, - "peerDependencies": { - "@types/react": "*", - "react": "^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0 || ^19.0.0-rc" - }, - "peerDependenciesMeta": { - "@types/react": { - "optional": true - } - } - }, - "node_modules/use-sidecar": { - "version": "1.1.3", - "resolved": "http://localhost:4873/use-sidecar/-/use-sidecar-1.1.3.tgz", - "integrity": "sha512-Fedw0aZvkhynoPYlA5WXrMCAMm+nSWdZt6lzJQ7Ok8S6Q+VsHmHpRWndVRJ8Be0ZbkfPc5LRYH+5XrzXcEeLRQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "detect-node-es": "^1.1.0", - "tslib": "^2.0.0" - }, - "engines": { - "node": ">=10" - }, - "peerDependencies": { - "@types/react": "*", - "react": "^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0 || ^19.0.0-rc" - }, - "peerDependenciesMeta": { - "@types/react": { - "optional": true - } - } - }, - "node_modules/use-sync-external-store": { - "version": "1.5.0", - "resolved": "http://localhost:4873/use-sync-external-store/-/use-sync-external-store-1.5.0.tgz", - "integrity": "sha512-Rb46I4cGGVBmjamjphe8L/UnvJD+uPPtTkNvX5mZgqdbavhI4EbgIWJiIHXJ8bc/i9EQGPRh4DwEURJ552Do0A==", - "dev": true, - "license": "MIT", - "peerDependencies": { - "react": "^16.8.0 || ^17.0.0 || ^18.0.0 || ^19.0.0" - } - }, - "node_modules/util": { - "version": "0.12.5", - "resolved": "http://localhost:4873/util/-/util-0.12.5.tgz", - "integrity": "sha512-kZf/K6hEIrWHI6XqOFUiiMa+79wE/D8Q+NCNAWclkyg3b4d2k7s0QGepNjiABc+aR3N1PAyHL7p6UcLY6LmrnA==", - "dev": true, - "license": "MIT", - "dependencies": { - "inherits": "^2.0.3", - "is-arguments": "^1.0.4", - "is-generator-function": "^1.0.7", - "is-typed-array": "^1.1.3", - "which-typed-array": "^1.1.2" - } - }, - "node_modules/util-deprecate": { - "version": "1.0.2", - "resolved": "http://localhost:4873/util-deprecate/-/util-deprecate-1.0.2.tgz", - "integrity": "sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw==", - "dev": true, - "license": "MIT" - }, - "node_modules/utils-merge": { - "version": "1.0.1", - "resolved": "http://localhost:4873/utils-merge/-/utils-merge-1.0.1.tgz", - "integrity": "sha512-pMZTvIkT1d+TFGvDOqodOclx0QWkkgi6Tdoa8gC8ffGAAqz9pzPTZWAybbsHHoED/ztMtkv/VoYTYyShUn81hA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.4.0" - } - }, - "node_modules/uuid": { - "version": "8.3.2", - "resolved": "http://localhost:4873/uuid/-/uuid-8.3.2.tgz", - "integrity": "sha512-+NYs2QeMWy+GWFOEm9xnn6HCDp0l7QBD7ml8zLUmJ+93Q5NF0NocErnwkTkXVFNiX3/fpC6afS8Dhb/gz7R7eg==", - "dev": true, - "license": "MIT", - "bin": { - "uuid": "dist/bin/uuid" - } - }, - "node_modules/v8-to-istanbul": { - "version": "7.1.2", - "resolved": "http://localhost:4873/v8-to-istanbul/-/v8-to-istanbul-7.1.2.tgz", - "integrity": "sha512-TxNb7YEUwkLXCQYeudi6lgQ/SZrzNO4kMdlqVxaZPUIUjCv6iSSypUQX70kNBSERpQ8fk48+d61FXk+tgqcWow==", - "dev": true, - "license": "ISC", - "dependencies": { - "@types/istanbul-lib-coverage": "^2.0.1", - "convert-source-map": "^1.6.0", - "source-map": "^0.7.3" - }, - "engines": { - "node": ">=10.10.0" - } - }, - "node_modules/v8-to-istanbul/node_modules/source-map": { - "version": "0.7.4", - "resolved": "http://localhost:4873/source-map/-/source-map-0.7.4.tgz", - "integrity": "sha512-l3BikUxvPOcn5E74dZiq5BGsTb5yEwhaTSzccU6t4sDOH8NWJCstKO5QT2CvtFoK6F0saL7p9xHAqHOlCPJygA==", - "dev": true, - "license": "BSD-3-Clause", - "engines": { - "node": ">= 8" - } - }, - "node_modules/v8flags": { - "version": "3.2.0", - "resolved": "http://localhost:4873/v8flags/-/v8flags-3.2.0.tgz", - "integrity": "sha512-mH8etigqMfiGWdeXpaaqGfs6BndypxusHHcv2qSHyZkGEznCd/qAXCWWRzeowtL54147cktFOC4P5y+kl8d8Jg==", - "dev": true, - "license": "MIT", - "dependencies": { - "homedir-polyfill": "^1.0.1" - }, - "engines": { - "node": ">= 0.10" - } - }, - "node_modules/validate-npm-package-license": { - "version": "3.0.4", - "resolved": "http://localhost:4873/validate-npm-package-license/-/validate-npm-package-license-3.0.4.tgz", - "integrity": "sha512-DpKm2Ui/xN7/HQKCtpZxoRWBhZ9Z0kqtygG8XCgNQ8ZlDnxuQmWhj566j8fN4Cu3/JmbhsDo7fcAJq4s9h27Ew==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "spdx-correct": "^3.0.0", - "spdx-expression-parse": "^3.0.0" - } - }, - "node_modules/validator": { - "version": "13.15.0", - "resolved": "http://localhost:4873/validator/-/validator-13.15.0.tgz", - "integrity": "sha512-36B2ryl4+oL5QxZ3AzD0t5SsMNGvTtQHpjgFO5tbNxfXbMFkY822ktCDe1MnlqV3301QQI9SLHDNJokDI+Z9pA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.10" - } - }, - "node_modules/value-equal": { - "version": "1.0.1", - "resolved": "http://localhost:4873/value-equal/-/value-equal-1.0.1.tgz", - "integrity": "sha512-NOJ6JZCAWr0zlxZt+xqCHNTEKOsrks2HQd4MqhP1qy4z1SkbEP467eNx6TgDKXMvUOb+OENfJCZwM+16n7fRfw==", - "dev": true, - "license": "MIT" - }, - "node_modules/vary": { - "version": "1.1.2", - "resolved": "http://localhost:4873/vary/-/vary-1.1.2.tgz", - "integrity": "sha512-BNGbWLfd0eUPabhkXUVm0j8uuvREyTh5ovRa/dyow/BqAbZJyC+5fU+IzQOzmAKzYqYRAISoRhdQr3eIZ/PXqg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.8" - } - }, - "node_modules/w3c-hr-time": { - "version": "1.0.2", - "resolved": "http://localhost:4873/w3c-hr-time/-/w3c-hr-time-1.0.2.tgz", - "integrity": "sha512-z8P5DvDNjKDoFIHK7q8r8lackT6l+jo/Ye3HOle7l9nICP9lf1Ci25fy9vHd0JOWewkIFzXIEig3TdKT7JQ5fQ==", - "deprecated": "Use your platform's native performance.now() and performance.timeOrigin.", - "dev": true, - "license": "MIT", - "dependencies": { - "browser-process-hrtime": "^1.0.0" - } - }, - "node_modules/w3c-xmlserializer": { - "version": "2.0.0", - "resolved": "http://localhost:4873/w3c-xmlserializer/-/w3c-xmlserializer-2.0.0.tgz", - "integrity": "sha512-4tzD0mF8iSiMiNs30BiLO3EpfGLZUT2MSX/G+o7ZywDzliWQ3OPtTZ0PTC3B3ca1UAf4cJMHB+2Bf56EriJuRA==", - "dev": true, - "license": "MIT", - "dependencies": { - "xml-name-validator": "^3.0.0" - }, - "engines": { - "node": ">=10" - } - }, - "node_modules/walkdir": { - "version": "0.0.11", - "resolved": "http://localhost:4873/walkdir/-/walkdir-0.0.11.tgz", - "integrity": "sha512-lMFYXGpf7eg+RInVL021ZbJJT4hqsvsBvq5sZBp874jfhs3IWlA7OPoG0ojQrYcXHuUSi+Nqp6qGN+pPGaMgPQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.6.0" - } - }, - "node_modules/walker": { - "version": "1.0.8", - "resolved": "http://localhost:4873/walker/-/walker-1.0.8.tgz", - "integrity": "sha512-ts/8E8l5b7kY0vlWLewOkDXMmPdLcVV4GmOQLyxuSswIJsweeFZtAsMF7k1Nszz+TYBQrlYRmzOnr398y1JemQ==", - "dev": true, - "license": "Apache-2.0", - "dependencies": { - "makeerror": "1.0.12" - } - }, - "node_modules/watchpack": { - "version": "2.4.4", - "resolved": "http://localhost:4873/watchpack/-/watchpack-2.4.4.tgz", - "integrity": "sha512-c5EGNOiyxxV5qmTtAB7rbiXxi1ooX1pQKMLX/MIabJjRA0SJBQOjKF+KSVfHkr9U1cADPon0mRiVe/riyaiDUA==", - "dev": true, - "license": "MIT", - "dependencies": { - "glob-to-regexp": "^0.4.1", - "graceful-fs": "^4.1.2" - }, - "engines": { - "node": ">=10.13.0" - } - }, - "node_modules/wcwidth": { - "version": "1.0.1", - "resolved": "http://localhost:4873/wcwidth/-/wcwidth-1.0.1.tgz", - "integrity": "sha512-XHPEwS0q6TaxcvG85+8EYkbiCux2XtWG2mkc47Ng2A77BQu9+DqIOJldST4HgPkuea7dvKSj5VgX3P1d4rW8Tg==", - "dev": true, - "license": "MIT", - "dependencies": { - "defaults": "^1.0.3" - } - }, - "node_modules/web-encoding": { - "version": "1.1.5", - "resolved": "http://localhost:4873/web-encoding/-/web-encoding-1.1.5.tgz", - "integrity": "sha512-HYLeVCdJ0+lBYV2FvNZmv3HJ2Nt0QYXqZojk3d9FJOLkwnuhzM9tmamh8d7HPM8QqjKH8DeHkFTx+CFlWpZZDA==", - "dev": true, - "license": "MIT", - "dependencies": { - "util": "^0.12.3" - }, - "optionalDependencies": { - "@zxing/text-encoding": "0.9.0" - } - }, - "node_modules/webcrypto-core": { - "version": "1.8.1", - "resolved": "http://localhost:4873/webcrypto-core/-/webcrypto-core-1.8.1.tgz", - "integrity": "sha512-P+x1MvlNCXlKbLSOY4cYrdreqPG5hbzkmawbcXLKN/mf6DZW0SdNNkZ+sjwsqVkI4A4Ko2sPZmkZtCKY58w83A==", - "dev": true, - "license": "MIT", - "dependencies": { - "@peculiar/asn1-schema": "^2.3.13", - "@peculiar/json-schema": "^1.1.12", - "asn1js": "^3.0.5", - "pvtsutils": "^1.3.5", - "tslib": "^2.7.0" - } - }, - "node_modules/webidl-conversions": { - "version": "6.1.0", - "resolved": "http://localhost:4873/webidl-conversions/-/webidl-conversions-6.1.0.tgz", - "integrity": "sha512-qBIvFLGiBpLjfwmYAaHPXsn+ho5xZnGvyGvsarywGNc8VyQJUMHJ8OBKGGrPER0okBeMDaan4mNBlgBROxuI8w==", - "dev": true, - "license": "BSD-2-Clause", - "engines": { - "node": ">=10.4" - } - }, - "node_modules/webpack": { - "version": "5.99.9", - "resolved": "http://localhost:4873/webpack/-/webpack-5.99.9.tgz", - "integrity": "sha512-brOPwM3JnmOa+7kd3NsmOUOwbDAj8FT9xDsG3IW0MgbN9yZV7Oi/s/+MNQ/EcSMqw7qfoRyXPoeEWT8zLVdVGg==", - "dev": true, - "license": "MIT", - "dependencies": { - "@types/eslint-scope": "^3.7.7", - "@types/estree": "^1.0.6", - "@types/json-schema": "^7.0.15", - "@webassemblyjs/ast": "^1.14.1", - "@webassemblyjs/wasm-edit": "^1.14.1", - "@webassemblyjs/wasm-parser": "^1.14.1", - "acorn": "^8.14.0", - "browserslist": "^4.24.0", - "chrome-trace-event": "^1.0.2", - "enhanced-resolve": "^5.17.1", - "es-module-lexer": "^1.2.1", - "eslint-scope": "5.1.1", - "events": "^3.2.0", - "glob-to-regexp": "^0.4.1", - "graceful-fs": "^4.2.11", - "json-parse-even-better-errors": "^2.3.1", - "loader-runner": "^4.2.0", - "mime-types": "^2.1.27", - "neo-async": "^2.6.2", - "schema-utils": "^4.3.2", - "tapable": "^2.1.1", - "terser-webpack-plugin": "^5.3.11", - "watchpack": "^2.4.1", - "webpack-sources": "^3.2.3" - }, - "bin": { - "webpack": "bin/webpack.js" - }, - "engines": { - "node": ">=10.13.0" - }, - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/webpack" - }, - "peerDependenciesMeta": { - "webpack-cli": { - "optional": true - } - } - }, - "node_modules/webpack-bundle-analyzer": { - "version": "4.10.2", - "resolved": "http://localhost:4873/webpack-bundle-analyzer/-/webpack-bundle-analyzer-4.10.2.tgz", - "integrity": "sha512-vJptkMm9pk5si4Bv922ZbKLV8UTT4zib4FPgXMhgzUny0bfDDkLXAVQs3ly3fS4/TN9ROFtb0NFrm04UXFE/Vw==", - "dev": true, - "license": "MIT", - "dependencies": { - "@discoveryjs/json-ext": "0.5.7", - "acorn": "^8.0.4", - "acorn-walk": "^8.0.0", - "commander": "^7.2.0", - "debounce": "^1.2.1", - "escape-string-regexp": "^4.0.0", - "gzip-size": "^6.0.0", - "html-escaper": "^2.0.2", - "opener": "^1.5.2", - "picocolors": "^1.0.0", - "sirv": "^2.0.3", - "ws": "^7.3.1" - }, - "bin": { - "webpack-bundle-analyzer": "lib/bin/analyzer.js" - }, - "engines": { - "node": ">= 10.13.0" - } - }, - "node_modules/webpack-bundle-analyzer/node_modules/acorn-walk": { - "version": "8.3.4", - "resolved": "http://localhost:4873/acorn-walk/-/acorn-walk-8.3.4.tgz", - "integrity": "sha512-ueEepnujpqee2o5aIYnvHU6C0A42MNdsIDeqy5BydrkuC5R1ZuUFnm27EeFJGoEHJQgn3uleRvmTXaJgfXbt4g==", - "dev": true, - "license": "MIT", - "dependencies": { - "acorn": "^8.11.0" - }, - "engines": { - "node": ">=0.4.0" - } - }, - "node_modules/webpack-bundle-analyzer/node_modules/commander": { - "version": "7.2.0", - "resolved": "http://localhost:4873/commander/-/commander-7.2.0.tgz", - "integrity": "sha512-QrWXB+ZQSVPmIWIhtEO9H+gwHaMGYiF5ChvoJ+K9ZGHG/sVsa6yiesAD1GC/x46sET00Xlwo1u49RVVVzvcSkw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 10" - } - }, - "node_modules/webpack-bundle-analyzer/node_modules/gzip-size": { - "version": "6.0.0", - "resolved": "http://localhost:4873/gzip-size/-/gzip-size-6.0.0.tgz", - "integrity": "sha512-ax7ZYomf6jqPTQ4+XCpUGyXKHk5WweS+e05MBO4/y3WJ5RkmPXNKvX+bx1behVILVwr6JSQvZAku021CHPXG3Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "duplexer": "^0.1.2" - }, - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/webpack-bundle-analyzer/node_modules/ws": { - "version": "7.5.10", - "resolved": "http://localhost:4873/ws/-/ws-7.5.10.tgz", - "integrity": "sha512-+dbF1tHwZpXcbOJdVOkzLDxZP1ailvSxM6ZweXTegylPny803bFhA+vqBYw4s31NSAk4S2Qz+AKXK9a4wkdjcQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8.3.0" - }, - "peerDependencies": { - "bufferutil": "^4.0.1", - "utf-8-validate": "^5.0.2" - }, - "peerDependenciesMeta": { - "bufferutil": { - "optional": true - }, - "utf-8-validate": { - "optional": true - } - } - }, - "node_modules/webpack-cli": { - "version": "4.10.0", - "resolved": "http://localhost:4873/webpack-cli/-/webpack-cli-4.10.0.tgz", - "integrity": "sha512-NLhDfH/h4O6UOy+0LSso42xvYypClINuMNBVVzX4vX98TmTaTUxwRbXdhucbFMd2qLaCTcLq/PdYrvi8onw90w==", - "dev": true, - "license": "MIT", - "dependencies": { - "@discoveryjs/json-ext": "^0.5.0", - "@webpack-cli/configtest": "^1.2.0", - "@webpack-cli/info": "^1.5.0", - "@webpack-cli/serve": "^1.7.0", - "colorette": "^2.0.14", - "commander": "^7.0.0", - "cross-spawn": "^7.0.3", - "fastest-levenshtein": "^1.0.12", - "import-local": "^3.0.2", - "interpret": "^2.2.0", - "rechoir": "^0.7.0", - "webpack-merge": "^5.7.3" - }, - "bin": { - "webpack-cli": "bin/cli.js" - }, - "engines": { - "node": ">=10.13.0" - }, - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/webpack" - }, - "peerDependencies": { - "webpack": "4.x.x || 5.x.x" - }, - "peerDependenciesMeta": { - "@webpack-cli/generators": { - "optional": true - }, - "@webpack-cli/migrate": { - "optional": true - }, - "webpack-bundle-analyzer": { - "optional": true - }, - "webpack-dev-server": { - "optional": true - } - } - }, - "node_modules/webpack-cli/node_modules/commander": { - "version": "7.2.0", - "resolved": "http://localhost:4873/commander/-/commander-7.2.0.tgz", - "integrity": "sha512-QrWXB+ZQSVPmIWIhtEO9H+gwHaMGYiF5ChvoJ+K9ZGHG/sVsa6yiesAD1GC/x46sET00Xlwo1u49RVVVzvcSkw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 10" - } - }, - "node_modules/webpack-cli/node_modules/cross-spawn": { - "version": "7.0.6", - "resolved": "http://localhost:4873/cross-spawn/-/cross-spawn-7.0.6.tgz", - "integrity": "sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA==", - "dev": true, - "license": "MIT", - "dependencies": { - "path-key": "^3.1.0", - "shebang-command": "^2.0.0", - "which": "^2.0.1" - }, - "engines": { - "node": ">= 8" - } - }, - "node_modules/webpack-cli/node_modules/interpret": { - "version": "2.2.0", - "resolved": "http://localhost:4873/interpret/-/interpret-2.2.0.tgz", - "integrity": "sha512-Ju0Bz/cEia55xDwUWEa8+olFpCiQoypjnQySseKtmjNrnps3P+xfpUmGr90T7yjlVJmOtybRvPXhKMbHr+fWnw==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">= 0.10" - } - }, - "node_modules/webpack-cli/node_modules/path-key": { - "version": "3.1.1", - "resolved": "http://localhost:4873/path-key/-/path-key-3.1.1.tgz", - "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/webpack-cli/node_modules/rechoir": { - "version": "0.7.1", - "resolved": "http://localhost:4873/rechoir/-/rechoir-0.7.1.tgz", - "integrity": "sha512-/njmZ8s1wVeR6pjTZ+0nCnv8SpZNRMT2D1RLOJQESlYFDBvwpTA4KWJpZ+sBJ4+vhjILRcK7JIFdGCdxEAAitg==", - "dev": true, - "license": "MIT", - "dependencies": { - "resolve": "^1.9.0" - }, - "engines": { - "node": ">= 0.10" - } - }, - "node_modules/webpack-cli/node_modules/shebang-command": { - "version": "2.0.0", - "resolved": "http://localhost:4873/shebang-command/-/shebang-command-2.0.0.tgz", - "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==", - "dev": true, - "license": "MIT", - "dependencies": { - "shebang-regex": "^3.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/webpack-cli/node_modules/shebang-regex": { - "version": "3.0.0", - "resolved": "http://localhost:4873/shebang-regex/-/shebang-regex-3.0.0.tgz", - "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/webpack-cli/node_modules/which": { - "version": "2.0.2", - "resolved": "http://localhost:4873/which/-/which-2.0.2.tgz", - "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", - "dev": true, - "license": "ISC", - "dependencies": { - "isexe": "^2.0.0" - }, - "bin": { - "node-which": "bin/node-which" - }, - "engines": { - "node": ">= 8" - } - }, - "node_modules/webpack-dev-middleware": { - "version": "5.3.4", - "resolved": "http://localhost:4873/webpack-dev-middleware/-/webpack-dev-middleware-5.3.4.tgz", - "integrity": "sha512-BVdTqhhs+0IfoeAf7EoH5WE+exCmqGerHfDM0IL096Px60Tq2Mn9MAbnaGUe6HiMa41KMCYF19gyzZmBcq/o4Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "colorette": "^2.0.10", - "memfs": "^3.4.3", - "mime-types": "^2.1.31", - "range-parser": "^1.2.1", - "schema-utils": "^4.0.0" - }, - "engines": { - "node": ">= 12.13.0" - }, - "funding": { - "type": "opencollective", - "url": "https://opencollective.com/webpack" - }, - "peerDependencies": { - "webpack": "^4.0.0 || ^5.0.0" - } - }, - "node_modules/webpack-hot-middleware": { - "version": "2.26.1", - "resolved": "http://localhost:4873/webpack-hot-middleware/-/webpack-hot-middleware-2.26.1.tgz", - "integrity": "sha512-khZGfAeJx6I8K9zKohEWWYN6KDlVw2DHownoe+6Vtwj1LP9WFgegXnVMSkZ/dBEBtXFwrkkydsaPFlB7f8wU2A==", - "dev": true, - "license": "MIT", - "dependencies": { - "ansi-html-community": "0.0.8", - "html-entities": "^2.1.0", - "strip-ansi": "^6.0.0" - } - }, - "node_modules/webpack-hot-server-middleware": { - "version": "0.6.1", - "resolved": "http://localhost:4873/webpack-hot-server-middleware/-/webpack-hot-server-middleware-0.6.1.tgz", - "integrity": "sha512-YOKwdS0hnmADsNCsReGkMOBkoz2YVrQZvnVcViM2TDXlK9NnaOGXmnrLFjzwsHFa0/iuJy/QJFEoMxzk8R1Mgg==", - "dev": true, - "license": "MIT", - "dependencies": { - "debug": "^3.1.0", - "require-from-string": "^2.0.1", - "source-map-support": "^0.5.3" - }, - "peerDependencies": { - "webpack": "*" - } - }, - "node_modules/webpack-hot-server-middleware/node_modules/debug": { - "version": "3.2.7", - "resolved": "http://localhost:4873/debug/-/debug-3.2.7.tgz", - "integrity": "sha512-CFjzYYAi4ThfiQvizrFQevTTXHtnCqWfe7x1AhgEscTz6ZbLbfoLRLPugTQyBth6f8ZERVUSyWHFD/7Wu4t1XQ==", - "dev": true, - "license": "MIT", - "dependencies": { - "ms": "^2.1.1" - } - }, - "node_modules/webpack-merge": { - "version": "5.10.0", - "resolved": "http://localhost:4873/webpack-merge/-/webpack-merge-5.10.0.tgz", - "integrity": "sha512-+4zXKdx7UnO+1jaN4l2lHVD+mFvnlZQP/6ljaJVb4SZiwIKeUnrT5l0gkT8z+n4hKpC+jpOv6O9R+gLtag7pSA==", - "dev": true, - "license": "MIT", - "dependencies": { - "clone-deep": "^4.0.1", - "flat": "^5.0.2", - "wildcard": "^2.0.0" - }, - "engines": { - "node": ">=10.0.0" - } - }, - "node_modules/webpack-notifier": { - "version": "1.15.0", - "resolved": "http://localhost:4873/webpack-notifier/-/webpack-notifier-1.15.0.tgz", - "integrity": "sha512-N2V8UMgRB5komdXQRavBsRpw0hPhJq2/SWNOGuhrXpIgRhcMexzkGQysUyGStHLV5hkUlgpRiF7IUXoBqyMmzQ==", - "dev": true, - "license": "ISC", - "dependencies": { - "node-notifier": "^9.0.0", - "strip-ansi": "^6.0.0" - }, - "peerDependencies": { - "@types/webpack": ">4.41.31" - }, - "peerDependenciesMeta": { - "@types/webpack": { - "optional": true - } - } - }, - "node_modules/webpack-notifier/node_modules/node-notifier": { - "version": "9.0.1", - "resolved": "http://localhost:4873/node-notifier/-/node-notifier-9.0.1.tgz", - "integrity": "sha512-fPNFIp2hF/Dq7qLDzSg4vZ0J4e9v60gJR+Qx7RbjbWqzPDdEqeVpEx5CFeDAELIl+A/woaaNn1fQ5nEVerMxJg==", - "dev": true, - "license": "MIT", - "dependencies": { - "growly": "^1.3.0", - "is-wsl": "^2.2.0", - "semver": "^7.3.2", - "shellwords": "^0.1.1", - "uuid": "^8.3.0", - "which": "^2.0.2" - } - }, - "node_modules/webpack-notifier/node_modules/which": { - "version": "2.0.2", - "resolved": "http://localhost:4873/which/-/which-2.0.2.tgz", - "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", - "dev": true, - "license": "ISC", - "dependencies": { - "isexe": "^2.0.0" - }, - "bin": { - "node-which": "bin/node-which" - }, - "engines": { - "node": ">= 8" - } - }, - "node_modules/webpack-sources": { - "version": "3.2.3", - "resolved": "http://localhost:4873/webpack-sources/-/webpack-sources-3.2.3.tgz", - "integrity": "sha512-/DyMEOrDgLKKIG0fmvtz+4dUX/3Ghozwgm6iPp8KRhvn+eQf9+Q7GWxVNMk3+uCPWfdXYC4ExGBckIXdFEfH1w==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10.13.0" - } - }, - "node_modules/webpack/node_modules/events": { - "version": "3.3.0", - "resolved": "http://localhost:4873/events/-/events-3.3.0.tgz", - "integrity": "sha512-mQw+2fkQbALzQ7V0MY0IqdnXNOeTtP4r0lN9z7AAawCXgqea7bDii20AYrIBrFd/Hx0M2Ocz6S111CaFkUcb0Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.8.x" - } - }, - "node_modules/whatwg-encoding": { - "version": "1.0.5", - "resolved": "http://localhost:4873/whatwg-encoding/-/whatwg-encoding-1.0.5.tgz", - "integrity": "sha512-b5lim54JOPN9HtzvK9HFXvBma/rnfFeqsic0hSpjtDbVxR3dJKLc+KB4V6GgiGOvl7CY/KNh8rxSo9DKQrnUEw==", - "dev": true, - "license": "MIT", - "dependencies": { - "iconv-lite": "0.4.24" - } - }, - "node_modules/whatwg-fetch": { - "version": "3.6.20", - "resolved": "http://localhost:4873/whatwg-fetch/-/whatwg-fetch-3.6.20.tgz", - "integrity": "sha512-EqhiFU6daOA8kpjOWTL0olhVOF3i7OrFzSYiGsEMB8GcXS+RrzauAERX65xMeNWVqxA6HXH2m69Z9LaKKdisfg==", - "dev": true, - "license": "MIT" - }, - "node_modules/whatwg-mimetype": { - "version": "2.3.0", - "resolved": "http://localhost:4873/whatwg-mimetype/-/whatwg-mimetype-2.3.0.tgz", - "integrity": "sha512-M4yMwr6mAnQz76TbJm914+gPpB/nCwvZbJU28cUD6dR004SAxDLOOSUaB1JDRqLtaOV/vi0IC5lEAGFgrjGv/g==", - "dev": true, - "license": "MIT" - }, - "node_modules/whatwg-url": { - "version": "8.7.0", - "resolved": "http://localhost:4873/whatwg-url/-/whatwg-url-8.7.0.tgz", - "integrity": "sha512-gAojqb/m9Q8a5IV96E3fHJM70AzCkgt4uXYX2O7EmuyOnLrViCQlsEBmF9UQIu3/aeAIp2U17rtbpZWNntQqdg==", - "dev": true, - "license": "MIT", - "dependencies": { - "lodash": "^4.7.0", - "tr46": "^2.1.0", - "webidl-conversions": "^6.1.0" - }, - "engines": { - "node": ">=10" - } - }, - "node_modules/which": { - "version": "1.3.1", - "resolved": "http://localhost:4873/which/-/which-1.3.1.tgz", - "integrity": "sha512-HxJdYWq1MTIQbJ3nw0cqssHoTNU267KlrDuGZ1WYlxDStUtKUhOaJmh112/TZmHxxUfuJqPXSOm7tDyas0OSIQ==", - "dev": true, - "license": "ISC", - "dependencies": { - "isexe": "^2.0.0" - }, - "bin": { - "which": "bin/which" - } - }, - "node_modules/which-boxed-primitive": { - "version": "1.1.1", - "resolved": "http://localhost:4873/which-boxed-primitive/-/which-boxed-primitive-1.1.1.tgz", - "integrity": "sha512-TbX3mj8n0odCBFVlY8AxkqcHASw3L60jIuF8jFP78az3C2YhmGvqbHBpAjTRH2/xqYunrJ9g1jSyjCjpoWzIAA==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-bigint": "^1.1.0", - "is-boolean-object": "^1.2.1", - "is-number-object": "^1.1.1", - "is-string": "^1.1.1", - "is-symbol": "^1.1.1" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/which-builtin-type": { - "version": "1.2.1", - "resolved": "http://localhost:4873/which-builtin-type/-/which-builtin-type-1.2.1.tgz", - "integrity": "sha512-6iBczoX+kDQ7a3+YJBnh3T+KZRxM/iYNPXicqk66/Qfm1b93iu+yOImkg0zHbj5LNOcNv1TEADiZ0xa34B4q6Q==", - "dev": true, - "license": "MIT", - "dependencies": { - "call-bound": "^1.0.2", - "function.prototype.name": "^1.1.6", - "has-tostringtag": "^1.0.2", - "is-async-function": "^2.0.0", - "is-date-object": "^1.1.0", - "is-finalizationregistry": "^1.1.0", - "is-generator-function": "^1.0.10", - "is-regex": "^1.2.1", - "is-weakref": "^1.0.2", - "isarray": "^2.0.5", - "which-boxed-primitive": "^1.1.0", - "which-collection": "^1.0.2", - "which-typed-array": "^1.1.16" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/which-builtin-type/node_modules/isarray": { - "version": "2.0.5", - "resolved": "http://localhost:4873/isarray/-/isarray-2.0.5.tgz", - "integrity": "sha512-xHjhDr3cNBK0BzdUJSPXZntQUx/mwMS5Rw4A7lPJ90XGAO6ISP/ePDNuo0vhqOZU+UD5JoodwCAAoZQd3FeAKw==", - "dev": true, - "license": "MIT" - }, - "node_modules/which-collection": { - "version": "1.0.2", - "resolved": "http://localhost:4873/which-collection/-/which-collection-1.0.2.tgz", - "integrity": "sha512-K4jVyjnBdgvc86Y6BkaLZEN933SwYOuBFkdmBu9ZfkcAbdVbpITnDmjvZ/aQjRXQrv5EPkTnD1s39GiiqbngCw==", - "dev": true, - "license": "MIT", - "dependencies": { - "is-map": "^2.0.3", - "is-set": "^2.0.3", - "is-weakmap": "^2.0.2", - "is-weakset": "^2.0.3" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/which-module": { - "version": "2.0.1", - "resolved": "http://localhost:4873/which-module/-/which-module-2.0.1.tgz", - "integrity": "sha512-iBdZ57RDvnOR9AGBhML2vFZf7h8vmBjhoaZqODJBFWHVtKkDmKuHai3cx5PgVMrX5YDNp27AofYbAwctSS+vhQ==", - "dev": true, - "license": "ISC" - }, - "node_modules/which-typed-array": { - "version": "1.1.19", - "resolved": "http://localhost:4873/which-typed-array/-/which-typed-array-1.1.19.tgz", - "integrity": "sha512-rEvr90Bck4WZt9HHFC4DJMsjvu7x+r6bImz0/BrbWb7A2djJ8hnZMrWnHo9F8ssv0OMErasDhftrfROTyqSDrw==", - "dev": true, - "license": "MIT", - "dependencies": { - "available-typed-arrays": "^1.0.7", - "call-bind": "^1.0.8", - "call-bound": "^1.0.4", - "for-each": "^0.3.5", - "get-proto": "^1.0.1", - "gopd": "^1.2.0", - "has-tostringtag": "^1.0.2" - }, - "engines": { - "node": ">= 0.4" - }, - "funding": { - "url": "https://github.com/sponsors/ljharb" - } - }, - "node_modules/wildcard": { - "version": "2.0.1", - "resolved": "http://localhost:4873/wildcard/-/wildcard-2.0.1.tgz", - "integrity": "sha512-CC1bOL87PIWSBhDcTrdeLo6eGT7mCFtrg0uIJtqJUFyK+eJnzl8A1niH56uu7KMa5XFrtiV+AQuHO3n7DsHnLQ==", - "dev": true, - "license": "MIT" - }, - "node_modules/word-wrap": { - "version": "1.2.5", - "resolved": "http://localhost:4873/word-wrap/-/word-wrap-1.2.5.tgz", - "integrity": "sha512-BN22B5eaMMI9UMtjrGd5g5eCYPpCPDUy0FJXbYsaT5zYxjFOckS53SQDE3pWkVoWpHXVb3BrYcEN4Twa55B5cA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.10.0" - } - }, - "node_modules/wrap-ansi": { - "version": "6.2.0", - "resolved": "http://localhost:4873/wrap-ansi/-/wrap-ansi-6.2.0.tgz", - "integrity": "sha512-r6lPcBGxZXlIcymEu7InxDMhdW0KDxpLgoFLcguasxCaJ/SOIZwINatK9KY/tf+ZrlywOKU0UDj3ATXUBfxJXA==", - "dev": true, - "license": "MIT", - "dependencies": { - "ansi-styles": "^4.0.0", - "string-width": "^4.1.0", - "strip-ansi": "^6.0.0" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/wrap-ansi/node_modules/emoji-regex": { - "version": "8.0.0", - "resolved": "http://localhost:4873/emoji-regex/-/emoji-regex-8.0.0.tgz", - "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", - "dev": true, - "license": "MIT" - }, - "node_modules/wrap-ansi/node_modules/is-fullwidth-code-point": { - "version": "3.0.0", - "resolved": "http://localhost:4873/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", - "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/wrap-ansi/node_modules/string-width": { - "version": "4.2.3", - "resolved": "http://localhost:4873/string-width/-/string-width-4.2.3.tgz", - "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", - "dev": true, - "license": "MIT", - "dependencies": { - "emoji-regex": "^8.0.0", - "is-fullwidth-code-point": "^3.0.0", - "strip-ansi": "^6.0.1" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/wrappy": { - "version": "1.0.2", - "resolved": "http://localhost:4873/wrappy/-/wrappy-1.0.2.tgz", - "integrity": "sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==", - "dev": true, - "license": "ISC" - }, - "node_modules/write-file-atomic": { - "version": "3.0.3", - "resolved": "http://localhost:4873/write-file-atomic/-/write-file-atomic-3.0.3.tgz", - "integrity": "sha512-AvHcyZ5JnSfq3ioSyjrBkH9yW4m7Ayk8/9My/DD9onKeu/94fwrMocemO2QAJFAlnnDN+ZDS+ZjAR5ua1/PV/Q==", - "dev": true, - "license": "ISC", - "dependencies": { - "imurmurhash": "^0.1.4", - "is-typedarray": "^1.0.0", - "signal-exit": "^3.0.2", - "typedarray-to-buffer": "^3.1.5" - } - }, - "node_modules/ws": { - "version": "8.18.2", - "resolved": "http://localhost:4873/ws/-/ws-8.18.2.tgz", - "integrity": "sha512-DMricUmwGZUVr++AEAe2uiVM7UoO9MAVZMDu05UQOaUII0lp+zOzLLU4Xqh/JvTqklB1T4uELaaPBKyjE1r4fQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10.0.0" - }, - "peerDependencies": { - "bufferutil": "^4.0.1", - "utf-8-validate": ">=5.0.2" - }, - "peerDependenciesMeta": { - "bufferutil": { - "optional": true - }, - "utf-8-validate": { - "optional": true - } - } - }, - "node_modules/xdg-basedir": { - "version": "4.0.0", - "resolved": "http://localhost:4873/xdg-basedir/-/xdg-basedir-4.0.0.tgz", - "integrity": "sha512-PSNhEJDejZYV7h50BohL09Er9VaIefr2LMAf3OEmpCkjOi34eYyQYAXUTjEQtZJTKcF0E2UKTh+osDLsgNim9Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/xml-name-validator": { - "version": "3.0.0", - "resolved": "http://localhost:4873/xml-name-validator/-/xml-name-validator-3.0.0.tgz", - "integrity": "sha512-A5CUptxDsvxKJEU3yO6DuWBSJz/qizqzJKOMIfUJHETbBw/sFaDxgd6fxm1ewUaM0jZ444Fc5vC5ROYurg/4Pw==", - "dev": true, - "license": "Apache-2.0" - }, - "node_modules/xml2js": { - "version": "0.6.2", - "resolved": "http://localhost:4873/xml2js/-/xml2js-0.6.2.tgz", - "integrity": "sha512-T4rieHaC1EXcES0Kxxj4JWgaUQHDk+qwHcYOCFHfiwKz7tOVPLq7Hjq9dM1WCMhylqMEfP7hMcOIChvotiZegA==", - "dev": true, - "license": "MIT", - "dependencies": { - "sax": ">=0.6.0", - "xmlbuilder": "~11.0.0" - }, - "engines": { - "node": ">=4.0.0" - } - }, - "node_modules/xmlbuilder": { - "version": "11.0.1", - "resolved": "http://localhost:4873/xmlbuilder/-/xmlbuilder-11.0.1.tgz", - "integrity": "sha512-fDlsI/kFEx7gLvbecc0/ohLG50fugQp8ryHzMTuW9vSa1GJ0XYWKnhsUx7oie3G98+r56aTQIUB4kht42R3JvA==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=4.0" - } - }, - "node_modules/xmlchars": { - "version": "2.2.0", - "resolved": "http://localhost:4873/xmlchars/-/xmlchars-2.2.0.tgz", - "integrity": "sha512-JZnDKK8B0RCDw84FNdDAIpZK+JuJw+s7Lz8nksI7SIuU3UXJJslUthsi+uWBUYOwPFwW7W7PRLRfUKpxjtjFCw==", - "dev": true, - "license": "MIT" - }, - "node_modules/xtend": { - "version": "4.0.2", - "resolved": "http://localhost:4873/xtend/-/xtend-4.0.2.tgz", - "integrity": "sha512-LKYU1iAXJXUgAXn9URjiu+MWhyUXHsvfp7mcuYm9dSUKK0/CjtrUwFAxD82/mCWbtLsGjFIad0wIsod4zrTAEQ==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=0.4" - } - }, - "node_modules/y18n": { - "version": "4.0.3", - "resolved": "http://localhost:4873/y18n/-/y18n-4.0.3.tgz", - "integrity": "sha512-JKhqTOwSrqNA1NY5lSztJ1GrBiUodLMmIZuLiDaMRJ+itFd+ABVE8XBjOvIWL+rSqNDC74LCSFmlb/U4UZ4hJQ==", - "dev": true, - "license": "ISC" - }, - "node_modules/yallist": { - "version": "3.1.1", - "resolved": "http://localhost:4873/yallist/-/yallist-3.1.1.tgz", - "integrity": "sha512-a4UGQaWPH59mOXUYnAG2ewncQS4i4F43Tv3JoAM+s2VDAmS9NsK8GpDMLrCHPksFT7h3K6TOoUNn2pb7RoXx4g==", - "dev": true, - "license": "ISC" - }, - "node_modules/yaml": { - "version": "1.10.2", - "resolved": "http://localhost:4873/yaml/-/yaml-1.10.2.tgz", - "integrity": "sha512-r3vXyErRCYJ7wg28yvBY5VSoAF8ZvlcW9/BwUzEtUsjvX/DKs24dIkuwjtuprwJJHsbyUbLApepYTR1BN4uHrg==", - "dev": true, - "license": "ISC", - "engines": { - "node": ">= 6" - } - }, - "node_modules/yargs": { - "version": "15.4.1", - "resolved": "http://localhost:4873/yargs/-/yargs-15.4.1.tgz", - "integrity": "sha512-aePbxDmcYW++PaqBsJ+HYUFwCdv4LVvdnhBy78E57PIor8/OVvhMrADFFEDh8DHDFRv/O9i3lPhsENjO7QX0+A==", - "dev": true, - "license": "MIT", - "dependencies": { - "cliui": "^6.0.0", - "decamelize": "^1.2.0", - "find-up": "^4.1.0", - "get-caller-file": "^2.0.1", - "require-directory": "^2.1.1", - "require-main-filename": "^2.0.0", - "set-blocking": "^2.0.0", - "string-width": "^4.2.0", - "which-module": "^2.0.0", - "y18n": "^4.0.0", - "yargs-parser": "^18.1.2" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/yargs-parser": { - "version": "13.1.2", - "resolved": "http://localhost:4873/yargs-parser/-/yargs-parser-13.1.2.tgz", - "integrity": "sha512-3lbsNRf/j+A4QuSZfDRA7HRSfWrzO0YjqTJd5kjAq37Zep1CEgaYmrH9Q3GwPiB9cHyd1Y1UwggGhJGoxipbzg==", - "dev": true, - "license": "ISC", - "dependencies": { - "camelcase": "^5.0.0", - "decamelize": "^1.2.0" - } - }, - "node_modules/yargs/node_modules/emoji-regex": { - "version": "8.0.0", - "resolved": "http://localhost:4873/emoji-regex/-/emoji-regex-8.0.0.tgz", - "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", - "dev": true, - "license": "MIT" - }, - "node_modules/yargs/node_modules/is-fullwidth-code-point": { - "version": "3.0.0", - "resolved": "http://localhost:4873/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", - "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=8" - } - }, - "node_modules/yargs/node_modules/string-width": { - "version": "4.2.3", - "resolved": "http://localhost:4873/string-width/-/string-width-4.2.3.tgz", - "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", - "dev": true, - "license": "MIT", - "dependencies": { - "emoji-regex": "^8.0.0", - "is-fullwidth-code-point": "^3.0.0", - "strip-ansi": "^6.0.1" - }, - "engines": { - "node": ">=8" - } - }, - "node_modules/yargs/node_modules/yargs-parser": { - "version": "18.1.3", - "resolved": "http://localhost:4873/yargs-parser/-/yargs-parser-18.1.3.tgz", - "integrity": "sha512-o50j0JeToy/4K6OZcaQmW6lyXXKhq7csREXcDwk2omFPJEwUNOVtJKvmDr9EI1fAJZUyZcRF7kxGBWmRXudrCQ==", - "dev": true, - "license": "ISC", - "dependencies": { - "camelcase": "^5.0.0", - "decamelize": "^1.2.0" - }, - "engines": { - "node": ">=6" - } - }, - "node_modules/yauzl": { - "version": "2.10.0", - "resolved": "http://localhost:4873/yauzl/-/yauzl-2.10.0.tgz", - "integrity": "sha512-p4a9I6X6nu6IhoGmBqAcbJy1mlC4j27vEPZX9F4L4/vZT3Lyq1VkFHw/V/PUcB9Buo+DG3iHkT0x3Qya58zc3g==", - "dev": true, - "license": "MIT", - "dependencies": { - "buffer-crc32": "~0.2.3", - "fd-slicer": "~1.1.0" - } - }, - "node_modules/yocto-queue": { - "version": "0.1.0", - "resolved": "http://localhost:4873/yocto-queue/-/yocto-queue-0.1.0.tgz", - "integrity": "sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==", - "dev": true, - "license": "MIT", - "engines": { - "node": ">=10" - }, - "funding": { - "url": "https://github.com/sponsors/sindresorhus" - } - }, - "node_modules/zip-stream": { - "version": "1.2.0", - "resolved": "http://localhost:4873/zip-stream/-/zip-stream-1.2.0.tgz", - "integrity": "sha512-2olrDUuPM4NvRIgGPhvrp84f7/HmWR6RiQrgwFF2VctmnssFiogtYL3DcA8Vl2bsSmju79sVXe38TsII7JleUg==", - "dev": true, - "license": "MIT", - "dependencies": { - "archiver-utils": "^1.3.0", - "compress-commons": "^1.2.0", - "lodash": "^4.8.0", - "readable-stream": "^2.0.0" - }, - "engines": { - "node": ">= 0.10.0" - } - } - } -} diff --git a/my-test-project/package.json b/my-test-project/package.json deleted file mode 100644 index 86a3ffb978..0000000000 --- a/my-test-project/package.json +++ /dev/null @@ -1,52 +0,0 @@ -{ - "name": "demo-storefront", - "version": "0.0.1", - "license": "See license in LICENSE", - "engines": { - "node": "^18.0.0 || ^20.0.0 || ^22.0.0", - "npm": "^9.0.0 || ^10.0.0 || ^11.0.0" - }, - "ccExtensibility": { - "extends": "@salesforce/retail-react-app", - "overridesDir": "overrides" - }, - "devDependencies": { - "@salesforce/retail-react-app": "7.0.0-dev.0" - }, - "scripts": { - "analyze-build": "cross-env MOBIFY_ANALYZE=true npm run build", - "build": "npm run build-translations && pwa-kit-dev build", - "build-translations": "npm run extract-default-translations && npm run compile-translations && npm run compile-translations:pseudo", - "compile-translations": "node ./node_modules/@salesforce/retail-react-app/scripts/translations/compile-folder.js translations", - "compile-translations:pseudo": "node ./node_modules/@salesforce/retail-react-app/scripts/translations/compile-pseudo.js translations/en-US.json", - "extract-default-translations": "node ./node_modules/@salesforce/retail-react-app/scripts/translations/extract-default-messages.js en-US en-GB", - "format": "pwa-kit-dev format \"**/*.{js,jsx}\"", - "lint": "pwa-kit-dev lint \"**/*.{js,jsx}\"", - "lint:fix": "npm run lint -- --fix", - "postinstall": "npm run compile-translations && npm run compile-translations:pseudo", - "push": "npm run build && pwa-kit-dev push", - "save-credentials": "pwa-kit-dev save-credentials", - "start": "cross-env NODE_ICU_DATA=node_modules/full-icu pwa-kit-dev start", - "start:inspect": "npm run start -- --inspect", - "start:pseudolocale": "npm run extract-default-translations && npm run compile-translations:pseudo && cross-env USE_PSEUDOLOCALE=true npm run start", - "tail-logs": "pwa-kit-dev tail-logs", - "test": "pwa-kit-dev test", - "test:lighthouse": "cross-env NODE_ENV=production lhci autorun --config=tests/lighthouserc.js", - "test:max-file-size": "npm run build && bundlesize" - }, - "bundlesize": [ - { - "path": "build/main.js", - "maxSize": "44 kB" - }, - { - "path": "build/vendor.js", - "maxSize": "320 kB" - } - ], - "browserslist": [ - "iOS >= 9.0", - "Android >= 4.4.4", - "last 4 ChromeAndroid versions" - ] -} \ No newline at end of file diff --git a/my-test-project/translations/README.md b/my-test-project/translations/README.md deleted file mode 100644 index a8da135cb0..0000000000 --- a/my-test-project/translations/README.md +++ /dev/null @@ -1,127 +0,0 @@ -# Translations - -Most of the files in this folder are generated by `react-intl` **CLI tool**: - -- `/translations/en-US.json` <- output of _extracting_ the default messages, which you can send to your translators. -- `/translations/[locale].json` <- the files that your translators make for the other locales -- `/translations/compiled/[locale].json` <- output of _compiling_ the messages into AST format - - Compiling helps improve the performance because it allows `react-intl` to skip the parsing step - -Several **npm scripts** are available to you that make it easier to use the CLI tool. See `package.json` for more details. - -- To **extract the default messages**, run `npm run extract-default-translations` to have all the default messages extracted into a json file. By default, en-US.json is the file that's generated. If you wish to extract your messages into a different json file, simply update the script by replacing `en-US` with your desired locale. -- To **compile the translations** from all the locales, run `npm run compile-translations`. -- To run **both an extract and compile**, run `npm run build-translations`. - -## Formatting Messages - -For all the hardcoded translations in your site, write them... - -- _inline_ in the components, so it’s easier to see where in the page or component that they get used in -- and in the _default/fallback locale_ (for example, in English) - -For example, in your React component, you can add formatted messages like `intl.formatMessage({defaultMessage: '...'})` or `` - -### Adding Message Id - -At the minimum, only defaultMessage is the required parameter. The message id is optional. If you don’t specify it, the id is auto-generated for you. - -## Testing with a Pseudo Locale - -To check whether you’ve wrapped all the hardcoded strings with either `intl.formatMessage()` or `` , there’s a quick way to test that by running `npm run start:pseudolocale`. It runs your local dev server with the locale forced to the pseudo locale. - -Loading the site in your browser, you can quickly see that those messages that have been formatted would look like this: `[!! Ṕŕíííṿâćććẏ ṔṔṔŏĺíííćẏ !!]` - -# Localization - -Since the Retail React App supports **multiple sites** feature, this means each site can have its own localization setup. In each site, -the default locale, supported locales, and currency settings are defined in a site object in `config/sites.js` under `ll0n`. - -The locale ids `l10n.supportedLocales[n].id` follow the format supported by OCAPI and Commerce API: `-` as defined in this InfoCenter topic: [OCAPI localization 21.8](https://documentation.b2c.commercecloud.salesforce.com/DOC1/topic/com.demandware.dochelp/OCAPI/current/usage/Localization.html). - -The currency code in `l10n.supportedCurrencies` and `l10n.supportedLocales[n].preferredCurrency` follow the ISO 4217 standard. - -**Important**: The supported locale settings `l10n.supportedLocales` must match the locale settings for your B2C Commerce instance. For more information about configuring locales on a B2C Commerce instance, see this InfoCenter topic: [Configure Site Locales](https://documentation.b2c.commercecloud.salesforce.com/DOC2/topic/com.demandware.dochelp/content/b2c_commerce/topics/admin/b2c_configuring_site_locales.html). - -Here’s an example of locale configuration in sites configuration: - -```js -// config/sites.js -modules.exports = [ - { - id: 'site-id', - l10n: { - supportedCurrencies: ['GBP', 'EUR', 'CNY', 'JPY'], - defaultCurrency: 'GBP', - supportedLocales: [ - { - id: 'de-DE', - preferredCurrency: 'EUR' - }, - { - id: 'en-GB', - preferredCurrency: 'GBP' - }, - { - id: 'es-MX', - preferredCurrency: 'MXN' - }, - // other locales - ], - defaultLocale: 'en-GB' - } - } -] -``` - -## How to Add a New Locale - -The process for adding a new locale is as follows: - -1. Create/enable the new locale in Business Manager of your B2C Commerce instance -2. Enable the locale's currency too in Business Manager -3. Add the new locale and its currency to your targeted site in `config/sites.js` -4. If the new locale is also going to be the locale of your inline default messages: - - Update those default messages to be in that locale's language - - Run `npm run extract-default-translations` to extract the new translations - - Send the extracted translations to your translation team -5. Place the files you receive from your translation team into the `/translations/` folder -6. Run `npm run compile-translations` - -## Tips - -Here are a few useful things to know for developers. - -### User-Preferred Locales vs. App-Supported Locales - -How a locale gets chosen depends on whether there’s a match found between 2 sets of locales. On a high level, it looks like this: - -1. Get the app-supported locales, which are defined in each site object in `config/sites.js` (under `l10n.supportedLocales` of your targeted site). -2. Get the user-preferred locales, which are what the visitors prefer to see. The developer is responsible for fully implementing them in their own projects within the special `_app` component. -3. If there’s a match between these 2 sets of locales, then the app would use it as the target locale. -4. Otherwise, the app would fall back to the locale of the inline `defaultMessage`s. - -### How to Detect the Active Locale - -- Within component render, `useLocale` hook is available to you: `const locale = useLocale()` -- Within a page’s `getProps` you can call utility function `resolveLocaleFromUrl` like this: - -```js -ProductDetail.getProps = async ({res, params, location, api}) => { - const locale = resolveLocaleFromUrl(`${location.pathname}${location.search}`) - ... -} -``` - -### Dynamic Loading of the Translation Files - -Using dynamic import, regardless of how many locales the app supports, it would load only one locale at a time. - -Initially, on app load, the translated messages are part of the server-rendered html. Afterwards on the client side, when dynamically changing the locale, the app would download the JSON file associated with that locale. - -- Each locale is a separate JSON file in the bundle. And it’s served with a 1-year cache header. -- When a new bundle is deployed, you must download the JSON files again. - -### Link Component - -The generated project comes with its own `Link` component. It automatically inserts the locale in the URLs for you. diff --git a/my-test-project/translations/de-DE.json b/my-test-project/translations/de-DE.json deleted file mode 100644 index b1f7513a09..0000000000 --- a/my-test-project/translations/de-DE.json +++ /dev/null @@ -1,1517 +0,0 @@ -{ - "account.accordion.button.my_account": { - "defaultMessage": "Mein Konto" - }, - "account.heading.my_account": { - "defaultMessage": "Mein Konto" - }, - "account.logout_button.button.log_out": { - "defaultMessage": "Ausloggen" - }, - "account_addresses.badge.default": { - "defaultMessage": "Standard" - }, - "account_addresses.button.add_address": { - "defaultMessage": "Adresse hinzufügen" - }, - "account_addresses.info.address_removed": { - "defaultMessage": "Adresse entfernt" - }, - "account_addresses.info.address_updated": { - "defaultMessage": "Adresse aktualisiert" - }, - "account_addresses.info.new_address_saved": { - "defaultMessage": "Neue Adresse gespeichert" - }, - "account_addresses.page_action_placeholder.button.add_address": { - "defaultMessage": "Adresse hinzufügen" - }, - "account_addresses.page_action_placeholder.heading.no_saved_addresses": { - "defaultMessage": "Keine gespeicherten Adressen" - }, - "account_addresses.page_action_placeholder.message.add_new_address": { - "defaultMessage": "Fügen Sie für eine schnellere Kaufabwicklung eine neue Adressmethode hinzu." - }, - "account_addresses.title.addresses": { - "defaultMessage": "Adressen" - }, - "account_detail.title.account_details": { - "defaultMessage": "Kontodetails" - }, - "account_order_detail.heading.billing_address": { - "defaultMessage": "Rechnungsadresse" - }, - "account_order_detail.heading.num_of_items": { - "defaultMessage": "{count} Artikel" - }, - "account_order_detail.heading.payment_method": { - "defaultMessage": "Zahlungsmethode" - }, - "account_order_detail.heading.shipping_address": { - "defaultMessage": "Lieferadresse" - }, - "account_order_detail.heading.shipping_method": { - "defaultMessage": "Versandmethode" - }, - "account_order_detail.label.order_number": { - "defaultMessage": "Bestellungsnummer: {orderNumber}" - }, - "account_order_detail.label.ordered_date": { - "defaultMessage": "Bestellt: {date}" - }, - "account_order_detail.label.pending_tracking_number": { - "defaultMessage": "Ausstehend" - }, - "account_order_detail.label.tracking_number": { - "defaultMessage": "Sendungsverfolgungsnummer" - }, - "account_order_detail.link.back_to_history": { - "defaultMessage": "Zurück zum Bestellverlauf" - }, - "account_order_detail.shipping_status.not_shipped": { - "defaultMessage": "Nicht versandt" - }, - "account_order_detail.shipping_status.part_shipped": { - "defaultMessage": "Teilweise versandt" - }, - "account_order_detail.shipping_status.shipped": { - "defaultMessage": "Versandt" - }, - "account_order_detail.title.order_details": { - "defaultMessage": "Bestellungsdetails" - }, - "account_order_history.button.continue_shopping": { - "defaultMessage": "Weiter einkaufen" - }, - "account_order_history.description.once_you_place_order": { - "defaultMessage": "Sobald Sie eine Bestellung aufgegeben haben, werden die Einzelheiten hier angezeigt." - }, - "account_order_history.heading.no_order_yet": { - "defaultMessage": "Sie haben noch keine Bestellung aufgegeben." - }, - "account_order_history.label.num_of_items": { - "defaultMessage": "{count} Artikel", - "description": "Number of items in order" - }, - "account_order_history.label.order_number": { - "defaultMessage": "Bestellungsnummer: {orderNumber}" - }, - "account_order_history.label.ordered_date": { - "defaultMessage": "Bestellt: {date}" - }, - "account_order_history.label.shipped_to": { - "defaultMessage": "Versand an: {name}" - }, - "account_order_history.link.view_details": { - "defaultMessage": "Details anzeigen" - }, - "account_order_history.title.order_history": { - "defaultMessage": "Bestellverlauf" - }, - "account_wishlist.button.continue_shopping": { - "defaultMessage": "Weiter einkaufen" - }, - "account_wishlist.description.continue_shopping": { - "defaultMessage": "Kaufen Sie weiter ein und fügen Sie Ihrer Wunschliste Artikel hinzu." - }, - "account_wishlist.heading.no_wishlist": { - "defaultMessage": "Keine Artikel auf der Wunschliste" - }, - "account_wishlist.title.wishlist": { - "defaultMessage": "Wunschliste" - }, - "action_card.action.edit": { - "defaultMessage": "Bearbeiten" - }, - "action_card.action.remove": { - "defaultMessage": "Entfernen" - }, - "add_to_cart_modal.info.added_to_cart": { - "defaultMessage": "{quantity} {quantity, plural, one {Artikel} other {Artikel}} zum Warenkorb hinzugefügt" - }, - "add_to_cart_modal.label.cart_subtotal": { - "defaultMessage": "Zwischensumme des Warenkorbs ({itemAccumulatedCount} Artikel)" - }, - "add_to_cart_modal.label.quantity": { - "defaultMessage": "Menge" - }, - "add_to_cart_modal.link.checkout": { - "defaultMessage": "Weiter zum Checkout" - }, - "add_to_cart_modal.link.view_cart": { - "defaultMessage": "Warenkorb anzeigen" - }, - "add_to_cart_modal.recommended_products.title.might_also_like": { - "defaultMessage": "Das könnte Ihnen auch gefallen" - }, - "auth_modal.button.close.assistive_msg": { - "defaultMessage": "Anmeldeformular schließen" - }, - "auth_modal.description.now_signed_in": { - "defaultMessage": "Sie sind jetzt angemeldet." - }, - "auth_modal.error.incorrect_email_or_password": { - "defaultMessage": "Irgendetwas stimmt mit Ihrer E-Mail-Adresse oder Ihrem Passwort nicht. Bitte versuchen Sie es erneut." - }, - "auth_modal.info.welcome_user": { - "defaultMessage": "Willkommen {name}," - }, - "auth_modal.password_reset_success.button.back_to_sign_in": { - "defaultMessage": "Zurück zur Anmeldung" - }, - "auth_modal.password_reset_success.info.will_email_shortly": { - "defaultMessage": "Sie erhalten in Kürze eine E-Mail an {email} mit einem Link zum Zurücksetzen Ihres Passworts." - }, - "auth_modal.password_reset_success.title.password_reset": { - "defaultMessage": "Zurücksetzen des Passworts" - }, - "carousel.button.scroll_left.assistive_msg": { - "defaultMessage": "Karussell nach links scrollen" - }, - "carousel.button.scroll_right.assistive_msg": { - "defaultMessage": "Karussell nach rechts scrollen" - }, - "cart.info.removed_from_cart": { - "defaultMessage": "Artikel aus dem Warenkorb entfernt" - }, - "cart.recommended_products.title.may_also_like": { - "defaultMessage": "Das könnte Ihnen auch gefallen" - }, - "cart.recommended_products.title.recently_viewed": { - "defaultMessage": "Zuletzt angesehen" - }, - "cart_cta.link.checkout": { - "defaultMessage": "Weiter zum Checkout" - }, - "cart_secondary_button_group.action.added_to_wishlist": { - "defaultMessage": "Zur Wunschliste hinzufügen" - }, - "cart_secondary_button_group.action.edit": { - "defaultMessage": "Bearbeiten" - }, - "cart_secondary_button_group.action.remove": { - "defaultMessage": "Entfernen" - }, - "cart_secondary_button_group.label.this_is_gift": { - "defaultMessage": "Dies ist ein Geschenk." - }, - "cart_skeleton.heading.order_summary": { - "defaultMessage": "Bestellungsübersicht" - }, - "cart_skeleton.title.cart": { - "defaultMessage": "Warenkorb" - }, - "cart_title.title.cart_num_of_items": { - "defaultMessage": "Warenkorb ({itemCount, plural, =0 {0 Artikel} one {# Artikel} other {# Artikel}})" - }, - "cc_radio_group.action.remove": { - "defaultMessage": "Entfernen" - }, - "cc_radio_group.button.add_new_card": { - "defaultMessage": "Neue Karte hinzufügen" - }, - "checkout.button.place_order": { - "defaultMessage": "Bestellen" - }, - "checkout.message.generic_error": { - "defaultMessage": "Während der Kaufabwicklung ist ein unerwarteter Fehler aufgetreten:" - }, - "checkout_confirmation.button.create_account": { - "defaultMessage": "Konto erstellen" - }, - "checkout_confirmation.heading.billing_address": { - "defaultMessage": "Rechnungsadresse" - }, - "checkout_confirmation.heading.create_account": { - "defaultMessage": "Für schnellere Kaufabwicklung ein Konto erstellen" - }, - "checkout_confirmation.heading.credit_card": { - "defaultMessage": "Kreditkarte" - }, - "checkout_confirmation.heading.delivery_details": { - "defaultMessage": "Lieferdetails" - }, - "checkout_confirmation.heading.order_summary": { - "defaultMessage": "Bestellungsübersicht" - }, - "checkout_confirmation.heading.payment_details": { - "defaultMessage": "Zahlungsdetails" - }, - "checkout_confirmation.heading.shipping_address": { - "defaultMessage": "Lieferadresse" - }, - "checkout_confirmation.heading.shipping_method": { - "defaultMessage": "Versandmethode" - }, - "checkout_confirmation.heading.thank_you_for_order": { - "defaultMessage": "Vielen Dank für Ihre Bestellung!" - }, - "checkout_confirmation.label.free": { - "defaultMessage": "Gratis" - }, - "checkout_confirmation.label.order_number": { - "defaultMessage": "Bestellungsnummer" - }, - "checkout_confirmation.label.order_total": { - "defaultMessage": "Gesamtbetrag" - }, - "checkout_confirmation.label.promo_applied": { - "defaultMessage": "Werbeaktion angewendet" - }, - "checkout_confirmation.label.shipping": { - "defaultMessage": "Versand" - }, - "checkout_confirmation.label.subtotal": { - "defaultMessage": "Zwischensumme" - }, - "checkout_confirmation.label.tax": { - "defaultMessage": "Steuern" - }, - "checkout_confirmation.link.continue_shopping": { - "defaultMessage": "Weiter einkaufen" - }, - "checkout_confirmation.link.login": { - "defaultMessage": "Hier einloggen" - }, - "checkout_confirmation.message.already_has_account": { - "defaultMessage": "Diese E-Mail-Adresse ist bereits mit einem Konto verknüpft." - }, - "checkout_confirmation.message.num_of_items_in_order": { - "defaultMessage": "{itemCount, plural, =0 {0 Artikel} one {# Artikel} other {# Artikel}}", - "description": "# item(s) in order" - }, - "checkout_confirmation.message.will_email_shortly": { - "defaultMessage": "Wir senden in Kürze eine E-Mail mit Ihrer Bestätigungsnummer und Ihrem Beleg an {email}." - }, - "checkout_footer.link.privacy_policy": { - "defaultMessage": "Datenschutzrichtlinie" - }, - "checkout_footer.link.returns_exchanges": { - "defaultMessage": "Retouren und Umtausch" - }, - "checkout_footer.link.shipping": { - "defaultMessage": "Versand" - }, - "checkout_footer.link.site_map": { - "defaultMessage": "Sitemap" - }, - "checkout_footer.link.terms_conditions": { - "defaultMessage": "Allgemeine Geschäftsbedingungen" - }, - "checkout_footer.message.copyright": { - "defaultMessage": "Salesforce oder dessen Geschäftspartner. Alle Rechte vorbehalten. Dies ist lediglich ein Geschäft zu Demonstrationszwecken. Aufgegebene Bestellungen WERDEN NICHT bearbeitet." - }, - "checkout_header.link.assistive_msg.cart": { - "defaultMessage": "Zurück zum Warenkorb, Anzahl der Artikel: {numItems}" - }, - "checkout_header.link.cart": { - "defaultMessage": "Zurück zum Warenkorb" - }, - "checkout_payment.action.remove": { - "defaultMessage": "Entfernen" - }, - "checkout_payment.button.review_order": { - "defaultMessage": "Bestellung überprüfen" - }, - "checkout_payment.heading.billing_address": { - "defaultMessage": "Rechnungsadresse" - }, - "checkout_payment.heading.credit_card": { - "defaultMessage": "Kreditkarte" - }, - "checkout_payment.label.same_as_shipping": { - "defaultMessage": "Entspricht der Lieferadresse" - }, - "checkout_payment.title.payment": { - "defaultMessage": "Zahlung" - }, - "colorRefinements.label.hitCount": { - "defaultMessage": "{colorLabel} ({colorHitCount})" - }, - "confirmation_modal.default.action.no": { - "defaultMessage": "Nein" - }, - "confirmation_modal.default.action.yes": { - "defaultMessage": "Ja" - }, - "confirmation_modal.default.message.you_want_to_continue": { - "defaultMessage": "Möchten Sie wirklich fortfahren?" - }, - "confirmation_modal.default.title.confirm_action": { - "defaultMessage": "Aktion bestätigen" - }, - "confirmation_modal.remove_cart_item.action.no": { - "defaultMessage": "Nein, Artikel beibehalten" - }, - "confirmation_modal.remove_cart_item.action.remove": { - "defaultMessage": "Entfernen" - }, - "confirmation_modal.remove_cart_item.action.yes": { - "defaultMessage": "Ja, Artikel entfernen" - }, - "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": { - "defaultMessage": "Einige Artikel sind nicht mehr online verfügbar und werden aus Ihrem Warenkorb entfernt." - }, - "confirmation_modal.remove_cart_item.message.sure_to_remove": { - "defaultMessage": "Möchten Sie diesen Artikel wirklich aus Ihrem Warenkorb löschen?" - }, - "confirmation_modal.remove_cart_item.title.confirm_remove": { - "defaultMessage": "Entfernung des Artikels bestätigen" - }, - "confirmation_modal.remove_cart_item.title.items_unavailable": { - "defaultMessage": "Artikel nicht verfügbar" - }, - "confirmation_modal.remove_wishlist_item.action.no": { - "defaultMessage": "Nein, Artikel beibehalten" - }, - "confirmation_modal.remove_wishlist_item.action.yes": { - "defaultMessage": "Ja, Artikel entfernen" - }, - "confirmation_modal.remove_wishlist_item.message.sure_to_remove": { - "defaultMessage": "Möchten Sie diesen Artikel wirklich aus Ihrer Wunschliste entfernen?" - }, - "confirmation_modal.remove_wishlist_item.title.confirm_remove": { - "defaultMessage": "Entfernung des Artikels bestätigen" - }, - "contact_info.action.sign_out": { - "defaultMessage": "Abmelden" - }, - "contact_info.button.already_have_account": { - "defaultMessage": "Sie haben bereits ein Konto? Einloggen" - }, - "contact_info.button.checkout_as_guest": { - "defaultMessage": "Kaufabwicklung als Gast" - }, - "contact_info.button.login": { - "defaultMessage": "Einloggen" - }, - "contact_info.error.incorrect_username_or_password": { - "defaultMessage": "Benutzername oder Passwort falsch, bitte erneut versuchen." - }, - "contact_info.link.forgot_password": { - "defaultMessage": "Passwort vergessen?" - }, - "contact_info.title.contact_info": { - "defaultMessage": "Kontaktinfo" - }, - "credit_card_fields.tool_tip.security_code": { - "defaultMessage": "Dieser 3-stellige Code kann der Rückseite Ihrer Karte entnommen werden.", - "description": "Generic credit card security code help text" - }, - "credit_card_fields.tool_tip.security_code.american_express": { - "defaultMessage": "Dieser 4-stellige Code kann der Vorderseite Ihrer Karte entnommen werden.", - "description": "American Express security code help text" - }, - "credit_card_fields.tool_tip.security_code_aria_label": { - "defaultMessage": "Informationen zum Sicherheitscode" - }, - "drawer_menu.button.account_details": { - "defaultMessage": "Kontodetails" - }, - "drawer_menu.button.addresses": { - "defaultMessage": "Adressen" - }, - "drawer_menu.button.log_out": { - "defaultMessage": "Ausloggen" - }, - "drawer_menu.button.my_account": { - "defaultMessage": "Mein Konto" - }, - "drawer_menu.button.order_history": { - "defaultMessage": "Bestellverlauf" - }, - "drawer_menu.link.about_us": { - "defaultMessage": "Über uns" - }, - "drawer_menu.link.customer_support": { - "defaultMessage": "Kundenservice" - }, - "drawer_menu.link.customer_support.contact_us": { - "defaultMessage": "Kontakt" - }, - "drawer_menu.link.customer_support.shipping_and_returns": { - "defaultMessage": "Versand und Retouren" - }, - "drawer_menu.link.our_company": { - "defaultMessage": "Unser Unternehmen" - }, - "drawer_menu.link.privacy_and_security": { - "defaultMessage": "Datenschutz und Sicherheit" - }, - "drawer_menu.link.privacy_policy": { - "defaultMessage": "Datenschutzrichtlinie" - }, - "drawer_menu.link.shop_all": { - "defaultMessage": "Alle durchstöbern" - }, - "drawer_menu.link.sign_in": { - "defaultMessage": "Anmelden" - }, - "drawer_menu.link.site_map": { - "defaultMessage": "Sitemap" - }, - "drawer_menu.link.store_locator": { - "defaultMessage": "Shop-Finder" - }, - "drawer_menu.link.terms_and_conditions": { - "defaultMessage": "Allgemeine Geschäftsbedingungen" - }, - "empty_cart.description.empty_cart": { - "defaultMessage": "Ihr Warenkorb ist leer." - }, - "empty_cart.link.continue_shopping": { - "defaultMessage": "Weiter einkaufen" - }, - "empty_cart.link.sign_in": { - "defaultMessage": "Anmelden" - }, - "empty_cart.message.continue_shopping": { - "defaultMessage": "Setzen Sie Ihren Einkauf fort, um Ihrem Warenkorb Artikel hinzuzufügen." - }, - "empty_cart.message.sign_in_or_continue_shopping": { - "defaultMessage": "Melden Sie sich an, um Ihre gespeicherten Artikel abzurufen oder mit dem Einkauf fortzufahren." - }, - "empty_search_results.info.cant_find_anything_for_category": { - "defaultMessage": "Wir konnten in der Kategorie \"{category}\" nichts finden. Suchen Sie nach einem Produkt oder setzen Sie sich mit unserem {link} in Verbindung." - }, - "empty_search_results.info.cant_find_anything_for_query": { - "defaultMessage": "Wir konnten für die Anfrage \"{searchQuery}\" nichts finden." - }, - "empty_search_results.info.double_check_spelling": { - "defaultMessage": "Überprüfen Sie Ihre Schreibweise und versuchen Sie es erneut oder {link}." - }, - "empty_search_results.link.contact_us": { - "defaultMessage": "Kontakt" - }, - "empty_search_results.recommended_products.title.most_viewed": { - "defaultMessage": "Meistgesehen" - }, - "empty_search_results.recommended_products.title.top_sellers": { - "defaultMessage": "Verkaufshits" - }, - "field.password.assistive_msg.hide_password": { - "defaultMessage": "Passwort verbergen" - }, - "field.password.assistive_msg.show_password": { - "defaultMessage": "Passwort anzeigen" - }, - "footer.column.account": { - "defaultMessage": "Konto" - }, - "footer.column.customer_support": { - "defaultMessage": "Kundenservice" - }, - "footer.column.our_company": { - "defaultMessage": "Unser Unternehmen" - }, - "footer.link.about_us": { - "defaultMessage": "Über uns" - }, - "footer.link.contact_us": { - "defaultMessage": "Kontakt" - }, - "footer.link.order_status": { - "defaultMessage": "Bestellstatus" - }, - "footer.link.privacy_policy": { - "defaultMessage": "Datenschutzrichtlinie" - }, - "footer.link.shipping": { - "defaultMessage": "Versand" - }, - "footer.link.signin_create_account": { - "defaultMessage": "Anmelden oder Konto erstellen" - }, - "footer.link.site_map": { - "defaultMessage": "Sitemap" - }, - "footer.link.store_locator": { - "defaultMessage": "Shop-Finder" - }, - "footer.link.terms_conditions": { - "defaultMessage": "Allgemeine Geschäftsbedingungen" - }, - "footer.message.copyright": { - "defaultMessage": "Salesforce oder dessen Geschäftspartner. Alle Rechte vorbehalten. Dies ist lediglich ein Geschäft zu Demonstrationszwecken. Aufgegebene Bestellungen WERDEN NICHT bearbeitet." - }, - "footer.subscribe.button.sign_up": { - "defaultMessage": "Registrieren" - }, - "footer.subscribe.description.sign_up": { - "defaultMessage": "Melden Sie sich an, um stets die neuesten Angebote zu erhalten" - }, - "footer.subscribe.heading.first_to_know": { - "defaultMessage": "Aktuelle Infos für Sie" - }, - "form_action_buttons.button.cancel": { - "defaultMessage": "Abbrechen" - }, - "form_action_buttons.button.save": { - "defaultMessage": "Speichern" - }, - "global.account.link.account_details": { - "defaultMessage": "Kontodetails" - }, - "global.account.link.addresses": { - "defaultMessage": "Adressen" - }, - "global.account.link.order_history": { - "defaultMessage": "Bestellverlauf" - }, - "global.account.link.wishlist": { - "defaultMessage": "Wunschliste" - }, - "global.error.something_went_wrong": { - "defaultMessage": "Es ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut." - }, - "global.info.added_to_wishlist": { - "defaultMessage": "{quantity} {quantity, plural, one {Artikel} other {Artikel}} zur Wunschliste hinzugefügt" - }, - "global.info.already_in_wishlist": { - "defaultMessage": "Artikel befindet sich bereits auf der Wunschliste" - }, - "global.info.removed_from_wishlist": { - "defaultMessage": "Artikel aus der Wunschliste entfernt" - }, - "global.link.added_to_wishlist.view_wishlist": { - "defaultMessage": "Anzeigen" - }, - "header.button.assistive_msg.logo": { - "defaultMessage": "Logo" - }, - "header.button.assistive_msg.menu": { - "defaultMessage": "Menü" - }, - "header.button.assistive_msg.my_account": { - "defaultMessage": "Mein Konto" - }, - "header.button.assistive_msg.my_account_menu": { - "defaultMessage": "Kontomenü öffnen" - }, - "header.button.assistive_msg.my_cart_with_num_items": { - "defaultMessage": "Mein Warenkorb, Anzahl der Artikel: {numItems}" - }, - "header.button.assistive_msg.wishlist": { - "defaultMessage": "Wunschliste" - }, - "header.field.placeholder.search_for_products": { - "defaultMessage": "Nach Produkten suchen …" - }, - "header.popover.action.log_out": { - "defaultMessage": "Ausloggen" - }, - "header.popover.title.my_account": { - "defaultMessage": "Mein Konto" - }, - "home.description.features": { - "defaultMessage": "Vorkonfigurierte Funktionalitäten, damit Sie sich voll und ganz auf das Hinzufügen von Erweiterungen konzentrieren können." - }, - "home.description.here_to_help": { - "defaultMessage": "Wenden Sie sich an unser Support-Team." - }, - "home.description.here_to_help_line_2": { - "defaultMessage": "Wir leiten Sie gern an die richtige Stelle weiter." - }, - "home.description.shop_products": { - "defaultMessage": "Dieser Abschnitt enthält Content vom Katalog. Hier erfahren Sie, wie dieser ersetzt werden kann: {docLink}.", - "description": "{docLink} is a html button that links the user to https://sfdc.co/business-manager-manage-catalogs" - }, - "home.features.description.cart_checkout": { - "defaultMessage": "E-Commerce Best Practice für den Warenkorb eines Käufers und das Checkout-Erlebnis." - }, - "home.features.description.components": { - "defaultMessage": "Eine unter Verwendung der Chakra UI entwickelte, einfache, modulare und zugängliche React Komponentenbibliothek." - }, - "home.features.description.einstein_recommendations": { - "defaultMessage": "Liefern Sie das nächstbeste Produkt oder bieten Sie es allen Käufern über Produktempfehlungen an." - }, - "home.features.description.my_account": { - "defaultMessage": "Käufer können Kontoinformationen wie ihr Profil, Adressen, Zahlungen und Bestellungen verwalten." - }, - "home.features.description.shopper_login": { - "defaultMessage": "Ermöglichen Sie es Käufern, sich mit einem personalisierten Kauferlebnis einzuloggen." - }, - "home.features.description.wishlist": { - "defaultMessage": "Registrierte Käufer können Produktartikel zu ihrer Wunschliste hinzufügen, um diese später zu kaufen." - }, - "home.features.heading.cart_checkout": { - "defaultMessage": "Warenkorb und Kaufabwicklung" - }, - "home.features.heading.components": { - "defaultMessage": "Komponenten und Design-Kit" - }, - "home.features.heading.einstein_recommendations": { - "defaultMessage": "Einstein Empfehlungen" - }, - "home.features.heading.my_account": { - "defaultMessage": "Mein Konto" - }, - "home.features.heading.shopper_login": { - "defaultMessage": "Shopper Login and API Access Service (SLAS)" - }, - "home.features.heading.wishlist": { - "defaultMessage": "Wunschliste" - }, - "home.heading.features": { - "defaultMessage": "Funktionalitäten" - }, - "home.heading.here_to_help": { - "defaultMessage": "Wir sind für Sie da" - }, - "home.heading.shop_products": { - "defaultMessage": "Produkte durchstöbern" - }, - "home.hero_features.link.design_kit": { - "defaultMessage": "Mit dem Figma PWA Design Kit arbeiten" - }, - "home.hero_features.link.on_github": { - "defaultMessage": "Auf Github herunterladen" - }, - "home.hero_features.link.on_managed_runtime": { - "defaultMessage": "Auf Managed Runtime bereitstellen" - }, - "home.link.contact_us": { - "defaultMessage": "Kontakt" - }, - "home.link.get_started": { - "defaultMessage": "Erste Schritte" - }, - "home.link.read_docs": { - "defaultMessage": "Dokumente lesen" - }, - "home.title.react_starter_store": { - "defaultMessage": "React PWA Starter Store für den Einzelhandel" - }, - "icons.assistive_msg.lock": { - "defaultMessage": "SICHER" - }, - "item_attributes.label.promotions": { - "defaultMessage": "Werbeaktionen" - }, - "item_attributes.label.quantity": { - "defaultMessage": "Menge: {quantity}" - }, - "item_image.label.sale": { - "defaultMessage": "Sonderangebot", - "description": "A sale badge placed on top of a product image" - }, - "item_image.label.unavailable": { - "defaultMessage": "Nicht verfügbar", - "description": "A unavailable badge placed on top of a product image" - }, - "item_price.label.starting_at": { - "defaultMessage": "Ab" - }, - "lCPCxk": { - "defaultMessage": "Bitte alle Optionen oben auswählen" - }, - "list_menu.nav.assistive_msg": { - "defaultMessage": "Hauptnavigation" - }, - "locale_text.message.ar-SA": { - "defaultMessage": "Arabisch (Saudi-Arabien)" - }, - "locale_text.message.bn-BD": { - "defaultMessage": "Bangla (Bangladesch)" - }, - "locale_text.message.bn-IN": { - "defaultMessage": "Bangla (Indien)" - }, - "locale_text.message.cs-CZ": { - "defaultMessage": "Tschechisch (Tschechische Republik)" - }, - "locale_text.message.da-DK": { - "defaultMessage": "Dänisch (Dänemark)" - }, - "locale_text.message.de-AT": { - "defaultMessage": "Deutsch (Österreich)" - }, - "locale_text.message.de-CH": { - "defaultMessage": "Deutsch (Schweiz)" - }, - "locale_text.message.de-DE": { - "defaultMessage": "Deutsch (Deutschland)" - }, - "locale_text.message.el-GR": { - "defaultMessage": "Griechisch (Griechenland)" - }, - "locale_text.message.en-AU": { - "defaultMessage": "Englisch (Australien)" - }, - "locale_text.message.en-CA": { - "defaultMessage": "Englisch (Kanada)" - }, - "locale_text.message.en-GB": { - "defaultMessage": "Englisch (Vereinigtes Königreich)" - }, - "locale_text.message.en-IE": { - "defaultMessage": "Englisch (Irland)" - }, - "locale_text.message.en-IN": { - "defaultMessage": "Englisch (Indien)" - }, - "locale_text.message.en-NZ": { - "defaultMessage": "Englisch (Neuseeland)" - }, - "locale_text.message.en-US": { - "defaultMessage": "Englisch (USA)" - }, - "locale_text.message.en-ZA": { - "defaultMessage": "Englisch (Südafrika)" - }, - "locale_text.message.es-AR": { - "defaultMessage": "Spanisch (Argentinien)" - }, - "locale_text.message.es-CL": { - "defaultMessage": "Spanisch (Chile)" - }, - "locale_text.message.es-CO": { - "defaultMessage": "Spanisch (Kolumbien)" - }, - "locale_text.message.es-ES": { - "defaultMessage": "Spanisch (Spanien)" - }, - "locale_text.message.es-MX": { - "defaultMessage": "Spanisch (Mexiko)" - }, - "locale_text.message.es-US": { - "defaultMessage": "Spanisch (USA)" - }, - "locale_text.message.fi-FI": { - "defaultMessage": "Finnisch (Finnland)" - }, - "locale_text.message.fr-BE": { - "defaultMessage": "Französisch (Belgien)" - }, - "locale_text.message.fr-CA": { - "defaultMessage": "Französisch (Kanada)" - }, - "locale_text.message.fr-CH": { - "defaultMessage": "Französisch (Schweiz)" - }, - "locale_text.message.fr-FR": { - "defaultMessage": "Französisch (Frankreich)" - }, - "locale_text.message.he-IL": { - "defaultMessage": "Hebräisch (Israel)" - }, - "locale_text.message.hi-IN": { - "defaultMessage": "Hindi (Indien)" - }, - "locale_text.message.hu-HU": { - "defaultMessage": "Ungarisch (Ungarn)" - }, - "locale_text.message.id-ID": { - "defaultMessage": "Indonesisch (Indonesien)" - }, - "locale_text.message.it-CH": { - "defaultMessage": "Italienisch (Schweiz)" - }, - "locale_text.message.it-IT": { - "defaultMessage": "Italienisch (Italien)" - }, - "locale_text.message.ja-JP": { - "defaultMessage": "Japanisch (Japan)" - }, - "locale_text.message.ko-KR": { - "defaultMessage": "Koreanisch (Republik Korea)" - }, - "locale_text.message.nl-BE": { - "defaultMessage": "Niederländisch (Belgien)" - }, - "locale_text.message.nl-NL": { - "defaultMessage": "Niederländisch (Niederlande)" - }, - "locale_text.message.no-NO": { - "defaultMessage": "Norwegisch (Norwegen)" - }, - "locale_text.message.pl-PL": { - "defaultMessage": "Polnisch (Polen)" - }, - "locale_text.message.pt-BR": { - "defaultMessage": "Portugiesisch (Brasilien)" - }, - "locale_text.message.pt-PT": { - "defaultMessage": "Portugiesisch (Portugal)" - }, - "locale_text.message.ro-RO": { - "defaultMessage": "Rumänisch (Rumänien)" - }, - "locale_text.message.ru-RU": { - "defaultMessage": "Russisch (Russische Föderation)" - }, - "locale_text.message.sk-SK": { - "defaultMessage": "Slowakisch (Slowakei)" - }, - "locale_text.message.sv-SE": { - "defaultMessage": "Schwedisch (Schweden)" - }, - "locale_text.message.ta-IN": { - "defaultMessage": "Tamil (Indien)" - }, - "locale_text.message.ta-LK": { - "defaultMessage": "Tamil (Sri Lanka)" - }, - "locale_text.message.th-TH": { - "defaultMessage": "Thai (Thailand)" - }, - "locale_text.message.tr-TR": { - "defaultMessage": "Türkisch (Türkei)" - }, - "locale_text.message.zh-CN": { - "defaultMessage": "Chinesisch (China)" - }, - "locale_text.message.zh-HK": { - "defaultMessage": "Chinesisch (Hongkong)" - }, - "locale_text.message.zh-TW": { - "defaultMessage": "Chinesisch (Taiwan)" - }, - "login_form.action.create_account": { - "defaultMessage": "Konto erstellen" - }, - "login_form.button.sign_in": { - "defaultMessage": "Anmelden" - }, - "login_form.link.forgot_password": { - "defaultMessage": "Passwort vergessen?" - }, - "login_form.message.dont_have_account": { - "defaultMessage": "Sie haben noch kein Konto?" - }, - "login_form.message.welcome_back": { - "defaultMessage": "Willkommen zurück" - }, - "login_page.error.incorrect_username_or_password": { - "defaultMessage": "Benutzername oder Passwort falsch, bitte erneut versuchen." - }, - "offline_banner.description.browsing_offline_mode": { - "defaultMessage": "Sie browsen derzeit im Offline-Modus." - }, - "order_summary.action.remove_promo": { - "defaultMessage": "Entfernen" - }, - "order_summary.cart_items.action.num_of_items_in_cart": { - "defaultMessage": "{itemCount, plural, =0 {0 Artikel} one {# Artikel} other {# Artikel}} im Warenkorb", - "description": "clicking it would expand/show the items in cart" - }, - "order_summary.cart_items.link.edit_cart": { - "defaultMessage": "Warenkorb bearbeiten" - }, - "order_summary.heading.order_summary": { - "defaultMessage": "Bestellungsübersicht" - }, - "order_summary.label.estimated_total": { - "defaultMessage": "Geschätzter Gesamtbetrag" - }, - "order_summary.label.free": { - "defaultMessage": "Gratis" - }, - "order_summary.label.order_total": { - "defaultMessage": "Gesamtbetrag" - }, - "order_summary.label.promo_applied": { - "defaultMessage": "Werbeaktion angewendet" - }, - "order_summary.label.promotions_applied": { - "defaultMessage": "Werbeaktionen angewendet" - }, - "order_summary.label.shipping": { - "defaultMessage": "Versand" - }, - "order_summary.label.subtotal": { - "defaultMessage": "Zwischensumme" - }, - "order_summary.label.tax": { - "defaultMessage": "Steuern" - }, - "page_not_found.action.go_back": { - "defaultMessage": "Zurück zur vorherigen Seite" - }, - "page_not_found.link.homepage": { - "defaultMessage": "Zur Startseite" - }, - "page_not_found.message.suggestion_to_try": { - "defaultMessage": "Bitte geben Sie die Adresse erneut ein, kehren Sie zur vorherigen Seite zurück oder navigieren Sie zur Startseite." - }, - "page_not_found.title.page_cant_be_found": { - "defaultMessage": "Die von Ihnen gesuchte Seite kann nicht gefunden werden." - }, - "pagination.field.num_of_pages": { - "defaultMessage": "von {numOfPages}" - }, - "pagination.link.next": { - "defaultMessage": "Weiter" - }, - "pagination.link.next.assistive_msg": { - "defaultMessage": "Nächste Seite" - }, - "pagination.link.prev": { - "defaultMessage": "Zurück" - }, - "pagination.link.prev.assistive_msg": { - "defaultMessage": "Vorherige Seite" - }, - "password_card.info.password_updated": { - "defaultMessage": "Passwort aktualisiert" - }, - "password_card.label.password": { - "defaultMessage": "Passwort" - }, - "password_card.title.password": { - "defaultMessage": "Passwort" - }, - "password_requirements.error.eight_letter_minimum": { - "defaultMessage": "mindestens 8 Zeichen", - "description": "Password requirement" - }, - "password_requirements.error.one_lowercase_letter": { - "defaultMessage": "1 Kleinbuchstabe", - "description": "Password requirement" - }, - "password_requirements.error.one_number": { - "defaultMessage": "1 Ziffer", - "description": "Password requirement" - }, - "password_requirements.error.one_special_character": { - "defaultMessage": "1 Sonderzeichen (Beispiel: , S ! % #)", - "description": "Password requirement" - }, - "password_requirements.error.one_uppercase_letter": { - "defaultMessage": "1 Großbuchstabe", - "description": "Password requirement" - }, - "payment_selection.heading.credit_card": { - "defaultMessage": "Kreditkarte" - }, - "payment_selection.tooltip.secure_payment": { - "defaultMessage": "Hierbei handelt es sich um eine sichere SSL-verschlüsselte Zahlung." - }, - "price_per_item.label.each": { - "defaultMessage": "Stk.", - "description": "Abbreviated 'each', follows price per item, like $10/ea" - }, - "product_detail.accordion.button.product_detail": { - "defaultMessage": "Produktdetails" - }, - "product_detail.accordion.button.questions": { - "defaultMessage": "Fragen" - }, - "product_detail.accordion.button.reviews": { - "defaultMessage": "Rezensionen" - }, - "product_detail.accordion.button.size_fit": { - "defaultMessage": "Größe und Passform" - }, - "product_detail.accordion.message.coming_soon": { - "defaultMessage": "bald verfügbar" - }, - "product_detail.recommended_products.title.complete_set": { - "defaultMessage": "Set vervollständigen" - }, - "product_detail.recommended_products.title.might_also_like": { - "defaultMessage": "Das könnte Ihnen auch gefallen" - }, - "product_detail.recommended_products.title.recently_viewed": { - "defaultMessage": "Zuletzt angesehen" - }, - "product_item.label.quantity": { - "defaultMessage": "Menge:" - }, - "product_list.button.filter": { - "defaultMessage": "Filtern" - }, - "product_list.button.sort_by": { - "defaultMessage": "Sortieren nach: {sortOption}" - }, - "product_list.drawer.title.sort_by": { - "defaultMessage": "Sortieren nach" - }, - "product_list.modal.button.clear_filters": { - "defaultMessage": "Filter löschen" - }, - "product_list.modal.button.view_items": { - "defaultMessage": "{prroductCount} Artikel anzeigen" - }, - "product_list.modal.title.filter": { - "defaultMessage": "Filtern" - }, - "product_list.refinements.button.assistive_msg.add_filter": { - "defaultMessage": "Filter hinzufügen: {label}" - }, - "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": { - "defaultMessage": "Filter hinzufügen: {label} ({hitCount})" - }, - "product_list.refinements.button.assistive_msg.remove_filter": { - "defaultMessage": "Filter entfernen: {label}" - }, - "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": { - "defaultMessage": "Filter entfernen: {label} ({hitCount})" - }, - "product_list.select.sort_by": { - "defaultMessage": "Sortieren nach: {sortOption}" - }, - "product_scroller.assistive_msg.scroll_left": { - "defaultMessage": "Produkte nach links scrollen" - }, - "product_scroller.assistive_msg.scroll_right": { - "defaultMessage": "Produkte nach rechts scrollen" - }, - "product_tile.assistive_msg.add_to_wishlist": { - "defaultMessage": "{product} zur Wunschliste hinzufügen" - }, - "product_tile.assistive_msg.remove_from_wishlist": { - "defaultMessage": "{product} aus der Wunschliste entfernt" - }, - "product_tile.label.starting_at_price": { - "defaultMessage": "Ab {price}" - }, - "product_view.button.add_set_to_cart": { - "defaultMessage": "Set zum Warenkorb hinzufügen" - }, - "product_view.button.add_set_to_wishlist": { - "defaultMessage": "Set zur Wunschliste hinzufügen" - }, - "product_view.button.add_to_cart": { - "defaultMessage": "In den Warenkorb" - }, - "product_view.button.add_to_wishlist": { - "defaultMessage": "Zur Wunschliste hinzufügen" - }, - "product_view.button.update": { - "defaultMessage": "Aktualisieren" - }, - "product_view.label.assistive_msg.quantity_decrement": { - "defaultMessage": "Menge verringern" - }, - "product_view.label.assistive_msg.quantity_increment": { - "defaultMessage": "Menge erhöhen" - }, - "product_view.label.quantity": { - "defaultMessage": "Menge" - }, - "product_view.label.quantity_decrement": { - "defaultMessage": "−" - }, - "product_view.label.quantity_increment": { - "defaultMessage": "+" - }, - "product_view.label.starting_at_price": { - "defaultMessage": "Ab" - }, - "product_view.label.variant_type": { - "defaultMessage": "{variantType}" - }, - "product_view.link.full_details": { - "defaultMessage": "Alle Details anzeigen" - }, - "profile_card.info.profile_updated": { - "defaultMessage": "Profil aktualisiert" - }, - "profile_card.label.email": { - "defaultMessage": "E-Mail" - }, - "profile_card.label.full_name": { - "defaultMessage": "Vollständiger Name" - }, - "profile_card.label.phone": { - "defaultMessage": "Telefonnummer" - }, - "profile_card.message.not_provided": { - "defaultMessage": "Nicht angegeben" - }, - "profile_card.title.my_profile": { - "defaultMessage": "Mein Profil" - }, - "promo_code_fields.button.apply": { - "defaultMessage": "Anwenden" - }, - "promo_popover.assistive_msg.info": { - "defaultMessage": "Info" - }, - "promo_popover.heading.promo_applied": { - "defaultMessage": "Werbeaktionen angewendet" - }, - "promocode.accordion.button.have_promocode": { - "defaultMessage": "Haben Sie einen Aktionscode?" - }, - "recent_searches.action.clear_searches": { - "defaultMessage": "Letzte Suchabfragen löschen" - }, - "recent_searches.heading.recent_searches": { - "defaultMessage": "Letzte Suchabfragen" - }, - "register_form.action.sign_in": { - "defaultMessage": "Anmelden" - }, - "register_form.button.create_account": { - "defaultMessage": "Konto erstellen" - }, - "register_form.heading.lets_get_started": { - "defaultMessage": "Es kann losgehen!" - }, - "register_form.message.agree_to_policy_terms": { - "defaultMessage": "Durch das Erstellen eines Kontos stimmen Sie der Datenschutzerklärung und den allgemeinen Geschäftsbedingungen von Salesforce zu." - }, - "register_form.message.already_have_account": { - "defaultMessage": "Sie haben bereits ein Konto?" - }, - "register_form.message.create_an_account": { - "defaultMessage": "Erstellen Sie ein Konto und Sie erhalten als Erstes Zugang zu den besten Produkten und Inspirationen sowie zur Community." - }, - "reset_password.button.back_to_sign_in": { - "defaultMessage": "Zurück zur Anmeldung" - }, - "reset_password.info.receive_email_shortly": { - "defaultMessage": "Sie erhalten in Kürze eine E-Mail an {email} mit einem Link zum Zurücksetzen Ihres Passworts." - }, - "reset_password.title.password_reset": { - "defaultMessage": "Zurücksetzen des Passworts" - }, - "reset_password_form.action.sign_in": { - "defaultMessage": "Anmelden" - }, - "reset_password_form.button.reset_password": { - "defaultMessage": "Passwort zurücksetzen" - }, - "reset_password_form.message.enter_your_email": { - "defaultMessage": "Geben Sie bitte Ihre E-Mail-Adresse ein, um Anweisungen zum Zurücksetzen Ihres Passworts zu erhalten." - }, - "reset_password_form.message.return_to_sign_in": { - "defaultMessage": "Oder zurück zu", - "description": "Precedes link to return to sign in" - }, - "reset_password_form.title.reset_password": { - "defaultMessage": "Passwort zurücksetzen" - }, - "search.action.cancel": { - "defaultMessage": "Abbrechen" - }, - "selected_refinements.action.assistive_msg.clear_all": { - "defaultMessage": "Alle Filter löschen" - }, - "selected_refinements.action.clear_all": { - "defaultMessage": "Auswahl aufheben" - }, - "shipping_address.button.continue_to_shipping": { - "defaultMessage": "Weiter zur Versandmethode" - }, - "shipping_address.title.shipping_address": { - "defaultMessage": "Lieferadresse" - }, - "shipping_address_edit_form.button.save_and_continue": { - "defaultMessage": "Speichern und mit Versandmethode fortfahren" - }, - "shipping_address_form.heading.edit_address": { - "defaultMessage": "Adresse bearbeiten" - }, - "shipping_address_form.heading.new_address": { - "defaultMessage": "Neue Adresse hinzufügen" - }, - "shipping_address_selection.button.add_address": { - "defaultMessage": "Neue Adresse hinzufügen" - }, - "shipping_address_selection.button.submit": { - "defaultMessage": "Senden" - }, - "shipping_address_selection.title.add_address": { - "defaultMessage": "Neue Adresse hinzufügen" - }, - "shipping_address_selection.title.edit_shipping": { - "defaultMessage": "Lieferadresse bearbeiten" - }, - "shipping_options.action.send_as_a_gift": { - "defaultMessage": "Möchten Sie die Bestellung als Geschenk versenden?" - }, - "shipping_options.button.continue_to_payment": { - "defaultMessage": "Weiter zur Zahlung" - }, - "shipping_options.title.shipping_gift_options": { - "defaultMessage": "Versand und Geschenkoptionen" - }, - "signout_confirmation_dialog.button.cancel": { - "defaultMessage": "Abbrechen" - }, - "signout_confirmation_dialog.button.sign_out": { - "defaultMessage": "Abmelden" - }, - "signout_confirmation_dialog.heading.sign_out": { - "defaultMessage": "Abmelden" - }, - "signout_confirmation_dialog.message.sure_to_sign_out": { - "defaultMessage": "Möchten Sie sich wirklich abmelden? Sie müssen sich wieder anmelden, um mit Ihrer aktuellen Bestellung fortzufahren." - }, - "swatch_group.selected.label": { - "defaultMessage": "{label}:" - }, - "toggle_card.action.edit": { - "defaultMessage": "Bearbeiten" - }, - "update_password_fields.button.forgot_password": { - "defaultMessage": "Passwort vergessen?" - }, - "use_address_fields.error.please_enter_first_name": { - "defaultMessage": "Bitte geben Sie Ihren Vornamen ein." - }, - "use_address_fields.error.please_enter_last_name": { - "defaultMessage": "Bitte geben Sie Ihren Nachnamen ein." - }, - "use_address_fields.error.please_enter_phone_number": { - "defaultMessage": "Bitte geben Sie Ihre Telefonnummer ein." - }, - "use_address_fields.error.please_enter_your_postal_or_zip": { - "defaultMessage": "Bitte geben Sie Ihre Postleitzahl ein." - }, - "use_address_fields.error.please_select_your_address": { - "defaultMessage": "Bitte geben Sie Ihre Adresse ein." - }, - "use_address_fields.error.please_select_your_city": { - "defaultMessage": "Bitte geben Sie Ihren Wohnort ein." - }, - "use_address_fields.error.please_select_your_country": { - "defaultMessage": "Bitte wählen Sie Ihr Land aus." - }, - "use_address_fields.error.please_select_your_state_or_province": { - "defaultMessage": "Bitte wählen Sie Ihr Bundesland aus." - }, - "use_address_fields.error.required": { - "defaultMessage": "Erforderlich" - }, - "use_address_fields.error.state_code_invalid": { - "defaultMessage": "Bitte geben Sie das Bundesland in Form von zwei Buchstaben ein." - }, - "use_address_fields.label.address": { - "defaultMessage": "Adresse" - }, - "use_address_fields.label.address_form": { - "defaultMessage": "Adressformular" - }, - "use_address_fields.label.city": { - "defaultMessage": "Stadt" - }, - "use_address_fields.label.country": { - "defaultMessage": "Land" - }, - "use_address_fields.label.first_name": { - "defaultMessage": "Vorname" - }, - "use_address_fields.label.last_name": { - "defaultMessage": "Nachname" - }, - "use_address_fields.label.phone": { - "defaultMessage": "Telefon" - }, - "use_address_fields.label.postal_code": { - "defaultMessage": "Postleitzahl" - }, - "use_address_fields.label.preferred": { - "defaultMessage": "Als Standard festlegen" - }, - "use_address_fields.label.province": { - "defaultMessage": "Bundesland" - }, - "use_address_fields.label.state": { - "defaultMessage": "Bundesland" - }, - "use_address_fields.label.zipCode": { - "defaultMessage": "Postleitzahl" - }, - "use_credit_card_fields.error.required": { - "defaultMessage": "Erforderlich" - }, - "use_credit_card_fields.error.required_card_number": { - "defaultMessage": "Bitte geben Sie Ihre Kartennummer ein." - }, - "use_credit_card_fields.error.required_expiry": { - "defaultMessage": "Bitte geben Sie Ihr Ablaufdatum ein." - }, - "use_credit_card_fields.error.required_name": { - "defaultMessage": "Bitte geben Sie Ihren Namen so ein, wie er auf Ihrer Karte erscheint." - }, - "use_credit_card_fields.error.required_security_code": { - "defaultMessage": "Bitte geben Sie Ihren Sicherheitscode ein." - }, - "use_credit_card_fields.error.valid_card_number": { - "defaultMessage": "Bitte geben Sie eine gültige Kartennummer ein." - }, - "use_credit_card_fields.error.valid_date": { - "defaultMessage": "Bitte geben Sie ein gültiges Datum ein." - }, - "use_credit_card_fields.error.valid_name": { - "defaultMessage": "Bitte geben Sie einen gültigen Namen ein." - }, - "use_credit_card_fields.error.valid_security_code": { - "defaultMessage": "Bitte geben Sie einen gültigen Sicherheitscode ein." - }, - "use_credit_card_fields.label.card_number": { - "defaultMessage": "Kartennummer" - }, - "use_credit_card_fields.label.card_type": { - "defaultMessage": "Kartentyp" - }, - "use_credit_card_fields.label.expiry": { - "defaultMessage": "Ablaufdatum" - }, - "use_credit_card_fields.label.name": { - "defaultMessage": "Name auf der Karte" - }, - "use_credit_card_fields.label.security_code": { - "defaultMessage": "Sicherheitscode" - }, - "use_login_fields.error.required_email": { - "defaultMessage": "Bitte geben Sie Ihre E-Mail-Adresse ein." - }, - "use_login_fields.error.required_password": { - "defaultMessage": "Bitte geben Sie Ihr Passwort ein." - }, - "use_login_fields.label.email": { - "defaultMessage": "E-Mail" - }, - "use_login_fields.label.password": { - "defaultMessage": "Passwort" - }, - "use_product.message.inventory_remaining": { - "defaultMessage": "Nur noch {stockLevel} vorhanden!" - }, - "use_product.message.out_of_stock": { - "defaultMessage": "Nicht vorrätig" - }, - "use_profile_fields.error.required_email": { - "defaultMessage": "Bitte geben Sie eine gültige E-Mail-Adresse ein." - }, - "use_profile_fields.error.required_first_name": { - "defaultMessage": "Bitte geben Sie Ihren Vornamen ein." - }, - "use_profile_fields.error.required_last_name": { - "defaultMessage": "Bitte geben Sie Ihren Nachnamen ein." - }, - "use_profile_fields.error.required_phone": { - "defaultMessage": "Bitte geben Sie Ihre Telefonnummer ein." - }, - "use_profile_fields.label.email": { - "defaultMessage": "E-Mail" - }, - "use_profile_fields.label.first_name": { - "defaultMessage": "Vorname" - }, - "use_profile_fields.label.last_name": { - "defaultMessage": "Nachname" - }, - "use_profile_fields.label.phone": { - "defaultMessage": "Telefonnummer" - }, - "use_promo_code_fields.error.required_promo_code": { - "defaultMessage": "Bitte geben Sie einen gültigen Aktionscode an." - }, - "use_promo_code_fields.label.promo_code": { - "defaultMessage": "Aktionscode" - }, - "use_promocode.error.check_the_code": { - "defaultMessage": "Überprüfen Sie den Code und versuchen Sie es erneut. Er wurde eventuell schon angewendet oder die Werbeaktion ist abgelaufen." - }, - "use_promocode.info.promo_applied": { - "defaultMessage": "Werbeaktion angewendet" - }, - "use_promocode.info.promo_removed": { - "defaultMessage": "Werbeaktion entfernt" - }, - "use_registration_fields.error.contain_number": { - "defaultMessage": "Das Passwort muss mindestens eine Ziffer enthalten." - }, - "use_registration_fields.error.lowercase_letter": { - "defaultMessage": "Das Passwort muss mindestens einen Kleinbuchstaben enthalten." - }, - "use_registration_fields.error.minimum_characters": { - "defaultMessage": "Das Passwort muss mindestens 8 Zeichen enthalten." - }, - "use_registration_fields.error.required_email": { - "defaultMessage": "Bitte geben Sie eine gültige E-Mail-Adresse ein." - }, - "use_registration_fields.error.required_first_name": { - "defaultMessage": "Bitte geben Sie Ihren Vornamen ein." - }, - "use_registration_fields.error.required_last_name": { - "defaultMessage": "Bitte geben Sie Ihren Nachnamen ein." - }, - "use_registration_fields.error.required_password": { - "defaultMessage": "Bitte erstellen Sie ein Passwort." - }, - "use_registration_fields.error.special_character": { - "defaultMessage": "Das Passwort muss mindestens ein Sonderzeichen enthalten." - }, - "use_registration_fields.error.uppercase_letter": { - "defaultMessage": "Das Passwort muss mindestens einen Großbuchstaben enthalten." - }, - "use_registration_fields.label.email": { - "defaultMessage": "E-Mail" - }, - "use_registration_fields.label.first_name": { - "defaultMessage": "Vorname" - }, - "use_registration_fields.label.last_name": { - "defaultMessage": "Nachname" - }, - "use_registration_fields.label.password": { - "defaultMessage": "Passwort" - }, - "use_registration_fields.label.sign_up_to_emails": { - "defaultMessage": "Ich möchte E-Mails von Salesforce abonnieren (Sie können Ihr Abonnement jederzeit wieder abbestellen)." - }, - "use_reset_password_fields.error.required_email": { - "defaultMessage": "Bitte geben Sie eine gültige E-Mail-Adresse ein." - }, - "use_reset_password_fields.label.email": { - "defaultMessage": "E-Mail" - }, - "use_update_password_fields.error.contain_number": { - "defaultMessage": "Das Passwort muss mindestens eine Ziffer enthalten." - }, - "use_update_password_fields.error.lowercase_letter": { - "defaultMessage": "Das Passwort muss mindestens einen Kleinbuchstaben enthalten." - }, - "use_update_password_fields.error.minimum_characters": { - "defaultMessage": "Das Passwort muss mindestens 8 Zeichen enthalten." - }, - "use_update_password_fields.error.required_new_password": { - "defaultMessage": "Bitte geben Sie ein neues Passwort ein." - }, - "use_update_password_fields.error.required_password": { - "defaultMessage": "Bitte geben Sie Ihr Passwort ein." - }, - "use_update_password_fields.error.special_character": { - "defaultMessage": "Das Passwort muss mindestens ein Sonderzeichen enthalten." - }, - "use_update_password_fields.error.uppercase_letter": { - "defaultMessage": "Das Passwort muss mindestens einen Großbuchstaben enthalten." - }, - "use_update_password_fields.label.current_password": { - "defaultMessage": "Aktuelles Passwort" - }, - "use_update_password_fields.label.new_password": { - "defaultMessage": "Neues Passwort" - }, - "wishlist_primary_action.button.add_set_to_cart": { - "defaultMessage": "Set zum Warenkorb hinzufügen" - }, - "wishlist_primary_action.button.add_to_cart": { - "defaultMessage": "In den Warenkorb" - }, - "wishlist_primary_action.button.view_full_details": { - "defaultMessage": "Alle Einzelheiten anzeigen" - }, - "wishlist_primary_action.button.view_options": { - "defaultMessage": "Optionen anzeigen" - }, - "wishlist_primary_action.info.added_to_cart": { - "defaultMessage": "{quantity} {quantity, plural, one {Artikel} other {Artikel}} zum Warenkorb hinzugefügt" - }, - "wishlist_secondary_button_group.action.remove": { - "defaultMessage": "Entfernen" - }, - "wishlist_secondary_button_group.info.item_removed": { - "defaultMessage": "Artikel aus der Wunschliste entfernt" - }, - "with_registration.info.please_sign_in": { - "defaultMessage": "Bitte melden Sie sich an, um fortzufahren." - } -} diff --git a/my-test-project/translations/en-GB.json b/my-test-project/translations/en-GB.json deleted file mode 100644 index 48dd92bb1b..0000000000 --- a/my-test-project/translations/en-GB.json +++ /dev/null @@ -1,1801 +0,0 @@ -{ - "account.accordion.button.my_account": { - "defaultMessage": "My Account" - }, - "account.heading.my_account": { - "defaultMessage": "My Account" - }, - "account.logout_button.button.log_out": { - "defaultMessage": "Log Out" - }, - "account_addresses.badge.default": { - "defaultMessage": "Default" - }, - "account_addresses.button.add_address": { - "defaultMessage": "Add Address" - }, - "account_addresses.info.address_removed": { - "defaultMessage": "Address removed" - }, - "account_addresses.info.address_updated": { - "defaultMessage": "Address updated" - }, - "account_addresses.info.new_address_saved": { - "defaultMessage": "New address saved" - }, - "account_addresses.page_action_placeholder.button.add_address": { - "defaultMessage": "Add Address" - }, - "account_addresses.page_action_placeholder.heading.no_saved_addresses": { - "defaultMessage": "No Saved Addresses" - }, - "account_addresses.page_action_placeholder.message.add_new_address": { - "defaultMessage": "Add a new address method for faster checkout." - }, - "account_addresses.title.addresses": { - "defaultMessage": "Addresses" - }, - "account_detail.title.account_details": { - "defaultMessage": "Account Details" - }, - "account_order_detail.heading.billing_address": { - "defaultMessage": "Billing Address" - }, - "account_order_detail.heading.num_of_items": { - "defaultMessage": "{count} items" - }, - "account_order_detail.heading.payment_method": { - "defaultMessage": "Payment Method" - }, - "account_order_detail.heading.shipping_address": { - "defaultMessage": "Shipping Address" - }, - "account_order_detail.heading.shipping_method": { - "defaultMessage": "Shipping Method" - }, - "account_order_detail.label.order_number": { - "defaultMessage": "Order Number: {orderNumber}" - }, - "account_order_detail.label.ordered_date": { - "defaultMessage": "Ordered: {date}" - }, - "account_order_detail.label.pending_tracking_number": { - "defaultMessage": "Pending" - }, - "account_order_detail.label.tracking_number": { - "defaultMessage": "Tracking Number" - }, - "account_order_detail.link.back_to_history": { - "defaultMessage": "Back to Order History" - }, - "account_order_detail.shipping_status.not_shipped": { - "defaultMessage": "Not shipped" - }, - "account_order_detail.shipping_status.part_shipped": { - "defaultMessage": "Partially shipped" - }, - "account_order_detail.shipping_status.shipped": { - "defaultMessage": "Shipped" - }, - "account_order_detail.title.order_details": { - "defaultMessage": "Order Details" - }, - "account_order_history.button.continue_shopping": { - "defaultMessage": "Continue Shopping" - }, - "account_order_history.description.once_you_place_order": { - "defaultMessage": "Once you place an order the details will show up here." - }, - "account_order_history.heading.no_order_yet": { - "defaultMessage": "You haven't placed an order yet." - }, - "account_order_history.label.num_of_items": { - "defaultMessage": "{count} items", - "description": "Number of items in order" - }, - "account_order_history.label.order_number": { - "defaultMessage": "Order Number: {orderNumber}" - }, - "account_order_history.label.ordered_date": { - "defaultMessage": "Ordered: {date}" - }, - "account_order_history.label.shipped_to": { - "defaultMessage": "Shipped to: {name}" - }, - "account_order_history.link.view_details": { - "defaultMessage": "View details" - }, - "account_order_history.title.order_history": { - "defaultMessage": "Order History" - }, - "account_wishlist.button.continue_shopping": { - "defaultMessage": "Continue Shopping" - }, - "account_wishlist.description.continue_shopping": { - "defaultMessage": "Continue shopping and add items to your wishlist." - }, - "account_wishlist.heading.no_wishlist": { - "defaultMessage": "No Wishlist Items" - }, - "account_wishlist.title.wishlist": { - "defaultMessage": "Wishlist" - }, - "action_card.action.edit": { - "defaultMessage": "Edit" - }, - "action_card.action.remove": { - "defaultMessage": "Remove" - }, - "add_to_cart_modal.info.added_to_cart": { - "defaultMessage": "{quantity} {quantity, plural, one {item} other {items}} added to cart" - }, - "add_to_cart_modal.label.cart_subtotal": { - "defaultMessage": "Cart Subtotal ({itemAccumulatedCount} item)" - }, - "add_to_cart_modal.label.quantity": { - "defaultMessage": "Qty" - }, - "add_to_cart_modal.link.checkout": { - "defaultMessage": "Proceed to Checkout" - }, - "add_to_cart_modal.link.view_cart": { - "defaultMessage": "View Cart" - }, - "add_to_cart_modal.recommended_products.title.might_also_like": { - "defaultMessage": "You Might Also Like" - }, - "auth_modal.button.close.assistive_msg": { - "defaultMessage": "Close login form" - }, - "auth_modal.check_email.button.resend_link": { - "defaultMessage": "Resend Link" - }, - "auth_modal.check_email.description.check_spam_folder": { - "defaultMessage": "The link may take a few minutes to arrive, check your spam folder if you're having trouble finding it" - }, - "auth_modal.check_email.description.just_sent": { - "defaultMessage": "We just sent a login link to {email}" - }, - "auth_modal.check_email.title.check_your_email": { - "defaultMessage": "Check Your Email" - }, - "auth_modal.description.now_signed_in": { - "defaultMessage": "You're now signed in." - }, - "auth_modal.error.incorrect_email_or_password": { - "defaultMessage": "Something's not right with your email or password. Try again." - }, - "auth_modal.info.welcome_user": { - "defaultMessage": "Welcome {name}," - }, - "auth_modal.password_reset_success.button.back_to_sign_in": { - "defaultMessage": "Back to Sign In" - }, - "auth_modal.password_reset_success.info.will_email_shortly": { - "defaultMessage": "You will receive an email at {email} with a link to reset your password shortly." - }, - "auth_modal.password_reset_success.title.password_reset": { - "defaultMessage": "Password Reset" - }, - "carousel.button.scroll_left.assistive_msg": { - "defaultMessage": "Scroll carousel left" - }, - "carousel.button.scroll_right.assistive_msg": { - "defaultMessage": "Scroll carousel right" - }, - "cart.info.removed_from_cart": { - "defaultMessage": "Item removed from cart" - }, - "cart.product_edit_modal.modal_label": { - "defaultMessage": "Edit modal for {productName}" - }, - "cart.recommended_products.title.may_also_like": { - "defaultMessage": "You May Also Like" - }, - "cart.recommended_products.title.recently_viewed": { - "defaultMessage": "Recently Viewed" - }, - "cart_cta.link.checkout": { - "defaultMessage": "Proceed to Checkout" - }, - "cart_secondary_button_group.action.added_to_wishlist": { - "defaultMessage": "Add to Wishlist" - }, - "cart_secondary_button_group.action.edit": { - "defaultMessage": "Edit" - }, - "cart_secondary_button_group.action.remove": { - "defaultMessage": "Remove" - }, - "cart_secondary_button_group.label.this_is_gift": { - "defaultMessage": "This is a gift." - }, - "cart_skeleton.heading.order_summary": { - "defaultMessage": "Order Summary" - }, - "cart_skeleton.title.cart": { - "defaultMessage": "Cart" - }, - "cart_title.title.cart_num_of_items": { - "defaultMessage": "Cart ({itemCount, plural, =0 {0 items} one {# item} other {# items}})" - }, - "category_links.button_text": { - "defaultMessage": "Categories" - }, - "cc_radio_group.action.remove": { - "defaultMessage": "Remove" - }, - "cc_radio_group.button.add_new_card": { - "defaultMessage": "Add New Card" - }, - "checkout.button.place_order": { - "defaultMessage": "Place Order" - }, - "checkout.message.generic_error": { - "defaultMessage": "An unexpected error occurred during checkout." - }, - "checkout_confirmation.button.create_account": { - "defaultMessage": "Create Account" - }, - "checkout_confirmation.heading.billing_address": { - "defaultMessage": "Billing Address" - }, - "checkout_confirmation.heading.create_account": { - "defaultMessage": "Create an account for faster checkout" - }, - "checkout_confirmation.heading.credit_card": { - "defaultMessage": "Credit Card" - }, - "checkout_confirmation.heading.delivery_details": { - "defaultMessage": "Delivery Details" - }, - "checkout_confirmation.heading.order_summary": { - "defaultMessage": "Order Summary" - }, - "checkout_confirmation.heading.payment_details": { - "defaultMessage": "Payment Details" - }, - "checkout_confirmation.heading.shipping_address": { - "defaultMessage": "Shipping Address" - }, - "checkout_confirmation.heading.shipping_method": { - "defaultMessage": "Shipping Method" - }, - "checkout_confirmation.heading.thank_you_for_order": { - "defaultMessage": "Thank you for your order!" - }, - "checkout_confirmation.label.free": { - "defaultMessage": "Free" - }, - "checkout_confirmation.label.order_number": { - "defaultMessage": "Order Number" - }, - "checkout_confirmation.label.order_total": { - "defaultMessage": "Order Total" - }, - "checkout_confirmation.label.promo_applied": { - "defaultMessage": "Promotion applied" - }, - "checkout_confirmation.label.shipping": { - "defaultMessage": "Shipping" - }, - "checkout_confirmation.label.shipping.strikethrough.price": { - "defaultMessage": "Originally {originalPrice}, now {newPrice}" - }, - "checkout_confirmation.label.subtotal": { - "defaultMessage": "Subtotal" - }, - "checkout_confirmation.label.tax": { - "defaultMessage": "Tax" - }, - "checkout_confirmation.link.continue_shopping": { - "defaultMessage": "Continue Shopping" - }, - "checkout_confirmation.link.login": { - "defaultMessage": "Log in here" - }, - "checkout_confirmation.message.already_has_account": { - "defaultMessage": "This email already has an account." - }, - "checkout_confirmation.message.num_of_items_in_order": { - "defaultMessage": "{itemCount, plural, =0 {0 items} one {# item} other {# items}}", - "description": "# item(s) in order" - }, - "checkout_confirmation.message.will_email_shortly": { - "defaultMessage": "We will send an email to {email} with your confirmation number and receipt shortly." - }, - "checkout_footer.link.privacy_policy": { - "defaultMessage": "Privacy Policy" - }, - "checkout_footer.link.returns_exchanges": { - "defaultMessage": "Returns & Exchanges" - }, - "checkout_footer.link.shipping": { - "defaultMessage": "Shipping" - }, - "checkout_footer.link.site_map": { - "defaultMessage": "Site Map" - }, - "checkout_footer.link.terms_conditions": { - "defaultMessage": "Terms & Conditions" - }, - "checkout_footer.message.copyright": { - "defaultMessage": "Salesforce or its affiliates. All rights reserved. This is a demo store only. Orders made WILL NOT be processed." - }, - "checkout_header.link.assistive_msg.cart": { - "defaultMessage": "Back to cart, number of items: {numItems}" - }, - "checkout_header.link.cart": { - "defaultMessage": "Back to cart" - }, - "checkout_payment.action.remove": { - "defaultMessage": "Remove" - }, - "checkout_payment.button.review_order": { - "defaultMessage": "Review Order" - }, - "checkout_payment.heading.billing_address": { - "defaultMessage": "Billing Address" - }, - "checkout_payment.heading.credit_card": { - "defaultMessage": "Credit Card" - }, - "checkout_payment.label.billing_address_form": { - "defaultMessage": "Billing Address Form" - }, - "checkout_payment.label.same_as_shipping": { - "defaultMessage": "Same as shipping address" - }, - "checkout_payment.title.payment": { - "defaultMessage": "Payment" - }, - "colorRefinements.label.hitCount": { - "defaultMessage": "{colorLabel} ({colorHitCount})" - }, - "confirmation_modal.default.action.no": { - "defaultMessage": "No" - }, - "confirmation_modal.default.action.yes": { - "defaultMessage": "Yes" - }, - "confirmation_modal.default.assistive_msg.no": { - "defaultMessage": "No, cancel action" - }, - "confirmation_modal.default.assistive_msg.yes": { - "defaultMessage": "Yes, confirm action" - }, - "confirmation_modal.default.message.you_want_to_continue": { - "defaultMessage": "Are you sure you want to continue?" - }, - "confirmation_modal.default.title.confirm_action": { - "defaultMessage": "Confirm Action" - }, - "confirmation_modal.remove_cart_item.action.no": { - "defaultMessage": "No, keep item" - }, - "confirmation_modal.remove_cart_item.action.remove": { - "defaultMessage": "Remove" - }, - "confirmation_modal.remove_cart_item.action.yes": { - "defaultMessage": "Yes, remove item" - }, - "confirmation_modal.remove_cart_item.assistive_msg.no": { - "defaultMessage": "No, keep item" - }, - "confirmation_modal.remove_cart_item.assistive_msg.remove": { - "defaultMessage": "Remove unavailable products" - }, - "confirmation_modal.remove_cart_item.assistive_msg.yes": { - "defaultMessage": "Yes, remove item" - }, - "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": { - "defaultMessage": "Some items are no longer available online and will be removed from your cart." - }, - "confirmation_modal.remove_cart_item.message.sure_to_remove": { - "defaultMessage": "Are you sure you want to remove this item from your cart?" - }, - "confirmation_modal.remove_cart_item.title.confirm_remove": { - "defaultMessage": "Confirm Remove Item" - }, - "confirmation_modal.remove_cart_item.title.items_unavailable": { - "defaultMessage": "Items Unavailable" - }, - "confirmation_modal.remove_wishlist_item.action.no": { - "defaultMessage": "No, keep item" - }, - "confirmation_modal.remove_wishlist_item.action.yes": { - "defaultMessage": "Yes, remove item" - }, - "confirmation_modal.remove_wishlist_item.message.sure_to_remove": { - "defaultMessage": "Are you sure you want to remove this item from your wishlist?" - }, - "confirmation_modal.remove_wishlist_item.title.confirm_remove": { - "defaultMessage": "Confirm Remove Item" - }, - "contact_info.action.sign_out": { - "defaultMessage": "Sign Out" - }, - "contact_info.button.already_have_account": { - "defaultMessage": "Already have an account? Log in" - }, - "contact_info.button.back_to_sign_in_options": { - "defaultMessage": "Back to Sign In Options" - }, - "contact_info.button.checkout_as_guest": { - "defaultMessage": "Checkout as Guest" - }, - "contact_info.button.login": { - "defaultMessage": "Log In" - }, - "contact_info.button.password": { - "defaultMessage": "Password" - }, - "contact_info.button.secure_link": { - "defaultMessage": "Secure Link" - }, - "contact_info.error.incorrect_username_or_password": { - "defaultMessage": "Incorrect username or password, please try again." - }, - "contact_info.link.forgot_password": { - "defaultMessage": "Forgot password?" - }, - "contact_info.message.or_login_with": { - "defaultMessage": "Or Login With" - }, - "contact_info.title.contact_info": { - "defaultMessage": "Contact Info" - }, - "credit_card_fields.tool_tip.security_code": { - "defaultMessage": "This 3-digit code can be found on the back of your card.", - "description": "Generic credit card security code help text" - }, - "credit_card_fields.tool_tip.security_code.american_express": { - "defaultMessage": "This 4-digit code can be found on the front of your card.", - "description": "American Express security code help text" - }, - "credit_card_fields.tool_tip.security_code_aria_label": { - "defaultMessage": "Security code info" - }, - "display_price.assistive_msg.current_price": { - "defaultMessage": "current price {currentPrice}" - }, - "display_price.assistive_msg.current_price_with_range": { - "defaultMessage": "From current price {currentPrice}" - }, - "display_price.assistive_msg.strikethrough_price": { - "defaultMessage": "original price {listPrice}" - }, - "display_price.assistive_msg.strikethrough_price_with_range": { - "defaultMessage": "From original price {listPrice}" - }, - "display_price.label.current_price_with_range": { - "defaultMessage": "From {currentPrice}" - }, - "dnt_notification.button.accept": { - "defaultMessage": "Accept" - }, - "dnt_notification.button.assistive_msg.accept": { - "defaultMessage": "Accept tracking" - }, - "dnt_notification.button.assistive_msg.close": { - "defaultMessage": "Close consent tracking form" - }, - "dnt_notification.button.assistive_msg.decline": { - "defaultMessage": "Decline tracking" - }, - "dnt_notification.button.decline": { - "defaultMessage": "Decline" - }, - "dnt_notification.description": { - "defaultMessage": "Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur." - }, - "dnt_notification.title": { - "defaultMessage": "Tracking Consent" - }, - "drawer_menu.button.account_details": { - "defaultMessage": "Account Details" - }, - "drawer_menu.button.addresses": { - "defaultMessage": "Addresses" - }, - "drawer_menu.button.log_out": { - "defaultMessage": "Log Out" - }, - "drawer_menu.button.my_account": { - "defaultMessage": "My Account" - }, - "drawer_menu.button.order_history": { - "defaultMessage": "Order History" - }, - "drawer_menu.header.assistive_msg.title": { - "defaultMessage": "Menu Drawer" - }, - "drawer_menu.link.about_us": { - "defaultMessage": "About Us" - }, - "drawer_menu.link.customer_support": { - "defaultMessage": "Customer Support" - }, - "drawer_menu.link.customer_support.contact_us": { - "defaultMessage": "Contact Us" - }, - "drawer_menu.link.customer_support.shipping_and_returns": { - "defaultMessage": "Shipping & Returns" - }, - "drawer_menu.link.our_company": { - "defaultMessage": "Our Company" - }, - "drawer_menu.link.privacy_and_security": { - "defaultMessage": "Privacy & Security" - }, - "drawer_menu.link.privacy_policy": { - "defaultMessage": "Privacy Policy" - }, - "drawer_menu.link.shop_all": { - "defaultMessage": "Shop All" - }, - "drawer_menu.link.sign_in": { - "defaultMessage": "Sign In" - }, - "drawer_menu.link.site_map": { - "defaultMessage": "Site Map" - }, - "drawer_menu.link.store_locator": { - "defaultMessage": "Store Locator" - }, - "drawer_menu.link.terms_and_conditions": { - "defaultMessage": "Terms & Conditions" - }, - "empty_cart.description.empty_cart": { - "defaultMessage": "Your cart is empty." - }, - "empty_cart.link.continue_shopping": { - "defaultMessage": "Continue Shopping" - }, - "empty_cart.link.sign_in": { - "defaultMessage": "Sign In" - }, - "empty_cart.message.continue_shopping": { - "defaultMessage": "Continue shopping to add items to your cart." - }, - "empty_cart.message.sign_in_or_continue_shopping": { - "defaultMessage": "Sign in to retrieve your saved items or continue shopping." - }, - "empty_search_results.info.cant_find_anything_for_category": { - "defaultMessage": "We couldn’t find anything for {category}. Try searching for a product or {link}." - }, - "empty_search_results.info.cant_find_anything_for_query": { - "defaultMessage": "We couldn’t find anything for \"{searchQuery}\"." - }, - "empty_search_results.info.double_check_spelling": { - "defaultMessage": "Double-check your spelling and try again or {link}." - }, - "empty_search_results.link.contact_us": { - "defaultMessage": "Contact Us" - }, - "empty_search_results.recommended_products.title.most_viewed": { - "defaultMessage": "Most Viewed" - }, - "empty_search_results.recommended_products.title.top_sellers": { - "defaultMessage": "Top Sellers" - }, - "field.password.assistive_msg.hide_password": { - "defaultMessage": "Hide password" - }, - "field.password.assistive_msg.show_password": { - "defaultMessage": "Show password" - }, - "footer.column.account": { - "defaultMessage": "Account" - }, - "footer.column.customer_support": { - "defaultMessage": "Customer Support" - }, - "footer.column.our_company": { - "defaultMessage": "Our Company" - }, - "footer.link.about_us": { - "defaultMessage": "About Us" - }, - "footer.link.contact_us": { - "defaultMessage": "Contact Us" - }, - "footer.link.order_status": { - "defaultMessage": "Order Status" - }, - "footer.link.privacy_policy": { - "defaultMessage": "Privacy Policy" - }, - "footer.link.shipping": { - "defaultMessage": "Shipping" - }, - "footer.link.signin_create_account": { - "defaultMessage": "Sign in or create account" - }, - "footer.link.site_map": { - "defaultMessage": "Site Map" - }, - "footer.link.store_locator": { - "defaultMessage": "Store Locator" - }, - "footer.link.terms_conditions": { - "defaultMessage": "Terms & Conditions" - }, - "footer.locale_selector.assistive_msg": { - "defaultMessage": "Select Language" - }, - "footer.message.copyright": { - "defaultMessage": "Salesforce or its affiliates. All rights reserved. This is a demo store only. Orders made WILL NOT be processed." - }, - "footer.subscribe.button.sign_up": { - "defaultMessage": "Sign Up" - }, - "footer.subscribe.description.sign_up": { - "defaultMessage": "Sign up to stay in the loop about the hottest deals" - }, - "footer.subscribe.email.assistive_msg": { - "defaultMessage": "Email address for newsletter" - }, - "footer.subscribe.heading.first_to_know": { - "defaultMessage": "Be the first to know" - }, - "form_action_buttons.button.cancel": { - "defaultMessage": "Cancel" - }, - "form_action_buttons.button.save": { - "defaultMessage": "Save" - }, - "global.account.link.account_details": { - "defaultMessage": "Account Details" - }, - "global.account.link.addresses": { - "defaultMessage": "Addresses" - }, - "global.account.link.order_history": { - "defaultMessage": "Order History" - }, - "global.account.link.wishlist": { - "defaultMessage": "Wishlist" - }, - "global.error.create_account": { - "defaultMessage": "This feature is not currently available. You must create an account to access this feature." - }, - "global.error.feature_unavailable": { - "defaultMessage": "This feature is not currently available." - }, - "global.error.invalid_token": { - "defaultMessage": "Invalid token, please try again." - }, - "global.error.something_went_wrong": { - "defaultMessage": "Something went wrong. Try again!" - }, - "global.info.added_to_wishlist": { - "defaultMessage": "{quantity} {quantity, plural, one {item} other {items}} added to wishlist" - }, - "global.info.already_in_wishlist": { - "defaultMessage": "Item is already in wishlist" - }, - "global.info.removed_from_wishlist": { - "defaultMessage": "Item removed from wishlist" - }, - "global.link.added_to_wishlist.view_wishlist": { - "defaultMessage": "View" - }, - "header.button.assistive_msg.logo": { - "defaultMessage": "Logo" - }, - "header.button.assistive_msg.menu": { - "defaultMessage": "Menu" - }, - "header.button.assistive_msg.menu.open_dialog": { - "defaultMessage": "Opens a dialog" - }, - "header.button.assistive_msg.my_account": { - "defaultMessage": "My Account" - }, - "header.button.assistive_msg.my_account_menu": { - "defaultMessage": "Open account menu" - }, - "header.button.assistive_msg.my_cart_with_num_items": { - "defaultMessage": "My cart, number of items: {numItems}" - }, - "header.button.assistive_msg.store_locator": { - "defaultMessage": "Store Locator" - }, - "header.button.assistive_msg.wishlist": { - "defaultMessage": "Wishlist" - }, - "header.field.placeholder.search_for_products": { - "defaultMessage": "Search for products..." - }, - "header.popover.action.log_out": { - "defaultMessage": "Log out" - }, - "header.popover.title.my_account": { - "defaultMessage": "My Account" - }, - "home.description.features": { - "defaultMessage": "Out-of-the-box features so that you focus only on adding enhancements." - }, - "home.description.here_to_help": { - "defaultMessage": "Contact our support staff." - }, - "home.description.here_to_help_line_2": { - "defaultMessage": "They will get you to the right place." - }, - "home.description.shop_products": { - "defaultMessage": "This section contains content from the catalog. {docLink} on how to replace it.", - "description": "{docLink} is a html button that links the user to https://sfdc.co/business-manager-manage-catalogs" - }, - "home.description.todo_list": { - "defaultMessage": "Example Todo list fetched from JSONPlaceholder API" - }, - "home.features.description.cart_checkout": { - "defaultMessage": "Ecommerce best practice for a shopper's cart and checkout experience." - }, - "home.features.description.components": { - "defaultMessage": "Built using Chakra UI, a simple, modular and accessible React component library." - }, - "home.features.description.einstein_recommendations": { - "defaultMessage": "Deliver the next best product or offer to every shopper through product recommendations." - }, - "home.features.description.my_account": { - "defaultMessage": "Shoppers can manage account information such as their profile, addresses, payments and orders." - }, - "home.features.description.shopper_login": { - "defaultMessage": "Enable shoppers to easily log in with a more personalized shopping experience." - }, - "home.features.description.wishlist": { - "defaultMessage": "Registered shoppers can add product items to their wishlist from purchasing later." - }, - "home.features.heading.cart_checkout": { - "defaultMessage": "Cart & Checkout" - }, - "home.features.heading.components": { - "defaultMessage": "Components & Design Kit" - }, - "home.features.heading.einstein_recommendations": { - "defaultMessage": "Einstein Recommendations" - }, - "home.features.heading.my_account": { - "defaultMessage": "My Account" - }, - "home.features.heading.shopper_login": { - "defaultMessage": "Shopper Login and API Access Service" - }, - "home.features.heading.wishlist": { - "defaultMessage": "Wishlist" - }, - "home.heading.features": { - "defaultMessage": "Features" - }, - "home.heading.here_to_help": { - "defaultMessage": "We're here to help" - }, - "home.heading.shop_products": { - "defaultMessage": "Shop Products" - }, - "home.heading.todo_list": { - "defaultMessage": "Todo List" - }, - "home.hero_features.link.design_kit": { - "defaultMessage": "Create with the Figma PWA Design Kit" - }, - "home.hero_features.link.on_github": { - "defaultMessage": "Download on Github" - }, - "home.hero_features.link.on_managed_runtime": { - "defaultMessage": "Deploy on Managed Runtime" - }, - "home.link.contact_us": { - "defaultMessage": "Contact Us" - }, - "home.link.get_started": { - "defaultMessage": "Get started" - }, - "home.link.read_docs": { - "defaultMessage": "Read docs" - }, - "home.title.react_starter_store": { - "defaultMessage": "The React PWA Starter Store for Retail" - }, - "icons.assistive_msg.lock": { - "defaultMessage": "Secure" - }, - "item_attributes.label.promotions": { - "defaultMessage": "Promotions" - }, - "item_attributes.label.quantity": { - "defaultMessage": "Quantity: {quantity}" - }, - "item_attributes.label.selected_options": { - "defaultMessage": "Selected Options" - }, - "item_image.label.sale": { - "defaultMessage": "Sale", - "description": "A sale badge placed on top of a product image" - }, - "item_image.label.unavailable": { - "defaultMessage": "Unavailable", - "description": "A unavailable badge placed on top of a product image" - }, - "item_variant.assistive_msg.quantity": { - "defaultMessage": "Quantity {quantity}" - }, - "item_variant.quantity.label": { - "defaultMessage": "Quantity selector for {productName}. Selected quantity is {quantity}" - }, - "lCPCxk": { - "defaultMessage": "Please select all your options above" - }, - "list_menu.nav.assistive_msg": { - "defaultMessage": "Main navigation" - }, - "locale_text.message.ar-SA": { - "defaultMessage": "Arabic (Saudi Arabia)" - }, - "locale_text.message.bn-BD": { - "defaultMessage": "Bangla (Bangladesh)" - }, - "locale_text.message.bn-IN": { - "defaultMessage": "Bangla (India)" - }, - "locale_text.message.cs-CZ": { - "defaultMessage": "Czech (Czech Republic)" - }, - "locale_text.message.da-DK": { - "defaultMessage": "Danish (Denmark)" - }, - "locale_text.message.de-AT": { - "defaultMessage": "German (Austria)" - }, - "locale_text.message.de-CH": { - "defaultMessage": "German (Switzerland)" - }, - "locale_text.message.de-DE": { - "defaultMessage": "German (Germany)" - }, - "locale_text.message.el-GR": { - "defaultMessage": "Greek (Greece)" - }, - "locale_text.message.en-AU": { - "defaultMessage": "English (Australia)" - }, - "locale_text.message.en-CA": { - "defaultMessage": "English (Canada)" - }, - "locale_text.message.en-GB": { - "defaultMessage": "English (United Kingdom)" - }, - "locale_text.message.en-IE": { - "defaultMessage": "English (Ireland)" - }, - "locale_text.message.en-IN": { - "defaultMessage": "English (India)" - }, - "locale_text.message.en-NZ": { - "defaultMessage": "English (New Zealand)" - }, - "locale_text.message.en-US": { - "defaultMessage": "English (United States)" - }, - "locale_text.message.en-ZA": { - "defaultMessage": "English (South Africa)" - }, - "locale_text.message.es-AR": { - "defaultMessage": "Spanish (Argentina)" - }, - "locale_text.message.es-CL": { - "defaultMessage": "Spanish (Chile)" - }, - "locale_text.message.es-CO": { - "defaultMessage": "Spanish (Columbia)" - }, - "locale_text.message.es-ES": { - "defaultMessage": "Spanish (Spain)" - }, - "locale_text.message.es-MX": { - "defaultMessage": "Spanish (Mexico)" - }, - "locale_text.message.es-US": { - "defaultMessage": "Spanish (United States)" - }, - "locale_text.message.fi-FI": { - "defaultMessage": "Finnish (Finland)" - }, - "locale_text.message.fr-BE": { - "defaultMessage": "French (Belgium)" - }, - "locale_text.message.fr-CA": { - "defaultMessage": "French (Canada)" - }, - "locale_text.message.fr-CH": { - "defaultMessage": "French (Switzerland)" - }, - "locale_text.message.fr-FR": { - "defaultMessage": "French (France)" - }, - "locale_text.message.he-IL": { - "defaultMessage": "Hebrew (Israel)" - }, - "locale_text.message.hi-IN": { - "defaultMessage": "Hindi (India)" - }, - "locale_text.message.hu-HU": { - "defaultMessage": "Hungarian (Hungary)" - }, - "locale_text.message.id-ID": { - "defaultMessage": "Indonesian (Indonesia)" - }, - "locale_text.message.it-CH": { - "defaultMessage": "Italian (Switzerland)" - }, - "locale_text.message.it-IT": { - "defaultMessage": "Italian (Italy)" - }, - "locale_text.message.ja-JP": { - "defaultMessage": "Japanese (Japan)" - }, - "locale_text.message.ko-KR": { - "defaultMessage": "Korean (Republic of Korea)" - }, - "locale_text.message.nl-BE": { - "defaultMessage": "Dutch (Belgium)" - }, - "locale_text.message.nl-NL": { - "defaultMessage": "Dutch (The Netherlands)" - }, - "locale_text.message.no-NO": { - "defaultMessage": "Norwegian (Norway)" - }, - "locale_text.message.pl-PL": { - "defaultMessage": "Polish (Poland)" - }, - "locale_text.message.pt-BR": { - "defaultMessage": "Portuguese (Brazil)" - }, - "locale_text.message.pt-PT": { - "defaultMessage": "Portuguese (Portugal)" - }, - "locale_text.message.ro-RO": { - "defaultMessage": "Romanian (Romania)" - }, - "locale_text.message.ru-RU": { - "defaultMessage": "Russian (Russian Federation)" - }, - "locale_text.message.sk-SK": { - "defaultMessage": "Slovak (Slovakia)" - }, - "locale_text.message.sv-SE": { - "defaultMessage": "Swedish (Sweden)" - }, - "locale_text.message.ta-IN": { - "defaultMessage": "Tamil (India)" - }, - "locale_text.message.ta-LK": { - "defaultMessage": "Tamil (Sri Lanka)" - }, - "locale_text.message.th-TH": { - "defaultMessage": "Thai (Thailand)" - }, - "locale_text.message.tr-TR": { - "defaultMessage": "Turkish (Turkey)" - }, - "locale_text.message.zh-CN": { - "defaultMessage": "Chinese (China)" - }, - "locale_text.message.zh-HK": { - "defaultMessage": "Chinese (Hong Kong)" - }, - "locale_text.message.zh-TW": { - "defaultMessage": "Chinese (Taiwan)" - }, - "login_form.action.create_account": { - "defaultMessage": "Create account" - }, - "login_form.button.apple": { - "defaultMessage": "Apple" - }, - "login_form.button.back": { - "defaultMessage": "Back to Sign In Options" - }, - "login_form.button.continue_securely": { - "defaultMessage": "Continue Securely" - }, - "login_form.button.google": { - "defaultMessage": "Google" - }, - "login_form.button.password": { - "defaultMessage": "Password" - }, - "login_form.button.sign_in": { - "defaultMessage": "Sign In" - }, - "login_form.link.forgot_password": { - "defaultMessage": "Forgot password?" - }, - "login_form.message.dont_have_account": { - "defaultMessage": "Don't have an account?" - }, - "login_form.message.or_login_with": { - "defaultMessage": "Or Login With" - }, - "login_form.message.welcome_back": { - "defaultMessage": "Welcome Back" - }, - "login_page.error.incorrect_username_or_password": { - "defaultMessage": "Incorrect username or password, please try again." - }, - "offline_banner.description.browsing_offline_mode": { - "defaultMessage": "You're currently browsing in offline mode" - }, - "order_summary.action.remove_promo": { - "defaultMessage": "Remove" - }, - "order_summary.cart_items.action.num_of_items_in_cart": { - "defaultMessage": "{itemCount, plural, =0 {0 items} one {# item} other {# items}} in cart", - "description": "clicking it would expand/show the items in cart" - }, - "order_summary.cart_items.link.edit_cart": { - "defaultMessage": "Edit cart" - }, - "order_summary.heading.order_summary": { - "defaultMessage": "Order Summary" - }, - "order_summary.label.estimated_total": { - "defaultMessage": "Estimated Total" - }, - "order_summary.label.free": { - "defaultMessage": "Free" - }, - "order_summary.label.order_total": { - "defaultMessage": "Order Total" - }, - "order_summary.label.promo_applied": { - "defaultMessage": "Promotion applied" - }, - "order_summary.label.promotions_applied": { - "defaultMessage": "Promotions applied" - }, - "order_summary.label.shipping": { - "defaultMessage": "Shipping" - }, - "order_summary.label.subtotal": { - "defaultMessage": "Subtotal" - }, - "order_summary.label.tax": { - "defaultMessage": "Tax" - }, - "page_not_found.action.go_back": { - "defaultMessage": "Back to previous page" - }, - "page_not_found.link.homepage": { - "defaultMessage": "Go to home page" - }, - "page_not_found.message.suggestion_to_try": { - "defaultMessage": "Please try retyping the address, going back to the previous page, or going to the home page." - }, - "page_not_found.title.page_cant_be_found": { - "defaultMessage": "The page you're looking for can't be found." - }, - "pagination.field.num_of_pages": { - "defaultMessage": "of {numOfPages}" - }, - "pagination.field.page_number_select": { - "defaultMessage": "Select page number" - }, - "pagination.link.next": { - "defaultMessage": "Next" - }, - "pagination.link.next.assistive_msg": { - "defaultMessage": "Next Page" - }, - "pagination.link.prev": { - "defaultMessage": "Prev" - }, - "pagination.link.prev.assistive_msg": { - "defaultMessage": "Previous Page" - }, - "password_card.info.password_updated": { - "defaultMessage": "Password updated" - }, - "password_card.label.password": { - "defaultMessage": "Password" - }, - "password_card.title.password": { - "defaultMessage": "Password" - }, - "password_requirements.error.eight_letter_minimum": { - "defaultMessage": "8 characters minimum", - "description": "Password requirement" - }, - "password_requirements.error.one_lowercase_letter": { - "defaultMessage": "1 lowercase letter", - "description": "Password requirement" - }, - "password_requirements.error.one_number": { - "defaultMessage": "1 number", - "description": "Password requirement" - }, - "password_requirements.error.one_special_character": { - "defaultMessage": "1 special character (example: , S ! % #)", - "description": "Password requirement" - }, - "password_requirements.error.one_uppercase_letter": { - "defaultMessage": "1 uppercase letter", - "description": "Password requirement" - }, - "password_reset_success.toast": { - "defaultMessage": "Password Reset Success" - }, - "payment_selection.heading.credit_card": { - "defaultMessage": "Credit Card" - }, - "payment_selection.radio_group.assistive_msg": { - "defaultMessage": "Payment" - }, - "payment_selection.tooltip.secure_payment": { - "defaultMessage": "This is a secure SSL encrypted payment." - }, - "price_per_item.label.each": { - "defaultMessage": "ea", - "description": "Abbreviated 'each', follows price per item, like $10/ea" - }, - "product_detail.accordion.button.product_detail": { - "defaultMessage": "Product Detail" - }, - "product_detail.accordion.button.questions": { - "defaultMessage": "Questions" - }, - "product_detail.accordion.button.reviews": { - "defaultMessage": "Reviews" - }, - "product_detail.accordion.button.size_fit": { - "defaultMessage": "Size & Fit" - }, - "product_detail.accordion.message.coming_soon": { - "defaultMessage": "Coming Soon" - }, - "product_detail.recommended_products.title.complete_set": { - "defaultMessage": "Complete the Set" - }, - "product_detail.recommended_products.title.might_also_like": { - "defaultMessage": "You might also like" - }, - "product_detail.recommended_products.title.recently_viewed": { - "defaultMessage": "Recently Viewed" - }, - "product_item.label.quantity": { - "defaultMessage": "Quantity:" - }, - "product_list.button.filter": { - "defaultMessage": "Filter" - }, - "product_list.button.sort_by": { - "defaultMessage": "Sort By: {sortOption}" - }, - "product_list.drawer.title.sort_by": { - "defaultMessage": "Sort By" - }, - "product_list.modal.button.clear_filters": { - "defaultMessage": "Clear Filters" - }, - "product_list.modal.button.view_items": { - "defaultMessage": "View {prroductCount} items" - }, - "product_list.modal.title.filter": { - "defaultMessage": "Filter" - }, - "product_list.refinements.button.assistive_msg.add_filter": { - "defaultMessage": "Add filter: {label}" - }, - "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": { - "defaultMessage": "Add filter: {label} ({hitCount})" - }, - "product_list.refinements.button.assistive_msg.remove_filter": { - "defaultMessage": "Remove filter: {label}" - }, - "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": { - "defaultMessage": "Remove filter: {label} ({hitCount})" - }, - "product_list.select.sort_by": { - "defaultMessage": "Sort By: {sortOption}" - }, - "product_list.sort_by.label.assistive_msg": { - "defaultMessage": "Sort products by" - }, - "product_scroller.assistive_msg.scroll_left": { - "defaultMessage": "Scroll products left" - }, - "product_scroller.assistive_msg.scroll_right": { - "defaultMessage": "Scroll products right" - }, - "product_search.error.loading_search_results": { - "defaultMessage": "Error loading search results: {message}" - }, - "product_search.heading.all_products": { - "defaultMessage": "All Products" - }, - "product_search.heading.search_results": { - "defaultMessage": "Search Results for \"{query}\"" - }, - "product_search.label.num_results": { - "defaultMessage": "{count} Results" - }, - "product_search.message.enter_search_term": { - "defaultMessage": "Enter a search term to see products" - }, - "product_tile.assistive_msg.add_to_wishlist": { - "defaultMessage": "Add {product} to wishlist" - }, - "product_tile.assistive_msg.remove_from_wishlist": { - "defaultMessage": "Remove {product} from wishlist" - }, - "product_tile.badge.label.new": { - "defaultMessage": "New" - }, - "product_tile.badge.label.sale": { - "defaultMessage": "Sale" - }, - "product_view.button.add_bundle_to_cart": { - "defaultMessage": "Add Bundle to Cart" - }, - "product_view.button.add_bundle_to_wishlist": { - "defaultMessage": "Add Bundle to Wishlist" - }, - "product_view.button.add_set_to_cart": { - "defaultMessage": "Add Set to Cart" - }, - "product_view.button.add_set_to_wishlist": { - "defaultMessage": "Add Set to Wishlist" - }, - "product_view.button.add_to_cart": { - "defaultMessage": "Add to Cart" - }, - "product_view.button.add_to_wishlist": { - "defaultMessage": "Add to Wishlist" - }, - "product_view.button.update": { - "defaultMessage": "Update" - }, - "product_view.label.assistive_msg.quantity_decrement": { - "defaultMessage": "Decrement Quantity for {productName}" - }, - "product_view.label.assistive_msg.quantity_increment": { - "defaultMessage": "Increment Quantity for {productName}" - }, - "product_view.label.quantity": { - "defaultMessage": "Quantity" - }, - "product_view.label.quantity_decrement": { - "defaultMessage": "−" - }, - "product_view.label.quantity_increment": { - "defaultMessage": "+" - }, - "product_view.label.variant_type": { - "defaultMessage": "{variantType}" - }, - "product_view.link.full_details": { - "defaultMessage": "See full details" - }, - "profile_card.info.profile_updated": { - "defaultMessage": "Profile updated" - }, - "profile_card.label.email": { - "defaultMessage": "Email" - }, - "profile_card.label.full_name": { - "defaultMessage": "Full Name" - }, - "profile_card.label.phone": { - "defaultMessage": "Phone Number" - }, - "profile_card.message.not_provided": { - "defaultMessage": "Not provided" - }, - "profile_card.title.my_profile": { - "defaultMessage": "My Profile" - }, - "profile_fields.label.profile_form": { - "defaultMessage": "Profile Form" - }, - "promo_code_fields.button.apply": { - "defaultMessage": "Apply" - }, - "promo_popover.assistive_msg.info": { - "defaultMessage": "Info" - }, - "promo_popover.heading.promo_applied": { - "defaultMessage": "Promotions Applied" - }, - "promocode.accordion.button.have_promocode": { - "defaultMessage": "Do you have a promo code?" - }, - "recent_searches.action.clear_searches": { - "defaultMessage": "Clear recent searches" - }, - "recent_searches.heading.recent_searches": { - "defaultMessage": "Recent Searches" - }, - "register_form.action.sign_in": { - "defaultMessage": "Sign in" - }, - "register_form.button.create_account": { - "defaultMessage": "Create Account" - }, - "register_form.heading.lets_get_started": { - "defaultMessage": "Let's get started!" - }, - "register_form.message.agree_to_policy_terms": { - "defaultMessage": "By creating an account, you agree to Salesforce Privacy Policy and Terms & Conditions" - }, - "register_form.message.already_have_account": { - "defaultMessage": "Already have an account?" - }, - "register_form.message.create_an_account": { - "defaultMessage": "Create an account and get first access to the very best products, inspiration and community." - }, - "reset_password_form.action.sign_in": { - "defaultMessage": "Sign in" - }, - "reset_password_form.button.reset_password": { - "defaultMessage": "Reset Password" - }, - "reset_password_form.message.enter_your_email": { - "defaultMessage": "Enter your email to receive instructions on how to reset your password" - }, - "reset_password_form.message.return_to_sign_in": { - "defaultMessage": "Or return to", - "description": "Precedes link to return to sign in" - }, - "reset_password_form.title.reset_password": { - "defaultMessage": "Reset Password" - }, - "search.action.cancel": { - "defaultMessage": "Cancel" - }, - "selected_refinements.action.assistive_msg.clear_all": { - "defaultMessage": "Clear all filters" - }, - "selected_refinements.action.clear_all": { - "defaultMessage": "Clear All" - }, - "shipping_address.button.continue_to_shipping": { - "defaultMessage": "Continue to Shipping Method" - }, - "shipping_address.label.edit_button": { - "defaultMessage": "Edit {address}" - }, - "shipping_address.label.remove_button": { - "defaultMessage": "Remove {address}" - }, - "shipping_address.label.shipping_address_form": { - "defaultMessage": "Shipping Address Form" - }, - "shipping_address.title.shipping_address": { - "defaultMessage": "Shipping Address" - }, - "shipping_address_edit_form.button.save_and_continue": { - "defaultMessage": "Save & Continue to Shipping Method" - }, - "shipping_address_form.heading.edit_address": { - "defaultMessage": "Edit Address" - }, - "shipping_address_form.heading.new_address": { - "defaultMessage": "Add New Address" - }, - "shipping_address_selection.button.add_address": { - "defaultMessage": "Add New Address" - }, - "shipping_address_selection.button.submit": { - "defaultMessage": "Submit" - }, - "shipping_address_selection.title.add_address": { - "defaultMessage": "Add New Address" - }, - "shipping_address_selection.title.edit_shipping": { - "defaultMessage": "Edit Shipping Address" - }, - "shipping_options.action.send_as_a_gift": { - "defaultMessage": "Do you want to send this as a gift?" - }, - "shipping_options.button.continue_to_payment": { - "defaultMessage": "Continue to Payment" - }, - "shipping_options.title.shipping_gift_options": { - "defaultMessage": "Shipping & Gift Options" - }, - "signout_confirmation_dialog.button.cancel": { - "defaultMessage": "Cancel" - }, - "signout_confirmation_dialog.button.sign_out": { - "defaultMessage": "Sign Out" - }, - "signout_confirmation_dialog.heading.sign_out": { - "defaultMessage": "Sign Out" - }, - "signout_confirmation_dialog.message.sure_to_sign_out": { - "defaultMessage": "Are you sure you want to sign out? You will need to sign back in to proceed with your current order." - }, - "social_login_redirect.message.authenticating": { - "defaultMessage": "Authenticating..." - }, - "social_login_redirect.message.redirect_link": { - "defaultMessage": "If you are not automatically redirected, click this link to proceed." - }, - "store_locator.action.find": { - "defaultMessage": "Find" - }, - "store_locator.action.select_a_country": { - "defaultMessage": "Select a country" - }, - "store_locator.action.use_my_location": { - "defaultMessage": "Use My Location" - }, - "store_locator.action.viewMore": { - "defaultMessage": "View More" - }, - "store_locator.description.away": { - "defaultMessage": "away" - }, - "store_locator.description.loading_locations": { - "defaultMessage": "Loading locations..." - }, - "store_locator.description.no_locations": { - "defaultMessage": "Sorry, there are no locations in this area" - }, - "store_locator.description.or": { - "defaultMessage": "Or" - }, - "store_locator.description.phone": { - "defaultMessage": "Phone:" - }, - "store_locator.description.viewing_near_postal_code": { - "defaultMessage": "Viewing stores within {distance}{distanceUnit} of {postalCode} in" - }, - "store_locator.description.viewing_near_your_location": { - "defaultMessage": "Viewing stores near your location" - }, - "store_locator.dropdown.germany": { - "defaultMessage": "Germany" - }, - "store_locator.dropdown.united_states": { - "defaultMessage": "United States" - }, - "store_locator.error.agree_to_share_your_location": { - "defaultMessage": "Please agree to share your location" - }, - "store_locator.error.please_enter_a_postal_code": { - "defaultMessage": "Please enter a postal code." - }, - "store_locator.error.please_select_a_country": { - "defaultMessage": "Please select a country." - }, - "store_locator.field.placeholder.enter_postal_code": { - "defaultMessage": "Enter postal code" - }, - "store_locator.pagination.load_more": { - "defaultMessage": "Load More" - }, - "store_locator.title": { - "defaultMessage": "Find a Store" - }, - "swatch_group.selected.label": { - "defaultMessage": "{label}:" - }, - "toggle_card.action.edit": { - "defaultMessage": "Edit" - }, - "toggle_card.action.editContactInfo": { - "defaultMessage": "Edit Contact Info" - }, - "toggle_card.action.editPaymentInfo": { - "defaultMessage": "Edit Payment Info" - }, - "toggle_card.action.editShippingAddress": { - "defaultMessage": "Edit Shipping Address" - }, - "toggle_card.action.editShippingOptions": { - "defaultMessage": "Edit Shipping Options" - }, - "update_password_fields.button.forgot_password": { - "defaultMessage": "Forgot Password?" - }, - "use_address_fields.error.please_enter_first_name": { - "defaultMessage": "Please enter your first name." - }, - "use_address_fields.error.please_enter_last_name": { - "defaultMessage": "Please enter your last name." - }, - "use_address_fields.error.please_enter_phone_number": { - "defaultMessage": "Please enter your phone number." - }, - "use_address_fields.error.please_enter_your_postal_or_zip": { - "defaultMessage": "Please enter your zip code.", - "description": "Error message for a blank zip code (US-specific checkout)" - }, - "use_address_fields.error.please_select_your_address": { - "defaultMessage": "Please enter your address." - }, - "use_address_fields.error.please_select_your_city": { - "defaultMessage": "Please enter your city." - }, - "use_address_fields.error.please_select_your_country": { - "defaultMessage": "Please select your country." - }, - "use_address_fields.error.please_select_your_state_or_province": { - "defaultMessage": "Please select your state.", - "description": "Error message for a blank state (US-specific checkout)" - }, - "use_address_fields.error.required": { - "defaultMessage": "Required" - }, - "use_address_fields.error.state_code_invalid": { - "defaultMessage": "Please enter 2-letter state/province." - }, - "use_address_fields.label.address": { - "defaultMessage": "Address" - }, - "use_address_fields.label.address_form": { - "defaultMessage": "Address Form" - }, - "use_address_fields.label.city": { - "defaultMessage": "City" - }, - "use_address_fields.label.country": { - "defaultMessage": "Country" - }, - "use_address_fields.label.first_name": { - "defaultMessage": "First Name" - }, - "use_address_fields.label.last_name": { - "defaultMessage": "Last Name" - }, - "use_address_fields.label.phone": { - "defaultMessage": "Phone" - }, - "use_address_fields.label.postal_code": { - "defaultMessage": "Postal Code" - }, - "use_address_fields.label.preferred": { - "defaultMessage": "Set as default" - }, - "use_address_fields.label.province": { - "defaultMessage": "Province" - }, - "use_address_fields.label.state": { - "defaultMessage": "State" - }, - "use_address_fields.label.zipCode": { - "defaultMessage": "Zip Code" - }, - "use_credit_card_fields.error.required": { - "defaultMessage": "Required" - }, - "use_credit_card_fields.error.required_card_number": { - "defaultMessage": "Please enter your card number." - }, - "use_credit_card_fields.error.required_expiry": { - "defaultMessage": "Please enter your expiration date." - }, - "use_credit_card_fields.error.required_name": { - "defaultMessage": "Please enter your name as shown on your card." - }, - "use_credit_card_fields.error.required_security_code": { - "defaultMessage": "Please enter your security code." - }, - "use_credit_card_fields.error.valid_card_number": { - "defaultMessage": "Please enter a valid card number." - }, - "use_credit_card_fields.error.valid_date": { - "defaultMessage": "Please enter a valid date." - }, - "use_credit_card_fields.error.valid_name": { - "defaultMessage": "Please enter a valid name." - }, - "use_credit_card_fields.error.valid_security_code": { - "defaultMessage": "Please enter a valid security code." - }, - "use_credit_card_fields.label.card_number": { - "defaultMessage": "Card Number" - }, - "use_credit_card_fields.label.card_type": { - "defaultMessage": "Card Type" - }, - "use_credit_card_fields.label.expiry": { - "defaultMessage": "Expiration Date" - }, - "use_credit_card_fields.label.name": { - "defaultMessage": "Name on Card" - }, - "use_credit_card_fields.label.security_code": { - "defaultMessage": "Security Code" - }, - "use_login_fields.error.required_email": { - "defaultMessage": "Please enter your email address." - }, - "use_login_fields.error.required_password": { - "defaultMessage": "Please enter your password." - }, - "use_login_fields.label.email": { - "defaultMessage": "Email" - }, - "use_login_fields.label.password": { - "defaultMessage": "Password" - }, - "use_product.message.inventory_remaining": { - "defaultMessage": "Only {stockLevel} left!" - }, - "use_product.message.inventory_remaining_for_product": { - "defaultMessage": "Only {stockLevel} left for {productName}!" - }, - "use_product.message.out_of_stock": { - "defaultMessage": "Out of stock" - }, - "use_product.message.out_of_stock_for_product": { - "defaultMessage": "Out of stock for {productName}" - }, - "use_profile_fields.error.required_email": { - "defaultMessage": "Please enter a valid email address." - }, - "use_profile_fields.error.required_first_name": { - "defaultMessage": "Please enter your first name." - }, - "use_profile_fields.error.required_last_name": { - "defaultMessage": "Please enter your last name." - }, - "use_profile_fields.error.required_phone": { - "defaultMessage": "Please enter your phone number." - }, - "use_profile_fields.label.email": { - "defaultMessage": "Email" - }, - "use_profile_fields.label.first_name": { - "defaultMessage": "First Name" - }, - "use_profile_fields.label.last_name": { - "defaultMessage": "Last Name" - }, - "use_profile_fields.label.phone": { - "defaultMessage": "Phone Number" - }, - "use_promo_code_fields.error.required_promo_code": { - "defaultMessage": "Please provide a valid promo code." - }, - "use_promo_code_fields.label.promo_code": { - "defaultMessage": "Promo Code" - }, - "use_promocode.error.check_the_code": { - "defaultMessage": "Check the code and try again, it may already be applied or the promo has expired." - }, - "use_promocode.info.promo_applied": { - "defaultMessage": "Promotion applied" - }, - "use_promocode.info.promo_removed": { - "defaultMessage": "Promotion removed" - }, - "use_registration_fields.error.contain_number": { - "defaultMessage": "Password must contain at least one number." - }, - "use_registration_fields.error.lowercase_letter": { - "defaultMessage": "Password must contain at least one lowercase letter." - }, - "use_registration_fields.error.minimum_characters": { - "defaultMessage": "Password must contain at least 8 characters." - }, - "use_registration_fields.error.required_email": { - "defaultMessage": "Please enter a valid email address." - }, - "use_registration_fields.error.required_first_name": { - "defaultMessage": "Please enter your first name." - }, - "use_registration_fields.error.required_last_name": { - "defaultMessage": "Please enter your last name." - }, - "use_registration_fields.error.required_password": { - "defaultMessage": "Please create a password." - }, - "use_registration_fields.error.special_character": { - "defaultMessage": "Password must contain at least one special character." - }, - "use_registration_fields.error.uppercase_letter": { - "defaultMessage": "Password must contain at least one uppercase letter." - }, - "use_registration_fields.label.email": { - "defaultMessage": "Email" - }, - "use_registration_fields.label.first_name": { - "defaultMessage": "First Name" - }, - "use_registration_fields.label.last_name": { - "defaultMessage": "Last Name" - }, - "use_registration_fields.label.password": { - "defaultMessage": "Password" - }, - "use_registration_fields.label.sign_up_to_emails": { - "defaultMessage": "Sign me up for Salesforce emails (you can unsubscribe at any time)" - }, - "use_reset_password_fields.error.required_email": { - "defaultMessage": "Please enter a valid email address." - }, - "use_reset_password_fields.label.email": { - "defaultMessage": "Email" - }, - "use_update_password_fields.error.contain_number": { - "defaultMessage": "Password must contain at least one number." - }, - "use_update_password_fields.error.lowercase_letter": { - "defaultMessage": "Password must contain at least one lowercase letter." - }, - "use_update_password_fields.error.minimum_characters": { - "defaultMessage": "Password must contain at least 8 characters." - }, - "use_update_password_fields.error.password_mismatch": { - "defaultMessage": "Passwords do not match." - }, - "use_update_password_fields.error.required_confirm_password": { - "defaultMessage": "Please confirm your password." - }, - "use_update_password_fields.error.required_new_password": { - "defaultMessage": "Please provide a new password." - }, - "use_update_password_fields.error.required_password": { - "defaultMessage": "Please enter your password." - }, - "use_update_password_fields.error.special_character": { - "defaultMessage": "Password must contain at least one special character." - }, - "use_update_password_fields.error.uppercase_letter": { - "defaultMessage": "Password must contain at least one uppercase letter." - }, - "use_update_password_fields.label.confirm_new_password": { - "defaultMessage": "Confirm New Password" - }, - "use_update_password_fields.label.current_password": { - "defaultMessage": "Current Password" - }, - "use_update_password_fields.label.new_password": { - "defaultMessage": "New Password" - }, - "wishlist_primary_action.button.addSetToCart.label": { - "defaultMessage": "Add {productName} set to cart" - }, - "wishlist_primary_action.button.addToCart.label": { - "defaultMessage": "Add {productName} to cart" - }, - "wishlist_primary_action.button.add_set_to_cart": { - "defaultMessage": "Add Set to Cart" - }, - "wishlist_primary_action.button.add_to_cart": { - "defaultMessage": "Add to Cart" - }, - "wishlist_primary_action.button.viewFullDetails.label": { - "defaultMessage": "View full details for {productName}" - }, - "wishlist_primary_action.button.view_full_details": { - "defaultMessage": "View Full Details" - }, - "wishlist_primary_action.button.view_options": { - "defaultMessage": "View Options" - }, - "wishlist_primary_action.button.view_options.label": { - "defaultMessage": "View Options for {productName}" - }, - "wishlist_primary_action.info.added_to_cart": { - "defaultMessage": "{quantity} {quantity, plural, one {item} other {items}} added to cart" - }, - "wishlist_secondary_button_group.action.remove": { - "defaultMessage": "Remove" - }, - "wishlist_secondary_button_group.info.item.remove.label": { - "defaultMessage": "Remove {productName}" - }, - "wishlist_secondary_button_group.info.item_removed": { - "defaultMessage": "Item removed from wishlist" - }, - "with_registration.info.please_sign_in": { - "defaultMessage": "Please sign in to continue!" - } -} diff --git a/my-test-project/translations/en-US.json b/my-test-project/translations/en-US.json deleted file mode 100644 index 48dd92bb1b..0000000000 --- a/my-test-project/translations/en-US.json +++ /dev/null @@ -1,1801 +0,0 @@ -{ - "account.accordion.button.my_account": { - "defaultMessage": "My Account" - }, - "account.heading.my_account": { - "defaultMessage": "My Account" - }, - "account.logout_button.button.log_out": { - "defaultMessage": "Log Out" - }, - "account_addresses.badge.default": { - "defaultMessage": "Default" - }, - "account_addresses.button.add_address": { - "defaultMessage": "Add Address" - }, - "account_addresses.info.address_removed": { - "defaultMessage": "Address removed" - }, - "account_addresses.info.address_updated": { - "defaultMessage": "Address updated" - }, - "account_addresses.info.new_address_saved": { - "defaultMessage": "New address saved" - }, - "account_addresses.page_action_placeholder.button.add_address": { - "defaultMessage": "Add Address" - }, - "account_addresses.page_action_placeholder.heading.no_saved_addresses": { - "defaultMessage": "No Saved Addresses" - }, - "account_addresses.page_action_placeholder.message.add_new_address": { - "defaultMessage": "Add a new address method for faster checkout." - }, - "account_addresses.title.addresses": { - "defaultMessage": "Addresses" - }, - "account_detail.title.account_details": { - "defaultMessage": "Account Details" - }, - "account_order_detail.heading.billing_address": { - "defaultMessage": "Billing Address" - }, - "account_order_detail.heading.num_of_items": { - "defaultMessage": "{count} items" - }, - "account_order_detail.heading.payment_method": { - "defaultMessage": "Payment Method" - }, - "account_order_detail.heading.shipping_address": { - "defaultMessage": "Shipping Address" - }, - "account_order_detail.heading.shipping_method": { - "defaultMessage": "Shipping Method" - }, - "account_order_detail.label.order_number": { - "defaultMessage": "Order Number: {orderNumber}" - }, - "account_order_detail.label.ordered_date": { - "defaultMessage": "Ordered: {date}" - }, - "account_order_detail.label.pending_tracking_number": { - "defaultMessage": "Pending" - }, - "account_order_detail.label.tracking_number": { - "defaultMessage": "Tracking Number" - }, - "account_order_detail.link.back_to_history": { - "defaultMessage": "Back to Order History" - }, - "account_order_detail.shipping_status.not_shipped": { - "defaultMessage": "Not shipped" - }, - "account_order_detail.shipping_status.part_shipped": { - "defaultMessage": "Partially shipped" - }, - "account_order_detail.shipping_status.shipped": { - "defaultMessage": "Shipped" - }, - "account_order_detail.title.order_details": { - "defaultMessage": "Order Details" - }, - "account_order_history.button.continue_shopping": { - "defaultMessage": "Continue Shopping" - }, - "account_order_history.description.once_you_place_order": { - "defaultMessage": "Once you place an order the details will show up here." - }, - "account_order_history.heading.no_order_yet": { - "defaultMessage": "You haven't placed an order yet." - }, - "account_order_history.label.num_of_items": { - "defaultMessage": "{count} items", - "description": "Number of items in order" - }, - "account_order_history.label.order_number": { - "defaultMessage": "Order Number: {orderNumber}" - }, - "account_order_history.label.ordered_date": { - "defaultMessage": "Ordered: {date}" - }, - "account_order_history.label.shipped_to": { - "defaultMessage": "Shipped to: {name}" - }, - "account_order_history.link.view_details": { - "defaultMessage": "View details" - }, - "account_order_history.title.order_history": { - "defaultMessage": "Order History" - }, - "account_wishlist.button.continue_shopping": { - "defaultMessage": "Continue Shopping" - }, - "account_wishlist.description.continue_shopping": { - "defaultMessage": "Continue shopping and add items to your wishlist." - }, - "account_wishlist.heading.no_wishlist": { - "defaultMessage": "No Wishlist Items" - }, - "account_wishlist.title.wishlist": { - "defaultMessage": "Wishlist" - }, - "action_card.action.edit": { - "defaultMessage": "Edit" - }, - "action_card.action.remove": { - "defaultMessage": "Remove" - }, - "add_to_cart_modal.info.added_to_cart": { - "defaultMessage": "{quantity} {quantity, plural, one {item} other {items}} added to cart" - }, - "add_to_cart_modal.label.cart_subtotal": { - "defaultMessage": "Cart Subtotal ({itemAccumulatedCount} item)" - }, - "add_to_cart_modal.label.quantity": { - "defaultMessage": "Qty" - }, - "add_to_cart_modal.link.checkout": { - "defaultMessage": "Proceed to Checkout" - }, - "add_to_cart_modal.link.view_cart": { - "defaultMessage": "View Cart" - }, - "add_to_cart_modal.recommended_products.title.might_also_like": { - "defaultMessage": "You Might Also Like" - }, - "auth_modal.button.close.assistive_msg": { - "defaultMessage": "Close login form" - }, - "auth_modal.check_email.button.resend_link": { - "defaultMessage": "Resend Link" - }, - "auth_modal.check_email.description.check_spam_folder": { - "defaultMessage": "The link may take a few minutes to arrive, check your spam folder if you're having trouble finding it" - }, - "auth_modal.check_email.description.just_sent": { - "defaultMessage": "We just sent a login link to {email}" - }, - "auth_modal.check_email.title.check_your_email": { - "defaultMessage": "Check Your Email" - }, - "auth_modal.description.now_signed_in": { - "defaultMessage": "You're now signed in." - }, - "auth_modal.error.incorrect_email_or_password": { - "defaultMessage": "Something's not right with your email or password. Try again." - }, - "auth_modal.info.welcome_user": { - "defaultMessage": "Welcome {name}," - }, - "auth_modal.password_reset_success.button.back_to_sign_in": { - "defaultMessage": "Back to Sign In" - }, - "auth_modal.password_reset_success.info.will_email_shortly": { - "defaultMessage": "You will receive an email at {email} with a link to reset your password shortly." - }, - "auth_modal.password_reset_success.title.password_reset": { - "defaultMessage": "Password Reset" - }, - "carousel.button.scroll_left.assistive_msg": { - "defaultMessage": "Scroll carousel left" - }, - "carousel.button.scroll_right.assistive_msg": { - "defaultMessage": "Scroll carousel right" - }, - "cart.info.removed_from_cart": { - "defaultMessage": "Item removed from cart" - }, - "cart.product_edit_modal.modal_label": { - "defaultMessage": "Edit modal for {productName}" - }, - "cart.recommended_products.title.may_also_like": { - "defaultMessage": "You May Also Like" - }, - "cart.recommended_products.title.recently_viewed": { - "defaultMessage": "Recently Viewed" - }, - "cart_cta.link.checkout": { - "defaultMessage": "Proceed to Checkout" - }, - "cart_secondary_button_group.action.added_to_wishlist": { - "defaultMessage": "Add to Wishlist" - }, - "cart_secondary_button_group.action.edit": { - "defaultMessage": "Edit" - }, - "cart_secondary_button_group.action.remove": { - "defaultMessage": "Remove" - }, - "cart_secondary_button_group.label.this_is_gift": { - "defaultMessage": "This is a gift." - }, - "cart_skeleton.heading.order_summary": { - "defaultMessage": "Order Summary" - }, - "cart_skeleton.title.cart": { - "defaultMessage": "Cart" - }, - "cart_title.title.cart_num_of_items": { - "defaultMessage": "Cart ({itemCount, plural, =0 {0 items} one {# item} other {# items}})" - }, - "category_links.button_text": { - "defaultMessage": "Categories" - }, - "cc_radio_group.action.remove": { - "defaultMessage": "Remove" - }, - "cc_radio_group.button.add_new_card": { - "defaultMessage": "Add New Card" - }, - "checkout.button.place_order": { - "defaultMessage": "Place Order" - }, - "checkout.message.generic_error": { - "defaultMessage": "An unexpected error occurred during checkout." - }, - "checkout_confirmation.button.create_account": { - "defaultMessage": "Create Account" - }, - "checkout_confirmation.heading.billing_address": { - "defaultMessage": "Billing Address" - }, - "checkout_confirmation.heading.create_account": { - "defaultMessage": "Create an account for faster checkout" - }, - "checkout_confirmation.heading.credit_card": { - "defaultMessage": "Credit Card" - }, - "checkout_confirmation.heading.delivery_details": { - "defaultMessage": "Delivery Details" - }, - "checkout_confirmation.heading.order_summary": { - "defaultMessage": "Order Summary" - }, - "checkout_confirmation.heading.payment_details": { - "defaultMessage": "Payment Details" - }, - "checkout_confirmation.heading.shipping_address": { - "defaultMessage": "Shipping Address" - }, - "checkout_confirmation.heading.shipping_method": { - "defaultMessage": "Shipping Method" - }, - "checkout_confirmation.heading.thank_you_for_order": { - "defaultMessage": "Thank you for your order!" - }, - "checkout_confirmation.label.free": { - "defaultMessage": "Free" - }, - "checkout_confirmation.label.order_number": { - "defaultMessage": "Order Number" - }, - "checkout_confirmation.label.order_total": { - "defaultMessage": "Order Total" - }, - "checkout_confirmation.label.promo_applied": { - "defaultMessage": "Promotion applied" - }, - "checkout_confirmation.label.shipping": { - "defaultMessage": "Shipping" - }, - "checkout_confirmation.label.shipping.strikethrough.price": { - "defaultMessage": "Originally {originalPrice}, now {newPrice}" - }, - "checkout_confirmation.label.subtotal": { - "defaultMessage": "Subtotal" - }, - "checkout_confirmation.label.tax": { - "defaultMessage": "Tax" - }, - "checkout_confirmation.link.continue_shopping": { - "defaultMessage": "Continue Shopping" - }, - "checkout_confirmation.link.login": { - "defaultMessage": "Log in here" - }, - "checkout_confirmation.message.already_has_account": { - "defaultMessage": "This email already has an account." - }, - "checkout_confirmation.message.num_of_items_in_order": { - "defaultMessage": "{itemCount, plural, =0 {0 items} one {# item} other {# items}}", - "description": "# item(s) in order" - }, - "checkout_confirmation.message.will_email_shortly": { - "defaultMessage": "We will send an email to {email} with your confirmation number and receipt shortly." - }, - "checkout_footer.link.privacy_policy": { - "defaultMessage": "Privacy Policy" - }, - "checkout_footer.link.returns_exchanges": { - "defaultMessage": "Returns & Exchanges" - }, - "checkout_footer.link.shipping": { - "defaultMessage": "Shipping" - }, - "checkout_footer.link.site_map": { - "defaultMessage": "Site Map" - }, - "checkout_footer.link.terms_conditions": { - "defaultMessage": "Terms & Conditions" - }, - "checkout_footer.message.copyright": { - "defaultMessage": "Salesforce or its affiliates. All rights reserved. This is a demo store only. Orders made WILL NOT be processed." - }, - "checkout_header.link.assistive_msg.cart": { - "defaultMessage": "Back to cart, number of items: {numItems}" - }, - "checkout_header.link.cart": { - "defaultMessage": "Back to cart" - }, - "checkout_payment.action.remove": { - "defaultMessage": "Remove" - }, - "checkout_payment.button.review_order": { - "defaultMessage": "Review Order" - }, - "checkout_payment.heading.billing_address": { - "defaultMessage": "Billing Address" - }, - "checkout_payment.heading.credit_card": { - "defaultMessage": "Credit Card" - }, - "checkout_payment.label.billing_address_form": { - "defaultMessage": "Billing Address Form" - }, - "checkout_payment.label.same_as_shipping": { - "defaultMessage": "Same as shipping address" - }, - "checkout_payment.title.payment": { - "defaultMessage": "Payment" - }, - "colorRefinements.label.hitCount": { - "defaultMessage": "{colorLabel} ({colorHitCount})" - }, - "confirmation_modal.default.action.no": { - "defaultMessage": "No" - }, - "confirmation_modal.default.action.yes": { - "defaultMessage": "Yes" - }, - "confirmation_modal.default.assistive_msg.no": { - "defaultMessage": "No, cancel action" - }, - "confirmation_modal.default.assistive_msg.yes": { - "defaultMessage": "Yes, confirm action" - }, - "confirmation_modal.default.message.you_want_to_continue": { - "defaultMessage": "Are you sure you want to continue?" - }, - "confirmation_modal.default.title.confirm_action": { - "defaultMessage": "Confirm Action" - }, - "confirmation_modal.remove_cart_item.action.no": { - "defaultMessage": "No, keep item" - }, - "confirmation_modal.remove_cart_item.action.remove": { - "defaultMessage": "Remove" - }, - "confirmation_modal.remove_cart_item.action.yes": { - "defaultMessage": "Yes, remove item" - }, - "confirmation_modal.remove_cart_item.assistive_msg.no": { - "defaultMessage": "No, keep item" - }, - "confirmation_modal.remove_cart_item.assistive_msg.remove": { - "defaultMessage": "Remove unavailable products" - }, - "confirmation_modal.remove_cart_item.assistive_msg.yes": { - "defaultMessage": "Yes, remove item" - }, - "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": { - "defaultMessage": "Some items are no longer available online and will be removed from your cart." - }, - "confirmation_modal.remove_cart_item.message.sure_to_remove": { - "defaultMessage": "Are you sure you want to remove this item from your cart?" - }, - "confirmation_modal.remove_cart_item.title.confirm_remove": { - "defaultMessage": "Confirm Remove Item" - }, - "confirmation_modal.remove_cart_item.title.items_unavailable": { - "defaultMessage": "Items Unavailable" - }, - "confirmation_modal.remove_wishlist_item.action.no": { - "defaultMessage": "No, keep item" - }, - "confirmation_modal.remove_wishlist_item.action.yes": { - "defaultMessage": "Yes, remove item" - }, - "confirmation_modal.remove_wishlist_item.message.sure_to_remove": { - "defaultMessage": "Are you sure you want to remove this item from your wishlist?" - }, - "confirmation_modal.remove_wishlist_item.title.confirm_remove": { - "defaultMessage": "Confirm Remove Item" - }, - "contact_info.action.sign_out": { - "defaultMessage": "Sign Out" - }, - "contact_info.button.already_have_account": { - "defaultMessage": "Already have an account? Log in" - }, - "contact_info.button.back_to_sign_in_options": { - "defaultMessage": "Back to Sign In Options" - }, - "contact_info.button.checkout_as_guest": { - "defaultMessage": "Checkout as Guest" - }, - "contact_info.button.login": { - "defaultMessage": "Log In" - }, - "contact_info.button.password": { - "defaultMessage": "Password" - }, - "contact_info.button.secure_link": { - "defaultMessage": "Secure Link" - }, - "contact_info.error.incorrect_username_or_password": { - "defaultMessage": "Incorrect username or password, please try again." - }, - "contact_info.link.forgot_password": { - "defaultMessage": "Forgot password?" - }, - "contact_info.message.or_login_with": { - "defaultMessage": "Or Login With" - }, - "contact_info.title.contact_info": { - "defaultMessage": "Contact Info" - }, - "credit_card_fields.tool_tip.security_code": { - "defaultMessage": "This 3-digit code can be found on the back of your card.", - "description": "Generic credit card security code help text" - }, - "credit_card_fields.tool_tip.security_code.american_express": { - "defaultMessage": "This 4-digit code can be found on the front of your card.", - "description": "American Express security code help text" - }, - "credit_card_fields.tool_tip.security_code_aria_label": { - "defaultMessage": "Security code info" - }, - "display_price.assistive_msg.current_price": { - "defaultMessage": "current price {currentPrice}" - }, - "display_price.assistive_msg.current_price_with_range": { - "defaultMessage": "From current price {currentPrice}" - }, - "display_price.assistive_msg.strikethrough_price": { - "defaultMessage": "original price {listPrice}" - }, - "display_price.assistive_msg.strikethrough_price_with_range": { - "defaultMessage": "From original price {listPrice}" - }, - "display_price.label.current_price_with_range": { - "defaultMessage": "From {currentPrice}" - }, - "dnt_notification.button.accept": { - "defaultMessage": "Accept" - }, - "dnt_notification.button.assistive_msg.accept": { - "defaultMessage": "Accept tracking" - }, - "dnt_notification.button.assistive_msg.close": { - "defaultMessage": "Close consent tracking form" - }, - "dnt_notification.button.assistive_msg.decline": { - "defaultMessage": "Decline tracking" - }, - "dnt_notification.button.decline": { - "defaultMessage": "Decline" - }, - "dnt_notification.description": { - "defaultMessage": "Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur." - }, - "dnt_notification.title": { - "defaultMessage": "Tracking Consent" - }, - "drawer_menu.button.account_details": { - "defaultMessage": "Account Details" - }, - "drawer_menu.button.addresses": { - "defaultMessage": "Addresses" - }, - "drawer_menu.button.log_out": { - "defaultMessage": "Log Out" - }, - "drawer_menu.button.my_account": { - "defaultMessage": "My Account" - }, - "drawer_menu.button.order_history": { - "defaultMessage": "Order History" - }, - "drawer_menu.header.assistive_msg.title": { - "defaultMessage": "Menu Drawer" - }, - "drawer_menu.link.about_us": { - "defaultMessage": "About Us" - }, - "drawer_menu.link.customer_support": { - "defaultMessage": "Customer Support" - }, - "drawer_menu.link.customer_support.contact_us": { - "defaultMessage": "Contact Us" - }, - "drawer_menu.link.customer_support.shipping_and_returns": { - "defaultMessage": "Shipping & Returns" - }, - "drawer_menu.link.our_company": { - "defaultMessage": "Our Company" - }, - "drawer_menu.link.privacy_and_security": { - "defaultMessage": "Privacy & Security" - }, - "drawer_menu.link.privacy_policy": { - "defaultMessage": "Privacy Policy" - }, - "drawer_menu.link.shop_all": { - "defaultMessage": "Shop All" - }, - "drawer_menu.link.sign_in": { - "defaultMessage": "Sign In" - }, - "drawer_menu.link.site_map": { - "defaultMessage": "Site Map" - }, - "drawer_menu.link.store_locator": { - "defaultMessage": "Store Locator" - }, - "drawer_menu.link.terms_and_conditions": { - "defaultMessage": "Terms & Conditions" - }, - "empty_cart.description.empty_cart": { - "defaultMessage": "Your cart is empty." - }, - "empty_cart.link.continue_shopping": { - "defaultMessage": "Continue Shopping" - }, - "empty_cart.link.sign_in": { - "defaultMessage": "Sign In" - }, - "empty_cart.message.continue_shopping": { - "defaultMessage": "Continue shopping to add items to your cart." - }, - "empty_cart.message.sign_in_or_continue_shopping": { - "defaultMessage": "Sign in to retrieve your saved items or continue shopping." - }, - "empty_search_results.info.cant_find_anything_for_category": { - "defaultMessage": "We couldn’t find anything for {category}. Try searching for a product or {link}." - }, - "empty_search_results.info.cant_find_anything_for_query": { - "defaultMessage": "We couldn’t find anything for \"{searchQuery}\"." - }, - "empty_search_results.info.double_check_spelling": { - "defaultMessage": "Double-check your spelling and try again or {link}." - }, - "empty_search_results.link.contact_us": { - "defaultMessage": "Contact Us" - }, - "empty_search_results.recommended_products.title.most_viewed": { - "defaultMessage": "Most Viewed" - }, - "empty_search_results.recommended_products.title.top_sellers": { - "defaultMessage": "Top Sellers" - }, - "field.password.assistive_msg.hide_password": { - "defaultMessage": "Hide password" - }, - "field.password.assistive_msg.show_password": { - "defaultMessage": "Show password" - }, - "footer.column.account": { - "defaultMessage": "Account" - }, - "footer.column.customer_support": { - "defaultMessage": "Customer Support" - }, - "footer.column.our_company": { - "defaultMessage": "Our Company" - }, - "footer.link.about_us": { - "defaultMessage": "About Us" - }, - "footer.link.contact_us": { - "defaultMessage": "Contact Us" - }, - "footer.link.order_status": { - "defaultMessage": "Order Status" - }, - "footer.link.privacy_policy": { - "defaultMessage": "Privacy Policy" - }, - "footer.link.shipping": { - "defaultMessage": "Shipping" - }, - "footer.link.signin_create_account": { - "defaultMessage": "Sign in or create account" - }, - "footer.link.site_map": { - "defaultMessage": "Site Map" - }, - "footer.link.store_locator": { - "defaultMessage": "Store Locator" - }, - "footer.link.terms_conditions": { - "defaultMessage": "Terms & Conditions" - }, - "footer.locale_selector.assistive_msg": { - "defaultMessage": "Select Language" - }, - "footer.message.copyright": { - "defaultMessage": "Salesforce or its affiliates. All rights reserved. This is a demo store only. Orders made WILL NOT be processed." - }, - "footer.subscribe.button.sign_up": { - "defaultMessage": "Sign Up" - }, - "footer.subscribe.description.sign_up": { - "defaultMessage": "Sign up to stay in the loop about the hottest deals" - }, - "footer.subscribe.email.assistive_msg": { - "defaultMessage": "Email address for newsletter" - }, - "footer.subscribe.heading.first_to_know": { - "defaultMessage": "Be the first to know" - }, - "form_action_buttons.button.cancel": { - "defaultMessage": "Cancel" - }, - "form_action_buttons.button.save": { - "defaultMessage": "Save" - }, - "global.account.link.account_details": { - "defaultMessage": "Account Details" - }, - "global.account.link.addresses": { - "defaultMessage": "Addresses" - }, - "global.account.link.order_history": { - "defaultMessage": "Order History" - }, - "global.account.link.wishlist": { - "defaultMessage": "Wishlist" - }, - "global.error.create_account": { - "defaultMessage": "This feature is not currently available. You must create an account to access this feature." - }, - "global.error.feature_unavailable": { - "defaultMessage": "This feature is not currently available." - }, - "global.error.invalid_token": { - "defaultMessage": "Invalid token, please try again." - }, - "global.error.something_went_wrong": { - "defaultMessage": "Something went wrong. Try again!" - }, - "global.info.added_to_wishlist": { - "defaultMessage": "{quantity} {quantity, plural, one {item} other {items}} added to wishlist" - }, - "global.info.already_in_wishlist": { - "defaultMessage": "Item is already in wishlist" - }, - "global.info.removed_from_wishlist": { - "defaultMessage": "Item removed from wishlist" - }, - "global.link.added_to_wishlist.view_wishlist": { - "defaultMessage": "View" - }, - "header.button.assistive_msg.logo": { - "defaultMessage": "Logo" - }, - "header.button.assistive_msg.menu": { - "defaultMessage": "Menu" - }, - "header.button.assistive_msg.menu.open_dialog": { - "defaultMessage": "Opens a dialog" - }, - "header.button.assistive_msg.my_account": { - "defaultMessage": "My Account" - }, - "header.button.assistive_msg.my_account_menu": { - "defaultMessage": "Open account menu" - }, - "header.button.assistive_msg.my_cart_with_num_items": { - "defaultMessage": "My cart, number of items: {numItems}" - }, - "header.button.assistive_msg.store_locator": { - "defaultMessage": "Store Locator" - }, - "header.button.assistive_msg.wishlist": { - "defaultMessage": "Wishlist" - }, - "header.field.placeholder.search_for_products": { - "defaultMessage": "Search for products..." - }, - "header.popover.action.log_out": { - "defaultMessage": "Log out" - }, - "header.popover.title.my_account": { - "defaultMessage": "My Account" - }, - "home.description.features": { - "defaultMessage": "Out-of-the-box features so that you focus only on adding enhancements." - }, - "home.description.here_to_help": { - "defaultMessage": "Contact our support staff." - }, - "home.description.here_to_help_line_2": { - "defaultMessage": "They will get you to the right place." - }, - "home.description.shop_products": { - "defaultMessage": "This section contains content from the catalog. {docLink} on how to replace it.", - "description": "{docLink} is a html button that links the user to https://sfdc.co/business-manager-manage-catalogs" - }, - "home.description.todo_list": { - "defaultMessage": "Example Todo list fetched from JSONPlaceholder API" - }, - "home.features.description.cart_checkout": { - "defaultMessage": "Ecommerce best practice for a shopper's cart and checkout experience." - }, - "home.features.description.components": { - "defaultMessage": "Built using Chakra UI, a simple, modular and accessible React component library." - }, - "home.features.description.einstein_recommendations": { - "defaultMessage": "Deliver the next best product or offer to every shopper through product recommendations." - }, - "home.features.description.my_account": { - "defaultMessage": "Shoppers can manage account information such as their profile, addresses, payments and orders." - }, - "home.features.description.shopper_login": { - "defaultMessage": "Enable shoppers to easily log in with a more personalized shopping experience." - }, - "home.features.description.wishlist": { - "defaultMessage": "Registered shoppers can add product items to their wishlist from purchasing later." - }, - "home.features.heading.cart_checkout": { - "defaultMessage": "Cart & Checkout" - }, - "home.features.heading.components": { - "defaultMessage": "Components & Design Kit" - }, - "home.features.heading.einstein_recommendations": { - "defaultMessage": "Einstein Recommendations" - }, - "home.features.heading.my_account": { - "defaultMessage": "My Account" - }, - "home.features.heading.shopper_login": { - "defaultMessage": "Shopper Login and API Access Service" - }, - "home.features.heading.wishlist": { - "defaultMessage": "Wishlist" - }, - "home.heading.features": { - "defaultMessage": "Features" - }, - "home.heading.here_to_help": { - "defaultMessage": "We're here to help" - }, - "home.heading.shop_products": { - "defaultMessage": "Shop Products" - }, - "home.heading.todo_list": { - "defaultMessage": "Todo List" - }, - "home.hero_features.link.design_kit": { - "defaultMessage": "Create with the Figma PWA Design Kit" - }, - "home.hero_features.link.on_github": { - "defaultMessage": "Download on Github" - }, - "home.hero_features.link.on_managed_runtime": { - "defaultMessage": "Deploy on Managed Runtime" - }, - "home.link.contact_us": { - "defaultMessage": "Contact Us" - }, - "home.link.get_started": { - "defaultMessage": "Get started" - }, - "home.link.read_docs": { - "defaultMessage": "Read docs" - }, - "home.title.react_starter_store": { - "defaultMessage": "The React PWA Starter Store for Retail" - }, - "icons.assistive_msg.lock": { - "defaultMessage": "Secure" - }, - "item_attributes.label.promotions": { - "defaultMessage": "Promotions" - }, - "item_attributes.label.quantity": { - "defaultMessage": "Quantity: {quantity}" - }, - "item_attributes.label.selected_options": { - "defaultMessage": "Selected Options" - }, - "item_image.label.sale": { - "defaultMessage": "Sale", - "description": "A sale badge placed on top of a product image" - }, - "item_image.label.unavailable": { - "defaultMessage": "Unavailable", - "description": "A unavailable badge placed on top of a product image" - }, - "item_variant.assistive_msg.quantity": { - "defaultMessage": "Quantity {quantity}" - }, - "item_variant.quantity.label": { - "defaultMessage": "Quantity selector for {productName}. Selected quantity is {quantity}" - }, - "lCPCxk": { - "defaultMessage": "Please select all your options above" - }, - "list_menu.nav.assistive_msg": { - "defaultMessage": "Main navigation" - }, - "locale_text.message.ar-SA": { - "defaultMessage": "Arabic (Saudi Arabia)" - }, - "locale_text.message.bn-BD": { - "defaultMessage": "Bangla (Bangladesh)" - }, - "locale_text.message.bn-IN": { - "defaultMessage": "Bangla (India)" - }, - "locale_text.message.cs-CZ": { - "defaultMessage": "Czech (Czech Republic)" - }, - "locale_text.message.da-DK": { - "defaultMessage": "Danish (Denmark)" - }, - "locale_text.message.de-AT": { - "defaultMessage": "German (Austria)" - }, - "locale_text.message.de-CH": { - "defaultMessage": "German (Switzerland)" - }, - "locale_text.message.de-DE": { - "defaultMessage": "German (Germany)" - }, - "locale_text.message.el-GR": { - "defaultMessage": "Greek (Greece)" - }, - "locale_text.message.en-AU": { - "defaultMessage": "English (Australia)" - }, - "locale_text.message.en-CA": { - "defaultMessage": "English (Canada)" - }, - "locale_text.message.en-GB": { - "defaultMessage": "English (United Kingdom)" - }, - "locale_text.message.en-IE": { - "defaultMessage": "English (Ireland)" - }, - "locale_text.message.en-IN": { - "defaultMessage": "English (India)" - }, - "locale_text.message.en-NZ": { - "defaultMessage": "English (New Zealand)" - }, - "locale_text.message.en-US": { - "defaultMessage": "English (United States)" - }, - "locale_text.message.en-ZA": { - "defaultMessage": "English (South Africa)" - }, - "locale_text.message.es-AR": { - "defaultMessage": "Spanish (Argentina)" - }, - "locale_text.message.es-CL": { - "defaultMessage": "Spanish (Chile)" - }, - "locale_text.message.es-CO": { - "defaultMessage": "Spanish (Columbia)" - }, - "locale_text.message.es-ES": { - "defaultMessage": "Spanish (Spain)" - }, - "locale_text.message.es-MX": { - "defaultMessage": "Spanish (Mexico)" - }, - "locale_text.message.es-US": { - "defaultMessage": "Spanish (United States)" - }, - "locale_text.message.fi-FI": { - "defaultMessage": "Finnish (Finland)" - }, - "locale_text.message.fr-BE": { - "defaultMessage": "French (Belgium)" - }, - "locale_text.message.fr-CA": { - "defaultMessage": "French (Canada)" - }, - "locale_text.message.fr-CH": { - "defaultMessage": "French (Switzerland)" - }, - "locale_text.message.fr-FR": { - "defaultMessage": "French (France)" - }, - "locale_text.message.he-IL": { - "defaultMessage": "Hebrew (Israel)" - }, - "locale_text.message.hi-IN": { - "defaultMessage": "Hindi (India)" - }, - "locale_text.message.hu-HU": { - "defaultMessage": "Hungarian (Hungary)" - }, - "locale_text.message.id-ID": { - "defaultMessage": "Indonesian (Indonesia)" - }, - "locale_text.message.it-CH": { - "defaultMessage": "Italian (Switzerland)" - }, - "locale_text.message.it-IT": { - "defaultMessage": "Italian (Italy)" - }, - "locale_text.message.ja-JP": { - "defaultMessage": "Japanese (Japan)" - }, - "locale_text.message.ko-KR": { - "defaultMessage": "Korean (Republic of Korea)" - }, - "locale_text.message.nl-BE": { - "defaultMessage": "Dutch (Belgium)" - }, - "locale_text.message.nl-NL": { - "defaultMessage": "Dutch (The Netherlands)" - }, - "locale_text.message.no-NO": { - "defaultMessage": "Norwegian (Norway)" - }, - "locale_text.message.pl-PL": { - "defaultMessage": "Polish (Poland)" - }, - "locale_text.message.pt-BR": { - "defaultMessage": "Portuguese (Brazil)" - }, - "locale_text.message.pt-PT": { - "defaultMessage": "Portuguese (Portugal)" - }, - "locale_text.message.ro-RO": { - "defaultMessage": "Romanian (Romania)" - }, - "locale_text.message.ru-RU": { - "defaultMessage": "Russian (Russian Federation)" - }, - "locale_text.message.sk-SK": { - "defaultMessage": "Slovak (Slovakia)" - }, - "locale_text.message.sv-SE": { - "defaultMessage": "Swedish (Sweden)" - }, - "locale_text.message.ta-IN": { - "defaultMessage": "Tamil (India)" - }, - "locale_text.message.ta-LK": { - "defaultMessage": "Tamil (Sri Lanka)" - }, - "locale_text.message.th-TH": { - "defaultMessage": "Thai (Thailand)" - }, - "locale_text.message.tr-TR": { - "defaultMessage": "Turkish (Turkey)" - }, - "locale_text.message.zh-CN": { - "defaultMessage": "Chinese (China)" - }, - "locale_text.message.zh-HK": { - "defaultMessage": "Chinese (Hong Kong)" - }, - "locale_text.message.zh-TW": { - "defaultMessage": "Chinese (Taiwan)" - }, - "login_form.action.create_account": { - "defaultMessage": "Create account" - }, - "login_form.button.apple": { - "defaultMessage": "Apple" - }, - "login_form.button.back": { - "defaultMessage": "Back to Sign In Options" - }, - "login_form.button.continue_securely": { - "defaultMessage": "Continue Securely" - }, - "login_form.button.google": { - "defaultMessage": "Google" - }, - "login_form.button.password": { - "defaultMessage": "Password" - }, - "login_form.button.sign_in": { - "defaultMessage": "Sign In" - }, - "login_form.link.forgot_password": { - "defaultMessage": "Forgot password?" - }, - "login_form.message.dont_have_account": { - "defaultMessage": "Don't have an account?" - }, - "login_form.message.or_login_with": { - "defaultMessage": "Or Login With" - }, - "login_form.message.welcome_back": { - "defaultMessage": "Welcome Back" - }, - "login_page.error.incorrect_username_or_password": { - "defaultMessage": "Incorrect username or password, please try again." - }, - "offline_banner.description.browsing_offline_mode": { - "defaultMessage": "You're currently browsing in offline mode" - }, - "order_summary.action.remove_promo": { - "defaultMessage": "Remove" - }, - "order_summary.cart_items.action.num_of_items_in_cart": { - "defaultMessage": "{itemCount, plural, =0 {0 items} one {# item} other {# items}} in cart", - "description": "clicking it would expand/show the items in cart" - }, - "order_summary.cart_items.link.edit_cart": { - "defaultMessage": "Edit cart" - }, - "order_summary.heading.order_summary": { - "defaultMessage": "Order Summary" - }, - "order_summary.label.estimated_total": { - "defaultMessage": "Estimated Total" - }, - "order_summary.label.free": { - "defaultMessage": "Free" - }, - "order_summary.label.order_total": { - "defaultMessage": "Order Total" - }, - "order_summary.label.promo_applied": { - "defaultMessage": "Promotion applied" - }, - "order_summary.label.promotions_applied": { - "defaultMessage": "Promotions applied" - }, - "order_summary.label.shipping": { - "defaultMessage": "Shipping" - }, - "order_summary.label.subtotal": { - "defaultMessage": "Subtotal" - }, - "order_summary.label.tax": { - "defaultMessage": "Tax" - }, - "page_not_found.action.go_back": { - "defaultMessage": "Back to previous page" - }, - "page_not_found.link.homepage": { - "defaultMessage": "Go to home page" - }, - "page_not_found.message.suggestion_to_try": { - "defaultMessage": "Please try retyping the address, going back to the previous page, or going to the home page." - }, - "page_not_found.title.page_cant_be_found": { - "defaultMessage": "The page you're looking for can't be found." - }, - "pagination.field.num_of_pages": { - "defaultMessage": "of {numOfPages}" - }, - "pagination.field.page_number_select": { - "defaultMessage": "Select page number" - }, - "pagination.link.next": { - "defaultMessage": "Next" - }, - "pagination.link.next.assistive_msg": { - "defaultMessage": "Next Page" - }, - "pagination.link.prev": { - "defaultMessage": "Prev" - }, - "pagination.link.prev.assistive_msg": { - "defaultMessage": "Previous Page" - }, - "password_card.info.password_updated": { - "defaultMessage": "Password updated" - }, - "password_card.label.password": { - "defaultMessage": "Password" - }, - "password_card.title.password": { - "defaultMessage": "Password" - }, - "password_requirements.error.eight_letter_minimum": { - "defaultMessage": "8 characters minimum", - "description": "Password requirement" - }, - "password_requirements.error.one_lowercase_letter": { - "defaultMessage": "1 lowercase letter", - "description": "Password requirement" - }, - "password_requirements.error.one_number": { - "defaultMessage": "1 number", - "description": "Password requirement" - }, - "password_requirements.error.one_special_character": { - "defaultMessage": "1 special character (example: , S ! % #)", - "description": "Password requirement" - }, - "password_requirements.error.one_uppercase_letter": { - "defaultMessage": "1 uppercase letter", - "description": "Password requirement" - }, - "password_reset_success.toast": { - "defaultMessage": "Password Reset Success" - }, - "payment_selection.heading.credit_card": { - "defaultMessage": "Credit Card" - }, - "payment_selection.radio_group.assistive_msg": { - "defaultMessage": "Payment" - }, - "payment_selection.tooltip.secure_payment": { - "defaultMessage": "This is a secure SSL encrypted payment." - }, - "price_per_item.label.each": { - "defaultMessage": "ea", - "description": "Abbreviated 'each', follows price per item, like $10/ea" - }, - "product_detail.accordion.button.product_detail": { - "defaultMessage": "Product Detail" - }, - "product_detail.accordion.button.questions": { - "defaultMessage": "Questions" - }, - "product_detail.accordion.button.reviews": { - "defaultMessage": "Reviews" - }, - "product_detail.accordion.button.size_fit": { - "defaultMessage": "Size & Fit" - }, - "product_detail.accordion.message.coming_soon": { - "defaultMessage": "Coming Soon" - }, - "product_detail.recommended_products.title.complete_set": { - "defaultMessage": "Complete the Set" - }, - "product_detail.recommended_products.title.might_also_like": { - "defaultMessage": "You might also like" - }, - "product_detail.recommended_products.title.recently_viewed": { - "defaultMessage": "Recently Viewed" - }, - "product_item.label.quantity": { - "defaultMessage": "Quantity:" - }, - "product_list.button.filter": { - "defaultMessage": "Filter" - }, - "product_list.button.sort_by": { - "defaultMessage": "Sort By: {sortOption}" - }, - "product_list.drawer.title.sort_by": { - "defaultMessage": "Sort By" - }, - "product_list.modal.button.clear_filters": { - "defaultMessage": "Clear Filters" - }, - "product_list.modal.button.view_items": { - "defaultMessage": "View {prroductCount} items" - }, - "product_list.modal.title.filter": { - "defaultMessage": "Filter" - }, - "product_list.refinements.button.assistive_msg.add_filter": { - "defaultMessage": "Add filter: {label}" - }, - "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": { - "defaultMessage": "Add filter: {label} ({hitCount})" - }, - "product_list.refinements.button.assistive_msg.remove_filter": { - "defaultMessage": "Remove filter: {label}" - }, - "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": { - "defaultMessage": "Remove filter: {label} ({hitCount})" - }, - "product_list.select.sort_by": { - "defaultMessage": "Sort By: {sortOption}" - }, - "product_list.sort_by.label.assistive_msg": { - "defaultMessage": "Sort products by" - }, - "product_scroller.assistive_msg.scroll_left": { - "defaultMessage": "Scroll products left" - }, - "product_scroller.assistive_msg.scroll_right": { - "defaultMessage": "Scroll products right" - }, - "product_search.error.loading_search_results": { - "defaultMessage": "Error loading search results: {message}" - }, - "product_search.heading.all_products": { - "defaultMessage": "All Products" - }, - "product_search.heading.search_results": { - "defaultMessage": "Search Results for \"{query}\"" - }, - "product_search.label.num_results": { - "defaultMessage": "{count} Results" - }, - "product_search.message.enter_search_term": { - "defaultMessage": "Enter a search term to see products" - }, - "product_tile.assistive_msg.add_to_wishlist": { - "defaultMessage": "Add {product} to wishlist" - }, - "product_tile.assistive_msg.remove_from_wishlist": { - "defaultMessage": "Remove {product} from wishlist" - }, - "product_tile.badge.label.new": { - "defaultMessage": "New" - }, - "product_tile.badge.label.sale": { - "defaultMessage": "Sale" - }, - "product_view.button.add_bundle_to_cart": { - "defaultMessage": "Add Bundle to Cart" - }, - "product_view.button.add_bundle_to_wishlist": { - "defaultMessage": "Add Bundle to Wishlist" - }, - "product_view.button.add_set_to_cart": { - "defaultMessage": "Add Set to Cart" - }, - "product_view.button.add_set_to_wishlist": { - "defaultMessage": "Add Set to Wishlist" - }, - "product_view.button.add_to_cart": { - "defaultMessage": "Add to Cart" - }, - "product_view.button.add_to_wishlist": { - "defaultMessage": "Add to Wishlist" - }, - "product_view.button.update": { - "defaultMessage": "Update" - }, - "product_view.label.assistive_msg.quantity_decrement": { - "defaultMessage": "Decrement Quantity for {productName}" - }, - "product_view.label.assistive_msg.quantity_increment": { - "defaultMessage": "Increment Quantity for {productName}" - }, - "product_view.label.quantity": { - "defaultMessage": "Quantity" - }, - "product_view.label.quantity_decrement": { - "defaultMessage": "−" - }, - "product_view.label.quantity_increment": { - "defaultMessage": "+" - }, - "product_view.label.variant_type": { - "defaultMessage": "{variantType}" - }, - "product_view.link.full_details": { - "defaultMessage": "See full details" - }, - "profile_card.info.profile_updated": { - "defaultMessage": "Profile updated" - }, - "profile_card.label.email": { - "defaultMessage": "Email" - }, - "profile_card.label.full_name": { - "defaultMessage": "Full Name" - }, - "profile_card.label.phone": { - "defaultMessage": "Phone Number" - }, - "profile_card.message.not_provided": { - "defaultMessage": "Not provided" - }, - "profile_card.title.my_profile": { - "defaultMessage": "My Profile" - }, - "profile_fields.label.profile_form": { - "defaultMessage": "Profile Form" - }, - "promo_code_fields.button.apply": { - "defaultMessage": "Apply" - }, - "promo_popover.assistive_msg.info": { - "defaultMessage": "Info" - }, - "promo_popover.heading.promo_applied": { - "defaultMessage": "Promotions Applied" - }, - "promocode.accordion.button.have_promocode": { - "defaultMessage": "Do you have a promo code?" - }, - "recent_searches.action.clear_searches": { - "defaultMessage": "Clear recent searches" - }, - "recent_searches.heading.recent_searches": { - "defaultMessage": "Recent Searches" - }, - "register_form.action.sign_in": { - "defaultMessage": "Sign in" - }, - "register_form.button.create_account": { - "defaultMessage": "Create Account" - }, - "register_form.heading.lets_get_started": { - "defaultMessage": "Let's get started!" - }, - "register_form.message.agree_to_policy_terms": { - "defaultMessage": "By creating an account, you agree to Salesforce Privacy Policy and Terms & Conditions" - }, - "register_form.message.already_have_account": { - "defaultMessage": "Already have an account?" - }, - "register_form.message.create_an_account": { - "defaultMessage": "Create an account and get first access to the very best products, inspiration and community." - }, - "reset_password_form.action.sign_in": { - "defaultMessage": "Sign in" - }, - "reset_password_form.button.reset_password": { - "defaultMessage": "Reset Password" - }, - "reset_password_form.message.enter_your_email": { - "defaultMessage": "Enter your email to receive instructions on how to reset your password" - }, - "reset_password_form.message.return_to_sign_in": { - "defaultMessage": "Or return to", - "description": "Precedes link to return to sign in" - }, - "reset_password_form.title.reset_password": { - "defaultMessage": "Reset Password" - }, - "search.action.cancel": { - "defaultMessage": "Cancel" - }, - "selected_refinements.action.assistive_msg.clear_all": { - "defaultMessage": "Clear all filters" - }, - "selected_refinements.action.clear_all": { - "defaultMessage": "Clear All" - }, - "shipping_address.button.continue_to_shipping": { - "defaultMessage": "Continue to Shipping Method" - }, - "shipping_address.label.edit_button": { - "defaultMessage": "Edit {address}" - }, - "shipping_address.label.remove_button": { - "defaultMessage": "Remove {address}" - }, - "shipping_address.label.shipping_address_form": { - "defaultMessage": "Shipping Address Form" - }, - "shipping_address.title.shipping_address": { - "defaultMessage": "Shipping Address" - }, - "shipping_address_edit_form.button.save_and_continue": { - "defaultMessage": "Save & Continue to Shipping Method" - }, - "shipping_address_form.heading.edit_address": { - "defaultMessage": "Edit Address" - }, - "shipping_address_form.heading.new_address": { - "defaultMessage": "Add New Address" - }, - "shipping_address_selection.button.add_address": { - "defaultMessage": "Add New Address" - }, - "shipping_address_selection.button.submit": { - "defaultMessage": "Submit" - }, - "shipping_address_selection.title.add_address": { - "defaultMessage": "Add New Address" - }, - "shipping_address_selection.title.edit_shipping": { - "defaultMessage": "Edit Shipping Address" - }, - "shipping_options.action.send_as_a_gift": { - "defaultMessage": "Do you want to send this as a gift?" - }, - "shipping_options.button.continue_to_payment": { - "defaultMessage": "Continue to Payment" - }, - "shipping_options.title.shipping_gift_options": { - "defaultMessage": "Shipping & Gift Options" - }, - "signout_confirmation_dialog.button.cancel": { - "defaultMessage": "Cancel" - }, - "signout_confirmation_dialog.button.sign_out": { - "defaultMessage": "Sign Out" - }, - "signout_confirmation_dialog.heading.sign_out": { - "defaultMessage": "Sign Out" - }, - "signout_confirmation_dialog.message.sure_to_sign_out": { - "defaultMessage": "Are you sure you want to sign out? You will need to sign back in to proceed with your current order." - }, - "social_login_redirect.message.authenticating": { - "defaultMessage": "Authenticating..." - }, - "social_login_redirect.message.redirect_link": { - "defaultMessage": "If you are not automatically redirected, click this link to proceed." - }, - "store_locator.action.find": { - "defaultMessage": "Find" - }, - "store_locator.action.select_a_country": { - "defaultMessage": "Select a country" - }, - "store_locator.action.use_my_location": { - "defaultMessage": "Use My Location" - }, - "store_locator.action.viewMore": { - "defaultMessage": "View More" - }, - "store_locator.description.away": { - "defaultMessage": "away" - }, - "store_locator.description.loading_locations": { - "defaultMessage": "Loading locations..." - }, - "store_locator.description.no_locations": { - "defaultMessage": "Sorry, there are no locations in this area" - }, - "store_locator.description.or": { - "defaultMessage": "Or" - }, - "store_locator.description.phone": { - "defaultMessage": "Phone:" - }, - "store_locator.description.viewing_near_postal_code": { - "defaultMessage": "Viewing stores within {distance}{distanceUnit} of {postalCode} in" - }, - "store_locator.description.viewing_near_your_location": { - "defaultMessage": "Viewing stores near your location" - }, - "store_locator.dropdown.germany": { - "defaultMessage": "Germany" - }, - "store_locator.dropdown.united_states": { - "defaultMessage": "United States" - }, - "store_locator.error.agree_to_share_your_location": { - "defaultMessage": "Please agree to share your location" - }, - "store_locator.error.please_enter_a_postal_code": { - "defaultMessage": "Please enter a postal code." - }, - "store_locator.error.please_select_a_country": { - "defaultMessage": "Please select a country." - }, - "store_locator.field.placeholder.enter_postal_code": { - "defaultMessage": "Enter postal code" - }, - "store_locator.pagination.load_more": { - "defaultMessage": "Load More" - }, - "store_locator.title": { - "defaultMessage": "Find a Store" - }, - "swatch_group.selected.label": { - "defaultMessage": "{label}:" - }, - "toggle_card.action.edit": { - "defaultMessage": "Edit" - }, - "toggle_card.action.editContactInfo": { - "defaultMessage": "Edit Contact Info" - }, - "toggle_card.action.editPaymentInfo": { - "defaultMessage": "Edit Payment Info" - }, - "toggle_card.action.editShippingAddress": { - "defaultMessage": "Edit Shipping Address" - }, - "toggle_card.action.editShippingOptions": { - "defaultMessage": "Edit Shipping Options" - }, - "update_password_fields.button.forgot_password": { - "defaultMessage": "Forgot Password?" - }, - "use_address_fields.error.please_enter_first_name": { - "defaultMessage": "Please enter your first name." - }, - "use_address_fields.error.please_enter_last_name": { - "defaultMessage": "Please enter your last name." - }, - "use_address_fields.error.please_enter_phone_number": { - "defaultMessage": "Please enter your phone number." - }, - "use_address_fields.error.please_enter_your_postal_or_zip": { - "defaultMessage": "Please enter your zip code.", - "description": "Error message for a blank zip code (US-specific checkout)" - }, - "use_address_fields.error.please_select_your_address": { - "defaultMessage": "Please enter your address." - }, - "use_address_fields.error.please_select_your_city": { - "defaultMessage": "Please enter your city." - }, - "use_address_fields.error.please_select_your_country": { - "defaultMessage": "Please select your country." - }, - "use_address_fields.error.please_select_your_state_or_province": { - "defaultMessage": "Please select your state.", - "description": "Error message for a blank state (US-specific checkout)" - }, - "use_address_fields.error.required": { - "defaultMessage": "Required" - }, - "use_address_fields.error.state_code_invalid": { - "defaultMessage": "Please enter 2-letter state/province." - }, - "use_address_fields.label.address": { - "defaultMessage": "Address" - }, - "use_address_fields.label.address_form": { - "defaultMessage": "Address Form" - }, - "use_address_fields.label.city": { - "defaultMessage": "City" - }, - "use_address_fields.label.country": { - "defaultMessage": "Country" - }, - "use_address_fields.label.first_name": { - "defaultMessage": "First Name" - }, - "use_address_fields.label.last_name": { - "defaultMessage": "Last Name" - }, - "use_address_fields.label.phone": { - "defaultMessage": "Phone" - }, - "use_address_fields.label.postal_code": { - "defaultMessage": "Postal Code" - }, - "use_address_fields.label.preferred": { - "defaultMessage": "Set as default" - }, - "use_address_fields.label.province": { - "defaultMessage": "Province" - }, - "use_address_fields.label.state": { - "defaultMessage": "State" - }, - "use_address_fields.label.zipCode": { - "defaultMessage": "Zip Code" - }, - "use_credit_card_fields.error.required": { - "defaultMessage": "Required" - }, - "use_credit_card_fields.error.required_card_number": { - "defaultMessage": "Please enter your card number." - }, - "use_credit_card_fields.error.required_expiry": { - "defaultMessage": "Please enter your expiration date." - }, - "use_credit_card_fields.error.required_name": { - "defaultMessage": "Please enter your name as shown on your card." - }, - "use_credit_card_fields.error.required_security_code": { - "defaultMessage": "Please enter your security code." - }, - "use_credit_card_fields.error.valid_card_number": { - "defaultMessage": "Please enter a valid card number." - }, - "use_credit_card_fields.error.valid_date": { - "defaultMessage": "Please enter a valid date." - }, - "use_credit_card_fields.error.valid_name": { - "defaultMessage": "Please enter a valid name." - }, - "use_credit_card_fields.error.valid_security_code": { - "defaultMessage": "Please enter a valid security code." - }, - "use_credit_card_fields.label.card_number": { - "defaultMessage": "Card Number" - }, - "use_credit_card_fields.label.card_type": { - "defaultMessage": "Card Type" - }, - "use_credit_card_fields.label.expiry": { - "defaultMessage": "Expiration Date" - }, - "use_credit_card_fields.label.name": { - "defaultMessage": "Name on Card" - }, - "use_credit_card_fields.label.security_code": { - "defaultMessage": "Security Code" - }, - "use_login_fields.error.required_email": { - "defaultMessage": "Please enter your email address." - }, - "use_login_fields.error.required_password": { - "defaultMessage": "Please enter your password." - }, - "use_login_fields.label.email": { - "defaultMessage": "Email" - }, - "use_login_fields.label.password": { - "defaultMessage": "Password" - }, - "use_product.message.inventory_remaining": { - "defaultMessage": "Only {stockLevel} left!" - }, - "use_product.message.inventory_remaining_for_product": { - "defaultMessage": "Only {stockLevel} left for {productName}!" - }, - "use_product.message.out_of_stock": { - "defaultMessage": "Out of stock" - }, - "use_product.message.out_of_stock_for_product": { - "defaultMessage": "Out of stock for {productName}" - }, - "use_profile_fields.error.required_email": { - "defaultMessage": "Please enter a valid email address." - }, - "use_profile_fields.error.required_first_name": { - "defaultMessage": "Please enter your first name." - }, - "use_profile_fields.error.required_last_name": { - "defaultMessage": "Please enter your last name." - }, - "use_profile_fields.error.required_phone": { - "defaultMessage": "Please enter your phone number." - }, - "use_profile_fields.label.email": { - "defaultMessage": "Email" - }, - "use_profile_fields.label.first_name": { - "defaultMessage": "First Name" - }, - "use_profile_fields.label.last_name": { - "defaultMessage": "Last Name" - }, - "use_profile_fields.label.phone": { - "defaultMessage": "Phone Number" - }, - "use_promo_code_fields.error.required_promo_code": { - "defaultMessage": "Please provide a valid promo code." - }, - "use_promo_code_fields.label.promo_code": { - "defaultMessage": "Promo Code" - }, - "use_promocode.error.check_the_code": { - "defaultMessage": "Check the code and try again, it may already be applied or the promo has expired." - }, - "use_promocode.info.promo_applied": { - "defaultMessage": "Promotion applied" - }, - "use_promocode.info.promo_removed": { - "defaultMessage": "Promotion removed" - }, - "use_registration_fields.error.contain_number": { - "defaultMessage": "Password must contain at least one number." - }, - "use_registration_fields.error.lowercase_letter": { - "defaultMessage": "Password must contain at least one lowercase letter." - }, - "use_registration_fields.error.minimum_characters": { - "defaultMessage": "Password must contain at least 8 characters." - }, - "use_registration_fields.error.required_email": { - "defaultMessage": "Please enter a valid email address." - }, - "use_registration_fields.error.required_first_name": { - "defaultMessage": "Please enter your first name." - }, - "use_registration_fields.error.required_last_name": { - "defaultMessage": "Please enter your last name." - }, - "use_registration_fields.error.required_password": { - "defaultMessage": "Please create a password." - }, - "use_registration_fields.error.special_character": { - "defaultMessage": "Password must contain at least one special character." - }, - "use_registration_fields.error.uppercase_letter": { - "defaultMessage": "Password must contain at least one uppercase letter." - }, - "use_registration_fields.label.email": { - "defaultMessage": "Email" - }, - "use_registration_fields.label.first_name": { - "defaultMessage": "First Name" - }, - "use_registration_fields.label.last_name": { - "defaultMessage": "Last Name" - }, - "use_registration_fields.label.password": { - "defaultMessage": "Password" - }, - "use_registration_fields.label.sign_up_to_emails": { - "defaultMessage": "Sign me up for Salesforce emails (you can unsubscribe at any time)" - }, - "use_reset_password_fields.error.required_email": { - "defaultMessage": "Please enter a valid email address." - }, - "use_reset_password_fields.label.email": { - "defaultMessage": "Email" - }, - "use_update_password_fields.error.contain_number": { - "defaultMessage": "Password must contain at least one number." - }, - "use_update_password_fields.error.lowercase_letter": { - "defaultMessage": "Password must contain at least one lowercase letter." - }, - "use_update_password_fields.error.minimum_characters": { - "defaultMessage": "Password must contain at least 8 characters." - }, - "use_update_password_fields.error.password_mismatch": { - "defaultMessage": "Passwords do not match." - }, - "use_update_password_fields.error.required_confirm_password": { - "defaultMessage": "Please confirm your password." - }, - "use_update_password_fields.error.required_new_password": { - "defaultMessage": "Please provide a new password." - }, - "use_update_password_fields.error.required_password": { - "defaultMessage": "Please enter your password." - }, - "use_update_password_fields.error.special_character": { - "defaultMessage": "Password must contain at least one special character." - }, - "use_update_password_fields.error.uppercase_letter": { - "defaultMessage": "Password must contain at least one uppercase letter." - }, - "use_update_password_fields.label.confirm_new_password": { - "defaultMessage": "Confirm New Password" - }, - "use_update_password_fields.label.current_password": { - "defaultMessage": "Current Password" - }, - "use_update_password_fields.label.new_password": { - "defaultMessage": "New Password" - }, - "wishlist_primary_action.button.addSetToCart.label": { - "defaultMessage": "Add {productName} set to cart" - }, - "wishlist_primary_action.button.addToCart.label": { - "defaultMessage": "Add {productName} to cart" - }, - "wishlist_primary_action.button.add_set_to_cart": { - "defaultMessage": "Add Set to Cart" - }, - "wishlist_primary_action.button.add_to_cart": { - "defaultMessage": "Add to Cart" - }, - "wishlist_primary_action.button.viewFullDetails.label": { - "defaultMessage": "View full details for {productName}" - }, - "wishlist_primary_action.button.view_full_details": { - "defaultMessage": "View Full Details" - }, - "wishlist_primary_action.button.view_options": { - "defaultMessage": "View Options" - }, - "wishlist_primary_action.button.view_options.label": { - "defaultMessage": "View Options for {productName}" - }, - "wishlist_primary_action.info.added_to_cart": { - "defaultMessage": "{quantity} {quantity, plural, one {item} other {items}} added to cart" - }, - "wishlist_secondary_button_group.action.remove": { - "defaultMessage": "Remove" - }, - "wishlist_secondary_button_group.info.item.remove.label": { - "defaultMessage": "Remove {productName}" - }, - "wishlist_secondary_button_group.info.item_removed": { - "defaultMessage": "Item removed from wishlist" - }, - "with_registration.info.please_sign_in": { - "defaultMessage": "Please sign in to continue!" - } -} diff --git a/my-test-project/translations/es-MX.json b/my-test-project/translations/es-MX.json deleted file mode 100644 index 83b1b23661..0000000000 --- a/my-test-project/translations/es-MX.json +++ /dev/null @@ -1,1517 +0,0 @@ -{ - "account.accordion.button.my_account": { - "defaultMessage": "Mi cuenta" - }, - "account.heading.my_account": { - "defaultMessage": "Mi cuenta" - }, - "account.logout_button.button.log_out": { - "defaultMessage": "Cerrar sesión" - }, - "account_addresses.badge.default": { - "defaultMessage": "Predeterminado" - }, - "account_addresses.button.add_address": { - "defaultMessage": "Agregar dirección" - }, - "account_addresses.info.address_removed": { - "defaultMessage": "Dirección eliminada" - }, - "account_addresses.info.address_updated": { - "defaultMessage": "Dirección actualizada" - }, - "account_addresses.info.new_address_saved": { - "defaultMessage": "Nueva dirección guardada" - }, - "account_addresses.page_action_placeholder.button.add_address": { - "defaultMessage": "Agregar dirección" - }, - "account_addresses.page_action_placeholder.heading.no_saved_addresses": { - "defaultMessage": "No hay direcciones guardadas" - }, - "account_addresses.page_action_placeholder.message.add_new_address": { - "defaultMessage": "Agrega un nuevo método de dirección para una finalización de la compra (checkout) más rápida." - }, - "account_addresses.title.addresses": { - "defaultMessage": "Direcciones" - }, - "account_detail.title.account_details": { - "defaultMessage": "Detalles de la cuenta" - }, - "account_order_detail.heading.billing_address": { - "defaultMessage": "Dirección de facturación" - }, - "account_order_detail.heading.num_of_items": { - "defaultMessage": "{count} artículos" - }, - "account_order_detail.heading.payment_method": { - "defaultMessage": "Método de pago" - }, - "account_order_detail.heading.shipping_address": { - "defaultMessage": "Dirección de envío" - }, - "account_order_detail.heading.shipping_method": { - "defaultMessage": "Método de envío" - }, - "account_order_detail.label.order_number": { - "defaultMessage": "Número de pedido: {orderNumber}" - }, - "account_order_detail.label.ordered_date": { - "defaultMessage": "Fecha del pedido: {date}" - }, - "account_order_detail.label.pending_tracking_number": { - "defaultMessage": "Pendiente" - }, - "account_order_detail.label.tracking_number": { - "defaultMessage": "Número de seguimiento" - }, - "account_order_detail.link.back_to_history": { - "defaultMessage": "Regresar a Historial de pedidos" - }, - "account_order_detail.shipping_status.not_shipped": { - "defaultMessage": "No enviado" - }, - "account_order_detail.shipping_status.part_shipped": { - "defaultMessage": "Parcialmente enviado" - }, - "account_order_detail.shipping_status.shipped": { - "defaultMessage": "Enviado" - }, - "account_order_detail.title.order_details": { - "defaultMessage": "Detelles del pedido" - }, - "account_order_history.button.continue_shopping": { - "defaultMessage": "Continuar comprando" - }, - "account_order_history.description.once_you_place_order": { - "defaultMessage": "Una vez que hagas un pedido, los detalles aparecerán aquí." - }, - "account_order_history.heading.no_order_yet": { - "defaultMessage": "Aún no has hecho un pedido." - }, - "account_order_history.label.num_of_items": { - "defaultMessage": "{count} artículos", - "description": "Number of items in order" - }, - "account_order_history.label.order_number": { - "defaultMessage": "Número de pedido: {orderNumber}" - }, - "account_order_history.label.ordered_date": { - "defaultMessage": "Fecha del pedido: {date}" - }, - "account_order_history.label.shipped_to": { - "defaultMessage": "Enviado a: {name}" - }, - "account_order_history.link.view_details": { - "defaultMessage": "Ver información" - }, - "account_order_history.title.order_history": { - "defaultMessage": "Historial de pedidos" - }, - "account_wishlist.button.continue_shopping": { - "defaultMessage": "Continuar comprando" - }, - "account_wishlist.description.continue_shopping": { - "defaultMessage": "Continúa comprando y agrega artículos a su lista de deseos." - }, - "account_wishlist.heading.no_wishlist": { - "defaultMessage": "No hay artículos en la lista de deseos" - }, - "account_wishlist.title.wishlist": { - "defaultMessage": "Lista de deseos" - }, - "action_card.action.edit": { - "defaultMessage": "Editar" - }, - "action_card.action.remove": { - "defaultMessage": "Eliminar" - }, - "add_to_cart_modal.info.added_to_cart": { - "defaultMessage": "{quantity} {quantity, plural, one {artículo} other {artículos}} agregado(s) al carrito" - }, - "add_to_cart_modal.label.cart_subtotal": { - "defaultMessage": "Subtotal del carrito ({itemAccumulatedCount} artículo(s))" - }, - "add_to_cart_modal.label.quantity": { - "defaultMessage": "Cantidad" - }, - "add_to_cart_modal.link.checkout": { - "defaultMessage": "Finalizar la compra" - }, - "add_to_cart_modal.link.view_cart": { - "defaultMessage": "Ver carrito" - }, - "add_to_cart_modal.recommended_products.title.might_also_like": { - "defaultMessage": "Es posible que también te interese" - }, - "auth_modal.button.close.assistive_msg": { - "defaultMessage": "Cerrar formato de inicio de sesión" - }, - "auth_modal.description.now_signed_in": { - "defaultMessage": "Ha iniciado sesión." - }, - "auth_modal.error.incorrect_email_or_password": { - "defaultMessage": "Hay algún problema con tu correo electrónico o contraseña. Intenta de nuevo." - }, - "auth_modal.info.welcome_user": { - "defaultMessage": "Bienvenido {name}," - }, - "auth_modal.password_reset_success.button.back_to_sign_in": { - "defaultMessage": "Regresar a Registrarse" - }, - "auth_modal.password_reset_success.info.will_email_shortly": { - "defaultMessage": "Recibirás un correo electrónico en {email} con un vínculo para restablecer tu contraseña a la brevedad." - }, - "auth_modal.password_reset_success.title.password_reset": { - "defaultMessage": "Restablecimiento de contraseña" - }, - "carousel.button.scroll_left.assistive_msg": { - "defaultMessage": "Desplazar carrusel a la izquierda" - }, - "carousel.button.scroll_right.assistive_msg": { - "defaultMessage": "Desplazar carrusel a la derecha" - }, - "cart.info.removed_from_cart": { - "defaultMessage": "Artículo eliminado del carrito" - }, - "cart.recommended_products.title.may_also_like": { - "defaultMessage": "Quizás también te guste" - }, - "cart.recommended_products.title.recently_viewed": { - "defaultMessage": "Vistos recientemente" - }, - "cart_cta.link.checkout": { - "defaultMessage": "Finalizar la compra" - }, - "cart_secondary_button_group.action.added_to_wishlist": { - "defaultMessage": "Agregar a la lista de deseos" - }, - "cart_secondary_button_group.action.edit": { - "defaultMessage": "Editar" - }, - "cart_secondary_button_group.action.remove": { - "defaultMessage": "Eliminar" - }, - "cart_secondary_button_group.label.this_is_gift": { - "defaultMessage": "Este es un regalo." - }, - "cart_skeleton.heading.order_summary": { - "defaultMessage": "Resumen del pedido" - }, - "cart_skeleton.title.cart": { - "defaultMessage": "Carrito" - }, - "cart_title.title.cart_num_of_items": { - "defaultMessage": "Carrito ({itemCount, plural, =0 {0 artículos} one {# artículo} other {# artículos}})" - }, - "cc_radio_group.action.remove": { - "defaultMessage": "Eliminar" - }, - "cc_radio_group.button.add_new_card": { - "defaultMessage": "Agregar tarjeta nueva" - }, - "checkout.button.place_order": { - "defaultMessage": "Hacer pedido" - }, - "checkout.message.generic_error": { - "defaultMessage": "Se produjo un error inesperado durante el pago." - }, - "checkout_confirmation.button.create_account": { - "defaultMessage": "Crear cuenta" - }, - "checkout_confirmation.heading.billing_address": { - "defaultMessage": "Dirección de facturación" - }, - "checkout_confirmation.heading.create_account": { - "defaultMessage": "Crear una cuenta para una finalización de la compra (checkout) más rápida" - }, - "checkout_confirmation.heading.credit_card": { - "defaultMessage": "Tarjeta de crédito" - }, - "checkout_confirmation.heading.delivery_details": { - "defaultMessage": "Información de la entrega" - }, - "checkout_confirmation.heading.order_summary": { - "defaultMessage": "Resumen del pedido" - }, - "checkout_confirmation.heading.payment_details": { - "defaultMessage": "Información del pago" - }, - "checkout_confirmation.heading.shipping_address": { - "defaultMessage": "Dirección de envío" - }, - "checkout_confirmation.heading.shipping_method": { - "defaultMessage": "Método de envío" - }, - "checkout_confirmation.heading.thank_you_for_order": { - "defaultMessage": "¡Gracias por tu pedido!" - }, - "checkout_confirmation.label.free": { - "defaultMessage": "Gratis" - }, - "checkout_confirmation.label.order_number": { - "defaultMessage": "Número de pedido" - }, - "checkout_confirmation.label.order_total": { - "defaultMessage": "Total del pedido" - }, - "checkout_confirmation.label.promo_applied": { - "defaultMessage": "Promoción aplicada" - }, - "checkout_confirmation.label.shipping": { - "defaultMessage": "Envío" - }, - "checkout_confirmation.label.subtotal": { - "defaultMessage": "Subtotal" - }, - "checkout_confirmation.label.tax": { - "defaultMessage": "Impuesto" - }, - "checkout_confirmation.link.continue_shopping": { - "defaultMessage": "Continuar comprando" - }, - "checkout_confirmation.link.login": { - "defaultMessage": "Iniciar sesión aquí" - }, - "checkout_confirmation.message.already_has_account": { - "defaultMessage": "Este correo electrónico ya tiene una cuenta." - }, - "checkout_confirmation.message.num_of_items_in_order": { - "defaultMessage": "{itemCount, plural, =0 {0 artículos} one {# artículo} other {# artículos}}", - "description": "# item(s) in order" - }, - "checkout_confirmation.message.will_email_shortly": { - "defaultMessage": "Enviaremos un correo electrónico a {email} con tu número de confirmación y recibo a la brevedad." - }, - "checkout_footer.link.privacy_policy": { - "defaultMessage": "Política de privacidad" - }, - "checkout_footer.link.returns_exchanges": { - "defaultMessage": "Devoluciones y cambios" - }, - "checkout_footer.link.shipping": { - "defaultMessage": "Envío" - }, - "checkout_footer.link.site_map": { - "defaultMessage": "Mapa del sitio" - }, - "checkout_footer.link.terms_conditions": { - "defaultMessage": "Términos y condiciones" - }, - "checkout_footer.message.copyright": { - "defaultMessage": "Salesforce o sus afiliados. Todos los derechos reservados. Esta es solo una tienda de demostración. Los pedidos realizados NO se procesarán." - }, - "checkout_header.link.assistive_msg.cart": { - "defaultMessage": "Regresar al carrito, número de artículos: {numItems}" - }, - "checkout_header.link.cart": { - "defaultMessage": "Regresar al carrito" - }, - "checkout_payment.action.remove": { - "defaultMessage": "Eliminar" - }, - "checkout_payment.button.review_order": { - "defaultMessage": "Revisar pedido" - }, - "checkout_payment.heading.billing_address": { - "defaultMessage": "Dirección de facturación" - }, - "checkout_payment.heading.credit_card": { - "defaultMessage": "Tarjeta de crédito" - }, - "checkout_payment.label.same_as_shipping": { - "defaultMessage": "Misma que la dirección de envío" - }, - "checkout_payment.title.payment": { - "defaultMessage": "Pago" - }, - "colorRefinements.label.hitCount": { - "defaultMessage": "{colorLabel} ({colorHitCount})" - }, - "confirmation_modal.default.action.no": { - "defaultMessage": "No" - }, - "confirmation_modal.default.action.yes": { - "defaultMessage": "Sí" - }, - "confirmation_modal.default.message.you_want_to_continue": { - "defaultMessage": "¿Está seguro de que desea continuar?" - }, - "confirmation_modal.default.title.confirm_action": { - "defaultMessage": "Confirmar acción" - }, - "confirmation_modal.remove_cart_item.action.no": { - "defaultMessage": "No, conservar artículo" - }, - "confirmation_modal.remove_cart_item.action.remove": { - "defaultMessage": "Eliminar" - }, - "confirmation_modal.remove_cart_item.action.yes": { - "defaultMessage": "Sí, eliminar artículo" - }, - "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": { - "defaultMessage": "Algunos artículos ya no están disponibles en línea y se eliminarán de su carrito." - }, - "confirmation_modal.remove_cart_item.message.sure_to_remove": { - "defaultMessage": "¿Está seguro de que desea eliminar este artículo de su carrito?" - }, - "confirmation_modal.remove_cart_item.title.confirm_remove": { - "defaultMessage": "Confirmar eliminación del artículo" - }, - "confirmation_modal.remove_cart_item.title.items_unavailable": { - "defaultMessage": "Artículos no disponibles" - }, - "confirmation_modal.remove_wishlist_item.action.no": { - "defaultMessage": "No, conservar artículo" - }, - "confirmation_modal.remove_wishlist_item.action.yes": { - "defaultMessage": "Sí, eliminar artículo" - }, - "confirmation_modal.remove_wishlist_item.message.sure_to_remove": { - "defaultMessage": "¿Está seguro de que desea eliminar este artículo de tu lista de deseos?" - }, - "confirmation_modal.remove_wishlist_item.title.confirm_remove": { - "defaultMessage": "Confirmar eliminación del artículo" - }, - "contact_info.action.sign_out": { - "defaultMessage": "Cerrar sesión" - }, - "contact_info.button.already_have_account": { - "defaultMessage": "¿Ya tienes una cuenta? Iniciar sesión" - }, - "contact_info.button.checkout_as_guest": { - "defaultMessage": "Proceso de compra como invitado" - }, - "contact_info.button.login": { - "defaultMessage": "Iniciar sesión" - }, - "contact_info.error.incorrect_username_or_password": { - "defaultMessage": "Nombre de usuario o contraseña incorrectos, intente de nuevo." - }, - "contact_info.link.forgot_password": { - "defaultMessage": "¿Olvidaste la contraseña?" - }, - "contact_info.title.contact_info": { - "defaultMessage": "Información de contacto" - }, - "credit_card_fields.tool_tip.security_code": { - "defaultMessage": "Este código de 3 dígitos se puede encontrar en la parte de atrás de tu tarjeta.", - "description": "Generic credit card security code help text" - }, - "credit_card_fields.tool_tip.security_code.american_express": { - "defaultMessage": "Este código de 4 dígitos se puede encontrar en la parte de atrás de tu tarjeta.", - "description": "American Express security code help text" - }, - "credit_card_fields.tool_tip.security_code_aria_label": { - "defaultMessage": "Información del código de seguridad" - }, - "drawer_menu.button.account_details": { - "defaultMessage": "Detalles de la cuenta" - }, - "drawer_menu.button.addresses": { - "defaultMessage": "Direcciones" - }, - "drawer_menu.button.log_out": { - "defaultMessage": "Cerrar sesión" - }, - "drawer_menu.button.my_account": { - "defaultMessage": "Mi cuenta" - }, - "drawer_menu.button.order_history": { - "defaultMessage": "Historial de pedidos" - }, - "drawer_menu.link.about_us": { - "defaultMessage": "Acerca de nosotros" - }, - "drawer_menu.link.customer_support": { - "defaultMessage": "Soporte al cliente" - }, - "drawer_menu.link.customer_support.contact_us": { - "defaultMessage": "Contáctanos" - }, - "drawer_menu.link.customer_support.shipping_and_returns": { - "defaultMessage": "Envío y devoluciones" - }, - "drawer_menu.link.our_company": { - "defaultMessage": "Nuestra empresa" - }, - "drawer_menu.link.privacy_and_security": { - "defaultMessage": "Privacidad y seguridad" - }, - "drawer_menu.link.privacy_policy": { - "defaultMessage": "Política de privacidad" - }, - "drawer_menu.link.shop_all": { - "defaultMessage": "Comprar todo" - }, - "drawer_menu.link.sign_in": { - "defaultMessage": "Registrarte" - }, - "drawer_menu.link.site_map": { - "defaultMessage": "Mapa del sitio" - }, - "drawer_menu.link.store_locator": { - "defaultMessage": "Localizador de tiendas" - }, - "drawer_menu.link.terms_and_conditions": { - "defaultMessage": "Términos y condiciones" - }, - "empty_cart.description.empty_cart": { - "defaultMessage": "Tu carrito está vacío." - }, - "empty_cart.link.continue_shopping": { - "defaultMessage": "Continuar comprando" - }, - "empty_cart.link.sign_in": { - "defaultMessage": "Registrarse" - }, - "empty_cart.message.continue_shopping": { - "defaultMessage": "Continúa comprando para agregar artículos a tu carrito." - }, - "empty_cart.message.sign_in_or_continue_shopping": { - "defaultMessage": "Regístrate para recuperar tus artículos guardados o continuar comprando." - }, - "empty_search_results.info.cant_find_anything_for_category": { - "defaultMessage": "No encontramos nada para {category}. Intenta buscar un producto o {link}." - }, - "empty_search_results.info.cant_find_anything_for_query": { - "defaultMessage": "No encontramos nada para \"{searchQuery}\"." - }, - "empty_search_results.info.double_check_spelling": { - "defaultMessage": "Verifica la ortografía e intenta de nuevo o {link}." - }, - "empty_search_results.link.contact_us": { - "defaultMessage": "Contáctanos" - }, - "empty_search_results.recommended_products.title.most_viewed": { - "defaultMessage": "Lo más visto" - }, - "empty_search_results.recommended_products.title.top_sellers": { - "defaultMessage": "Éxito de ventas" - }, - "field.password.assistive_msg.hide_password": { - "defaultMessage": "Ocultar contraseña" - }, - "field.password.assistive_msg.show_password": { - "defaultMessage": "Mostrar contraseña" - }, - "footer.column.account": { - "defaultMessage": "Cuenta" - }, - "footer.column.customer_support": { - "defaultMessage": "Soporte al cliente" - }, - "footer.column.our_company": { - "defaultMessage": "Nuestra empresa" - }, - "footer.link.about_us": { - "defaultMessage": "Acerca de nosotros" - }, - "footer.link.contact_us": { - "defaultMessage": "Contáctanos" - }, - "footer.link.order_status": { - "defaultMessage": "Estado del pedido" - }, - "footer.link.privacy_policy": { - "defaultMessage": "Política de privacidad" - }, - "footer.link.shipping": { - "defaultMessage": "Envío" - }, - "footer.link.signin_create_account": { - "defaultMessage": "Iniciar sesión o crear cuenta" - }, - "footer.link.site_map": { - "defaultMessage": "Mapa del sitio" - }, - "footer.link.store_locator": { - "defaultMessage": "Localizador de tiendas" - }, - "footer.link.terms_conditions": { - "defaultMessage": "Términos y condiciones" - }, - "footer.message.copyright": { - "defaultMessage": "Salesforce o sus afiliados. Todos los derechos reservados. Esta es solo una tienda de demostración. Los pedidos realizados NO se procesarán." - }, - "footer.subscribe.button.sign_up": { - "defaultMessage": "Registrarse" - }, - "footer.subscribe.description.sign_up": { - "defaultMessage": "Regístrese para mantenerse informado sobre las mejores ofertas" - }, - "footer.subscribe.heading.first_to_know": { - "defaultMessage": "Sea el primero en saber" - }, - "form_action_buttons.button.cancel": { - "defaultMessage": "Cancelar" - }, - "form_action_buttons.button.save": { - "defaultMessage": "Guardar" - }, - "global.account.link.account_details": { - "defaultMessage": "Detalles de la cuenta" - }, - "global.account.link.addresses": { - "defaultMessage": "Direcciones" - }, - "global.account.link.order_history": { - "defaultMessage": "Historial de pedidos" - }, - "global.account.link.wishlist": { - "defaultMessage": "Lista de deseos" - }, - "global.error.something_went_wrong": { - "defaultMessage": "Se produjo un error. ¡Intenta de nuevo!" - }, - "global.info.added_to_wishlist": { - "defaultMessage": "{quantity} {quantity, plural, one {artículo} other {artículos}} agregado(s) a la lista de deseos" - }, - "global.info.already_in_wishlist": { - "defaultMessage": "El artículo ya está en la lista de deseos." - }, - "global.info.removed_from_wishlist": { - "defaultMessage": "Artículo eliminado de la lista de deseos" - }, - "global.link.added_to_wishlist.view_wishlist": { - "defaultMessage": "Vista" - }, - "header.button.assistive_msg.logo": { - "defaultMessage": "Logotipo" - }, - "header.button.assistive_msg.menu": { - "defaultMessage": "Menú" - }, - "header.button.assistive_msg.my_account": { - "defaultMessage": "Mi cuenta" - }, - "header.button.assistive_msg.my_account_menu": { - "defaultMessage": "Abrir menú de la cuenta" - }, - "header.button.assistive_msg.my_cart_with_num_items": { - "defaultMessage": "Mi carrito, número de artículos: {numItems}" - }, - "header.button.assistive_msg.wishlist": { - "defaultMessage": "Lista de deseos" - }, - "header.field.placeholder.search_for_products": { - "defaultMessage": "Buscar productos..." - }, - "header.popover.action.log_out": { - "defaultMessage": "Cerrar sesión" - }, - "header.popover.title.my_account": { - "defaultMessage": "Mi cuenta" - }, - "home.description.features": { - "defaultMessage": "Características de disponibilidad inmediata para que se enfoque solo en agregar mejoras." - }, - "home.description.here_to_help": { - "defaultMessage": "Comunícate con nuestro personal de apoyo" - }, - "home.description.here_to_help_line_2": { - "defaultMessage": "Te llevarán al lugar correcto." - }, - "home.description.shop_products": { - "defaultMessage": "Esta sección tiene contenido del catálogo. {docLink} sobre cómo reemplazarlo.", - "description": "{docLink} is a html button that links the user to https://sfdc.co/business-manager-manage-catalogs" - }, - "home.features.description.cart_checkout": { - "defaultMessage": "Mejores prácticas de comercio electrónico para el carrito y la experiencia de finalización de la compra (checkout) del comprador." - }, - "home.features.description.components": { - "defaultMessage": "Desarrollado con Chakra UI, una biblioteca de componentes de React simple, modular y accesible." - }, - "home.features.description.einstein_recommendations": { - "defaultMessage": "Brinde el mejor producto o la mejor oferta a cada comprador a través de recomendaciones de productos." - }, - "home.features.description.my_account": { - "defaultMessage": "Los compradores pueden gestionar información de la cuenta como su perfil, direcciones, pagos y pedidos." - }, - "home.features.description.shopper_login": { - "defaultMessage": "Habilite que los compradores inicien sesión fácilmente con una experiencia de compra más personalizada." - }, - "home.features.description.wishlist": { - "defaultMessage": "Los compradores registrados pueden agregar artículos del producto a su lista de deseos para comprar luego." - }, - "home.features.heading.cart_checkout": { - "defaultMessage": "Carrito y finalización de la compra" - }, - "home.features.heading.components": { - "defaultMessage": "Componentes y kit de diseño" - }, - "home.features.heading.einstein_recommendations": { - "defaultMessage": "Recomendaciones de Einstein" - }, - "home.features.heading.my_account": { - "defaultMessage": "Mi cuenta" - }, - "home.features.heading.shopper_login": { - "defaultMessage": "Shopper Login and API Access Service (SLAS)" - }, - "home.features.heading.wishlist": { - "defaultMessage": "Lista de deseos" - }, - "home.heading.features": { - "defaultMessage": "Características" - }, - "home.heading.here_to_help": { - "defaultMessage": "Estamos aquí para ayudarle" - }, - "home.heading.shop_products": { - "defaultMessage": "Comprar productos" - }, - "home.hero_features.link.design_kit": { - "defaultMessage": "Crear con el Figma PWA Design Kit" - }, - "home.hero_features.link.on_github": { - "defaultMessage": "Descargar en Github" - }, - "home.hero_features.link.on_managed_runtime": { - "defaultMessage": "Implementar en Managed Runtime" - }, - "home.link.contact_us": { - "defaultMessage": "Contáctanos" - }, - "home.link.get_started": { - "defaultMessage": "Comenzar" - }, - "home.link.read_docs": { - "defaultMessage": "Leer documentos" - }, - "home.title.react_starter_store": { - "defaultMessage": "React PWA Starter Store para venta minorista" - }, - "icons.assistive_msg.lock": { - "defaultMessage": "Seguro" - }, - "item_attributes.label.promotions": { - "defaultMessage": "Promociones" - }, - "item_attributes.label.quantity": { - "defaultMessage": "Cantidad: {quantity}" - }, - "item_image.label.sale": { - "defaultMessage": "Ofertas", - "description": "A sale badge placed on top of a product image" - }, - "item_image.label.unavailable": { - "defaultMessage": "No disponible", - "description": "A unavailable badge placed on top of a product image" - }, - "item_price.label.starting_at": { - "defaultMessage": "Comienza en" - }, - "lCPCxk": { - "defaultMessage": "Seleccione todas las opciones anteriores" - }, - "list_menu.nav.assistive_msg": { - "defaultMessage": "Navegación principal" - }, - "locale_text.message.ar-SA": { - "defaultMessage": "Árabe (Arabia Saudí)" - }, - "locale_text.message.bn-BD": { - "defaultMessage": "Bangalí (Bangladesh)" - }, - "locale_text.message.bn-IN": { - "defaultMessage": "Bangalí (India)" - }, - "locale_text.message.cs-CZ": { - "defaultMessage": "Checo (República Checa)" - }, - "locale_text.message.da-DK": { - "defaultMessage": "Danés (Dinamarca)" - }, - "locale_text.message.de-AT": { - "defaultMessage": "Alemán (Austria)" - }, - "locale_text.message.de-CH": { - "defaultMessage": "Alemán (Suiza)" - }, - "locale_text.message.de-DE": { - "defaultMessage": "Alemán (Alemania)" - }, - "locale_text.message.el-GR": { - "defaultMessage": "Griego (Grecia)" - }, - "locale_text.message.en-AU": { - "defaultMessage": "Inglés (Australia)" - }, - "locale_text.message.en-CA": { - "defaultMessage": "Inglés (Canadá)" - }, - "locale_text.message.en-GB": { - "defaultMessage": "Inglés (Reino Unido)" - }, - "locale_text.message.en-IE": { - "defaultMessage": "Inglés (Irlanda)" - }, - "locale_text.message.en-IN": { - "defaultMessage": "Inglés (India)" - }, - "locale_text.message.en-NZ": { - "defaultMessage": "Inglés (Nueva Zelanda)" - }, - "locale_text.message.en-US": { - "defaultMessage": "Inglés (Estados Unidos)" - }, - "locale_text.message.en-ZA": { - "defaultMessage": "Inglés (Sudáfrica)" - }, - "locale_text.message.es-AR": { - "defaultMessage": "Español (Argentina)" - }, - "locale_text.message.es-CL": { - "defaultMessage": "Español (Chile)" - }, - "locale_text.message.es-CO": { - "defaultMessage": "Español (Colombia)" - }, - "locale_text.message.es-ES": { - "defaultMessage": "Español (España)" - }, - "locale_text.message.es-MX": { - "defaultMessage": "Español (México)" - }, - "locale_text.message.es-US": { - "defaultMessage": "Español (Estados Unidos)" - }, - "locale_text.message.fi-FI": { - "defaultMessage": "Finlandés (Finlandia)" - }, - "locale_text.message.fr-BE": { - "defaultMessage": "Francés (Bélgica)" - }, - "locale_text.message.fr-CA": { - "defaultMessage": "Francés (Canadá)" - }, - "locale_text.message.fr-CH": { - "defaultMessage": "Francés (Suiza)" - }, - "locale_text.message.fr-FR": { - "defaultMessage": "Francés (Francia)" - }, - "locale_text.message.he-IL": { - "defaultMessage": "Hebreo (Israel)" - }, - "locale_text.message.hi-IN": { - "defaultMessage": "Hindi (India)" - }, - "locale_text.message.hu-HU": { - "defaultMessage": "Húngaro (Hungría)" - }, - "locale_text.message.id-ID": { - "defaultMessage": "Indonesio (Indonesia)" - }, - "locale_text.message.it-CH": { - "defaultMessage": "Italiano (Suiza)" - }, - "locale_text.message.it-IT": { - "defaultMessage": "Italiano (Italia)" - }, - "locale_text.message.ja-JP": { - "defaultMessage": "Japonés (Japón)" - }, - "locale_text.message.ko-KR": { - "defaultMessage": "Coreano (República de Corea)" - }, - "locale_text.message.nl-BE": { - "defaultMessage": "Neerlandés (Bélgica)" - }, - "locale_text.message.nl-NL": { - "defaultMessage": "Neerlandés (Países Bajos)" - }, - "locale_text.message.no-NO": { - "defaultMessage": "Noruego (Noruega)" - }, - "locale_text.message.pl-PL": { - "defaultMessage": "Polaco (Polonia)" - }, - "locale_text.message.pt-BR": { - "defaultMessage": "Portugués (Brasil)" - }, - "locale_text.message.pt-PT": { - "defaultMessage": "Portugués (Portugal)" - }, - "locale_text.message.ro-RO": { - "defaultMessage": "Rumano (Rumanía)" - }, - "locale_text.message.ru-RU": { - "defaultMessage": "Ruso (Federación Rusa)" - }, - "locale_text.message.sk-SK": { - "defaultMessage": "Eslovaco (Eslovaquia)" - }, - "locale_text.message.sv-SE": { - "defaultMessage": "Sueco (Suecia)" - }, - "locale_text.message.ta-IN": { - "defaultMessage": "Tamil (India)" - }, - "locale_text.message.ta-LK": { - "defaultMessage": "Tamil (Sri Lanka)" - }, - "locale_text.message.th-TH": { - "defaultMessage": "Tailandés (Tailandia)" - }, - "locale_text.message.tr-TR": { - "defaultMessage": "Turco (Turquía)" - }, - "locale_text.message.zh-CN": { - "defaultMessage": "Chino (China)" - }, - "locale_text.message.zh-HK": { - "defaultMessage": "Chino (Hong Kong)" - }, - "locale_text.message.zh-TW": { - "defaultMessage": "Chino (Taiwán)" - }, - "login_form.action.create_account": { - "defaultMessage": "Crear cuenta" - }, - "login_form.button.sign_in": { - "defaultMessage": "Registrarse" - }, - "login_form.link.forgot_password": { - "defaultMessage": "¿Olvidaste la contraseña?" - }, - "login_form.message.dont_have_account": { - "defaultMessage": "¿No tiene una cuenta?" - }, - "login_form.message.welcome_back": { - "defaultMessage": "Bienvenido otra vez" - }, - "login_page.error.incorrect_username_or_password": { - "defaultMessage": "Nombre de usuario o contraseña incorrectos, intente de nuevo." - }, - "offline_banner.description.browsing_offline_mode": { - "defaultMessage": "Actualmente está navegando sin conexión" - }, - "order_summary.action.remove_promo": { - "defaultMessage": "Eliminar" - }, - "order_summary.cart_items.action.num_of_items_in_cart": { - "defaultMessage": "{itemCount, plural, =0 {0 artículos} one {# artículo} other {# artículos}} en el carrito", - "description": "clicking it would expand/show the items in cart" - }, - "order_summary.cart_items.link.edit_cart": { - "defaultMessage": "Editar carrito" - }, - "order_summary.heading.order_summary": { - "defaultMessage": "Resumen del pedido" - }, - "order_summary.label.estimated_total": { - "defaultMessage": "Total estimado" - }, - "order_summary.label.free": { - "defaultMessage": "Gratis" - }, - "order_summary.label.order_total": { - "defaultMessage": "Total del pedido" - }, - "order_summary.label.promo_applied": { - "defaultMessage": "Promoción aplicada" - }, - "order_summary.label.promotions_applied": { - "defaultMessage": "Promociones aplicadas" - }, - "order_summary.label.shipping": { - "defaultMessage": "Envío" - }, - "order_summary.label.subtotal": { - "defaultMessage": "Subtotal" - }, - "order_summary.label.tax": { - "defaultMessage": "Impuesto" - }, - "page_not_found.action.go_back": { - "defaultMessage": "Regresar a la página anterior" - }, - "page_not_found.link.homepage": { - "defaultMessage": "Ir a la página de inicio" - }, - "page_not_found.message.suggestion_to_try": { - "defaultMessage": "Intente volver a escribir la dirección, regresar a la página anterior o ir a la página de inicio." - }, - "page_not_found.title.page_cant_be_found": { - "defaultMessage": "No podemos encontrar la página que busca." - }, - "pagination.field.num_of_pages": { - "defaultMessage": "de {numOfPages}" - }, - "pagination.link.next": { - "defaultMessage": "Siguiente" - }, - "pagination.link.next.assistive_msg": { - "defaultMessage": "Página siguiente" - }, - "pagination.link.prev": { - "defaultMessage": "Anterior" - }, - "pagination.link.prev.assistive_msg": { - "defaultMessage": "Página anterior" - }, - "password_card.info.password_updated": { - "defaultMessage": "Contraseña actualizada" - }, - "password_card.label.password": { - "defaultMessage": "Contraseña" - }, - "password_card.title.password": { - "defaultMessage": "Contraseña" - }, - "password_requirements.error.eight_letter_minimum": { - "defaultMessage": "8 caracteres como mínimo", - "description": "Password requirement" - }, - "password_requirements.error.one_lowercase_letter": { - "defaultMessage": "1 letra en minúscula", - "description": "Password requirement" - }, - "password_requirements.error.one_number": { - "defaultMessage": "1 número", - "description": "Password requirement" - }, - "password_requirements.error.one_special_character": { - "defaultMessage": "1 carácter especial (ejemplo, , S ! % #)", - "description": "Password requirement" - }, - "password_requirements.error.one_uppercase_letter": { - "defaultMessage": "1 letra en mayúscula", - "description": "Password requirement" - }, - "payment_selection.heading.credit_card": { - "defaultMessage": "Tarjeta de crédito" - }, - "payment_selection.tooltip.secure_payment": { - "defaultMessage": "Este es un pago cifrado con SSL seguro." - }, - "price_per_item.label.each": { - "defaultMessage": "ea", - "description": "Abbreviated 'each', follows price per item, like $10/ea" - }, - "product_detail.accordion.button.product_detail": { - "defaultMessage": "Detalles del producto" - }, - "product_detail.accordion.button.questions": { - "defaultMessage": "Preguntas" - }, - "product_detail.accordion.button.reviews": { - "defaultMessage": "Revisiones" - }, - "product_detail.accordion.button.size_fit": { - "defaultMessage": "Tamaño y ajuste" - }, - "product_detail.accordion.message.coming_soon": { - "defaultMessage": "Próximamente" - }, - "product_detail.recommended_products.title.complete_set": { - "defaultMessage": "Completar el conjunto" - }, - "product_detail.recommended_products.title.might_also_like": { - "defaultMessage": "Es posible que también le interese" - }, - "product_detail.recommended_products.title.recently_viewed": { - "defaultMessage": "Vistos recientemente" - }, - "product_item.label.quantity": { - "defaultMessage": "Cantidad:" - }, - "product_list.button.filter": { - "defaultMessage": "Filtrar" - }, - "product_list.button.sort_by": { - "defaultMessage": "Clasificar por: {sortOption}" - }, - "product_list.drawer.title.sort_by": { - "defaultMessage": "Clasificar por" - }, - "product_list.modal.button.clear_filters": { - "defaultMessage": "Borrar filtros" - }, - "product_list.modal.button.view_items": { - "defaultMessage": "Ver {prroductCount} artículos" - }, - "product_list.modal.title.filter": { - "defaultMessage": "Filtrar" - }, - "product_list.refinements.button.assistive_msg.add_filter": { - "defaultMessage": "Agregar filtro: {label}" - }, - "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": { - "defaultMessage": "Agregar filtro: {label} ({hitCount})" - }, - "product_list.refinements.button.assistive_msg.remove_filter": { - "defaultMessage": "Eliminar filtro: {label}" - }, - "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": { - "defaultMessage": "Eliminar filtro: {label} ({hitCount})" - }, - "product_list.select.sort_by": { - "defaultMessage": "Clasificar por: {sortOption}" - }, - "product_scroller.assistive_msg.scroll_left": { - "defaultMessage": "Desplazar productos a la izquierda" - }, - "product_scroller.assistive_msg.scroll_right": { - "defaultMessage": "Desplazar productos a la derecha" - }, - "product_tile.assistive_msg.add_to_wishlist": { - "defaultMessage": "Agregar {product} a la lista de deseos" - }, - "product_tile.assistive_msg.remove_from_wishlist": { - "defaultMessage": "Eliminar {product} de la lista de deseos" - }, - "product_tile.label.starting_at_price": { - "defaultMessage": "Comienza en {price}" - }, - "product_view.button.add_set_to_cart": { - "defaultMessage": "Agregar conjunto al carrito" - }, - "product_view.button.add_set_to_wishlist": { - "defaultMessage": "Agregar conjunto a la lista de deseos" - }, - "product_view.button.add_to_cart": { - "defaultMessage": "Agregar al carrito" - }, - "product_view.button.add_to_wishlist": { - "defaultMessage": "Agregar a la lista de deseos" - }, - "product_view.button.update": { - "defaultMessage": "Actualización" - }, - "product_view.label.assistive_msg.quantity_decrement": { - "defaultMessage": "Cantidad de decremento" - }, - "product_view.label.assistive_msg.quantity_increment": { - "defaultMessage": "Incrementar cantidad" - }, - "product_view.label.quantity": { - "defaultMessage": "Cantidad" - }, - "product_view.label.quantity_decrement": { - "defaultMessage": "−" - }, - "product_view.label.quantity_increment": { - "defaultMessage": "+" - }, - "product_view.label.starting_at_price": { - "defaultMessage": "Comienza en" - }, - "product_view.label.variant_type": { - "defaultMessage": "{variantType}" - }, - "product_view.link.full_details": { - "defaultMessage": "Ver información completa" - }, - "profile_card.info.profile_updated": { - "defaultMessage": "Perfil actualizado" - }, - "profile_card.label.email": { - "defaultMessage": "Correo electrónico" - }, - "profile_card.label.full_name": { - "defaultMessage": "Nombre completo" - }, - "profile_card.label.phone": { - "defaultMessage": "Número de teléfono" - }, - "profile_card.message.not_provided": { - "defaultMessage": "No proporcionado" - }, - "profile_card.title.my_profile": { - "defaultMessage": "Mi perfil" - }, - "promo_code_fields.button.apply": { - "defaultMessage": "Aplicar" - }, - "promo_popover.assistive_msg.info": { - "defaultMessage": "Información" - }, - "promo_popover.heading.promo_applied": { - "defaultMessage": "Promociones aplicadas" - }, - "promocode.accordion.button.have_promocode": { - "defaultMessage": "¿Tiene un código promocional?" - }, - "recent_searches.action.clear_searches": { - "defaultMessage": "Borrar búsquedas recientes" - }, - "recent_searches.heading.recent_searches": { - "defaultMessage": "Búsquedas recientes" - }, - "register_form.action.sign_in": { - "defaultMessage": "Registrarse" - }, - "register_form.button.create_account": { - "defaultMessage": "Crear cuenta" - }, - "register_form.heading.lets_get_started": { - "defaultMessage": "¡Comencemos!" - }, - "register_form.message.agree_to_policy_terms": { - "defaultMessage": "Al crear una cuenta, acepta la Política de privacidad y los Términos y condiciones de Salesforce" - }, - "register_form.message.already_have_account": { - "defaultMessage": "¿Ya tienes una cuenta?" - }, - "register_form.message.create_an_account": { - "defaultMessage": "Cree una cuenta y obtenga un primer acceso a los mejores productos, inspiración y comunidad." - }, - "reset_password.button.back_to_sign_in": { - "defaultMessage": "Regresar a Registrarse" - }, - "reset_password.info.receive_email_shortly": { - "defaultMessage": "Recibirás un correo electrónico en {email} con un vínculo para restablecer tu contraseña a la brevedad." - }, - "reset_password.title.password_reset": { - "defaultMessage": "Restablecimiento de contraseña" - }, - "reset_password_form.action.sign_in": { - "defaultMessage": "Registrarse" - }, - "reset_password_form.button.reset_password": { - "defaultMessage": "Restablecer contraseña" - }, - "reset_password_form.message.enter_your_email": { - "defaultMessage": "Ingrese su correo electrónico para recibir instrucciones sobre cómo restablecer su contraseña" - }, - "reset_password_form.message.return_to_sign_in": { - "defaultMessage": "O regresar a", - "description": "Precedes link to return to sign in" - }, - "reset_password_form.title.reset_password": { - "defaultMessage": "Restablecer contraseña" - }, - "search.action.cancel": { - "defaultMessage": "Cancelar" - }, - "selected_refinements.action.assistive_msg.clear_all": { - "defaultMessage": "Borrar todos los filtros" - }, - "selected_refinements.action.clear_all": { - "defaultMessage": "Borrar todo" - }, - "shipping_address.button.continue_to_shipping": { - "defaultMessage": "Continuar a método de envío" - }, - "shipping_address.title.shipping_address": { - "defaultMessage": "Dirección de envío" - }, - "shipping_address_edit_form.button.save_and_continue": { - "defaultMessage": "Guardar y continuar a método de envío" - }, - "shipping_address_form.heading.edit_address": { - "defaultMessage": "Editar dirección" - }, - "shipping_address_form.heading.new_address": { - "defaultMessage": "Agregar dirección nueva" - }, - "shipping_address_selection.button.add_address": { - "defaultMessage": "Agregar dirección nueva" - }, - "shipping_address_selection.button.submit": { - "defaultMessage": "Enviar" - }, - "shipping_address_selection.title.add_address": { - "defaultMessage": "Agregar dirección nueva" - }, - "shipping_address_selection.title.edit_shipping": { - "defaultMessage": "Editar dirección de envío" - }, - "shipping_options.action.send_as_a_gift": { - "defaultMessage": "¿Desea enviarlo como regalo?" - }, - "shipping_options.button.continue_to_payment": { - "defaultMessage": "Continuar a Pago" - }, - "shipping_options.title.shipping_gift_options": { - "defaultMessage": "Envío y opciones de regalo" - }, - "signout_confirmation_dialog.button.cancel": { - "defaultMessage": "Cancelar" - }, - "signout_confirmation_dialog.button.sign_out": { - "defaultMessage": "Cerrar sesión" - }, - "signout_confirmation_dialog.heading.sign_out": { - "defaultMessage": "Cerrar sesión" - }, - "signout_confirmation_dialog.message.sure_to_sign_out": { - "defaultMessage": "¿Está seguro de que desea cerrar sesión? Deberá volver a registrarse para continuar con su pedido actual." - }, - "swatch_group.selected.label": { - "defaultMessage": "{label}:" - }, - "toggle_card.action.edit": { - "defaultMessage": "Editar" - }, - "update_password_fields.button.forgot_password": { - "defaultMessage": "¿Olvidó la contraseña?" - }, - "use_address_fields.error.please_enter_first_name": { - "defaultMessage": "Ingrese su nombre." - }, - "use_address_fields.error.please_enter_last_name": { - "defaultMessage": "Ingrese su apellido." - }, - "use_address_fields.error.please_enter_phone_number": { - "defaultMessage": "Ingrese su número de teléfono." - }, - "use_address_fields.error.please_enter_your_postal_or_zip": { - "defaultMessage": "Ingrese su código postal." - }, - "use_address_fields.error.please_select_your_address": { - "defaultMessage": "Ingrese su dirección." - }, - "use_address_fields.error.please_select_your_city": { - "defaultMessage": "Ingrese su ciudad." - }, - "use_address_fields.error.please_select_your_country": { - "defaultMessage": "Seleccione su país." - }, - "use_address_fields.error.please_select_your_state_or_province": { - "defaultMessage": "Seleccione su estado/provincia." - }, - "use_address_fields.error.required": { - "defaultMessage": "Obligatorio" - }, - "use_address_fields.error.state_code_invalid": { - "defaultMessage": "Ingrese el código de estado/provincia de 2 letras." - }, - "use_address_fields.label.address": { - "defaultMessage": "Dirección" - }, - "use_address_fields.label.address_form": { - "defaultMessage": "Formato de direcciones" - }, - "use_address_fields.label.city": { - "defaultMessage": "Ciudad" - }, - "use_address_fields.label.country": { - "defaultMessage": "País" - }, - "use_address_fields.label.first_name": { - "defaultMessage": "Nombre" - }, - "use_address_fields.label.last_name": { - "defaultMessage": "Apellido" - }, - "use_address_fields.label.phone": { - "defaultMessage": "Teléfono" - }, - "use_address_fields.label.postal_code": { - "defaultMessage": "Código postal" - }, - "use_address_fields.label.preferred": { - "defaultMessage": "Establecer como predeterminado" - }, - "use_address_fields.label.province": { - "defaultMessage": "Provincia" - }, - "use_address_fields.label.state": { - "defaultMessage": "Estado" - }, - "use_address_fields.label.zipCode": { - "defaultMessage": "Código postal" - }, - "use_credit_card_fields.error.required": { - "defaultMessage": "Obligatorio" - }, - "use_credit_card_fields.error.required_card_number": { - "defaultMessage": "Ingrese el número de su tarjeta." - }, - "use_credit_card_fields.error.required_expiry": { - "defaultMessage": "Ingrese la fecha de caducidad." - }, - "use_credit_card_fields.error.required_name": { - "defaultMessage": "Ingrese su nombre como figura en su tarjeta." - }, - "use_credit_card_fields.error.required_security_code": { - "defaultMessage": "Ingrese su código de seguridad." - }, - "use_credit_card_fields.error.valid_card_number": { - "defaultMessage": "Ingrese un número de tarjeta válido." - }, - "use_credit_card_fields.error.valid_date": { - "defaultMessage": "Ingrese una fecha válida." - }, - "use_credit_card_fields.error.valid_name": { - "defaultMessage": "Ingrese un nombre válido." - }, - "use_credit_card_fields.error.valid_security_code": { - "defaultMessage": "Ingrese un código de seguridad válido." - }, - "use_credit_card_fields.label.card_number": { - "defaultMessage": "Número de tarjeta" - }, - "use_credit_card_fields.label.card_type": { - "defaultMessage": "Tipo de tarjeta" - }, - "use_credit_card_fields.label.expiry": { - "defaultMessage": "Fecha de caducidad" - }, - "use_credit_card_fields.label.name": { - "defaultMessage": "Nombre del titular de la tarjeta" - }, - "use_credit_card_fields.label.security_code": { - "defaultMessage": "Código de seguridad" - }, - "use_login_fields.error.required_email": { - "defaultMessage": "Ingrese su dirección de correo electrónico." - }, - "use_login_fields.error.required_password": { - "defaultMessage": "Ingrese su contraseña." - }, - "use_login_fields.label.email": { - "defaultMessage": "Correo electrónico" - }, - "use_login_fields.label.password": { - "defaultMessage": "Contraseña" - }, - "use_product.message.inventory_remaining": { - "defaultMessage": "¡Solo quedan {stockLevel}!" - }, - "use_product.message.out_of_stock": { - "defaultMessage": "Agotado" - }, - "use_profile_fields.error.required_email": { - "defaultMessage": "Introduzca una dirección de correo electrónico válida." - }, - "use_profile_fields.error.required_first_name": { - "defaultMessage": "Ingrese su nombre." - }, - "use_profile_fields.error.required_last_name": { - "defaultMessage": "Ingrese su apellido." - }, - "use_profile_fields.error.required_phone": { - "defaultMessage": "Ingrese su número de teléfono." - }, - "use_profile_fields.label.email": { - "defaultMessage": "Correo electrónico" - }, - "use_profile_fields.label.first_name": { - "defaultMessage": "Nombre" - }, - "use_profile_fields.label.last_name": { - "defaultMessage": "Apellido" - }, - "use_profile_fields.label.phone": { - "defaultMessage": "Número de teléfono" - }, - "use_promo_code_fields.error.required_promo_code": { - "defaultMessage": "Proporcione un código promocional válido." - }, - "use_promo_code_fields.label.promo_code": { - "defaultMessage": "Código promocional" - }, - "use_promocode.error.check_the_code": { - "defaultMessage": "Verifique el código y vuelva a intentarlo; es posible que ya haya sido aplicado o que la promoción haya caducado." - }, - "use_promocode.info.promo_applied": { - "defaultMessage": "Promoción aplicada" - }, - "use_promocode.info.promo_removed": { - "defaultMessage": "Promoción eliminada" - }, - "use_registration_fields.error.contain_number": { - "defaultMessage": "La contraseña debe incluir al menos un número." - }, - "use_registration_fields.error.lowercase_letter": { - "defaultMessage": "La contraseña debe incluir al menos una letra en minúscula." - }, - "use_registration_fields.error.minimum_characters": { - "defaultMessage": "La contraseña debe incluir al menos 8 caracteres." - }, - "use_registration_fields.error.required_email": { - "defaultMessage": "Introduzca una dirección de correo electrónico válida." - }, - "use_registration_fields.error.required_first_name": { - "defaultMessage": "Ingrese su nombre." - }, - "use_registration_fields.error.required_last_name": { - "defaultMessage": "Ingrese su apellido." - }, - "use_registration_fields.error.required_password": { - "defaultMessage": "Cree una contraseña." - }, - "use_registration_fields.error.special_character": { - "defaultMessage": "La contraseña debe incluir al menos un carácter especial." - }, - "use_registration_fields.error.uppercase_letter": { - "defaultMessage": "La contraseña debe incluir al menos una letra en mayúscula." - }, - "use_registration_fields.label.email": { - "defaultMessage": "Correo electrónico" - }, - "use_registration_fields.label.first_name": { - "defaultMessage": "Nombre" - }, - "use_registration_fields.label.last_name": { - "defaultMessage": "Apellido" - }, - "use_registration_fields.label.password": { - "defaultMessage": "Contraseña" - }, - "use_registration_fields.label.sign_up_to_emails": { - "defaultMessage": "Registrarme para recibir correos electrónicos de Salesforce (puede cancelar la suscripción en cualquier momento)" - }, - "use_reset_password_fields.error.required_email": { - "defaultMessage": "Introduzca una dirección de correo electrónico válida." - }, - "use_reset_password_fields.label.email": { - "defaultMessage": "Correo electrónico" - }, - "use_update_password_fields.error.contain_number": { - "defaultMessage": "La contraseña debe incluir al menos un número." - }, - "use_update_password_fields.error.lowercase_letter": { - "defaultMessage": "La contraseña debe incluir al menos una letra en minúscula." - }, - "use_update_password_fields.error.minimum_characters": { - "defaultMessage": "La contraseña debe incluir al menos 8 caracteres." - }, - "use_update_password_fields.error.required_new_password": { - "defaultMessage": "Proporcione una contraseña nueva." - }, - "use_update_password_fields.error.required_password": { - "defaultMessage": "Ingrese su contraseña." - }, - "use_update_password_fields.error.special_character": { - "defaultMessage": "La contraseña debe incluir al menos un carácter especial." - }, - "use_update_password_fields.error.uppercase_letter": { - "defaultMessage": "La contraseña debe incluir al menos una letra en mayúscula." - }, - "use_update_password_fields.label.current_password": { - "defaultMessage": "Contraseña actual" - }, - "use_update_password_fields.label.new_password": { - "defaultMessage": "Contraseña nueva" - }, - "wishlist_primary_action.button.add_set_to_cart": { - "defaultMessage": "Agregar conjunto al carrito" - }, - "wishlist_primary_action.button.add_to_cart": { - "defaultMessage": "Agregar al carrito" - }, - "wishlist_primary_action.button.view_full_details": { - "defaultMessage": "Ver toda la información" - }, - "wishlist_primary_action.button.view_options": { - "defaultMessage": "Ver opciones" - }, - "wishlist_primary_action.info.added_to_cart": { - "defaultMessage": "{quantity} {quantity, plural, one {artículo} other {artículos}} agregado(s) al carrito" - }, - "wishlist_secondary_button_group.action.remove": { - "defaultMessage": "Eliminar" - }, - "wishlist_secondary_button_group.info.item_removed": { - "defaultMessage": "Artículo eliminado de la lista de deseos" - }, - "with_registration.info.please_sign_in": { - "defaultMessage": "¡Regístrese para continuar!" - } -} diff --git a/my-test-project/translations/fr-FR.json b/my-test-project/translations/fr-FR.json deleted file mode 100644 index 361367b97f..0000000000 --- a/my-test-project/translations/fr-FR.json +++ /dev/null @@ -1,1517 +0,0 @@ -{ - "account.accordion.button.my_account": { - "defaultMessage": "Mon compte" - }, - "account.heading.my_account": { - "defaultMessage": "Mon compte" - }, - "account.logout_button.button.log_out": { - "defaultMessage": "Se déconnecter" - }, - "account_addresses.badge.default": { - "defaultMessage": "Valeur par défaut" - }, - "account_addresses.button.add_address": { - "defaultMessage": "Ajouter une adresse" - }, - "account_addresses.info.address_removed": { - "defaultMessage": "Adresse supprimée" - }, - "account_addresses.info.address_updated": { - "defaultMessage": "Adresse mise à jour" - }, - "account_addresses.info.new_address_saved": { - "defaultMessage": "Nouvelle adresse enregistrée" - }, - "account_addresses.page_action_placeholder.button.add_address": { - "defaultMessage": "Ajouter une adresse" - }, - "account_addresses.page_action_placeholder.heading.no_saved_addresses": { - "defaultMessage": "Aucune adresse enregistrée" - }, - "account_addresses.page_action_placeholder.message.add_new_address": { - "defaultMessage": "Ajoutez une adresse pour accélérer le checkout." - }, - "account_addresses.title.addresses": { - "defaultMessage": "Adresses" - }, - "account_detail.title.account_details": { - "defaultMessage": "Détails du compte" - }, - "account_order_detail.heading.billing_address": { - "defaultMessage": "Adresse de facturation" - }, - "account_order_detail.heading.num_of_items": { - "defaultMessage": "{count} articles" - }, - "account_order_detail.heading.payment_method": { - "defaultMessage": "Mode de paiement" - }, - "account_order_detail.heading.shipping_address": { - "defaultMessage": "Adresse de livraison" - }, - "account_order_detail.heading.shipping_method": { - "defaultMessage": "Mode de livraison" - }, - "account_order_detail.label.order_number": { - "defaultMessage": "Numéro de commande : {orderNumber}" - }, - "account_order_detail.label.ordered_date": { - "defaultMessage": "Commandé le : {date}" - }, - "account_order_detail.label.pending_tracking_number": { - "defaultMessage": "En attente" - }, - "account_order_detail.label.tracking_number": { - "defaultMessage": "N° de suivi" - }, - "account_order_detail.link.back_to_history": { - "defaultMessage": "Retour à l’historique des commandes" - }, - "account_order_detail.shipping_status.not_shipped": { - "defaultMessage": "Non expédiée" - }, - "account_order_detail.shipping_status.part_shipped": { - "defaultMessage": "Partiellement expédiée" - }, - "account_order_detail.shipping_status.shipped": { - "defaultMessage": "Expédiée" - }, - "account_order_detail.title.order_details": { - "defaultMessage": "Détails de la commande" - }, - "account_order_history.button.continue_shopping": { - "defaultMessage": "Continuer les achats" - }, - "account_order_history.description.once_you_place_order": { - "defaultMessage": "Une fois que vous aurez passé une commande, les détails s’afficheront ici." - }, - "account_order_history.heading.no_order_yet": { - "defaultMessage": "Vous n’avez pas encore passé de commande." - }, - "account_order_history.label.num_of_items": { - "defaultMessage": "{count} articles", - "description": "Number of items in order" - }, - "account_order_history.label.order_number": { - "defaultMessage": "Numéro de commande : {orderNumber}" - }, - "account_order_history.label.ordered_date": { - "defaultMessage": "Commandé le : {date}" - }, - "account_order_history.label.shipped_to": { - "defaultMessage": "Expédiée à : {name}" - }, - "account_order_history.link.view_details": { - "defaultMessage": "Afficher les détails" - }, - "account_order_history.title.order_history": { - "defaultMessage": "Historique des commandes" - }, - "account_wishlist.button.continue_shopping": { - "defaultMessage": "Continuer les achats" - }, - "account_wishlist.description.continue_shopping": { - "defaultMessage": "Poursuivez votre visite et ajoutez des articles à votre liste de souhaits." - }, - "account_wishlist.heading.no_wishlist": { - "defaultMessage": "Aucun article dans la liste de souhaits" - }, - "account_wishlist.title.wishlist": { - "defaultMessage": "Liste de souhaits" - }, - "action_card.action.edit": { - "defaultMessage": "Modifier" - }, - "action_card.action.remove": { - "defaultMessage": "Supprimer" - }, - "add_to_cart_modal.info.added_to_cart": { - "defaultMessage": "{quantity} {quantity, plural, one {article ajouté} other {articles ajoutés}} au panier" - }, - "add_to_cart_modal.label.cart_subtotal": { - "defaultMessage": "Sous-total du panier ({itemAccumulatedCount} article)" - }, - "add_to_cart_modal.label.quantity": { - "defaultMessage": "Qté" - }, - "add_to_cart_modal.link.checkout": { - "defaultMessage": "Passer au checkout" - }, - "add_to_cart_modal.link.view_cart": { - "defaultMessage": "Afficher le panier" - }, - "add_to_cart_modal.recommended_products.title.might_also_like": { - "defaultMessage": "Vous aimerez peut-être aussi" - }, - "auth_modal.button.close.assistive_msg": { - "defaultMessage": "Fermer le formulaire de connexion" - }, - "auth_modal.description.now_signed_in": { - "defaultMessage": "Vous êtes bien connecté." - }, - "auth_modal.error.incorrect_email_or_password": { - "defaultMessage": "Il y a un problème avec votre adresse e-mail ou votre mot de passe. Veuillez réessayer." - }, - "auth_modal.info.welcome_user": { - "defaultMessage": "Bienvenue {name}," - }, - "auth_modal.password_reset_success.button.back_to_sign_in": { - "defaultMessage": "Retour à la page de connexion" - }, - "auth_modal.password_reset_success.info.will_email_shortly": { - "defaultMessage": "Vous recevrez sous peu un e-mail à l’adresse {email} avec un lien permettant de réinitialiser votre mot de passe." - }, - "auth_modal.password_reset_success.title.password_reset": { - "defaultMessage": "Réinitialisation du mot de passe" - }, - "carousel.button.scroll_left.assistive_msg": { - "defaultMessage": "Faire défiler le carrousel vers la gauche" - }, - "carousel.button.scroll_right.assistive_msg": { - "defaultMessage": "Faire défiler le carrousel vers la droite" - }, - "cart.info.removed_from_cart": { - "defaultMessage": "Article supprimé du panier" - }, - "cart.recommended_products.title.may_also_like": { - "defaultMessage": "Vous aimerez peut-être aussi" - }, - "cart.recommended_products.title.recently_viewed": { - "defaultMessage": "Consultés récemment" - }, - "cart_cta.link.checkout": { - "defaultMessage": "Passer au checkout" - }, - "cart_secondary_button_group.action.added_to_wishlist": { - "defaultMessage": "Ajouter à la liste de souhaits" - }, - "cart_secondary_button_group.action.edit": { - "defaultMessage": "Modifier" - }, - "cart_secondary_button_group.action.remove": { - "defaultMessage": "Supprimer" - }, - "cart_secondary_button_group.label.this_is_gift": { - "defaultMessage": "C’est un cadeau." - }, - "cart_skeleton.heading.order_summary": { - "defaultMessage": "Résumé de la commande" - }, - "cart_skeleton.title.cart": { - "defaultMessage": "Panier" - }, - "cart_title.title.cart_num_of_items": { - "defaultMessage": "Panier ({itemCount, plural, =0 {0 article} one {# article} other {# articles}})" - }, - "cc_radio_group.action.remove": { - "defaultMessage": "Supprimer" - }, - "cc_radio_group.button.add_new_card": { - "defaultMessage": "Ajouter une nouvelle carte" - }, - "checkout.button.place_order": { - "defaultMessage": "Passer commande" - }, - "checkout.message.generic_error": { - "defaultMessage": "Une erreur inattendue s'est produite durant le checkout." - }, - "checkout_confirmation.button.create_account": { - "defaultMessage": "Créer un compte" - }, - "checkout_confirmation.heading.billing_address": { - "defaultMessage": "Adresse de facturation" - }, - "checkout_confirmation.heading.create_account": { - "defaultMessage": "Créez un compte pour accélérer le checkout" - }, - "checkout_confirmation.heading.credit_card": { - "defaultMessage": "Carte de crédit" - }, - "checkout_confirmation.heading.delivery_details": { - "defaultMessage": "Détails de la livraison" - }, - "checkout_confirmation.heading.order_summary": { - "defaultMessage": "Résumé de la commande" - }, - "checkout_confirmation.heading.payment_details": { - "defaultMessage": "Détails du paiement" - }, - "checkout_confirmation.heading.shipping_address": { - "defaultMessage": "Adresse de livraison" - }, - "checkout_confirmation.heading.shipping_method": { - "defaultMessage": "Mode de livraison" - }, - "checkout_confirmation.heading.thank_you_for_order": { - "defaultMessage": "Merci pour votre commande !" - }, - "checkout_confirmation.label.free": { - "defaultMessage": "Gratuit" - }, - "checkout_confirmation.label.order_number": { - "defaultMessage": "Numéro de commande" - }, - "checkout_confirmation.label.order_total": { - "defaultMessage": "Total de la commande" - }, - "checkout_confirmation.label.promo_applied": { - "defaultMessage": "Promotion appliquée" - }, - "checkout_confirmation.label.shipping": { - "defaultMessage": "Livraison" - }, - "checkout_confirmation.label.subtotal": { - "defaultMessage": "Sous-total" - }, - "checkout_confirmation.label.tax": { - "defaultMessage": "Taxe" - }, - "checkout_confirmation.link.continue_shopping": { - "defaultMessage": "Continuer les achats" - }, - "checkout_confirmation.link.login": { - "defaultMessage": "Connectez-vous ici" - }, - "checkout_confirmation.message.already_has_account": { - "defaultMessage": "Cet e-mail a déjà un compte." - }, - "checkout_confirmation.message.num_of_items_in_order": { - "defaultMessage": "{itemCount, plural, =0 {0 article} one {# article} other {# articles}}", - "description": "# item(s) in order" - }, - "checkout_confirmation.message.will_email_shortly": { - "defaultMessage": "Nous enverrons sous peu un e-mail à l’adresse {email} avec votre numéro de confirmation et votre reçu." - }, - "checkout_footer.link.privacy_policy": { - "defaultMessage": "Politique de confidentialité" - }, - "checkout_footer.link.returns_exchanges": { - "defaultMessage": "Retours et échanges" - }, - "checkout_footer.link.shipping": { - "defaultMessage": "Livraison" - }, - "checkout_footer.link.site_map": { - "defaultMessage": "Plan du site" - }, - "checkout_footer.link.terms_conditions": { - "defaultMessage": "Conditions générales" - }, - "checkout_footer.message.copyright": { - "defaultMessage": "Salesforce ou ses affiliés. Tous droits réservés. Ceci est une boutique de démonstration uniquement. Les commandes NE SERONT PAS traitées." - }, - "checkout_header.link.assistive_msg.cart": { - "defaultMessage": "Retour au panier, nombre d’articles : {numItems}" - }, - "checkout_header.link.cart": { - "defaultMessage": "Retour au panier" - }, - "checkout_payment.action.remove": { - "defaultMessage": "Supprimer" - }, - "checkout_payment.button.review_order": { - "defaultMessage": "Vérifier la commande" - }, - "checkout_payment.heading.billing_address": { - "defaultMessage": "Adresse de facturation" - }, - "checkout_payment.heading.credit_card": { - "defaultMessage": "Carte de crédit" - }, - "checkout_payment.label.same_as_shipping": { - "defaultMessage": "Identique à l’adresse de livraison" - }, - "checkout_payment.title.payment": { - "defaultMessage": "Paiement" - }, - "colorRefinements.label.hitCount": { - "defaultMessage": "{colorLabel} ({colorHitCount})" - }, - "confirmation_modal.default.action.no": { - "defaultMessage": "Non" - }, - "confirmation_modal.default.action.yes": { - "defaultMessage": "Oui" - }, - "confirmation_modal.default.message.you_want_to_continue": { - "defaultMessage": "Voulez-vous vraiment continuer ?" - }, - "confirmation_modal.default.title.confirm_action": { - "defaultMessage": "Confirmer l’action" - }, - "confirmation_modal.remove_cart_item.action.no": { - "defaultMessage": "Non, garder l’article" - }, - "confirmation_modal.remove_cart_item.action.remove": { - "defaultMessage": "Supprimer" - }, - "confirmation_modal.remove_cart_item.action.yes": { - "defaultMessage": "Oui, supprimer l’article" - }, - "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": { - "defaultMessage": "Certains articles ne sont plus disponibles en ligne et seront supprimés de votre panier." - }, - "confirmation_modal.remove_cart_item.message.sure_to_remove": { - "defaultMessage": "Voulez-vous vraiment supprimer cet article de votre panier ?" - }, - "confirmation_modal.remove_cart_item.title.confirm_remove": { - "defaultMessage": "Confirmer la suppression de l’article" - }, - "confirmation_modal.remove_cart_item.title.items_unavailable": { - "defaultMessage": "Articles non disponibles" - }, - "confirmation_modal.remove_wishlist_item.action.no": { - "defaultMessage": "Non, garder l’article" - }, - "confirmation_modal.remove_wishlist_item.action.yes": { - "defaultMessage": "Oui, supprimer l’article" - }, - "confirmation_modal.remove_wishlist_item.message.sure_to_remove": { - "defaultMessage": "Voulez-vous vraiment supprimer cet article de votre liste de souhaits ?" - }, - "confirmation_modal.remove_wishlist_item.title.confirm_remove": { - "defaultMessage": "Confirmer la suppression de l’article" - }, - "contact_info.action.sign_out": { - "defaultMessage": "Se déconnecter" - }, - "contact_info.button.already_have_account": { - "defaultMessage": "Vous avez déjà un compte ? Se connecter" - }, - "contact_info.button.checkout_as_guest": { - "defaultMessage": "Régler en tant qu'invité" - }, - "contact_info.button.login": { - "defaultMessage": "Se connecter" - }, - "contact_info.error.incorrect_username_or_password": { - "defaultMessage": "Le nom d’utilisateur ou le mot de passe est incorrect, veuillez réessayer." - }, - "contact_info.link.forgot_password": { - "defaultMessage": "Mot de passe oublié ?" - }, - "contact_info.title.contact_info": { - "defaultMessage": "Coordonnées" - }, - "credit_card_fields.tool_tip.security_code": { - "defaultMessage": "Ce code à 3 chiffres se trouve au dos de votre carte.", - "description": "Generic credit card security code help text" - }, - "credit_card_fields.tool_tip.security_code.american_express": { - "defaultMessage": "Ce code à 4 chiffres se trouve sur le devant de votre carte.", - "description": "American Express security code help text" - }, - "credit_card_fields.tool_tip.security_code_aria_label": { - "defaultMessage": "Cryptogramme" - }, - "drawer_menu.button.account_details": { - "defaultMessage": "Détails du compte" - }, - "drawer_menu.button.addresses": { - "defaultMessage": "Adresses" - }, - "drawer_menu.button.log_out": { - "defaultMessage": "Se déconnecter" - }, - "drawer_menu.button.my_account": { - "defaultMessage": "Mon compte" - }, - "drawer_menu.button.order_history": { - "defaultMessage": "Historique des commandes" - }, - "drawer_menu.link.about_us": { - "defaultMessage": "À propos de nous" - }, - "drawer_menu.link.customer_support": { - "defaultMessage": "Support client" - }, - "drawer_menu.link.customer_support.contact_us": { - "defaultMessage": "Contactez-nous" - }, - "drawer_menu.link.customer_support.shipping_and_returns": { - "defaultMessage": "Livraisons et retours" - }, - "drawer_menu.link.our_company": { - "defaultMessage": "Notre société" - }, - "drawer_menu.link.privacy_and_security": { - "defaultMessage": "Confidentialité et sécurité" - }, - "drawer_menu.link.privacy_policy": { - "defaultMessage": "Politique de confidentialité" - }, - "drawer_menu.link.shop_all": { - "defaultMessage": "Tous les articles" - }, - "drawer_menu.link.sign_in": { - "defaultMessage": "Se connecter" - }, - "drawer_menu.link.site_map": { - "defaultMessage": "Plan du site" - }, - "drawer_menu.link.store_locator": { - "defaultMessage": "Localisateur de magasins" - }, - "drawer_menu.link.terms_and_conditions": { - "defaultMessage": "Conditions générales" - }, - "empty_cart.description.empty_cart": { - "defaultMessage": "Votre panier est vide." - }, - "empty_cart.link.continue_shopping": { - "defaultMessage": "Continuer les achats" - }, - "empty_cart.link.sign_in": { - "defaultMessage": "Se connecter" - }, - "empty_cart.message.continue_shopping": { - "defaultMessage": "Poursuivez votre visite pour ajouter des articles à votre panier." - }, - "empty_cart.message.sign_in_or_continue_shopping": { - "defaultMessage": "Connectez-vous pour récupérer vos articles enregistrés ou poursuivre vos achats." - }, - "empty_search_results.info.cant_find_anything_for_category": { - "defaultMessage": "Aucun résultat trouvé pour {category}. Essayez de rechercher un produit ou {link}." - }, - "empty_search_results.info.cant_find_anything_for_query": { - "defaultMessage": "Aucun résultat trouvé pour « {searchQuery} »." - }, - "empty_search_results.info.double_check_spelling": { - "defaultMessage": "Vérifiez l’orthographe et réessayez ou {link}." - }, - "empty_search_results.link.contact_us": { - "defaultMessage": "Contactez-nous" - }, - "empty_search_results.recommended_products.title.most_viewed": { - "defaultMessage": "Les plus consultés" - }, - "empty_search_results.recommended_products.title.top_sellers": { - "defaultMessage": "Meilleures ventes" - }, - "field.password.assistive_msg.hide_password": { - "defaultMessage": "Réinitialiser le mot de passe" - }, - "field.password.assistive_msg.show_password": { - "defaultMessage": "Afficher le mot de passe" - }, - "footer.column.account": { - "defaultMessage": "Compte" - }, - "footer.column.customer_support": { - "defaultMessage": "Support client" - }, - "footer.column.our_company": { - "defaultMessage": "Notre société" - }, - "footer.link.about_us": { - "defaultMessage": "À propos de nous" - }, - "footer.link.contact_us": { - "defaultMessage": "Contactez-nous" - }, - "footer.link.order_status": { - "defaultMessage": "État des commandes" - }, - "footer.link.privacy_policy": { - "defaultMessage": "Politique de confidentialité" - }, - "footer.link.shipping": { - "defaultMessage": "Livraison" - }, - "footer.link.signin_create_account": { - "defaultMessage": "Se connecter ou créer un compte" - }, - "footer.link.site_map": { - "defaultMessage": "Plan du site" - }, - "footer.link.store_locator": { - "defaultMessage": "Localisateur de magasins" - }, - "footer.link.terms_conditions": { - "defaultMessage": "Conditions générales" - }, - "footer.message.copyright": { - "defaultMessage": "Salesforce ou ses affiliés. Tous droits réservés. Ceci est une boutique de démonstration uniquement. Les commandes NE SERONT PAS traitées." - }, - "footer.subscribe.button.sign_up": { - "defaultMessage": "Inscrivez-vous" - }, - "footer.subscribe.description.sign_up": { - "defaultMessage": "Abonnez-vous pour rester au courant des meilleures offres" - }, - "footer.subscribe.heading.first_to_know": { - "defaultMessage": "Soyez parmi les premiers informés" - }, - "form_action_buttons.button.cancel": { - "defaultMessage": "Annuler" - }, - "form_action_buttons.button.save": { - "defaultMessage": "Enregistrer" - }, - "global.account.link.account_details": { - "defaultMessage": "Détails du compte" - }, - "global.account.link.addresses": { - "defaultMessage": "Adresses" - }, - "global.account.link.order_history": { - "defaultMessage": "Historique des commandes" - }, - "global.account.link.wishlist": { - "defaultMessage": "Liste de souhaits" - }, - "global.error.something_went_wrong": { - "defaultMessage": "Un problème est survenu Veuillez réessayer." - }, - "global.info.added_to_wishlist": { - "defaultMessage": "{quantity} {quantity, plural, one {article ajouté} other {articles ajoutés}} à la liste de souhaits" - }, - "global.info.already_in_wishlist": { - "defaultMessage": "L’article figure déjà dans la liste de souhaits" - }, - "global.info.removed_from_wishlist": { - "defaultMessage": "Article supprimé de la liste de souhaits" - }, - "global.link.added_to_wishlist.view_wishlist": { - "defaultMessage": "Afficher" - }, - "header.button.assistive_msg.logo": { - "defaultMessage": "Logo" - }, - "header.button.assistive_msg.menu": { - "defaultMessage": "Menu" - }, - "header.button.assistive_msg.my_account": { - "defaultMessage": "Mon compte" - }, - "header.button.assistive_msg.my_account_menu": { - "defaultMessage": "Ouvrir le menu du compte" - }, - "header.button.assistive_msg.my_cart_with_num_items": { - "defaultMessage": "Mon panier, nombre d’articles : {numItems}" - }, - "header.button.assistive_msg.wishlist": { - "defaultMessage": "Liste de souhaits" - }, - "header.field.placeholder.search_for_products": { - "defaultMessage": "Recherche de produits…" - }, - "header.popover.action.log_out": { - "defaultMessage": "Se déconnecter" - }, - "header.popover.title.my_account": { - "defaultMessage": "Mon compte" - }, - "home.description.features": { - "defaultMessage": "Des fonctionnalités prêtes à l’emploi pour vous permettre de vous concentrer uniquement sur l’ajout d’améliorations." - }, - "home.description.here_to_help": { - "defaultMessage": "Contactez notre équipe de support." - }, - "home.description.here_to_help_line_2": { - "defaultMessage": "Elle vous amènera au bon endroit." - }, - "home.description.shop_products": { - "defaultMessage": "Cette section contient du contenu du catalogue. {docLink} pour savoir comment le remplacer.", - "description": "{docLink} is a html button that links the user to https://sfdc.co/business-manager-manage-catalogs" - }, - "home.features.description.cart_checkout": { - "defaultMessage": "Meilleures pratiques de commerce électronique pour l’expérience de panier et de checkout de l’acheteur." - }, - "home.features.description.components": { - "defaultMessage": "Conçu à l’aide de Chakra UI, une bibliothèque de composants React simple, modulaire et accessible." - }, - "home.features.description.einstein_recommendations": { - "defaultMessage": "Proposez d’autres produits ou offres intéressantes à vos acheteurs grâce aux recommandations de produits." - }, - "home.features.description.my_account": { - "defaultMessage": "Les acheteurs peuvent gérer les informations de leur compte, comme leur profil, leurs adresses, leurs paiements et leurs commandes." - }, - "home.features.description.shopper_login": { - "defaultMessage": "Permettez aux acheteurs de se connecter facilement et de bénéficier d’une expérience d’achat plus personnalisée." - }, - "home.features.description.wishlist": { - "defaultMessage": "Les acheteurs enregistrés peuvent ajouter des articles à leur liste de souhaits pour les acheter plus tard." - }, - "home.features.heading.cart_checkout": { - "defaultMessage": "Panier et checkout" - }, - "home.features.heading.components": { - "defaultMessage": "Composants et kit de conception" - }, - "home.features.heading.einstein_recommendations": { - "defaultMessage": "Recommandations Einstein" - }, - "home.features.heading.my_account": { - "defaultMessage": "Mon compte" - }, - "home.features.heading.shopper_login": { - "defaultMessage": "Shopper Login and API Access Service (SLAS)" - }, - "home.features.heading.wishlist": { - "defaultMessage": "Liste de souhaits" - }, - "home.heading.features": { - "defaultMessage": "Fonctionnalités" - }, - "home.heading.here_to_help": { - "defaultMessage": "Nous sommes là pour vous aider" - }, - "home.heading.shop_products": { - "defaultMessage": "Acheter des produits" - }, - "home.hero_features.link.design_kit": { - "defaultMessage": "Créer avec le Figma PWA Design Kit" - }, - "home.hero_features.link.on_github": { - "defaultMessage": "Télécharger sur Github" - }, - "home.hero_features.link.on_managed_runtime": { - "defaultMessage": "Déployer sur Managed Runtime" - }, - "home.link.contact_us": { - "defaultMessage": "Contactez-nous" - }, - "home.link.get_started": { - "defaultMessage": "Premiers pas" - }, - "home.link.read_docs": { - "defaultMessage": "Lire la documentation" - }, - "home.title.react_starter_store": { - "defaultMessage": "React PWA Starter Store pour le retail" - }, - "icons.assistive_msg.lock": { - "defaultMessage": "Sécurisé" - }, - "item_attributes.label.promotions": { - "defaultMessage": "Promotions" - }, - "item_attributes.label.quantity": { - "defaultMessage": "Quantité : {quantity}" - }, - "item_image.label.sale": { - "defaultMessage": "Vente", - "description": "A sale badge placed on top of a product image" - }, - "item_image.label.unavailable": { - "defaultMessage": "Non disponible", - "description": "A unavailable badge placed on top of a product image" - }, - "item_price.label.starting_at": { - "defaultMessage": "À partir de" - }, - "lCPCxk": { - "defaultMessage": "Sélectionnez toutes vos options ci-dessus" - }, - "list_menu.nav.assistive_msg": { - "defaultMessage": "Navigation principale" - }, - "locale_text.message.ar-SA": { - "defaultMessage": "Arabe (Arabie Saoudite)" - }, - "locale_text.message.bn-BD": { - "defaultMessage": "Bangla (Bangladesh)" - }, - "locale_text.message.bn-IN": { - "defaultMessage": "Bangla (Inde)" - }, - "locale_text.message.cs-CZ": { - "defaultMessage": "Tchèque (République tchèque)" - }, - "locale_text.message.da-DK": { - "defaultMessage": "Danois (Danemark)" - }, - "locale_text.message.de-AT": { - "defaultMessage": "Allemand (Autriche)" - }, - "locale_text.message.de-CH": { - "defaultMessage": "Allemand (Suisse)" - }, - "locale_text.message.de-DE": { - "defaultMessage": "Allemand (Allemagne)" - }, - "locale_text.message.el-GR": { - "defaultMessage": "Grec (Grèce)" - }, - "locale_text.message.en-AU": { - "defaultMessage": "Anglais (Australie)" - }, - "locale_text.message.en-CA": { - "defaultMessage": "Anglais (Canada)" - }, - "locale_text.message.en-GB": { - "defaultMessage": "Anglais (Royaume-Uni)" - }, - "locale_text.message.en-IE": { - "defaultMessage": "Anglais (Irlande)" - }, - "locale_text.message.en-IN": { - "defaultMessage": "Anglais (Inde)" - }, - "locale_text.message.en-NZ": { - "defaultMessage": "Anglais (Nouvelle-Zélande)" - }, - "locale_text.message.en-US": { - "defaultMessage": "Anglais (États-Unis)" - }, - "locale_text.message.en-ZA": { - "defaultMessage": "Anglais (Afrique du Sud)" - }, - "locale_text.message.es-AR": { - "defaultMessage": "Espagnol (Argentine)" - }, - "locale_text.message.es-CL": { - "defaultMessage": "Espagnol (Chili)" - }, - "locale_text.message.es-CO": { - "defaultMessage": "Espagnol (Colombie)" - }, - "locale_text.message.es-ES": { - "defaultMessage": "Espagnol (Espagne)" - }, - "locale_text.message.es-MX": { - "defaultMessage": "Espagnol (Mexique)" - }, - "locale_text.message.es-US": { - "defaultMessage": "Espagnol (États-Unis)" - }, - "locale_text.message.fi-FI": { - "defaultMessage": "Finnois (Finlande)" - }, - "locale_text.message.fr-BE": { - "defaultMessage": "Français (Belgique)" - }, - "locale_text.message.fr-CA": { - "defaultMessage": "Français (Canada)" - }, - "locale_text.message.fr-CH": { - "defaultMessage": "Français (Suisse)" - }, - "locale_text.message.fr-FR": { - "defaultMessage": "Français (France)" - }, - "locale_text.message.he-IL": { - "defaultMessage": "Hébreu (Israël)" - }, - "locale_text.message.hi-IN": { - "defaultMessage": "Hindi (Inde)" - }, - "locale_text.message.hu-HU": { - "defaultMessage": "Hongrois (Hongrie)" - }, - "locale_text.message.id-ID": { - "defaultMessage": "Indonésien (Indonésie)" - }, - "locale_text.message.it-CH": { - "defaultMessage": "Italien (Suisse)" - }, - "locale_text.message.it-IT": { - "defaultMessage": "Italien (Italie)" - }, - "locale_text.message.ja-JP": { - "defaultMessage": "Japonais (Japon)" - }, - "locale_text.message.ko-KR": { - "defaultMessage": "Coréen (République de Corée)" - }, - "locale_text.message.nl-BE": { - "defaultMessage": "Néerlandais (Belgique)" - }, - "locale_text.message.nl-NL": { - "defaultMessage": "Néerlandais (Pays-Bas)" - }, - "locale_text.message.no-NO": { - "defaultMessage": "Norvégien (Norvège)" - }, - "locale_text.message.pl-PL": { - "defaultMessage": "Polonais (Pologne)" - }, - "locale_text.message.pt-BR": { - "defaultMessage": "Portugais (Brésil)" - }, - "locale_text.message.pt-PT": { - "defaultMessage": "Portugais (Portugal)" - }, - "locale_text.message.ro-RO": { - "defaultMessage": "Roumain (Roumanie)" - }, - "locale_text.message.ru-RU": { - "defaultMessage": "Russe (Fédération de Russie)" - }, - "locale_text.message.sk-SK": { - "defaultMessage": "Slovaque (Slovaquie)" - }, - "locale_text.message.sv-SE": { - "defaultMessage": "Suédois (Suède)" - }, - "locale_text.message.ta-IN": { - "defaultMessage": "Tamil (Inde)" - }, - "locale_text.message.ta-LK": { - "defaultMessage": "Tamil (Sri Lanka)" - }, - "locale_text.message.th-TH": { - "defaultMessage": "Thaï (Thaïlande)" - }, - "locale_text.message.tr-TR": { - "defaultMessage": "Turc (Turquie)" - }, - "locale_text.message.zh-CN": { - "defaultMessage": "Chinois (Chine)" - }, - "locale_text.message.zh-HK": { - "defaultMessage": "Chinois (Hong Kong)" - }, - "locale_text.message.zh-TW": { - "defaultMessage": "Chinois (Taiwan)" - }, - "login_form.action.create_account": { - "defaultMessage": "Créer un compte" - }, - "login_form.button.sign_in": { - "defaultMessage": "Se connecter" - }, - "login_form.link.forgot_password": { - "defaultMessage": "Mot de passe oublié ?" - }, - "login_form.message.dont_have_account": { - "defaultMessage": "Vous n’avez pas de compte ?" - }, - "login_form.message.welcome_back": { - "defaultMessage": "Nous sommes heureux de vous revoir" - }, - "login_page.error.incorrect_username_or_password": { - "defaultMessage": "Le nom d’utilisateur ou le mot de passe est incorrect, veuillez réessayer." - }, - "offline_banner.description.browsing_offline_mode": { - "defaultMessage": "Vous naviguez actuellement en mode hors ligne" - }, - "order_summary.action.remove_promo": { - "defaultMessage": "Supprimer" - }, - "order_summary.cart_items.action.num_of_items_in_cart": { - "defaultMessage": "{itemCount, plural, =0 {0 article} one {# article} other {# articles}} dans le panier", - "description": "clicking it would expand/show the items in cart" - }, - "order_summary.cart_items.link.edit_cart": { - "defaultMessage": "Modifier le panier" - }, - "order_summary.heading.order_summary": { - "defaultMessage": "Résumé de la commande" - }, - "order_summary.label.estimated_total": { - "defaultMessage": "Total estimé" - }, - "order_summary.label.free": { - "defaultMessage": "Gratuit" - }, - "order_summary.label.order_total": { - "defaultMessage": "Total de la commande" - }, - "order_summary.label.promo_applied": { - "defaultMessage": "Promotion appliquée" - }, - "order_summary.label.promotions_applied": { - "defaultMessage": "Promotions appliquées" - }, - "order_summary.label.shipping": { - "defaultMessage": "Livraison" - }, - "order_summary.label.subtotal": { - "defaultMessage": "Sous-total" - }, - "order_summary.label.tax": { - "defaultMessage": "Taxe" - }, - "page_not_found.action.go_back": { - "defaultMessage": "Retour à la page précédente" - }, - "page_not_found.link.homepage": { - "defaultMessage": "Accéder à la page d’accueil" - }, - "page_not_found.message.suggestion_to_try": { - "defaultMessage": "Essayez de ressaisir l’adresse, de revenir à la page précédente ou d’accéder à la page d’accueil." - }, - "page_not_found.title.page_cant_be_found": { - "defaultMessage": "Impossible de trouver la page que vous cherchez." - }, - "pagination.field.num_of_pages": { - "defaultMessage": "sur {numOfPages}" - }, - "pagination.link.next": { - "defaultMessage": "Suivant" - }, - "pagination.link.next.assistive_msg": { - "defaultMessage": "Page suivante" - }, - "pagination.link.prev": { - "defaultMessage": "Préc." - }, - "pagination.link.prev.assistive_msg": { - "defaultMessage": "Page précédente" - }, - "password_card.info.password_updated": { - "defaultMessage": "Mot de passe mis à jour" - }, - "password_card.label.password": { - "defaultMessage": "Mot de passe" - }, - "password_card.title.password": { - "defaultMessage": "Mot de passe" - }, - "password_requirements.error.eight_letter_minimum": { - "defaultMessage": "8 caractères minimum", - "description": "Password requirement" - }, - "password_requirements.error.one_lowercase_letter": { - "defaultMessage": "1 lettre minuscule", - "description": "Password requirement" - }, - "password_requirements.error.one_number": { - "defaultMessage": "1 chiffre", - "description": "Password requirement" - }, - "password_requirements.error.one_special_character": { - "defaultMessage": "1 caractère spécial (par exemple : , $ ! % #)", - "description": "Password requirement" - }, - "password_requirements.error.one_uppercase_letter": { - "defaultMessage": "1 lettre majuscule", - "description": "Password requirement" - }, - "payment_selection.heading.credit_card": { - "defaultMessage": "Carte de crédit" - }, - "payment_selection.tooltip.secure_payment": { - "defaultMessage": "Il s’agit d’un paiement sécurisé chiffré en SSL." - }, - "price_per_item.label.each": { - "defaultMessage": "pièce", - "description": "Abbreviated 'each', follows price per item, like $10/ea" - }, - "product_detail.accordion.button.product_detail": { - "defaultMessage": "Détails du produit" - }, - "product_detail.accordion.button.questions": { - "defaultMessage": "Questions" - }, - "product_detail.accordion.button.reviews": { - "defaultMessage": "Avis" - }, - "product_detail.accordion.button.size_fit": { - "defaultMessage": "Taille et ajustement" - }, - "product_detail.accordion.message.coming_soon": { - "defaultMessage": "Bientôt disponibles" - }, - "product_detail.recommended_products.title.complete_set": { - "defaultMessage": "Complétez l'ensemble" - }, - "product_detail.recommended_products.title.might_also_like": { - "defaultMessage": "Vous aimerez peut-être aussi" - }, - "product_detail.recommended_products.title.recently_viewed": { - "defaultMessage": "Consultés récemment" - }, - "product_item.label.quantity": { - "defaultMessage": "Quantité :" - }, - "product_list.button.filter": { - "defaultMessage": "Filtrer" - }, - "product_list.button.sort_by": { - "defaultMessage": "Trier par : {sortOption}" - }, - "product_list.drawer.title.sort_by": { - "defaultMessage": "Trier par" - }, - "product_list.modal.button.clear_filters": { - "defaultMessage": "Effacer les filtres" - }, - "product_list.modal.button.view_items": { - "defaultMessage": "Afficher {prroductCount} articles" - }, - "product_list.modal.title.filter": { - "defaultMessage": "Filtrer" - }, - "product_list.refinements.button.assistive_msg.add_filter": { - "defaultMessage": "Ajouter un filtre : {label}" - }, - "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": { - "defaultMessage": "Ajouter un filtre : {label} ({hitCount})" - }, - "product_list.refinements.button.assistive_msg.remove_filter": { - "defaultMessage": "Supprimer le filtre : {label}" - }, - "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": { - "defaultMessage": "Supprimer le filtre : {label} ({hitCount})" - }, - "product_list.select.sort_by": { - "defaultMessage": "Trier par : {sortOption}" - }, - "product_scroller.assistive_msg.scroll_left": { - "defaultMessage": "Faire défiler les produits vers la gauche" - }, - "product_scroller.assistive_msg.scroll_right": { - "defaultMessage": "Faire défiler les produits vers la droite" - }, - "product_tile.assistive_msg.add_to_wishlist": { - "defaultMessage": "Ajouter le/la {product} à la liste de souhaits" - }, - "product_tile.assistive_msg.remove_from_wishlist": { - "defaultMessage": "Supprimer {product} de la liste de souhaits" - }, - "product_tile.label.starting_at_price": { - "defaultMessage": "À partir de {price}" - }, - "product_view.button.add_set_to_cart": { - "defaultMessage": "Ajouter le lot au panier" - }, - "product_view.button.add_set_to_wishlist": { - "defaultMessage": "Ajouter le lot à la liste de souhaits" - }, - "product_view.button.add_to_cart": { - "defaultMessage": "Ajouter au panier" - }, - "product_view.button.add_to_wishlist": { - "defaultMessage": "Ajouter à la liste de souhaits" - }, - "product_view.button.update": { - "defaultMessage": "Mettre à jour" - }, - "product_view.label.assistive_msg.quantity_decrement": { - "defaultMessage": "Décrémenter la quantité" - }, - "product_view.label.assistive_msg.quantity_increment": { - "defaultMessage": "Incrémenter la quantité" - }, - "product_view.label.quantity": { - "defaultMessage": "Quantité" - }, - "product_view.label.quantity_decrement": { - "defaultMessage": "−" - }, - "product_view.label.quantity_increment": { - "defaultMessage": "+" - }, - "product_view.label.starting_at_price": { - "defaultMessage": "À partir de" - }, - "product_view.label.variant_type": { - "defaultMessage": "{variantType}" - }, - "product_view.link.full_details": { - "defaultMessage": "Afficher tous les détails" - }, - "profile_card.info.profile_updated": { - "defaultMessage": "Profil mis à jour" - }, - "profile_card.label.email": { - "defaultMessage": "E-mail" - }, - "profile_card.label.full_name": { - "defaultMessage": "Nom complet" - }, - "profile_card.label.phone": { - "defaultMessage": "Numéro de téléphone" - }, - "profile_card.message.not_provided": { - "defaultMessage": "Non fourni" - }, - "profile_card.title.my_profile": { - "defaultMessage": "Mon profil" - }, - "promo_code_fields.button.apply": { - "defaultMessage": "Appliquer" - }, - "promo_popover.assistive_msg.info": { - "defaultMessage": "Infos" - }, - "promo_popover.heading.promo_applied": { - "defaultMessage": "Promotions appliquées" - }, - "promocode.accordion.button.have_promocode": { - "defaultMessage": "Avez-vous un code promo ?" - }, - "recent_searches.action.clear_searches": { - "defaultMessage": "Effacer les recherches récentes" - }, - "recent_searches.heading.recent_searches": { - "defaultMessage": "Recherche récentes" - }, - "register_form.action.sign_in": { - "defaultMessage": "Se connecter" - }, - "register_form.button.create_account": { - "defaultMessage": "Créer un compte" - }, - "register_form.heading.lets_get_started": { - "defaultMessage": "C’est parti !" - }, - "register_form.message.agree_to_policy_terms": { - "defaultMessage": "En créant un compte, vous acceptez la Politique de confidentialité et les Conditions générales de Salesforce." - }, - "register_form.message.already_have_account": { - "defaultMessage": "Vous avez déjà un compte ?" - }, - "register_form.message.create_an_account": { - "defaultMessage": "Créez un compte pour bénéficier d’un accès privilégié aux meilleurs produits, à nos sources d’inspiration et à notre communauté." - }, - "reset_password.button.back_to_sign_in": { - "defaultMessage": "Retour à la page de connexion" - }, - "reset_password.info.receive_email_shortly": { - "defaultMessage": "Vous recevrez sous peu un e-mail à l’adresse {email} avec un lien permettant de réinitialiser votre mot de passe." - }, - "reset_password.title.password_reset": { - "defaultMessage": "Réinitialisation du mot de passe" - }, - "reset_password_form.action.sign_in": { - "defaultMessage": "Se connecter" - }, - "reset_password_form.button.reset_password": { - "defaultMessage": "Réinitialiser le mot de passe" - }, - "reset_password_form.message.enter_your_email": { - "defaultMessage": "Indiquez votre adresse e-mail pour recevoir des instructions concernant la réinitialisation de votre mot de passe" - }, - "reset_password_form.message.return_to_sign_in": { - "defaultMessage": "Ou revenez à", - "description": "Precedes link to return to sign in" - }, - "reset_password_form.title.reset_password": { - "defaultMessage": "Réinitialiser le mot de passe" - }, - "search.action.cancel": { - "defaultMessage": "Annuler" - }, - "selected_refinements.action.assistive_msg.clear_all": { - "defaultMessage": "Effacer tous les filtres" - }, - "selected_refinements.action.clear_all": { - "defaultMessage": "Tout désélectionner" - }, - "shipping_address.button.continue_to_shipping": { - "defaultMessage": "Continuer vers le mode de livraison" - }, - "shipping_address.title.shipping_address": { - "defaultMessage": "Adresse de livraison" - }, - "shipping_address_edit_form.button.save_and_continue": { - "defaultMessage": "Enregistrer et continuer vers le mode de livraison" - }, - "shipping_address_form.heading.edit_address": { - "defaultMessage": "Modifier l’adresse" - }, - "shipping_address_form.heading.new_address": { - "defaultMessage": "Ajouter une nouvelle adresse" - }, - "shipping_address_selection.button.add_address": { - "defaultMessage": "Ajouter une nouvelle adresse" - }, - "shipping_address_selection.button.submit": { - "defaultMessage": "Envoyer" - }, - "shipping_address_selection.title.add_address": { - "defaultMessage": "Ajouter une nouvelle adresse" - }, - "shipping_address_selection.title.edit_shipping": { - "defaultMessage": "Modifier l’adresse de livraison" - }, - "shipping_options.action.send_as_a_gift": { - "defaultMessage": "Voulez-vous envoyer cet article comme cadeau ?" - }, - "shipping_options.button.continue_to_payment": { - "defaultMessage": "Continuer vers le paiement" - }, - "shipping_options.title.shipping_gift_options": { - "defaultMessage": "Options de livraison et de cadeau" - }, - "signout_confirmation_dialog.button.cancel": { - "defaultMessage": "Annuler" - }, - "signout_confirmation_dialog.button.sign_out": { - "defaultMessage": "Se déconnecter" - }, - "signout_confirmation_dialog.heading.sign_out": { - "defaultMessage": "Se déconnecter" - }, - "signout_confirmation_dialog.message.sure_to_sign_out": { - "defaultMessage": "Voulez-vous vraiment vous déconnecter ? Vous devrez vous reconnecter pour poursuivre votre commande en cours." - }, - "swatch_group.selected.label": { - "defaultMessage": "{label} :" - }, - "toggle_card.action.edit": { - "defaultMessage": "Modifier" - }, - "update_password_fields.button.forgot_password": { - "defaultMessage": "Mot de passe oublié ?" - }, - "use_address_fields.error.please_enter_first_name": { - "defaultMessage": "Veuillez indiquer votre prénom." - }, - "use_address_fields.error.please_enter_last_name": { - "defaultMessage": "Veuillez indiquer votre nom de famille." - }, - "use_address_fields.error.please_enter_phone_number": { - "defaultMessage": "Veuillez indiquer votre numéro de téléphone." - }, - "use_address_fields.error.please_enter_your_postal_or_zip": { - "defaultMessage": "Veuillez indiquer votre code postal." - }, - "use_address_fields.error.please_select_your_address": { - "defaultMessage": "Veuillez indiquer votre adresse." - }, - "use_address_fields.error.please_select_your_city": { - "defaultMessage": "Veuillez indiquer votre ville." - }, - "use_address_fields.error.please_select_your_country": { - "defaultMessage": "Veuillez sélectionner votre pays." - }, - "use_address_fields.error.please_select_your_state_or_province": { - "defaultMessage": "Veuillez sélectionner votre État/province." - }, - "use_address_fields.error.required": { - "defaultMessage": "Obligatoire" - }, - "use_address_fields.error.state_code_invalid": { - "defaultMessage": "Veuillez indiquer un État ou une province en 2 lettres." - }, - "use_address_fields.label.address": { - "defaultMessage": "Adresse" - }, - "use_address_fields.label.address_form": { - "defaultMessage": "Formulaire d'adresse" - }, - "use_address_fields.label.city": { - "defaultMessage": "Ville" - }, - "use_address_fields.label.country": { - "defaultMessage": "Pays" - }, - "use_address_fields.label.first_name": { - "defaultMessage": "Prénom" - }, - "use_address_fields.label.last_name": { - "defaultMessage": "Nom" - }, - "use_address_fields.label.phone": { - "defaultMessage": "Téléphone" - }, - "use_address_fields.label.postal_code": { - "defaultMessage": "Code postal" - }, - "use_address_fields.label.preferred": { - "defaultMessage": "Définir comme adresse par défaut" - }, - "use_address_fields.label.province": { - "defaultMessage": "Province" - }, - "use_address_fields.label.state": { - "defaultMessage": "État" - }, - "use_address_fields.label.zipCode": { - "defaultMessage": "Code postal" - }, - "use_credit_card_fields.error.required": { - "defaultMessage": "Obligatoire" - }, - "use_credit_card_fields.error.required_card_number": { - "defaultMessage": "Veuillez indiquer votre numéro de carte." - }, - "use_credit_card_fields.error.required_expiry": { - "defaultMessage": "Veuillez indiquer la date d’expiration." - }, - "use_credit_card_fields.error.required_name": { - "defaultMessage": "Veuillez indiquer votre nom tel qu’il figure sur votre carte." - }, - "use_credit_card_fields.error.required_security_code": { - "defaultMessage": "Veuillez saisir votre cryptogramme." - }, - "use_credit_card_fields.error.valid_card_number": { - "defaultMessage": "Veuillez indiquer un numéro de carte valide." - }, - "use_credit_card_fields.error.valid_date": { - "defaultMessage": "Saisissez une date valide." - }, - "use_credit_card_fields.error.valid_name": { - "defaultMessage": "Veuillez indiquer un nom valide." - }, - "use_credit_card_fields.error.valid_security_code": { - "defaultMessage": "Veuillez indiquer un cryptogramme valide." - }, - "use_credit_card_fields.label.card_number": { - "defaultMessage": "N° de carte" - }, - "use_credit_card_fields.label.card_type": { - "defaultMessage": "Type de carte" - }, - "use_credit_card_fields.label.expiry": { - "defaultMessage": "Date d'expiration" - }, - "use_credit_card_fields.label.name": { - "defaultMessage": "Nom sur la carte" - }, - "use_credit_card_fields.label.security_code": { - "defaultMessage": "Cryptogramme" - }, - "use_login_fields.error.required_email": { - "defaultMessage": "Veuillez indiquer votre adresse e-mail." - }, - "use_login_fields.error.required_password": { - "defaultMessage": "Veuillez indiquer votre mot de passe." - }, - "use_login_fields.label.email": { - "defaultMessage": "E-mail" - }, - "use_login_fields.label.password": { - "defaultMessage": "Mot de passe" - }, - "use_product.message.inventory_remaining": { - "defaultMessage": "Il n’en reste plus que {stockLevel} !" - }, - "use_product.message.out_of_stock": { - "defaultMessage": "En rupture de stock" - }, - "use_profile_fields.error.required_email": { - "defaultMessage": "Saisissez une adresse e-mail valide." - }, - "use_profile_fields.error.required_first_name": { - "defaultMessage": "Veuillez indiquer votre prénom." - }, - "use_profile_fields.error.required_last_name": { - "defaultMessage": "Veuillez indiquer votre nom de famille." - }, - "use_profile_fields.error.required_phone": { - "defaultMessage": "Veuillez indiquer votre numéro de téléphone." - }, - "use_profile_fields.label.email": { - "defaultMessage": "E-mail" - }, - "use_profile_fields.label.first_name": { - "defaultMessage": "Prénom" - }, - "use_profile_fields.label.last_name": { - "defaultMessage": "Nom" - }, - "use_profile_fields.label.phone": { - "defaultMessage": "Numéro de téléphone" - }, - "use_promo_code_fields.error.required_promo_code": { - "defaultMessage": "Veuillez fournir un code promo valide." - }, - "use_promo_code_fields.label.promo_code": { - "defaultMessage": "Code promotionnel" - }, - "use_promocode.error.check_the_code": { - "defaultMessage": "Vérifiez le code et réessayez. Il se peut qu’il soit déjà appliqué ou que la promotion ait expiré." - }, - "use_promocode.info.promo_applied": { - "defaultMessage": "Promotion appliquée" - }, - "use_promocode.info.promo_removed": { - "defaultMessage": "Promotion supprimée" - }, - "use_registration_fields.error.contain_number": { - "defaultMessage": "Le mot de passe doit contenir au moins un chiffre." - }, - "use_registration_fields.error.lowercase_letter": { - "defaultMessage": "Le mot de passe doit contenir au moins une lettre minuscule." - }, - "use_registration_fields.error.minimum_characters": { - "defaultMessage": "Le mot de passe doit contenir au moins 8 caractères." - }, - "use_registration_fields.error.required_email": { - "defaultMessage": "Saisissez une adresse e-mail valide." - }, - "use_registration_fields.error.required_first_name": { - "defaultMessage": "Veuillez indiquer votre prénom." - }, - "use_registration_fields.error.required_last_name": { - "defaultMessage": "Veuillez indiquer votre nom de famille." - }, - "use_registration_fields.error.required_password": { - "defaultMessage": "Veuillez créer un mot de passe." - }, - "use_registration_fields.error.special_character": { - "defaultMessage": "Le mot de passe doit contenir au moins un caractère spécial." - }, - "use_registration_fields.error.uppercase_letter": { - "defaultMessage": "Le mot de passe doit contenir au moins une lettre majuscule." - }, - "use_registration_fields.label.email": { - "defaultMessage": "E-mail" - }, - "use_registration_fields.label.first_name": { - "defaultMessage": "Prénom" - }, - "use_registration_fields.label.last_name": { - "defaultMessage": "Nom" - }, - "use_registration_fields.label.password": { - "defaultMessage": "Mot de passe" - }, - "use_registration_fields.label.sign_up_to_emails": { - "defaultMessage": "Abonnez-moi aux e-mails de Salesforce (vous pouvez vous désabonner à tout moment)" - }, - "use_reset_password_fields.error.required_email": { - "defaultMessage": "Saisissez une adresse e-mail valide." - }, - "use_reset_password_fields.label.email": { - "defaultMessage": "E-mail" - }, - "use_update_password_fields.error.contain_number": { - "defaultMessage": "Le mot de passe doit contenir au moins un chiffre." - }, - "use_update_password_fields.error.lowercase_letter": { - "defaultMessage": "Le mot de passe doit contenir au moins une lettre minuscule." - }, - "use_update_password_fields.error.minimum_characters": { - "defaultMessage": "Le mot de passe doit contenir au moins 8 caractères." - }, - "use_update_password_fields.error.required_new_password": { - "defaultMessage": "Veuillez indiquer un nouveau mot de passe." - }, - "use_update_password_fields.error.required_password": { - "defaultMessage": "Veuillez indiquer votre mot de passe." - }, - "use_update_password_fields.error.special_character": { - "defaultMessage": "Le mot de passe doit contenir au moins un caractère spécial." - }, - "use_update_password_fields.error.uppercase_letter": { - "defaultMessage": "Le mot de passe doit contenir au moins une lettre majuscule." - }, - "use_update_password_fields.label.current_password": { - "defaultMessage": "Mot de passe actuel" - }, - "use_update_password_fields.label.new_password": { - "defaultMessage": "Nouveau mot de passe" - }, - "wishlist_primary_action.button.add_set_to_cart": { - "defaultMessage": "Ajouter le lot au panier" - }, - "wishlist_primary_action.button.add_to_cart": { - "defaultMessage": "Ajouter au panier" - }, - "wishlist_primary_action.button.view_full_details": { - "defaultMessage": "Afficher tous les détails" - }, - "wishlist_primary_action.button.view_options": { - "defaultMessage": "Afficher les options" - }, - "wishlist_primary_action.info.added_to_cart": { - "defaultMessage": "{quantity} {quantity, plural, one {article ajouté} other {articles ajoutés}} au panier" - }, - "wishlist_secondary_button_group.action.remove": { - "defaultMessage": "Supprimer" - }, - "wishlist_secondary_button_group.info.item_removed": { - "defaultMessage": "Article supprimé de la liste de souhaits" - }, - "with_registration.info.please_sign_in": { - "defaultMessage": "Veuillez vous connecter pour continuer." - } -} diff --git a/my-test-project/translations/it-IT.json b/my-test-project/translations/it-IT.json deleted file mode 100644 index 2123617bcf..0000000000 --- a/my-test-project/translations/it-IT.json +++ /dev/null @@ -1,1517 +0,0 @@ -{ - "account.accordion.button.my_account": { - "defaultMessage": "Il mio account" - }, - "account.heading.my_account": { - "defaultMessage": "Il mio account" - }, - "account.logout_button.button.log_out": { - "defaultMessage": "Esci" - }, - "account_addresses.badge.default": { - "defaultMessage": "Predefinito" - }, - "account_addresses.button.add_address": { - "defaultMessage": "Aggiungi indirizzo" - }, - "account_addresses.info.address_removed": { - "defaultMessage": "Indirizzo rimosso" - }, - "account_addresses.info.address_updated": { - "defaultMessage": "Indirizzo aggiornato" - }, - "account_addresses.info.new_address_saved": { - "defaultMessage": "Nuovo indirizzo salvato" - }, - "account_addresses.page_action_placeholder.button.add_address": { - "defaultMessage": "Aggiungi indirizzo" - }, - "account_addresses.page_action_placeholder.heading.no_saved_addresses": { - "defaultMessage": "Nessun indirizzo salvato" - }, - "account_addresses.page_action_placeholder.message.add_new_address": { - "defaultMessage": "Aggiungi un nuovo indirizzo per un checkout più veloce." - }, - "account_addresses.title.addresses": { - "defaultMessage": "Indirizzi" - }, - "account_detail.title.account_details": { - "defaultMessage": "Dettagli account" - }, - "account_order_detail.heading.billing_address": { - "defaultMessage": "Indirizzo di fatturazione" - }, - "account_order_detail.heading.num_of_items": { - "defaultMessage": "{count} articoli" - }, - "account_order_detail.heading.payment_method": { - "defaultMessage": "Metodo di pagamento" - }, - "account_order_detail.heading.shipping_address": { - "defaultMessage": "Indirizzo di spedizione" - }, - "account_order_detail.heading.shipping_method": { - "defaultMessage": "Metodo di spedizione" - }, - "account_order_detail.label.order_number": { - "defaultMessage": "Numero ordine: {orderNumber}" - }, - "account_order_detail.label.ordered_date": { - "defaultMessage": "Data ordine: {date}" - }, - "account_order_detail.label.pending_tracking_number": { - "defaultMessage": "In sospeso" - }, - "account_order_detail.label.tracking_number": { - "defaultMessage": "Numero di tracking" - }, - "account_order_detail.link.back_to_history": { - "defaultMessage": "Torna alla cronologia ordini" - }, - "account_order_detail.shipping_status.not_shipped": { - "defaultMessage": "Non spedito" - }, - "account_order_detail.shipping_status.part_shipped": { - "defaultMessage": "Spedito in parte" - }, - "account_order_detail.shipping_status.shipped": { - "defaultMessage": "Spedito" - }, - "account_order_detail.title.order_details": { - "defaultMessage": "Dettagli ordine" - }, - "account_order_history.button.continue_shopping": { - "defaultMessage": "Continua lo shopping" - }, - "account_order_history.description.once_you_place_order": { - "defaultMessage": "Una volta effettuato un ordine, i dettagli verranno visualizzati qui." - }, - "account_order_history.heading.no_order_yet": { - "defaultMessage": "Non hai ancora effettuato un ordine." - }, - "account_order_history.label.num_of_items": { - "defaultMessage": "{count} articoli", - "description": "Number of items in order" - }, - "account_order_history.label.order_number": { - "defaultMessage": "Numero ordine: {orderNumber}" - }, - "account_order_history.label.ordered_date": { - "defaultMessage": "Data ordine: {date}" - }, - "account_order_history.label.shipped_to": { - "defaultMessage": "Destinatario spedizione: {name}" - }, - "account_order_history.link.view_details": { - "defaultMessage": "Visualizza dettagli" - }, - "account_order_history.title.order_history": { - "defaultMessage": "Cronologia ordini" - }, - "account_wishlist.button.continue_shopping": { - "defaultMessage": "Continua lo shopping" - }, - "account_wishlist.description.continue_shopping": { - "defaultMessage": "Continua con lo shopping e aggiungi articoli alla lista desideri." - }, - "account_wishlist.heading.no_wishlist": { - "defaultMessage": "Nessun articolo nella lista desideri" - }, - "account_wishlist.title.wishlist": { - "defaultMessage": "Lista desideri" - }, - "action_card.action.edit": { - "defaultMessage": "Modifica" - }, - "action_card.action.remove": { - "defaultMessage": "Rimuovi" - }, - "add_to_cart_modal.info.added_to_cart": { - "defaultMessage": "{quantity} {quantity, plural, one {articolo aggiunto} other {articoli aggiunti}} al carrello" - }, - "add_to_cart_modal.label.cart_subtotal": { - "defaultMessage": "Subtotale carrello ({itemAccumulatedCount} articolo)" - }, - "add_to_cart_modal.label.quantity": { - "defaultMessage": "Qtà" - }, - "add_to_cart_modal.link.checkout": { - "defaultMessage": "Passa al checkout" - }, - "add_to_cart_modal.link.view_cart": { - "defaultMessage": "Mostra carrello" - }, - "add_to_cart_modal.recommended_products.title.might_also_like": { - "defaultMessage": "Potrebbe interessarti anche" - }, - "auth_modal.button.close.assistive_msg": { - "defaultMessage": "Chiudi modulo di accesso" - }, - "auth_modal.description.now_signed_in": { - "defaultMessage": "hai eseguito l'accesso." - }, - "auth_modal.error.incorrect_email_or_password": { - "defaultMessage": "Qualcosa non va nell'indirizzo email o nella password. Riprova." - }, - "auth_modal.info.welcome_user": { - "defaultMessage": "Ti diamo il benvenuto {name}," - }, - "auth_modal.password_reset_success.button.back_to_sign_in": { - "defaultMessage": "Torna all'accesso" - }, - "auth_modal.password_reset_success.info.will_email_shortly": { - "defaultMessage": "A breve riceverai un'email all'indirizzo {email} con un link per la reimpostazione della password." - }, - "auth_modal.password_reset_success.title.password_reset": { - "defaultMessage": "Reimpostazione password" - }, - "carousel.button.scroll_left.assistive_msg": { - "defaultMessage": "Scorri sequenza a sinistra" - }, - "carousel.button.scroll_right.assistive_msg": { - "defaultMessage": "Scorri sequenza a destra" - }, - "cart.info.removed_from_cart": { - "defaultMessage": "Articolo rimosso dal carrello" - }, - "cart.recommended_products.title.may_also_like": { - "defaultMessage": "Potrebbe interessarti anche" - }, - "cart.recommended_products.title.recently_viewed": { - "defaultMessage": "Visualizzati di recente" - }, - "cart_cta.link.checkout": { - "defaultMessage": "Passa al checkout" - }, - "cart_secondary_button_group.action.added_to_wishlist": { - "defaultMessage": "Aggiungi alla lista desideri" - }, - "cart_secondary_button_group.action.edit": { - "defaultMessage": "Modifica" - }, - "cart_secondary_button_group.action.remove": { - "defaultMessage": "Rimuovi" - }, - "cart_secondary_button_group.label.this_is_gift": { - "defaultMessage": "Questo è un regalo." - }, - "cart_skeleton.heading.order_summary": { - "defaultMessage": "Riepilogo ordine" - }, - "cart_skeleton.title.cart": { - "defaultMessage": "Carrello" - }, - "cart_title.title.cart_num_of_items": { - "defaultMessage": "Carrello ({itemCount, plural, =0 {0 articoli} one {# articolo} other {# articoli}})" - }, - "cc_radio_group.action.remove": { - "defaultMessage": "Rimuovi" - }, - "cc_radio_group.button.add_new_card": { - "defaultMessage": "Aggiungi nuova carta" - }, - "checkout.button.place_order": { - "defaultMessage": "Invia ordine" - }, - "checkout.message.generic_error": { - "defaultMessage": "Si è verificato un errore inatteso durante il checkout." - }, - "checkout_confirmation.button.create_account": { - "defaultMessage": "Crea account" - }, - "checkout_confirmation.heading.billing_address": { - "defaultMessage": "Indirizzo di fatturazione" - }, - "checkout_confirmation.heading.create_account": { - "defaultMessage": "Crea un account per un checkout più veloce" - }, - "checkout_confirmation.heading.credit_card": { - "defaultMessage": "Carta di credito" - }, - "checkout_confirmation.heading.delivery_details": { - "defaultMessage": "Dettagli di consegna" - }, - "checkout_confirmation.heading.order_summary": { - "defaultMessage": "Riepilogo ordine" - }, - "checkout_confirmation.heading.payment_details": { - "defaultMessage": "Dettagli di pagamento" - }, - "checkout_confirmation.heading.shipping_address": { - "defaultMessage": "Indirizzo di spedizione" - }, - "checkout_confirmation.heading.shipping_method": { - "defaultMessage": "Metodo di spedizione" - }, - "checkout_confirmation.heading.thank_you_for_order": { - "defaultMessage": "Grazie per il tuo ordine!" - }, - "checkout_confirmation.label.free": { - "defaultMessage": "Gratuita" - }, - "checkout_confirmation.label.order_number": { - "defaultMessage": "Numero ordine" - }, - "checkout_confirmation.label.order_total": { - "defaultMessage": "Totale ordine" - }, - "checkout_confirmation.label.promo_applied": { - "defaultMessage": "Promozione applicata" - }, - "checkout_confirmation.label.shipping": { - "defaultMessage": "Spedizione" - }, - "checkout_confirmation.label.subtotal": { - "defaultMessage": "Subtotale" - }, - "checkout_confirmation.label.tax": { - "defaultMessage": "Imposta" - }, - "checkout_confirmation.link.continue_shopping": { - "defaultMessage": "Continua lo shopping" - }, - "checkout_confirmation.link.login": { - "defaultMessage": "Accedi qui" - }, - "checkout_confirmation.message.already_has_account": { - "defaultMessage": "Questo indirizzo email è già associato a un account." - }, - "checkout_confirmation.message.num_of_items_in_order": { - "defaultMessage": "{itemCount, plural, =0 {0 articoli} one {# articolo} other {# articoli}}", - "description": "# item(s) in order" - }, - "checkout_confirmation.message.will_email_shortly": { - "defaultMessage": "A breve invieremo un'email all'indirizzo {email} con il numero di conferma e la ricevuta." - }, - "checkout_footer.link.privacy_policy": { - "defaultMessage": "Informativa sulla privacy" - }, - "checkout_footer.link.returns_exchanges": { - "defaultMessage": "Resi e cambi" - }, - "checkout_footer.link.shipping": { - "defaultMessage": "Spedizione" - }, - "checkout_footer.link.site_map": { - "defaultMessage": "Mappa del sito" - }, - "checkout_footer.link.terms_conditions": { - "defaultMessage": "Termini e condizioni" - }, - "checkout_footer.message.copyright": { - "defaultMessage": "Salesforce o società affiliate. Tutti i diritti riservati. Questo è un negozio fittizio a scopo dimostrativo. Gli ordini effettuati NON VERRANNO evasi." - }, - "checkout_header.link.assistive_msg.cart": { - "defaultMessage": "Torna al carrello, numero di articoli: {numItems}" - }, - "checkout_header.link.cart": { - "defaultMessage": "Torna al carrello" - }, - "checkout_payment.action.remove": { - "defaultMessage": "Rimuovi" - }, - "checkout_payment.button.review_order": { - "defaultMessage": "Rivedi ordine" - }, - "checkout_payment.heading.billing_address": { - "defaultMessage": "Indirizzo di fatturazione" - }, - "checkout_payment.heading.credit_card": { - "defaultMessage": "Carta di credito" - }, - "checkout_payment.label.same_as_shipping": { - "defaultMessage": "Identico all'indirizzo di spedizione" - }, - "checkout_payment.title.payment": { - "defaultMessage": "Pagamento" - }, - "colorRefinements.label.hitCount": { - "defaultMessage": "{colorLabel} ({colorHitCount})" - }, - "confirmation_modal.default.action.no": { - "defaultMessage": "No" - }, - "confirmation_modal.default.action.yes": { - "defaultMessage": "Sì" - }, - "confirmation_modal.default.message.you_want_to_continue": { - "defaultMessage": "Continuare?" - }, - "confirmation_modal.default.title.confirm_action": { - "defaultMessage": "Conferma azione" - }, - "confirmation_modal.remove_cart_item.action.no": { - "defaultMessage": "No, conserva articolo" - }, - "confirmation_modal.remove_cart_item.action.remove": { - "defaultMessage": "Rimuovi" - }, - "confirmation_modal.remove_cart_item.action.yes": { - "defaultMessage": "Sì, rimuovi articolo" - }, - "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": { - "defaultMessage": "Alcuni articoli non sono più dispoinibili online e verranno rimossi dal carrello." - }, - "confirmation_modal.remove_cart_item.message.sure_to_remove": { - "defaultMessage": "Rimuovere questo articolo dal carrello?" - }, - "confirmation_modal.remove_cart_item.title.confirm_remove": { - "defaultMessage": "Conferma rimozione articolo" - }, - "confirmation_modal.remove_cart_item.title.items_unavailable": { - "defaultMessage": "Articoli non disponibili" - }, - "confirmation_modal.remove_wishlist_item.action.no": { - "defaultMessage": "No, conserva articolo" - }, - "confirmation_modal.remove_wishlist_item.action.yes": { - "defaultMessage": "Sì, rimuovi articolo" - }, - "confirmation_modal.remove_wishlist_item.message.sure_to_remove": { - "defaultMessage": "Rimuovere questo articolo dalla lista desideri?" - }, - "confirmation_modal.remove_wishlist_item.title.confirm_remove": { - "defaultMessage": "Conferma rimozione articolo" - }, - "contact_info.action.sign_out": { - "defaultMessage": "Esci" - }, - "contact_info.button.already_have_account": { - "defaultMessage": "Hai già un account? Accedi" - }, - "contact_info.button.checkout_as_guest": { - "defaultMessage": "Checkout come ospite" - }, - "contact_info.button.login": { - "defaultMessage": "Accedi" - }, - "contact_info.error.incorrect_username_or_password": { - "defaultMessage": "Nome utente o password errati. Riprova." - }, - "contact_info.link.forgot_password": { - "defaultMessage": "Password dimenticata?" - }, - "contact_info.title.contact_info": { - "defaultMessage": "Informazioni di contatto" - }, - "credit_card_fields.tool_tip.security_code": { - "defaultMessage": "Questo codice a 3 cifre è presente sul retro della carta.", - "description": "Generic credit card security code help text" - }, - "credit_card_fields.tool_tip.security_code.american_express": { - "defaultMessage": "Questo codice a 4 cifre è presente sul fronte della carta.", - "description": "American Express security code help text" - }, - "credit_card_fields.tool_tip.security_code_aria_label": { - "defaultMessage": "Info codice di sicurezza" - }, - "drawer_menu.button.account_details": { - "defaultMessage": "Dettagli account" - }, - "drawer_menu.button.addresses": { - "defaultMessage": "Indirizzi" - }, - "drawer_menu.button.log_out": { - "defaultMessage": "Esci" - }, - "drawer_menu.button.my_account": { - "defaultMessage": "Il mio account" - }, - "drawer_menu.button.order_history": { - "defaultMessage": "Cronologia ordini" - }, - "drawer_menu.link.about_us": { - "defaultMessage": "Chi siamo" - }, - "drawer_menu.link.customer_support": { - "defaultMessage": "Supporto clienti" - }, - "drawer_menu.link.customer_support.contact_us": { - "defaultMessage": "Contattaci" - }, - "drawer_menu.link.customer_support.shipping_and_returns": { - "defaultMessage": "Spedizione e resi" - }, - "drawer_menu.link.our_company": { - "defaultMessage": "La nostra azienda" - }, - "drawer_menu.link.privacy_and_security": { - "defaultMessage": "Privacy e sicurezza" - }, - "drawer_menu.link.privacy_policy": { - "defaultMessage": "Informativa sulla privacy" - }, - "drawer_menu.link.shop_all": { - "defaultMessage": "Acquista tutto" - }, - "drawer_menu.link.sign_in": { - "defaultMessage": "Accedi" - }, - "drawer_menu.link.site_map": { - "defaultMessage": "Mappa del sito" - }, - "drawer_menu.link.store_locator": { - "defaultMessage": "Store locator" - }, - "drawer_menu.link.terms_and_conditions": { - "defaultMessage": "Termini e condizioni" - }, - "empty_cart.description.empty_cart": { - "defaultMessage": "Il tuo carrello è vuoto." - }, - "empty_cart.link.continue_shopping": { - "defaultMessage": "Continua lo shopping" - }, - "empty_cart.link.sign_in": { - "defaultMessage": "Accedi" - }, - "empty_cart.message.continue_shopping": { - "defaultMessage": "Continua con lo shopping per aggiungere articoli al carrello." - }, - "empty_cart.message.sign_in_or_continue_shopping": { - "defaultMessage": "Accedi per recuperare gli articoli salvati o continuare con lo shopping." - }, - "empty_search_results.info.cant_find_anything_for_category": { - "defaultMessage": "Non è stato trovato nulla per {category}. Prova a cercare un prodotto o {link}." - }, - "empty_search_results.info.cant_find_anything_for_query": { - "defaultMessage": "Non è stato trovato nulla per \"{searchQuery}\"." - }, - "empty_search_results.info.double_check_spelling": { - "defaultMessage": "Ricontrolla l'ortografia e riprova o {link}." - }, - "empty_search_results.link.contact_us": { - "defaultMessage": "Contattaci" - }, - "empty_search_results.recommended_products.title.most_viewed": { - "defaultMessage": "I più visualizzati" - }, - "empty_search_results.recommended_products.title.top_sellers": { - "defaultMessage": "I più venduti" - }, - "field.password.assistive_msg.hide_password": { - "defaultMessage": "Nascondi password" - }, - "field.password.assistive_msg.show_password": { - "defaultMessage": "Mosra password" - }, - "footer.column.account": { - "defaultMessage": "Account" - }, - "footer.column.customer_support": { - "defaultMessage": "Supporto clienti" - }, - "footer.column.our_company": { - "defaultMessage": "La nostra azienda" - }, - "footer.link.about_us": { - "defaultMessage": "Chi siamo" - }, - "footer.link.contact_us": { - "defaultMessage": "Contattaci" - }, - "footer.link.order_status": { - "defaultMessage": "Stato ordine" - }, - "footer.link.privacy_policy": { - "defaultMessage": "Informativa sulla privacy" - }, - "footer.link.shipping": { - "defaultMessage": "Spedizione" - }, - "footer.link.signin_create_account": { - "defaultMessage": "Accedi o crea account" - }, - "footer.link.site_map": { - "defaultMessage": "Mappa del sito" - }, - "footer.link.store_locator": { - "defaultMessage": "Store locator" - }, - "footer.link.terms_conditions": { - "defaultMessage": "Termini e condizioni" - }, - "footer.message.copyright": { - "defaultMessage": "Salesforce o società affiliate. Tutti i diritti riservati. Questo è un negozio fittizio a scopo dimostrativo. Gli ordini effettuati NON VERRANNO evasi." - }, - "footer.subscribe.button.sign_up": { - "defaultMessage": "Registrati" - }, - "footer.subscribe.description.sign_up": { - "defaultMessage": "Registrati per gli ultimi aggiornamenti sulle migliori offerte" - }, - "footer.subscribe.heading.first_to_know": { - "defaultMessage": "Ricevi le novità in anteprima" - }, - "form_action_buttons.button.cancel": { - "defaultMessage": "Annulla" - }, - "form_action_buttons.button.save": { - "defaultMessage": "Salva" - }, - "global.account.link.account_details": { - "defaultMessage": "Dettagli account" - }, - "global.account.link.addresses": { - "defaultMessage": "Indirizzi" - }, - "global.account.link.order_history": { - "defaultMessage": "Cronologia ordini" - }, - "global.account.link.wishlist": { - "defaultMessage": "Lista desideri" - }, - "global.error.something_went_wrong": { - "defaultMessage": "Si è verificato un problema. Riprova!" - }, - "global.info.added_to_wishlist": { - "defaultMessage": "{quantity} {quantity, plural, one {articolo aggiunto} other {articoli aggiunti}} alla lista desideri" - }, - "global.info.already_in_wishlist": { - "defaultMessage": "Articolo già presente nella lista desideri" - }, - "global.info.removed_from_wishlist": { - "defaultMessage": "Articolo rimosso dalla lista desideri" - }, - "global.link.added_to_wishlist.view_wishlist": { - "defaultMessage": "Visualizza" - }, - "header.button.assistive_msg.logo": { - "defaultMessage": "Logo" - }, - "header.button.assistive_msg.menu": { - "defaultMessage": "Menu" - }, - "header.button.assistive_msg.my_account": { - "defaultMessage": "Il mio account" - }, - "header.button.assistive_msg.my_account_menu": { - "defaultMessage": "Apri menu account" - }, - "header.button.assistive_msg.my_cart_with_num_items": { - "defaultMessage": "Il mio carrello, numero di articoli: {numItems}" - }, - "header.button.assistive_msg.wishlist": { - "defaultMessage": "Lista desideri" - }, - "header.field.placeholder.search_for_products": { - "defaultMessage": "Cerca prodotti..." - }, - "header.popover.action.log_out": { - "defaultMessage": "Esci" - }, - "header.popover.title.my_account": { - "defaultMessage": "Il mio account" - }, - "home.description.features": { - "defaultMessage": "Funzionalità pronte all'uso, così potrai dedicare il tuo tempo all'aggiunta di miglioramenti." - }, - "home.description.here_to_help": { - "defaultMessage": "Contatta il nostro personale di assistenza." - }, - "home.description.here_to_help_line_2": { - "defaultMessage": "Ti fornirà le indicazioni giuste." - }, - "home.description.shop_products": { - "defaultMessage": "Questa sezione presenta alcuni contenuti del catalogo. {docLink} su come cambiarli.", - "description": "{docLink} is a html button that links the user to https://sfdc.co/business-manager-manage-catalogs" - }, - "home.features.description.cart_checkout": { - "defaultMessage": "Best practice di e-commerce per l'esperienza di carrello e checkout di un acquirente." - }, - "home.features.description.components": { - "defaultMessage": "Realizzato utilizzando Chakra UI, una libreria di componenti React semplice, modulare e accessibile." - }, - "home.features.description.einstein_recommendations": { - "defaultMessage": "Garantisci a ogni acquirente il miglior prodotto o la migliore offerta con i suggerimenti di prodotto." - }, - "home.features.description.my_account": { - "defaultMessage": "Gli acquirenti possono gestire le informazioni relative all'account come profilo, indirizzi, pagamenti e ordini." - }, - "home.features.description.shopper_login": { - "defaultMessage": "Consenti agli acquirenti di accedere facilmente grazie a un'esperienza di acquisto più personalizzata." - }, - "home.features.description.wishlist": { - "defaultMessage": "Gli acquirenti registrati possono aggiungere voci di prodotto alla lista desideri per acquisti futuri." - }, - "home.features.heading.cart_checkout": { - "defaultMessage": "Carrello e checkout" - }, - "home.features.heading.components": { - "defaultMessage": "Componenti e Design Kit" - }, - "home.features.heading.einstein_recommendations": { - "defaultMessage": "Suggerimenti Einstein" - }, - "home.features.heading.my_account": { - "defaultMessage": "Il mio account" - }, - "home.features.heading.shopper_login": { - "defaultMessage": "Shopper Login and API Access Service (SLAS)" - }, - "home.features.heading.wishlist": { - "defaultMessage": "Lista desideri" - }, - "home.heading.features": { - "defaultMessage": "Funzionalità" - }, - "home.heading.here_to_help": { - "defaultMessage": "Siamo qui per aiutarti" - }, - "home.heading.shop_products": { - "defaultMessage": "Acquista prodotti" - }, - "home.hero_features.link.design_kit": { - "defaultMessage": "Crea con Figma PWA Design Kit" - }, - "home.hero_features.link.on_github": { - "defaultMessage": "Scarica su GitHub" - }, - "home.hero_features.link.on_managed_runtime": { - "defaultMessage": "Distribuisci su Managed Runtime" - }, - "home.link.contact_us": { - "defaultMessage": "Contattaci" - }, - "home.link.get_started": { - "defaultMessage": "Inizia" - }, - "home.link.read_docs": { - "defaultMessage": "Leggi la documentazione" - }, - "home.title.react_starter_store": { - "defaultMessage": "React PWA Starter Store per il retail" - }, - "icons.assistive_msg.lock": { - "defaultMessage": "Protetto" - }, - "item_attributes.label.promotions": { - "defaultMessage": "Promozioni" - }, - "item_attributes.label.quantity": { - "defaultMessage": "Quantità: {quantity}" - }, - "item_image.label.sale": { - "defaultMessage": "Saldi", - "description": "A sale badge placed on top of a product image" - }, - "item_image.label.unavailable": { - "defaultMessage": "Non disponibile", - "description": "A unavailable badge placed on top of a product image" - }, - "item_price.label.starting_at": { - "defaultMessage": "A partire da" - }, - "lCPCxk": { - "defaultMessage": "Selezionare tutte le opzioni sopra riportate" - }, - "list_menu.nav.assistive_msg": { - "defaultMessage": "Navigazione principale" - }, - "locale_text.message.ar-SA": { - "defaultMessage": "Arabo (Arabia Saudita)" - }, - "locale_text.message.bn-BD": { - "defaultMessage": "Bengalese (Bangladesh)" - }, - "locale_text.message.bn-IN": { - "defaultMessage": "Bengalese (India)" - }, - "locale_text.message.cs-CZ": { - "defaultMessage": "Ceco (Repubblica Ceca)" - }, - "locale_text.message.da-DK": { - "defaultMessage": "Danese (Danimarca)" - }, - "locale_text.message.de-AT": { - "defaultMessage": "Tedesco (Austria)" - }, - "locale_text.message.de-CH": { - "defaultMessage": "Tedesco (Svizzera)" - }, - "locale_text.message.de-DE": { - "defaultMessage": "Tedesco (Germania)" - }, - "locale_text.message.el-GR": { - "defaultMessage": "Greco (Grecia)" - }, - "locale_text.message.en-AU": { - "defaultMessage": "Inglese (Australia)" - }, - "locale_text.message.en-CA": { - "defaultMessage": "Inglese (Canada)" - }, - "locale_text.message.en-GB": { - "defaultMessage": "Inglese (Regno Unito)" - }, - "locale_text.message.en-IE": { - "defaultMessage": "Inglese (Irlanda)" - }, - "locale_text.message.en-IN": { - "defaultMessage": "Inglese (India)" - }, - "locale_text.message.en-NZ": { - "defaultMessage": "Inglese (Nuova Zelanda)" - }, - "locale_text.message.en-US": { - "defaultMessage": "Inglese (Stati Uniti)" - }, - "locale_text.message.en-ZA": { - "defaultMessage": "Inglese (Sudafrica)" - }, - "locale_text.message.es-AR": { - "defaultMessage": "Spagnolo (Argentina)" - }, - "locale_text.message.es-CL": { - "defaultMessage": "Spagnolo (Cile)" - }, - "locale_text.message.es-CO": { - "defaultMessage": "Spagnolo (Colombia)" - }, - "locale_text.message.es-ES": { - "defaultMessage": "Spagnolo (Spagna)" - }, - "locale_text.message.es-MX": { - "defaultMessage": "Spagnolo (Messico)" - }, - "locale_text.message.es-US": { - "defaultMessage": "Spagnolo (Stati Uniti)" - }, - "locale_text.message.fi-FI": { - "defaultMessage": "Finlandese (Finlandia)" - }, - "locale_text.message.fr-BE": { - "defaultMessage": "Francese (Belgio)" - }, - "locale_text.message.fr-CA": { - "defaultMessage": "Francese (Canada)" - }, - "locale_text.message.fr-CH": { - "defaultMessage": "Francese (Svizzera)" - }, - "locale_text.message.fr-FR": { - "defaultMessage": "Francese (Francia)" - }, - "locale_text.message.he-IL": { - "defaultMessage": "Ebraico (Israele)" - }, - "locale_text.message.hi-IN": { - "defaultMessage": "Hindi (India)" - }, - "locale_text.message.hu-HU": { - "defaultMessage": "Ungherese (Ungheria)" - }, - "locale_text.message.id-ID": { - "defaultMessage": "Indonesiano (Indonesia)" - }, - "locale_text.message.it-CH": { - "defaultMessage": "Italiano (Svizzera)" - }, - "locale_text.message.it-IT": { - "defaultMessage": "Italiano (Italia)" - }, - "locale_text.message.ja-JP": { - "defaultMessage": "Giapponese (Giappone)" - }, - "locale_text.message.ko-KR": { - "defaultMessage": "Coreano (Repubblica di Corea)" - }, - "locale_text.message.nl-BE": { - "defaultMessage": "Olandese (Belgio)" - }, - "locale_text.message.nl-NL": { - "defaultMessage": "Olandese (Paesi Bassi)" - }, - "locale_text.message.no-NO": { - "defaultMessage": "Norvegese (Norvegia)" - }, - "locale_text.message.pl-PL": { - "defaultMessage": "Polacco (Polonia)" - }, - "locale_text.message.pt-BR": { - "defaultMessage": "Portoghese (Brasile)" - }, - "locale_text.message.pt-PT": { - "defaultMessage": "Portoghese (Portogallo)" - }, - "locale_text.message.ro-RO": { - "defaultMessage": "Rumeno (Romania)" - }, - "locale_text.message.ru-RU": { - "defaultMessage": "Russo (Federazione Russa)" - }, - "locale_text.message.sk-SK": { - "defaultMessage": "Slovacco (Slovacchia)" - }, - "locale_text.message.sv-SE": { - "defaultMessage": "Svedese (Svezia)" - }, - "locale_text.message.ta-IN": { - "defaultMessage": "Tamil (India)" - }, - "locale_text.message.ta-LK": { - "defaultMessage": "Tamil (Sri Lanka)" - }, - "locale_text.message.th-TH": { - "defaultMessage": "Tailandese (Tailandia)" - }, - "locale_text.message.tr-TR": { - "defaultMessage": "Turco (Turchia)" - }, - "locale_text.message.zh-CN": { - "defaultMessage": "Cinese (Cina)" - }, - "locale_text.message.zh-HK": { - "defaultMessage": "Cinese (Hong Kong)" - }, - "locale_text.message.zh-TW": { - "defaultMessage": "Cinese (Taiwan)" - }, - "login_form.action.create_account": { - "defaultMessage": "Crea account" - }, - "login_form.button.sign_in": { - "defaultMessage": "Accedi" - }, - "login_form.link.forgot_password": { - "defaultMessage": "Password dimenticata?" - }, - "login_form.message.dont_have_account": { - "defaultMessage": "Non hai un account?" - }, - "login_form.message.welcome_back": { - "defaultMessage": "Piacere di rivederti" - }, - "login_page.error.incorrect_username_or_password": { - "defaultMessage": "Nome utente o password errati. Riprova." - }, - "offline_banner.description.browsing_offline_mode": { - "defaultMessage": "Stai navigando in modalità offline" - }, - "order_summary.action.remove_promo": { - "defaultMessage": "Rimuovi" - }, - "order_summary.cart_items.action.num_of_items_in_cart": { - "defaultMessage": "{itemCount, plural, =0 {0 articoli} one {# articolo} other {# articoli}} nel carrello", - "description": "clicking it would expand/show the items in cart" - }, - "order_summary.cart_items.link.edit_cart": { - "defaultMessage": "Modifica carrello" - }, - "order_summary.heading.order_summary": { - "defaultMessage": "Riepilogo ordine" - }, - "order_summary.label.estimated_total": { - "defaultMessage": "Totale stimato" - }, - "order_summary.label.free": { - "defaultMessage": "Gratuita" - }, - "order_summary.label.order_total": { - "defaultMessage": "Totale ordine" - }, - "order_summary.label.promo_applied": { - "defaultMessage": "Promozione applicata" - }, - "order_summary.label.promotions_applied": { - "defaultMessage": "Promozioni applicate" - }, - "order_summary.label.shipping": { - "defaultMessage": "Spedizione" - }, - "order_summary.label.subtotal": { - "defaultMessage": "Subtotale" - }, - "order_summary.label.tax": { - "defaultMessage": "Imposta" - }, - "page_not_found.action.go_back": { - "defaultMessage": "Torna alla pagina precedente" - }, - "page_not_found.link.homepage": { - "defaultMessage": "Vai alla pagina principale" - }, - "page_not_found.message.suggestion_to_try": { - "defaultMessage": "Prova a inserire di nuovo l'indirizzo tornando alla pagina precedente o passando alla pagina principale." - }, - "page_not_found.title.page_cant_be_found": { - "defaultMessage": "Impossibile trovare la pagina che stai cercando." - }, - "pagination.field.num_of_pages": { - "defaultMessage": "di {numOfPages}" - }, - "pagination.link.next": { - "defaultMessage": "Avanti" - }, - "pagination.link.next.assistive_msg": { - "defaultMessage": "Pagina successiva" - }, - "pagination.link.prev": { - "defaultMessage": "Indietro" - }, - "pagination.link.prev.assistive_msg": { - "defaultMessage": "Pagina precedente" - }, - "password_card.info.password_updated": { - "defaultMessage": "Password aggiornata" - }, - "password_card.label.password": { - "defaultMessage": "Password" - }, - "password_card.title.password": { - "defaultMessage": "Password" - }, - "password_requirements.error.eight_letter_minimum": { - "defaultMessage": "Minimo 8 caratteri", - "description": "Password requirement" - }, - "password_requirements.error.one_lowercase_letter": { - "defaultMessage": "1 lettera minuscola", - "description": "Password requirement" - }, - "password_requirements.error.one_number": { - "defaultMessage": "1 numero", - "description": "Password requirement" - }, - "password_requirements.error.one_special_character": { - "defaultMessage": "1 carattere speciale (ad esempio: , $ ! % #)", - "description": "Password requirement" - }, - "password_requirements.error.one_uppercase_letter": { - "defaultMessage": "1 lettera maiuscola", - "description": "Password requirement" - }, - "payment_selection.heading.credit_card": { - "defaultMessage": "Carta di credito" - }, - "payment_selection.tooltip.secure_payment": { - "defaultMessage": "Questo è un pagamento crittografato con SSL sicuro." - }, - "price_per_item.label.each": { - "defaultMessage": " cad.", - "description": "Abbreviated 'each', follows price per item, like $10/ea" - }, - "product_detail.accordion.button.product_detail": { - "defaultMessage": "Dettagli prodotto" - }, - "product_detail.accordion.button.questions": { - "defaultMessage": "Domande" - }, - "product_detail.accordion.button.reviews": { - "defaultMessage": "Revisioni" - }, - "product_detail.accordion.button.size_fit": { - "defaultMessage": "Taglie e vestibilità" - }, - "product_detail.accordion.message.coming_soon": { - "defaultMessage": "In arrivo" - }, - "product_detail.recommended_products.title.complete_set": { - "defaultMessage": "Completa il set" - }, - "product_detail.recommended_products.title.might_also_like": { - "defaultMessage": "Potrebbe interessarti anche" - }, - "product_detail.recommended_products.title.recently_viewed": { - "defaultMessage": "Visualizzati di recente" - }, - "product_item.label.quantity": { - "defaultMessage": "Quantità:" - }, - "product_list.button.filter": { - "defaultMessage": "Filtro" - }, - "product_list.button.sort_by": { - "defaultMessage": "Ordina per: {sortOption}" - }, - "product_list.drawer.title.sort_by": { - "defaultMessage": "Ordina per" - }, - "product_list.modal.button.clear_filters": { - "defaultMessage": "Cancella filtri" - }, - "product_list.modal.button.view_items": { - "defaultMessage": "Visualizza {prroductCount} articoli" - }, - "product_list.modal.title.filter": { - "defaultMessage": "Filtro" - }, - "product_list.refinements.button.assistive_msg.add_filter": { - "defaultMessage": "Aggiungi filtro: {label}" - }, - "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": { - "defaultMessage": "Aggiungi filtro: {label} ({hitCount})" - }, - "product_list.refinements.button.assistive_msg.remove_filter": { - "defaultMessage": "Rimuovi filtro: {label}" - }, - "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": { - "defaultMessage": "Rimuovi filtro: {label} ({hitCount})" - }, - "product_list.select.sort_by": { - "defaultMessage": "Ordina per: {sortOption}" - }, - "product_scroller.assistive_msg.scroll_left": { - "defaultMessage": "Scorri prodotti a sinistra" - }, - "product_scroller.assistive_msg.scroll_right": { - "defaultMessage": "Scorri prodotti a destra" - }, - "product_tile.assistive_msg.add_to_wishlist": { - "defaultMessage": "Aggiungi {product} alla lista desideri" - }, - "product_tile.assistive_msg.remove_from_wishlist": { - "defaultMessage": "Rimuovi {product} dalla lista desideri" - }, - "product_tile.label.starting_at_price": { - "defaultMessage": "A partire da {price}" - }, - "product_view.button.add_set_to_cart": { - "defaultMessage": "Aggiungi set al carrello" - }, - "product_view.button.add_set_to_wishlist": { - "defaultMessage": "Aggiungi set alla lista desideri" - }, - "product_view.button.add_to_cart": { - "defaultMessage": "Aggiungi al carrello" - }, - "product_view.button.add_to_wishlist": { - "defaultMessage": "Aggiungi alla lista desideri" - }, - "product_view.button.update": { - "defaultMessage": "Aggiorna" - }, - "product_view.label.assistive_msg.quantity_decrement": { - "defaultMessage": "Riduci quantità" - }, - "product_view.label.assistive_msg.quantity_increment": { - "defaultMessage": "Incrementa quantità" - }, - "product_view.label.quantity": { - "defaultMessage": "Quantità" - }, - "product_view.label.quantity_decrement": { - "defaultMessage": "−" - }, - "product_view.label.quantity_increment": { - "defaultMessage": "+" - }, - "product_view.label.starting_at_price": { - "defaultMessage": "A partire da" - }, - "product_view.label.variant_type": { - "defaultMessage": "{variantType}" - }, - "product_view.link.full_details": { - "defaultMessage": "Vedi tutti i dettagli" - }, - "profile_card.info.profile_updated": { - "defaultMessage": "Profilo aggiornato" - }, - "profile_card.label.email": { - "defaultMessage": "E-mail" - }, - "profile_card.label.full_name": { - "defaultMessage": "Nome completo" - }, - "profile_card.label.phone": { - "defaultMessage": "Numero di telefono" - }, - "profile_card.message.not_provided": { - "defaultMessage": "Non specificato" - }, - "profile_card.title.my_profile": { - "defaultMessage": "Il mio profilo" - }, - "promo_code_fields.button.apply": { - "defaultMessage": "Applica" - }, - "promo_popover.assistive_msg.info": { - "defaultMessage": "Info" - }, - "promo_popover.heading.promo_applied": { - "defaultMessage": "Promozioni applicate" - }, - "promocode.accordion.button.have_promocode": { - "defaultMessage": "Hai un codice promozionale?" - }, - "recent_searches.action.clear_searches": { - "defaultMessage": "Cancella ricerche recenti" - }, - "recent_searches.heading.recent_searches": { - "defaultMessage": "Ricerche recenti" - }, - "register_form.action.sign_in": { - "defaultMessage": "Accedi" - }, - "register_form.button.create_account": { - "defaultMessage": "Crea account" - }, - "register_form.heading.lets_get_started": { - "defaultMessage": "Iniziamo!" - }, - "register_form.message.agree_to_policy_terms": { - "defaultMessage": "Creando un account, accetti l'Informativa sulla privacy e i Termini e condizioni di Salesforce" - }, - "register_form.message.already_have_account": { - "defaultMessage": "Hai già un account?" - }, - "register_form.message.create_an_account": { - "defaultMessage": "Crea un account e accedi in esclusiva ai prodotti, alle idee e alle community migliori." - }, - "reset_password.button.back_to_sign_in": { - "defaultMessage": "Torna all'accesso" - }, - "reset_password.info.receive_email_shortly": { - "defaultMessage": "A breve riceverai un'email all'indirizzo {email} con un link per la reimpostazione della password." - }, - "reset_password.title.password_reset": { - "defaultMessage": "Reimpostazione password" - }, - "reset_password_form.action.sign_in": { - "defaultMessage": "Accedi" - }, - "reset_password_form.button.reset_password": { - "defaultMessage": "Reimposta password" - }, - "reset_password_form.message.enter_your_email": { - "defaultMessage": "Inserisci il tuo indirizzo email per ricevere istruzioni su come reimpostare la password" - }, - "reset_password_form.message.return_to_sign_in": { - "defaultMessage": "Oppure torna a", - "description": "Precedes link to return to sign in" - }, - "reset_password_form.title.reset_password": { - "defaultMessage": "Reimposta password" - }, - "search.action.cancel": { - "defaultMessage": "Annulla" - }, - "selected_refinements.action.assistive_msg.clear_all": { - "defaultMessage": "Cancella tutti i filtri" - }, - "selected_refinements.action.clear_all": { - "defaultMessage": "Deseleziona tutto" - }, - "shipping_address.button.continue_to_shipping": { - "defaultMessage": "Passa al metodo di spedizione" - }, - "shipping_address.title.shipping_address": { - "defaultMessage": "Indirizzo di spedizione" - }, - "shipping_address_edit_form.button.save_and_continue": { - "defaultMessage": "Salva e passa al metodo di spedizione" - }, - "shipping_address_form.heading.edit_address": { - "defaultMessage": "Modifica indirizzo" - }, - "shipping_address_form.heading.new_address": { - "defaultMessage": "Aggiungi nuovo indirizzo" - }, - "shipping_address_selection.button.add_address": { - "defaultMessage": "Aggiungi nuovo indirizzo" - }, - "shipping_address_selection.button.submit": { - "defaultMessage": "Invia" - }, - "shipping_address_selection.title.add_address": { - "defaultMessage": "Aggiungi nuovo indirizzo" - }, - "shipping_address_selection.title.edit_shipping": { - "defaultMessage": "Modifica indirizzo di spedizione" - }, - "shipping_options.action.send_as_a_gift": { - "defaultMessage": "Inviare come regalo?" - }, - "shipping_options.button.continue_to_payment": { - "defaultMessage": "Passa al pagamento" - }, - "shipping_options.title.shipping_gift_options": { - "defaultMessage": "Opzioni di spedizione e regalo" - }, - "signout_confirmation_dialog.button.cancel": { - "defaultMessage": "Annulla" - }, - "signout_confirmation_dialog.button.sign_out": { - "defaultMessage": "Esci" - }, - "signout_confirmation_dialog.heading.sign_out": { - "defaultMessage": "Esci" - }, - "signout_confirmation_dialog.message.sure_to_sign_out": { - "defaultMessage": "Uscire? Per procedere con l'ordine corrente devi eseguire di nuovo l'accesso." - }, - "swatch_group.selected.label": { - "defaultMessage": "{label}:" - }, - "toggle_card.action.edit": { - "defaultMessage": "Modifica" - }, - "update_password_fields.button.forgot_password": { - "defaultMessage": "Password dimenticata?" - }, - "use_address_fields.error.please_enter_first_name": { - "defaultMessage": "Inserisci il nome." - }, - "use_address_fields.error.please_enter_last_name": { - "defaultMessage": "Inserisci il cognome." - }, - "use_address_fields.error.please_enter_phone_number": { - "defaultMessage": "Inserisci il numero di telefono." - }, - "use_address_fields.error.please_enter_your_postal_or_zip": { - "defaultMessage": "Inserisci il codice postale." - }, - "use_address_fields.error.please_select_your_address": { - "defaultMessage": "Inserisci l'indirizzo." - }, - "use_address_fields.error.please_select_your_city": { - "defaultMessage": "Inserisci la città." - }, - "use_address_fields.error.please_select_your_country": { - "defaultMessage": "Seleziona il Paese." - }, - "use_address_fields.error.please_select_your_state_or_province": { - "defaultMessage": "Seleziona lo stato/la provincia." - }, - "use_address_fields.error.required": { - "defaultMessage": "Obbligatorio" - }, - "use_address_fields.error.state_code_invalid": { - "defaultMessage": "Inserisci la provincia di 2 lettere." - }, - "use_address_fields.label.address": { - "defaultMessage": "Indirizzo" - }, - "use_address_fields.label.address_form": { - "defaultMessage": "Modulo indirizzo" - }, - "use_address_fields.label.city": { - "defaultMessage": "Città" - }, - "use_address_fields.label.country": { - "defaultMessage": "Paese" - }, - "use_address_fields.label.first_name": { - "defaultMessage": "Nome" - }, - "use_address_fields.label.last_name": { - "defaultMessage": "Cognome" - }, - "use_address_fields.label.phone": { - "defaultMessage": "Telefono" - }, - "use_address_fields.label.postal_code": { - "defaultMessage": "Codice postale" - }, - "use_address_fields.label.preferred": { - "defaultMessage": "Imposta come predefinito" - }, - "use_address_fields.label.province": { - "defaultMessage": "Provincia" - }, - "use_address_fields.label.state": { - "defaultMessage": "Stato" - }, - "use_address_fields.label.zipCode": { - "defaultMessage": "CAP" - }, - "use_credit_card_fields.error.required": { - "defaultMessage": "Obbligatorio" - }, - "use_credit_card_fields.error.required_card_number": { - "defaultMessage": "Inserisci il numero di carta." - }, - "use_credit_card_fields.error.required_expiry": { - "defaultMessage": "Inserisci la data di scadenza." - }, - "use_credit_card_fields.error.required_name": { - "defaultMessage": "Inserisci il tuo nome come compare sulla carta." - }, - "use_credit_card_fields.error.required_security_code": { - "defaultMessage": "Inserisci il codice di sicurezza." - }, - "use_credit_card_fields.error.valid_card_number": { - "defaultMessage": "Inserisci un numero di carta valido." - }, - "use_credit_card_fields.error.valid_date": { - "defaultMessage": "Inserisci una data valida." - }, - "use_credit_card_fields.error.valid_name": { - "defaultMessage": "Inserisci un nome valido." - }, - "use_credit_card_fields.error.valid_security_code": { - "defaultMessage": "Inserisci un codice di sicurezza valido." - }, - "use_credit_card_fields.label.card_number": { - "defaultMessage": "Numero carta" - }, - "use_credit_card_fields.label.card_type": { - "defaultMessage": "Tipo di carta" - }, - "use_credit_card_fields.label.expiry": { - "defaultMessage": "Data di scadenza" - }, - "use_credit_card_fields.label.name": { - "defaultMessage": "Nome sulla carta" - }, - "use_credit_card_fields.label.security_code": { - "defaultMessage": "Codice di sicurezza" - }, - "use_login_fields.error.required_email": { - "defaultMessage": "Inserisci l'indirizzo email." - }, - "use_login_fields.error.required_password": { - "defaultMessage": "Inserisci la password." - }, - "use_login_fields.label.email": { - "defaultMessage": "E-mail" - }, - "use_login_fields.label.password": { - "defaultMessage": "Password" - }, - "use_product.message.inventory_remaining": { - "defaultMessage": "Solo {stockLevel} rimasti!" - }, - "use_product.message.out_of_stock": { - "defaultMessage": "Esaurito" - }, - "use_profile_fields.error.required_email": { - "defaultMessage": "Inserisci un indirizzo e-mail valido." - }, - "use_profile_fields.error.required_first_name": { - "defaultMessage": "Inserisci il nome." - }, - "use_profile_fields.error.required_last_name": { - "defaultMessage": "Inserisci il cognome." - }, - "use_profile_fields.error.required_phone": { - "defaultMessage": "Inserisci il numero di telefono." - }, - "use_profile_fields.label.email": { - "defaultMessage": "E-mail" - }, - "use_profile_fields.label.first_name": { - "defaultMessage": "Nome" - }, - "use_profile_fields.label.last_name": { - "defaultMessage": "Cognome" - }, - "use_profile_fields.label.phone": { - "defaultMessage": "Numero di telefono" - }, - "use_promo_code_fields.error.required_promo_code": { - "defaultMessage": "Specifica un codice promozionale valido." - }, - "use_promo_code_fields.label.promo_code": { - "defaultMessage": "Codice promozionale" - }, - "use_promocode.error.check_the_code": { - "defaultMessage": "Controlla il codice e riprova. È possibile che sia già stato applicato o che la promozione sia scaduta." - }, - "use_promocode.info.promo_applied": { - "defaultMessage": "Promozione applicata" - }, - "use_promocode.info.promo_removed": { - "defaultMessage": "Promozione eliminata" - }, - "use_registration_fields.error.contain_number": { - "defaultMessage": "La password deve contenere almeno un numero." - }, - "use_registration_fields.error.lowercase_letter": { - "defaultMessage": "La password deve contenere almeno una lettera minuscola." - }, - "use_registration_fields.error.minimum_characters": { - "defaultMessage": "La password deve contenere almeno 8 caratteri." - }, - "use_registration_fields.error.required_email": { - "defaultMessage": "Inserisci un indirizzo e-mail valido." - }, - "use_registration_fields.error.required_first_name": { - "defaultMessage": "Inserisci il nome." - }, - "use_registration_fields.error.required_last_name": { - "defaultMessage": "Inserisci il cognome." - }, - "use_registration_fields.error.required_password": { - "defaultMessage": "Creare una password." - }, - "use_registration_fields.error.special_character": { - "defaultMessage": "La password deve contenere almeno un carattere speciale." - }, - "use_registration_fields.error.uppercase_letter": { - "defaultMessage": "La password deve contenere almeno una lettera maiuscola." - }, - "use_registration_fields.label.email": { - "defaultMessage": "E-mail" - }, - "use_registration_fields.label.first_name": { - "defaultMessage": "Nome" - }, - "use_registration_fields.label.last_name": { - "defaultMessage": "Cognome" - }, - "use_registration_fields.label.password": { - "defaultMessage": "Password" - }, - "use_registration_fields.label.sign_up_to_emails": { - "defaultMessage": "Iscrivimi alle email di Salesforce (puoi annullare l'iscrizione in qualsiasi momento)" - }, - "use_reset_password_fields.error.required_email": { - "defaultMessage": "Inserisci un indirizzo e-mail valido." - }, - "use_reset_password_fields.label.email": { - "defaultMessage": "E-mail" - }, - "use_update_password_fields.error.contain_number": { - "defaultMessage": "La password deve contenere almeno un numero." - }, - "use_update_password_fields.error.lowercase_letter": { - "defaultMessage": "La password deve contenere almeno una lettera minuscola." - }, - "use_update_password_fields.error.minimum_characters": { - "defaultMessage": "La password deve contenere almeno 8 caratteri." - }, - "use_update_password_fields.error.required_new_password": { - "defaultMessage": "Specifica una nuova password." - }, - "use_update_password_fields.error.required_password": { - "defaultMessage": "Inserisci la password." - }, - "use_update_password_fields.error.special_character": { - "defaultMessage": "La password deve contenere almeno un carattere speciale." - }, - "use_update_password_fields.error.uppercase_letter": { - "defaultMessage": "La password deve contenere almeno una lettera maiuscola." - }, - "use_update_password_fields.label.current_password": { - "defaultMessage": "Password corrente" - }, - "use_update_password_fields.label.new_password": { - "defaultMessage": "Nuova password" - }, - "wishlist_primary_action.button.add_set_to_cart": { - "defaultMessage": "Aggiungi set al carrello" - }, - "wishlist_primary_action.button.add_to_cart": { - "defaultMessage": "Aggiungi al carrello" - }, - "wishlist_primary_action.button.view_full_details": { - "defaultMessage": "Mostra tutti i dettagli" - }, - "wishlist_primary_action.button.view_options": { - "defaultMessage": "Visualizza opzioni" - }, - "wishlist_primary_action.info.added_to_cart": { - "defaultMessage": "{quantity} {quantity, plural, one {articolo aggiunto} other {articoli aggiunti}} al carrello" - }, - "wishlist_secondary_button_group.action.remove": { - "defaultMessage": "Rimuovi" - }, - "wishlist_secondary_button_group.info.item_removed": { - "defaultMessage": "Articolo rimosso dalla lista desideri" - }, - "with_registration.info.please_sign_in": { - "defaultMessage": "Accedi per continuare!" - } -} diff --git a/my-test-project/translations/ja-JP.json b/my-test-project/translations/ja-JP.json deleted file mode 100644 index fe206d8b7e..0000000000 --- a/my-test-project/translations/ja-JP.json +++ /dev/null @@ -1,1517 +0,0 @@ -{ - "account.accordion.button.my_account": { - "defaultMessage": "マイアカウント" - }, - "account.heading.my_account": { - "defaultMessage": "マイアカウント" - }, - "account.logout_button.button.log_out": { - "defaultMessage": "ログアウト" - }, - "account_addresses.badge.default": { - "defaultMessage": "デフォルト" - }, - "account_addresses.button.add_address": { - "defaultMessage": "住所の追加" - }, - "account_addresses.info.address_removed": { - "defaultMessage": "住所が削除されました" - }, - "account_addresses.info.address_updated": { - "defaultMessage": "住所が更新されました" - }, - "account_addresses.info.new_address_saved": { - "defaultMessage": "新しい住所が保存されました" - }, - "account_addresses.page_action_placeholder.button.add_address": { - "defaultMessage": "住所の追加" - }, - "account_addresses.page_action_placeholder.heading.no_saved_addresses": { - "defaultMessage": "保存されている住所はありません" - }, - "account_addresses.page_action_placeholder.message.add_new_address": { - "defaultMessage": "新しい住所を追加すると、注文手続きを素早く完了できます。" - }, - "account_addresses.title.addresses": { - "defaultMessage": "住所" - }, - "account_detail.title.account_details": { - "defaultMessage": "アカウントの詳細" - }, - "account_order_detail.heading.billing_address": { - "defaultMessage": "請求先住所" - }, - "account_order_detail.heading.num_of_items": { - "defaultMessage": "{count} 個の商品" - }, - "account_order_detail.heading.payment_method": { - "defaultMessage": "支払方法" - }, - "account_order_detail.heading.shipping_address": { - "defaultMessage": "配送先住所" - }, - "account_order_detail.heading.shipping_method": { - "defaultMessage": "配送方法" - }, - "account_order_detail.label.order_number": { - "defaultMessage": "注文番号: {orderNumber}" - }, - "account_order_detail.label.ordered_date": { - "defaultMessage": "注文日: {date}" - }, - "account_order_detail.label.pending_tracking_number": { - "defaultMessage": "保留中" - }, - "account_order_detail.label.tracking_number": { - "defaultMessage": "追跡番号" - }, - "account_order_detail.link.back_to_history": { - "defaultMessage": "注文履歴に戻る" - }, - "account_order_detail.shipping_status.not_shipped": { - "defaultMessage": "未出荷" - }, - "account_order_detail.shipping_status.part_shipped": { - "defaultMessage": "一部出荷済み" - }, - "account_order_detail.shipping_status.shipped": { - "defaultMessage": "出荷済み" - }, - "account_order_detail.title.order_details": { - "defaultMessage": "注文の詳細" - }, - "account_order_history.button.continue_shopping": { - "defaultMessage": "買い物を続ける" - }, - "account_order_history.description.once_you_place_order": { - "defaultMessage": "注文を確定すると、ここに詳細が表示されます。" - }, - "account_order_history.heading.no_order_yet": { - "defaultMessage": "まだ注文を確定していません。" - }, - "account_order_history.label.num_of_items": { - "defaultMessage": "{count} 個の商品", - "description": "Number of items in order" - }, - "account_order_history.label.order_number": { - "defaultMessage": "注文番号: {orderNumber}" - }, - "account_order_history.label.ordered_date": { - "defaultMessage": "注文日: {date}" - }, - "account_order_history.label.shipped_to": { - "defaultMessage": "配送先: {name}" - }, - "account_order_history.link.view_details": { - "defaultMessage": "詳細の表示" - }, - "account_order_history.title.order_history": { - "defaultMessage": "注文履歴" - }, - "account_wishlist.button.continue_shopping": { - "defaultMessage": "買い物を続ける" - }, - "account_wishlist.description.continue_shopping": { - "defaultMessage": "買い物を続けて、ほしい物リストに商品を追加してください。" - }, - "account_wishlist.heading.no_wishlist": { - "defaultMessage": "ほしい物リストに商品がありません" - }, - "account_wishlist.title.wishlist": { - "defaultMessage": "ほしい物リスト" - }, - "action_card.action.edit": { - "defaultMessage": "編集" - }, - "action_card.action.remove": { - "defaultMessage": "削除" - }, - "add_to_cart_modal.info.added_to_cart": { - "defaultMessage": "{quantity} {quantity, plural, one { 個の商品} other { 個の商品}}が買い物カゴに追加されました" - }, - "add_to_cart_modal.label.cart_subtotal": { - "defaultMessage": "買い物カゴ小計 ({itemAccumulatedCount} 個の商品)" - }, - "add_to_cart_modal.label.quantity": { - "defaultMessage": "個数" - }, - "add_to_cart_modal.link.checkout": { - "defaultMessage": "注文手続きに進む" - }, - "add_to_cart_modal.link.view_cart": { - "defaultMessage": "買い物カゴを表示" - }, - "add_to_cart_modal.recommended_products.title.might_also_like": { - "defaultMessage": "こちらもどうぞ" - }, - "auth_modal.button.close.assistive_msg": { - "defaultMessage": "ログインフォームを閉じる" - }, - "auth_modal.description.now_signed_in": { - "defaultMessage": "サインインしました。" - }, - "auth_modal.error.incorrect_email_or_password": { - "defaultMessage": "Eメールまたはパスワードが正しくありません。もう一度お試しください。" - }, - "auth_modal.info.welcome_user": { - "defaultMessage": "ようこそ、{name}さん" - }, - "auth_modal.password_reset_success.button.back_to_sign_in": { - "defaultMessage": "サインインに戻る" - }, - "auth_modal.password_reset_success.info.will_email_shortly": { - "defaultMessage": "パスワードリセットのリンクが記載された Eメールがまもなく {email} に届きます。" - }, - "auth_modal.password_reset_success.title.password_reset": { - "defaultMessage": "パスワードのリセット" - }, - "carousel.button.scroll_left.assistive_msg": { - "defaultMessage": "カルーセルを左へスクロール" - }, - "carousel.button.scroll_right.assistive_msg": { - "defaultMessage": "カルーセルを右へスクロール" - }, - "cart.info.removed_from_cart": { - "defaultMessage": "買い物カゴから商品が削除されました" - }, - "cart.recommended_products.title.may_also_like": { - "defaultMessage": "こちらもおすすめ" - }, - "cart.recommended_products.title.recently_viewed": { - "defaultMessage": "最近見た商品" - }, - "cart_cta.link.checkout": { - "defaultMessage": "注文手続きに進む" - }, - "cart_secondary_button_group.action.added_to_wishlist": { - "defaultMessage": "ほしい物リストに追加" - }, - "cart_secondary_button_group.action.edit": { - "defaultMessage": "編集" - }, - "cart_secondary_button_group.action.remove": { - "defaultMessage": "削除" - }, - "cart_secondary_button_group.label.this_is_gift": { - "defaultMessage": "これはギフトです。" - }, - "cart_skeleton.heading.order_summary": { - "defaultMessage": "注文の概要" - }, - "cart_skeleton.title.cart": { - "defaultMessage": "買い物カゴ" - }, - "cart_title.title.cart_num_of_items": { - "defaultMessage": "買い物カゴ ({itemCount, plural, =0 {0 個の商品} one {# 個の商品} other {# 個の商品}})" - }, - "cc_radio_group.action.remove": { - "defaultMessage": "削除" - }, - "cc_radio_group.button.add_new_card": { - "defaultMessage": "新しいカードの追加" - }, - "checkout.button.place_order": { - "defaultMessage": "注文の確定" - }, - "checkout.message.generic_error": { - "defaultMessage": "注文手続き中に予期しないエラーが発生しました。" - }, - "checkout_confirmation.button.create_account": { - "defaultMessage": "アカウントの作成" - }, - "checkout_confirmation.heading.billing_address": { - "defaultMessage": "請求先住所" - }, - "checkout_confirmation.heading.create_account": { - "defaultMessage": "アカウントを作成すると、注文手続きを素早く完了できます" - }, - "checkout_confirmation.heading.credit_card": { - "defaultMessage": "クレジットカード" - }, - "checkout_confirmation.heading.delivery_details": { - "defaultMessage": "配送の詳細" - }, - "checkout_confirmation.heading.order_summary": { - "defaultMessage": "注文の概要" - }, - "checkout_confirmation.heading.payment_details": { - "defaultMessage": "支払の詳細" - }, - "checkout_confirmation.heading.shipping_address": { - "defaultMessage": "配送先住所" - }, - "checkout_confirmation.heading.shipping_method": { - "defaultMessage": "配送方法" - }, - "checkout_confirmation.heading.thank_you_for_order": { - "defaultMessage": "ご注文いただきありがとうございました!" - }, - "checkout_confirmation.label.free": { - "defaultMessage": "無料" - }, - "checkout_confirmation.label.order_number": { - "defaultMessage": "注文番号" - }, - "checkout_confirmation.label.order_total": { - "defaultMessage": "ご注文金額合計" - }, - "checkout_confirmation.label.promo_applied": { - "defaultMessage": "プロモーションが適用されました" - }, - "checkout_confirmation.label.shipping": { - "defaultMessage": "配送" - }, - "checkout_confirmation.label.subtotal": { - "defaultMessage": "小計" - }, - "checkout_confirmation.label.tax": { - "defaultMessage": "税金" - }, - "checkout_confirmation.link.continue_shopping": { - "defaultMessage": "買い物を続ける" - }, - "checkout_confirmation.link.login": { - "defaultMessage": "ログインはこちらから" - }, - "checkout_confirmation.message.already_has_account": { - "defaultMessage": "この Eメールにはすでにアカウントがあります。" - }, - "checkout_confirmation.message.num_of_items_in_order": { - "defaultMessage": "{itemCount, plural, =0 {0 個の商品} one {# 個の商品} other {# 個の商品}}", - "description": "# item(s) in order" - }, - "checkout_confirmation.message.will_email_shortly": { - "defaultMessage": "確認番号と領収書が含まれる Eメールをまもなく {email} 宛にお送りします。" - }, - "checkout_footer.link.privacy_policy": { - "defaultMessage": "プライバシーポリシー" - }, - "checkout_footer.link.returns_exchanges": { - "defaultMessage": "返品および交換" - }, - "checkout_footer.link.shipping": { - "defaultMessage": "配送" - }, - "checkout_footer.link.site_map": { - "defaultMessage": "サイトマップ" - }, - "checkout_footer.link.terms_conditions": { - "defaultMessage": "使用条件" - }, - "checkout_footer.message.copyright": { - "defaultMessage": "Salesforce またはその系列会社。All Rights Reserved. これはデモのみを目的とするストアです。注文を確定しても処理されません。" - }, - "checkout_header.link.assistive_msg.cart": { - "defaultMessage": "買い物カゴに戻る、商品数: {numItems}" - }, - "checkout_header.link.cart": { - "defaultMessage": "買い物カゴに戻る" - }, - "checkout_payment.action.remove": { - "defaultMessage": "削除" - }, - "checkout_payment.button.review_order": { - "defaultMessage": "注文の確認" - }, - "checkout_payment.heading.billing_address": { - "defaultMessage": "請求先住所" - }, - "checkout_payment.heading.credit_card": { - "defaultMessage": "クレジットカード" - }, - "checkout_payment.label.same_as_shipping": { - "defaultMessage": "配送先住所と同じ" - }, - "checkout_payment.title.payment": { - "defaultMessage": "支払" - }, - "colorRefinements.label.hitCount": { - "defaultMessage": "{colorLabel} ({colorHitCount})" - }, - "confirmation_modal.default.action.no": { - "defaultMessage": "いいえ" - }, - "confirmation_modal.default.action.yes": { - "defaultMessage": "はい" - }, - "confirmation_modal.default.message.you_want_to_continue": { - "defaultMessage": "続行しますか?" - }, - "confirmation_modal.default.title.confirm_action": { - "defaultMessage": "操作の確認" - }, - "confirmation_modal.remove_cart_item.action.no": { - "defaultMessage": "いいえ、商品をキープします" - }, - "confirmation_modal.remove_cart_item.action.remove": { - "defaultMessage": "削除" - }, - "confirmation_modal.remove_cart_item.action.yes": { - "defaultMessage": "はい、商品を削除します" - }, - "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": { - "defaultMessage": "一部の商品がオンラインで入手できなくなったため、買い物カゴから削除されます。" - }, - "confirmation_modal.remove_cart_item.message.sure_to_remove": { - "defaultMessage": "この商品を買い物カゴから削除しますか?" - }, - "confirmation_modal.remove_cart_item.title.confirm_remove": { - "defaultMessage": "商品の削除の確認" - }, - "confirmation_modal.remove_cart_item.title.items_unavailable": { - "defaultMessage": "入手不可商品" - }, - "confirmation_modal.remove_wishlist_item.action.no": { - "defaultMessage": "いいえ、商品をキープします" - }, - "confirmation_modal.remove_wishlist_item.action.yes": { - "defaultMessage": "はい、商品を削除します" - }, - "confirmation_modal.remove_wishlist_item.message.sure_to_remove": { - "defaultMessage": "この商品をほしい物リストから削除しますか?" - }, - "confirmation_modal.remove_wishlist_item.title.confirm_remove": { - "defaultMessage": "商品の削除の確認" - }, - "contact_info.action.sign_out": { - "defaultMessage": "サインアウト" - }, - "contact_info.button.already_have_account": { - "defaultMessage": "すでにアカウントをお持ちですか?ログイン" - }, - "contact_info.button.checkout_as_guest": { - "defaultMessage": "ゲストとして注文手続きへ進む" - }, - "contact_info.button.login": { - "defaultMessage": "ログイン" - }, - "contact_info.error.incorrect_username_or_password": { - "defaultMessage": "ユーザー名またはパスワードが間違っています。もう一度お試しください。" - }, - "contact_info.link.forgot_password": { - "defaultMessage": "パスワードを忘れましたか?" - }, - "contact_info.title.contact_info": { - "defaultMessage": "連絡先情報" - }, - "credit_card_fields.tool_tip.security_code": { - "defaultMessage": "この 3 桁のコードはカードの裏面に記載されています。", - "description": "Generic credit card security code help text" - }, - "credit_card_fields.tool_tip.security_code.american_express": { - "defaultMessage": "この 4 桁のコードはカードの表面に記載されています。", - "description": "American Express security code help text" - }, - "credit_card_fields.tool_tip.security_code_aria_label": { - "defaultMessage": "セキュリティコード情報" - }, - "drawer_menu.button.account_details": { - "defaultMessage": "アカウントの詳細" - }, - "drawer_menu.button.addresses": { - "defaultMessage": "住所" - }, - "drawer_menu.button.log_out": { - "defaultMessage": "ログアウト" - }, - "drawer_menu.button.my_account": { - "defaultMessage": "マイアカウント" - }, - "drawer_menu.button.order_history": { - "defaultMessage": "注文履歴" - }, - "drawer_menu.link.about_us": { - "defaultMessage": "企業情報" - }, - "drawer_menu.link.customer_support": { - "defaultMessage": "カスタマーサポート" - }, - "drawer_menu.link.customer_support.contact_us": { - "defaultMessage": "お問い合わせ" - }, - "drawer_menu.link.customer_support.shipping_and_returns": { - "defaultMessage": "配送と返品" - }, - "drawer_menu.link.our_company": { - "defaultMessage": "当社について" - }, - "drawer_menu.link.privacy_and_security": { - "defaultMessage": "プライバシー & セキュリティ" - }, - "drawer_menu.link.privacy_policy": { - "defaultMessage": "プライバシーポリシー" - }, - "drawer_menu.link.shop_all": { - "defaultMessage": "すべての商品" - }, - "drawer_menu.link.sign_in": { - "defaultMessage": "サインイン" - }, - "drawer_menu.link.site_map": { - "defaultMessage": "サイトマップ" - }, - "drawer_menu.link.store_locator": { - "defaultMessage": "店舗検索" - }, - "drawer_menu.link.terms_and_conditions": { - "defaultMessage": "使用条件" - }, - "empty_cart.description.empty_cart": { - "defaultMessage": "買い物カゴは空です。" - }, - "empty_cart.link.continue_shopping": { - "defaultMessage": "買い物を続ける" - }, - "empty_cart.link.sign_in": { - "defaultMessage": "サインイン" - }, - "empty_cart.message.continue_shopping": { - "defaultMessage": "買い物を続けて、買い物カゴに商品を追加してください。" - }, - "empty_cart.message.sign_in_or_continue_shopping": { - "defaultMessage": "サインインして保存された商品を取得するか、買い物を続けてください。" - }, - "empty_search_results.info.cant_find_anything_for_category": { - "defaultMessage": "{category}では該当する商品が見つかりませんでした。商品を検索してみるか、または{link}ください。" - }, - "empty_search_results.info.cant_find_anything_for_query": { - "defaultMessage": "\"{searchQuery}\" では該当する商品が見つかりませんでした。" - }, - "empty_search_results.info.double_check_spelling": { - "defaultMessage": "入力内容に間違いがないか再度ご確認の上、もう一度やり直すか、または{link}ください。" - }, - "empty_search_results.link.contact_us": { - "defaultMessage": "お問い合わせ" - }, - "empty_search_results.recommended_products.title.most_viewed": { - "defaultMessage": "最も閲覧された商品" - }, - "empty_search_results.recommended_products.title.top_sellers": { - "defaultMessage": "売れ筋商品" - }, - "field.password.assistive_msg.hide_password": { - "defaultMessage": "パスワードを非表示" - }, - "field.password.assistive_msg.show_password": { - "defaultMessage": "パスワードを表示" - }, - "footer.column.account": { - "defaultMessage": "アカウント" - }, - "footer.column.customer_support": { - "defaultMessage": "カスタマーサポート" - }, - "footer.column.our_company": { - "defaultMessage": "当社について" - }, - "footer.link.about_us": { - "defaultMessage": "企業情報" - }, - "footer.link.contact_us": { - "defaultMessage": "お問い合わせ" - }, - "footer.link.order_status": { - "defaultMessage": "注文ステータス" - }, - "footer.link.privacy_policy": { - "defaultMessage": "プライバシーポリシー" - }, - "footer.link.shipping": { - "defaultMessage": "配送" - }, - "footer.link.signin_create_account": { - "defaultMessage": "サインインするかアカウントを作成してください" - }, - "footer.link.site_map": { - "defaultMessage": "サイトマップ" - }, - "footer.link.store_locator": { - "defaultMessage": "店舗検索" - }, - "footer.link.terms_conditions": { - "defaultMessage": "使用条件" - }, - "footer.message.copyright": { - "defaultMessage": "Salesforce またはその系列会社。All Rights Reserved. これはデモのみを目的とするストアです。注文を確定しても処理されません。" - }, - "footer.subscribe.button.sign_up": { - "defaultMessage": "サインアップ" - }, - "footer.subscribe.description.sign_up": { - "defaultMessage": "サインアップすると人気のお買い得商品について最新情報を入手できます" - }, - "footer.subscribe.heading.first_to_know": { - "defaultMessage": "最新情報を誰よりも早く入手" - }, - "form_action_buttons.button.cancel": { - "defaultMessage": "キャンセル" - }, - "form_action_buttons.button.save": { - "defaultMessage": "保存" - }, - "global.account.link.account_details": { - "defaultMessage": "アカウントの詳細" - }, - "global.account.link.addresses": { - "defaultMessage": "住所" - }, - "global.account.link.order_history": { - "defaultMessage": "注文履歴" - }, - "global.account.link.wishlist": { - "defaultMessage": "ほしい物リスト" - }, - "global.error.something_went_wrong": { - "defaultMessage": "問題が発生しました。もう一度お試しください!" - }, - "global.info.added_to_wishlist": { - "defaultMessage": "{quantity} {quantity, plural, one { 個の商品} other { 個の商品}}がほしい物リストに追加されました" - }, - "global.info.already_in_wishlist": { - "defaultMessage": "商品はすでにほしい物リストに追加されています" - }, - "global.info.removed_from_wishlist": { - "defaultMessage": "ほしい物リストから商品が削除されました" - }, - "global.link.added_to_wishlist.view_wishlist": { - "defaultMessage": "表示" - }, - "header.button.assistive_msg.logo": { - "defaultMessage": "ロゴ" - }, - "header.button.assistive_msg.menu": { - "defaultMessage": "メニュー" - }, - "header.button.assistive_msg.my_account": { - "defaultMessage": "マイアカウント" - }, - "header.button.assistive_msg.my_account_menu": { - "defaultMessage": "アカウントメニューを開く" - }, - "header.button.assistive_msg.my_cart_with_num_items": { - "defaultMessage": "マイ買い物カゴ、商品数: {numItems}" - }, - "header.button.assistive_msg.wishlist": { - "defaultMessage": "ほしい物リスト" - }, - "header.field.placeholder.search_for_products": { - "defaultMessage": "商品の検索..." - }, - "header.popover.action.log_out": { - "defaultMessage": "ログアウト" - }, - "header.popover.title.my_account": { - "defaultMessage": "マイアカウント" - }, - "home.description.features": { - "defaultMessage": "すぐに使える機能が用意されているため、機能の強化のみに注力できます。" - }, - "home.description.here_to_help": { - "defaultMessage": "サポート担当者にご連絡ください。" - }, - "home.description.here_to_help_line_2": { - "defaultMessage": "適切な部門におつなげします。" - }, - "home.description.shop_products": { - "defaultMessage": "このセクションには、カタログからのコンテンツが含まれています。カタログの置き換え方法に関する{docLink}。", - "description": "{docLink} is a html button that links the user to https://sfdc.co/business-manager-manage-catalogs" - }, - "home.features.description.cart_checkout": { - "defaultMessage": "eコマースの買い物客の買い物カゴと注文手続き体験のベストプラクティス。" - }, - "home.features.description.components": { - "defaultMessage": "Chakra UI を使用して構築された、シンプルなモジュラー型のアクセシブルな React コンポーネントライブラリ。" - }, - "home.features.description.einstein_recommendations": { - "defaultMessage": "商品レコメンデーションにより、次善の商品やオファーをすべての買い物客に提示します。" - }, - "home.features.description.my_account": { - "defaultMessage": "買い物客は、プロフィール、住所、支払、注文などのアカウント情報を管理できます。" - }, - "home.features.description.shopper_login": { - "defaultMessage": "買い物客がより簡単にログインし、よりパーソナル化された買い物体験を得られるようにします。" - }, - "home.features.description.wishlist": { - "defaultMessage": "登録済みの買い物客は商品をほしい物リストに追加し、あとで購入できるようにしておけます。" - }, - "home.features.heading.cart_checkout": { - "defaultMessage": "買い物カゴ & 注文手続き" - }, - "home.features.heading.components": { - "defaultMessage": "コンポーネント & 設計キット" - }, - "home.features.heading.einstein_recommendations": { - "defaultMessage": "Einstein レコメンデーション" - }, - "home.features.heading.my_account": { - "defaultMessage": "マイアカウント" - }, - "home.features.heading.shopper_login": { - "defaultMessage": "Shopper Login and API Access Service (SLAS)" - }, - "home.features.heading.wishlist": { - "defaultMessage": "ほしい物リスト" - }, - "home.heading.features": { - "defaultMessage": "機能" - }, - "home.heading.here_to_help": { - "defaultMessage": "弊社にお任せください" - }, - "home.heading.shop_products": { - "defaultMessage": "ショップの商品" - }, - "home.hero_features.link.design_kit": { - "defaultMessage": "Figma PWA Design Kit で作成" - }, - "home.hero_features.link.on_github": { - "defaultMessage": "Github でダウンロード" - }, - "home.hero_features.link.on_managed_runtime": { - "defaultMessage": "Managed Runtime でデプロイ" - }, - "home.link.contact_us": { - "defaultMessage": "お問い合わせ" - }, - "home.link.get_started": { - "defaultMessage": "開始する" - }, - "home.link.read_docs": { - "defaultMessage": "ドキュメントを読む" - }, - "home.title.react_starter_store": { - "defaultMessage": "リテール用 React PWA Starter Store" - }, - "icons.assistive_msg.lock": { - "defaultMessage": "セキュア" - }, - "item_attributes.label.promotions": { - "defaultMessage": "プロモーション" - }, - "item_attributes.label.quantity": { - "defaultMessage": "数量: {quantity}" - }, - "item_image.label.sale": { - "defaultMessage": "セール", - "description": "A sale badge placed on top of a product image" - }, - "item_image.label.unavailable": { - "defaultMessage": "入手不可", - "description": "A unavailable badge placed on top of a product image" - }, - "item_price.label.starting_at": { - "defaultMessage": "最低価格" - }, - "lCPCxk": { - "defaultMessage": "上記のすべてのオプションを選択してください" - }, - "list_menu.nav.assistive_msg": { - "defaultMessage": "メインナビゲーション" - }, - "locale_text.message.ar-SA": { - "defaultMessage": "アラビア語 (サウジアラビア)" - }, - "locale_text.message.bn-BD": { - "defaultMessage": "バングラ語 (バングラデシュ)" - }, - "locale_text.message.bn-IN": { - "defaultMessage": "バングラ語 (インド)" - }, - "locale_text.message.cs-CZ": { - "defaultMessage": "チェコ語 (チェコ共和国)" - }, - "locale_text.message.da-DK": { - "defaultMessage": "デンマーク語 (デンマーク)" - }, - "locale_text.message.de-AT": { - "defaultMessage": "ドイツ語 (オーストリア)" - }, - "locale_text.message.de-CH": { - "defaultMessage": "ドイツ語 (スイス)" - }, - "locale_text.message.de-DE": { - "defaultMessage": "ドイツ語 (ドイツ)" - }, - "locale_text.message.el-GR": { - "defaultMessage": "ギリシャ語 (ギリシャ)" - }, - "locale_text.message.en-AU": { - "defaultMessage": "英語 (オーストラリア)" - }, - "locale_text.message.en-CA": { - "defaultMessage": "英語 (カナダ)" - }, - "locale_text.message.en-GB": { - "defaultMessage": "英語 (英国)" - }, - "locale_text.message.en-IE": { - "defaultMessage": "英語 (アイルランド)" - }, - "locale_text.message.en-IN": { - "defaultMessage": "英語 (インド)" - }, - "locale_text.message.en-NZ": { - "defaultMessage": "英語 (ニュージーランド)" - }, - "locale_text.message.en-US": { - "defaultMessage": "英語 (米国)" - }, - "locale_text.message.en-ZA": { - "defaultMessage": "英語 (南アフリカ)" - }, - "locale_text.message.es-AR": { - "defaultMessage": "スペイン語 (アルゼンチン)" - }, - "locale_text.message.es-CL": { - "defaultMessage": "スペイン語 (チリ)" - }, - "locale_text.message.es-CO": { - "defaultMessage": "スペイン語 (コロンビア)" - }, - "locale_text.message.es-ES": { - "defaultMessage": "スペイン語 (スペイン)" - }, - "locale_text.message.es-MX": { - "defaultMessage": "スペイン語 (メキシコ)" - }, - "locale_text.message.es-US": { - "defaultMessage": "スペイン語 (米国)" - }, - "locale_text.message.fi-FI": { - "defaultMessage": "フィンランド語 (フィンランド)" - }, - "locale_text.message.fr-BE": { - "defaultMessage": "フランス語 (ベルギー)" - }, - "locale_text.message.fr-CA": { - "defaultMessage": "フランス語 (カナダ)" - }, - "locale_text.message.fr-CH": { - "defaultMessage": "フランス語 (スイス)" - }, - "locale_text.message.fr-FR": { - "defaultMessage": "フランス語 (フランス)" - }, - "locale_text.message.he-IL": { - "defaultMessage": "ヘブライ語 (イスラエル)" - }, - "locale_text.message.hi-IN": { - "defaultMessage": "ヒンディー語 (インド)" - }, - "locale_text.message.hu-HU": { - "defaultMessage": "ハンガリー語 (ハンガリー)" - }, - "locale_text.message.id-ID": { - "defaultMessage": "インドネシア語 (インドネシア)" - }, - "locale_text.message.it-CH": { - "defaultMessage": "イタリア語 (スイス)" - }, - "locale_text.message.it-IT": { - "defaultMessage": "イタリア語 (イタリア)" - }, - "locale_text.message.ja-JP": { - "defaultMessage": "日本語 (日本)" - }, - "locale_text.message.ko-KR": { - "defaultMessage": "韓国語 (韓国)" - }, - "locale_text.message.nl-BE": { - "defaultMessage": "オランダ語 (ベルギー)" - }, - "locale_text.message.nl-NL": { - "defaultMessage": "オランダ語 (オランダ)" - }, - "locale_text.message.no-NO": { - "defaultMessage": "ノルウェー語 (ノルウェー)" - }, - "locale_text.message.pl-PL": { - "defaultMessage": "ポーランド語 (ポーランド)" - }, - "locale_text.message.pt-BR": { - "defaultMessage": "ポルトガル語 (ブラジル)" - }, - "locale_text.message.pt-PT": { - "defaultMessage": "ポルトガル語 (ポルトガル)" - }, - "locale_text.message.ro-RO": { - "defaultMessage": "ルーマニア語 (ルーマニア)" - }, - "locale_text.message.ru-RU": { - "defaultMessage": "ロシア語 (ロシア連邦)" - }, - "locale_text.message.sk-SK": { - "defaultMessage": "スロバキア語 (スロバキア)" - }, - "locale_text.message.sv-SE": { - "defaultMessage": "スウェーデン語 (スウェーデン)" - }, - "locale_text.message.ta-IN": { - "defaultMessage": "タミール語 (インド)" - }, - "locale_text.message.ta-LK": { - "defaultMessage": "タミール語 (スリランカ)" - }, - "locale_text.message.th-TH": { - "defaultMessage": "タイ語 (タイ)" - }, - "locale_text.message.tr-TR": { - "defaultMessage": "トルコ語 (トルコ)" - }, - "locale_text.message.zh-CN": { - "defaultMessage": "中国語 (中国)" - }, - "locale_text.message.zh-HK": { - "defaultMessage": "中国語 (香港)" - }, - "locale_text.message.zh-TW": { - "defaultMessage": "中国語 (台湾)" - }, - "login_form.action.create_account": { - "defaultMessage": "アカウントの作成" - }, - "login_form.button.sign_in": { - "defaultMessage": "サインイン" - }, - "login_form.link.forgot_password": { - "defaultMessage": "パスワードを忘れましたか?" - }, - "login_form.message.dont_have_account": { - "defaultMessage": "アカウントをお持ちではありませんか?" - }, - "login_form.message.welcome_back": { - "defaultMessage": "お帰りなさい" - }, - "login_page.error.incorrect_username_or_password": { - "defaultMessage": "ユーザー名またはパスワードが間違っています。もう一度お試しください。" - }, - "offline_banner.description.browsing_offline_mode": { - "defaultMessage": "現在オフラインモードで閲覧しています" - }, - "order_summary.action.remove_promo": { - "defaultMessage": "削除" - }, - "order_summary.cart_items.action.num_of_items_in_cart": { - "defaultMessage": "{itemCount, plural, =0 {0 個の商品} one {# 個の商品} other {# 個の商品}}が買い物カゴに入っています", - "description": "clicking it would expand/show the items in cart" - }, - "order_summary.cart_items.link.edit_cart": { - "defaultMessage": "買い物カゴを編集する" - }, - "order_summary.heading.order_summary": { - "defaultMessage": "注文の概要" - }, - "order_summary.label.estimated_total": { - "defaultMessage": "見積合計金額" - }, - "order_summary.label.free": { - "defaultMessage": "無料" - }, - "order_summary.label.order_total": { - "defaultMessage": "ご注文金額合計" - }, - "order_summary.label.promo_applied": { - "defaultMessage": "プロモーションが適用されました" - }, - "order_summary.label.promotions_applied": { - "defaultMessage": "プロモーションが適用されました" - }, - "order_summary.label.shipping": { - "defaultMessage": "配送" - }, - "order_summary.label.subtotal": { - "defaultMessage": "小計" - }, - "order_summary.label.tax": { - "defaultMessage": "税金" - }, - "page_not_found.action.go_back": { - "defaultMessage": "前のページに戻る" - }, - "page_not_found.link.homepage": { - "defaultMessage": "ホームページに移動する" - }, - "page_not_found.message.suggestion_to_try": { - "defaultMessage": "アドレスを再入力するか、前のページに戻るか、ホームページに移動してください。" - }, - "page_not_found.title.page_cant_be_found": { - "defaultMessage": "お探しのページが見つかりません。" - }, - "pagination.field.num_of_pages": { - "defaultMessage": "/{numOfPages}" - }, - "pagination.link.next": { - "defaultMessage": "次へ" - }, - "pagination.link.next.assistive_msg": { - "defaultMessage": "次のページ" - }, - "pagination.link.prev": { - "defaultMessage": "前へ" - }, - "pagination.link.prev.assistive_msg": { - "defaultMessage": "前のページ" - }, - "password_card.info.password_updated": { - "defaultMessage": "パスワードが更新されました" - }, - "password_card.label.password": { - "defaultMessage": "パスワード" - }, - "password_card.title.password": { - "defaultMessage": "パスワード" - }, - "password_requirements.error.eight_letter_minimum": { - "defaultMessage": "最低 8 文字", - "description": "Password requirement" - }, - "password_requirements.error.one_lowercase_letter": { - "defaultMessage": "小文字 1 個", - "description": "Password requirement" - }, - "password_requirements.error.one_number": { - "defaultMessage": "数字 1 個", - "description": "Password requirement" - }, - "password_requirements.error.one_special_character": { - "defaultMessage": "特殊文字 (例: , S ! % #) 1 個", - "description": "Password requirement" - }, - "password_requirements.error.one_uppercase_letter": { - "defaultMessage": "大文字 1 個", - "description": "Password requirement" - }, - "payment_selection.heading.credit_card": { - "defaultMessage": "クレジットカード" - }, - "payment_selection.tooltip.secure_payment": { - "defaultMessage": "これは SSL 暗号化によるセキュアな支払方法です。" - }, - "price_per_item.label.each": { - "defaultMessage": "単価", - "description": "Abbreviated 'each', follows price per item, like $10/ea" - }, - "product_detail.accordion.button.product_detail": { - "defaultMessage": "商品の詳細" - }, - "product_detail.accordion.button.questions": { - "defaultMessage": "質問" - }, - "product_detail.accordion.button.reviews": { - "defaultMessage": "レビュー" - }, - "product_detail.accordion.button.size_fit": { - "defaultMessage": "サイズとフィット" - }, - "product_detail.accordion.message.coming_soon": { - "defaultMessage": "準備中" - }, - "product_detail.recommended_products.title.complete_set": { - "defaultMessage": "セットを完成" - }, - "product_detail.recommended_products.title.might_also_like": { - "defaultMessage": "こちらもどうぞ" - }, - "product_detail.recommended_products.title.recently_viewed": { - "defaultMessage": "最近見た商品" - }, - "product_item.label.quantity": { - "defaultMessage": "数量: " - }, - "product_list.button.filter": { - "defaultMessage": "フィルター" - }, - "product_list.button.sort_by": { - "defaultMessage": "並べ替え順: {sortOption}" - }, - "product_list.drawer.title.sort_by": { - "defaultMessage": "並べ替え順" - }, - "product_list.modal.button.clear_filters": { - "defaultMessage": "フィルターのクリア" - }, - "product_list.modal.button.view_items": { - "defaultMessage": "{prroductCount} 個の商品を表示" - }, - "product_list.modal.title.filter": { - "defaultMessage": "フィルター" - }, - "product_list.refinements.button.assistive_msg.add_filter": { - "defaultMessage": "フィルターの追加: {label}" - }, - "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": { - "defaultMessage": "フィルターの追加: {label} ({hitCount})" - }, - "product_list.refinements.button.assistive_msg.remove_filter": { - "defaultMessage": "フィルターの削除: {label}" - }, - "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": { - "defaultMessage": "フィルターの削除: {label} ({hitCount})" - }, - "product_list.select.sort_by": { - "defaultMessage": "並べ替え順: {sortOption}" - }, - "product_scroller.assistive_msg.scroll_left": { - "defaultMessage": "商品を左へスクロール" - }, - "product_scroller.assistive_msg.scroll_right": { - "defaultMessage": "商品を右へスクロール" - }, - "product_tile.assistive_msg.add_to_wishlist": { - "defaultMessage": "{product} をほしい物リストに追加" - }, - "product_tile.assistive_msg.remove_from_wishlist": { - "defaultMessage": "{product} をほしい物リストから削除" - }, - "product_tile.label.starting_at_price": { - "defaultMessage": "最低価格: {price}" - }, - "product_view.button.add_set_to_cart": { - "defaultMessage": "セットを買い物カゴに追加" - }, - "product_view.button.add_set_to_wishlist": { - "defaultMessage": "セットをほしい物リストに追加" - }, - "product_view.button.add_to_cart": { - "defaultMessage": "買い物カゴに追加" - }, - "product_view.button.add_to_wishlist": { - "defaultMessage": "ほしい物リストに追加" - }, - "product_view.button.update": { - "defaultMessage": "更新" - }, - "product_view.label.assistive_msg.quantity_decrement": { - "defaultMessage": "数量を減らす" - }, - "product_view.label.assistive_msg.quantity_increment": { - "defaultMessage": "数量を増やす" - }, - "product_view.label.quantity": { - "defaultMessage": "数量" - }, - "product_view.label.quantity_decrement": { - "defaultMessage": "−" - }, - "product_view.label.quantity_increment": { - "defaultMessage": "+" - }, - "product_view.label.starting_at_price": { - "defaultMessage": "最低価格" - }, - "product_view.label.variant_type": { - "defaultMessage": "{variantType}" - }, - "product_view.link.full_details": { - "defaultMessage": "すべての情報を表示" - }, - "profile_card.info.profile_updated": { - "defaultMessage": "プロフィールが更新されました" - }, - "profile_card.label.email": { - "defaultMessage": "Eメール" - }, - "profile_card.label.full_name": { - "defaultMessage": "氏名" - }, - "profile_card.label.phone": { - "defaultMessage": "電話番号" - }, - "profile_card.message.not_provided": { - "defaultMessage": "指定されていません" - }, - "profile_card.title.my_profile": { - "defaultMessage": "マイプロフィール" - }, - "promo_code_fields.button.apply": { - "defaultMessage": "適用" - }, - "promo_popover.assistive_msg.info": { - "defaultMessage": "情報" - }, - "promo_popover.heading.promo_applied": { - "defaultMessage": "プロモーションが適用されました" - }, - "promocode.accordion.button.have_promocode": { - "defaultMessage": "プロモーションコードをお持ちですか?" - }, - "recent_searches.action.clear_searches": { - "defaultMessage": "最近の検索をクリア" - }, - "recent_searches.heading.recent_searches": { - "defaultMessage": "最近の検索" - }, - "register_form.action.sign_in": { - "defaultMessage": "サインイン" - }, - "register_form.button.create_account": { - "defaultMessage": "アカウントの作成" - }, - "register_form.heading.lets_get_started": { - "defaultMessage": "さあ、始めましょう!" - }, - "register_form.message.agree_to_policy_terms": { - "defaultMessage": "アカウントを作成した場合、Salesforce のプライバシーポリシー使用条件にご同意いただいたものと見なされます" - }, - "register_form.message.already_have_account": { - "defaultMessage": "すでにアカウントをお持ちですか?" - }, - "register_form.message.create_an_account": { - "defaultMessage": "アカウントを作成すると、売れ筋商品、インスピレーション、コミュニティに最初にアクセスできます。" - }, - "reset_password.button.back_to_sign_in": { - "defaultMessage": "サインインに戻る" - }, - "reset_password.info.receive_email_shortly": { - "defaultMessage": "パスワードリセットのリンクが記載された Eメールがまもなく {email} に届きます。" - }, - "reset_password.title.password_reset": { - "defaultMessage": "パスワードのリセット" - }, - "reset_password_form.action.sign_in": { - "defaultMessage": "サインイン" - }, - "reset_password_form.button.reset_password": { - "defaultMessage": "パスワードのリセット" - }, - "reset_password_form.message.enter_your_email": { - "defaultMessage": "パスワードのリセット方法を受け取るには Eメールを入力してください" - }, - "reset_password_form.message.return_to_sign_in": { - "defaultMessage": "または次のリンクをクリックしてください: ", - "description": "Precedes link to return to sign in" - }, - "reset_password_form.title.reset_password": { - "defaultMessage": "パスワードのリセット" - }, - "search.action.cancel": { - "defaultMessage": "キャンセル" - }, - "selected_refinements.action.assistive_msg.clear_all": { - "defaultMessage": "すべてのフィルターをクリア" - }, - "selected_refinements.action.clear_all": { - "defaultMessage": "すべてクリア" - }, - "shipping_address.button.continue_to_shipping": { - "defaultMessage": "配送方法に進む" - }, - "shipping_address.title.shipping_address": { - "defaultMessage": "配送先住所" - }, - "shipping_address_edit_form.button.save_and_continue": { - "defaultMessage": "保存して配送方法に進む" - }, - "shipping_address_form.heading.edit_address": { - "defaultMessage": "住所を編集する" - }, - "shipping_address_form.heading.new_address": { - "defaultMessage": "新しい住所の追加" - }, - "shipping_address_selection.button.add_address": { - "defaultMessage": "新しい住所の追加" - }, - "shipping_address_selection.button.submit": { - "defaultMessage": "送信" - }, - "shipping_address_selection.title.add_address": { - "defaultMessage": "新しい住所の追加" - }, - "shipping_address_selection.title.edit_shipping": { - "defaultMessage": "配送先住所の編集" - }, - "shipping_options.action.send_as_a_gift": { - "defaultMessage": "ギフトとして発送しますか?" - }, - "shipping_options.button.continue_to_payment": { - "defaultMessage": "支払に進む" - }, - "shipping_options.title.shipping_gift_options": { - "defaultMessage": "配送とギフトのオプション" - }, - "signout_confirmation_dialog.button.cancel": { - "defaultMessage": "キャンセル" - }, - "signout_confirmation_dialog.button.sign_out": { - "defaultMessage": "サインアウト" - }, - "signout_confirmation_dialog.heading.sign_out": { - "defaultMessage": "サインアウト" - }, - "signout_confirmation_dialog.message.sure_to_sign_out": { - "defaultMessage": "サインアウトしますか?現在のご注文を処理するには、再度サインインする必要があります。" - }, - "swatch_group.selected.label": { - "defaultMessage": "{label}: " - }, - "toggle_card.action.edit": { - "defaultMessage": "編集" - }, - "update_password_fields.button.forgot_password": { - "defaultMessage": "パスワードを忘れましたか?" - }, - "use_address_fields.error.please_enter_first_name": { - "defaultMessage": "名を入力してください。" - }, - "use_address_fields.error.please_enter_last_name": { - "defaultMessage": "姓を入力してください。" - }, - "use_address_fields.error.please_enter_phone_number": { - "defaultMessage": "電話番号を入力してください。" - }, - "use_address_fields.error.please_enter_your_postal_or_zip": { - "defaultMessage": "郵便番号を入力してください。" - }, - "use_address_fields.error.please_select_your_address": { - "defaultMessage": "住所を入力してください。" - }, - "use_address_fields.error.please_select_your_city": { - "defaultMessage": "市区町村を入力してください。" - }, - "use_address_fields.error.please_select_your_country": { - "defaultMessage": "国を選択してください。" - }, - "use_address_fields.error.please_select_your_state_or_province": { - "defaultMessage": "州を選択してください。" - }, - "use_address_fields.error.required": { - "defaultMessage": "必須" - }, - "use_address_fields.error.state_code_invalid": { - "defaultMessage": "2 文字の州コードを入力してください。" - }, - "use_address_fields.label.address": { - "defaultMessage": "住所" - }, - "use_address_fields.label.address_form": { - "defaultMessage": "住所フォーム" - }, - "use_address_fields.label.city": { - "defaultMessage": "市区町村" - }, - "use_address_fields.label.country": { - "defaultMessage": "国" - }, - "use_address_fields.label.first_name": { - "defaultMessage": "名" - }, - "use_address_fields.label.last_name": { - "defaultMessage": "姓" - }, - "use_address_fields.label.phone": { - "defaultMessage": "電話" - }, - "use_address_fields.label.postal_code": { - "defaultMessage": "郵便番号" - }, - "use_address_fields.label.preferred": { - "defaultMessage": "デフォルトとして設定" - }, - "use_address_fields.label.province": { - "defaultMessage": "州" - }, - "use_address_fields.label.state": { - "defaultMessage": "州" - }, - "use_address_fields.label.zipCode": { - "defaultMessage": "郵便番号" - }, - "use_credit_card_fields.error.required": { - "defaultMessage": "必須" - }, - "use_credit_card_fields.error.required_card_number": { - "defaultMessage": "カード番号を入力してください" - }, - "use_credit_card_fields.error.required_expiry": { - "defaultMessage": "有効期限を入力してください。" - }, - "use_credit_card_fields.error.required_name": { - "defaultMessage": "カードに記載されている名前を入力してください。" - }, - "use_credit_card_fields.error.required_security_code": { - "defaultMessage": "セキュリティコードを入力してください。" - }, - "use_credit_card_fields.error.valid_card_number": { - "defaultMessage": "有効なカード番号を入力してください。" - }, - "use_credit_card_fields.error.valid_date": { - "defaultMessage": "有効な日付を入力してください。" - }, - "use_credit_card_fields.error.valid_name": { - "defaultMessage": "有効な名前を入力してください。" - }, - "use_credit_card_fields.error.valid_security_code": { - "defaultMessage": "有効なセキュリティコードを入力してください。" - }, - "use_credit_card_fields.label.card_number": { - "defaultMessage": "カード番号" - }, - "use_credit_card_fields.label.card_type": { - "defaultMessage": "カードタイプ" - }, - "use_credit_card_fields.label.expiry": { - "defaultMessage": "有効期限" - }, - "use_credit_card_fields.label.name": { - "defaultMessage": "カードに記載されている名前" - }, - "use_credit_card_fields.label.security_code": { - "defaultMessage": "セキュリティコード" - }, - "use_login_fields.error.required_email": { - "defaultMessage": "Eメールアドレスを入力してください。" - }, - "use_login_fields.error.required_password": { - "defaultMessage": "パスワードを入力してください。" - }, - "use_login_fields.label.email": { - "defaultMessage": "Eメール" - }, - "use_login_fields.label.password": { - "defaultMessage": "パスワード" - }, - "use_product.message.inventory_remaining": { - "defaultMessage": "残り {stockLevel} 点!" - }, - "use_product.message.out_of_stock": { - "defaultMessage": "在庫切れ" - }, - "use_profile_fields.error.required_email": { - "defaultMessage": "有効な Eメールアドレスを入力してください。" - }, - "use_profile_fields.error.required_first_name": { - "defaultMessage": "名を入力してください。" - }, - "use_profile_fields.error.required_last_name": { - "defaultMessage": "姓を入力してください。" - }, - "use_profile_fields.error.required_phone": { - "defaultMessage": "電話番号を入力してください。" - }, - "use_profile_fields.label.email": { - "defaultMessage": "Eメール" - }, - "use_profile_fields.label.first_name": { - "defaultMessage": "名" - }, - "use_profile_fields.label.last_name": { - "defaultMessage": "姓" - }, - "use_profile_fields.label.phone": { - "defaultMessage": "電話番号" - }, - "use_promo_code_fields.error.required_promo_code": { - "defaultMessage": "有効なプロモーションコードを入力してください。" - }, - "use_promo_code_fields.label.promo_code": { - "defaultMessage": "プロモーションコード" - }, - "use_promocode.error.check_the_code": { - "defaultMessage": "コードを確認してもう一度お試しください。コードはすでに使用済みか、または有効期限が切れている可能性があります。" - }, - "use_promocode.info.promo_applied": { - "defaultMessage": "プロモーションが適用されました" - }, - "use_promocode.info.promo_removed": { - "defaultMessage": "プロモーションが削除されました" - }, - "use_registration_fields.error.contain_number": { - "defaultMessage": "パスワードには、少なくとも 1 個の数字を含める必要があります。" - }, - "use_registration_fields.error.lowercase_letter": { - "defaultMessage": "パスワードには、少なくとも 1 個の小文字を含める必要があります。" - }, - "use_registration_fields.error.minimum_characters": { - "defaultMessage": "パスワードには、少なくとも 8 文字を含める必要があります。" - }, - "use_registration_fields.error.required_email": { - "defaultMessage": "有効な Eメールアドレスを入力してください。" - }, - "use_registration_fields.error.required_first_name": { - "defaultMessage": "名を入力してください。" - }, - "use_registration_fields.error.required_last_name": { - "defaultMessage": "姓を入力してください。" - }, - "use_registration_fields.error.required_password": { - "defaultMessage": "パスワードを作成してください。" - }, - "use_registration_fields.error.special_character": { - "defaultMessage": "パスワードには、少なくとも 1 個の特殊文字を含める必要があります。" - }, - "use_registration_fields.error.uppercase_letter": { - "defaultMessage": "パスワードには、少なくとも 1 個の大文字を含める必要があります。" - }, - "use_registration_fields.label.email": { - "defaultMessage": "Eメール" - }, - "use_registration_fields.label.first_name": { - "defaultMessage": "名" - }, - "use_registration_fields.label.last_name": { - "defaultMessage": "姓" - }, - "use_registration_fields.label.password": { - "defaultMessage": "パスワード" - }, - "use_registration_fields.label.sign_up_to_emails": { - "defaultMessage": "Salesforce Eメールにサインアップする (購読はいつでも解除できます)" - }, - "use_reset_password_fields.error.required_email": { - "defaultMessage": "有効な Eメールアドレスを入力してください。" - }, - "use_reset_password_fields.label.email": { - "defaultMessage": "Eメール" - }, - "use_update_password_fields.error.contain_number": { - "defaultMessage": "パスワードには、少なくとも 1 個の数字を含める必要があります。" - }, - "use_update_password_fields.error.lowercase_letter": { - "defaultMessage": "パスワードには、少なくとも 1 個の小文字を含める必要があります。" - }, - "use_update_password_fields.error.minimum_characters": { - "defaultMessage": "パスワードには、少なくとも 8 文字を含める必要があります。" - }, - "use_update_password_fields.error.required_new_password": { - "defaultMessage": "新しいパスワードを入力してください。" - }, - "use_update_password_fields.error.required_password": { - "defaultMessage": "パスワードを入力してください。" - }, - "use_update_password_fields.error.special_character": { - "defaultMessage": "パスワードには、少なくとも 1 個の特殊文字を含める必要があります。" - }, - "use_update_password_fields.error.uppercase_letter": { - "defaultMessage": "パスワードには、少なくとも 1 個の大文字を含める必要があります。" - }, - "use_update_password_fields.label.current_password": { - "defaultMessage": "現在のパスワード" - }, - "use_update_password_fields.label.new_password": { - "defaultMessage": "新しいパスワード:" - }, - "wishlist_primary_action.button.add_set_to_cart": { - "defaultMessage": "セットを買い物カゴに追加" - }, - "wishlist_primary_action.button.add_to_cart": { - "defaultMessage": "買い物カゴに追加" - }, - "wishlist_primary_action.button.view_full_details": { - "defaultMessage": "すべての情報を表示" - }, - "wishlist_primary_action.button.view_options": { - "defaultMessage": "オプションを表示" - }, - "wishlist_primary_action.info.added_to_cart": { - "defaultMessage": "{quantity} {quantity, plural, one { 個の商品} other { 個の商品}}が買い物カゴに追加されました" - }, - "wishlist_secondary_button_group.action.remove": { - "defaultMessage": "削除" - }, - "wishlist_secondary_button_group.info.item_removed": { - "defaultMessage": "ほしい物リストから商品が削除されました" - }, - "with_registration.info.please_sign_in": { - "defaultMessage": "先に進むにはサインインしてください!" - } -} diff --git a/my-test-project/translations/ko-KR.json b/my-test-project/translations/ko-KR.json deleted file mode 100644 index 65edc6a05d..0000000000 --- a/my-test-project/translations/ko-KR.json +++ /dev/null @@ -1,1517 +0,0 @@ -{ - "account.accordion.button.my_account": { - "defaultMessage": "내 계정" - }, - "account.heading.my_account": { - "defaultMessage": "내 계정" - }, - "account.logout_button.button.log_out": { - "defaultMessage": "로그아웃" - }, - "account_addresses.badge.default": { - "defaultMessage": "기본값" - }, - "account_addresses.button.add_address": { - "defaultMessage": "주소 추가" - }, - "account_addresses.info.address_removed": { - "defaultMessage": "주소가 제거됨" - }, - "account_addresses.info.address_updated": { - "defaultMessage": "주소가 업데이트됨" - }, - "account_addresses.info.new_address_saved": { - "defaultMessage": "새 주소가 저장됨" - }, - "account_addresses.page_action_placeholder.button.add_address": { - "defaultMessage": "주소 추가" - }, - "account_addresses.page_action_placeholder.heading.no_saved_addresses": { - "defaultMessage": "저장된 주소 없음" - }, - "account_addresses.page_action_placeholder.message.add_new_address": { - "defaultMessage": "빠른 체크아웃을 위해 새 주소를 추가합니다." - }, - "account_addresses.title.addresses": { - "defaultMessage": "주소" - }, - "account_detail.title.account_details": { - "defaultMessage": "계정 세부 정보" - }, - "account_order_detail.heading.billing_address": { - "defaultMessage": "청구 주소" - }, - "account_order_detail.heading.num_of_items": { - "defaultMessage": "{count}개 항목" - }, - "account_order_detail.heading.payment_method": { - "defaultMessage": "결제 방법" - }, - "account_order_detail.heading.shipping_address": { - "defaultMessage": "배송 주소" - }, - "account_order_detail.heading.shipping_method": { - "defaultMessage": "배송 방법" - }, - "account_order_detail.label.order_number": { - "defaultMessage": "주문 번호: {orderNumber}" - }, - "account_order_detail.label.ordered_date": { - "defaultMessage": "주문 날짜: {date}" - }, - "account_order_detail.label.pending_tracking_number": { - "defaultMessage": "대기 중" - }, - "account_order_detail.label.tracking_number": { - "defaultMessage": "추적 번호" - }, - "account_order_detail.link.back_to_history": { - "defaultMessage": "주문 내역으로 돌아가기" - }, - "account_order_detail.shipping_status.not_shipped": { - "defaultMessage": "출고되지 않음" - }, - "account_order_detail.shipping_status.part_shipped": { - "defaultMessage": "부분 출고됨" - }, - "account_order_detail.shipping_status.shipped": { - "defaultMessage": "출고됨" - }, - "account_order_detail.title.order_details": { - "defaultMessage": "주문 세부 정보" - }, - "account_order_history.button.continue_shopping": { - "defaultMessage": "계속 쇼핑하기" - }, - "account_order_history.description.once_you_place_order": { - "defaultMessage": "주문을 하면 여기에 세부 정보가 표시됩니다." - }, - "account_order_history.heading.no_order_yet": { - "defaultMessage": "아직 주문한 내역이 없습니다." - }, - "account_order_history.label.num_of_items": { - "defaultMessage": "{count}개 항목", - "description": "Number of items in order" - }, - "account_order_history.label.order_number": { - "defaultMessage": "주문 번호: {orderNumber}" - }, - "account_order_history.label.ordered_date": { - "defaultMessage": "주문 날짜: {date}" - }, - "account_order_history.label.shipped_to": { - "defaultMessage": "받는 사람: {name}" - }, - "account_order_history.link.view_details": { - "defaultMessage": "세부 정보 보기" - }, - "account_order_history.title.order_history": { - "defaultMessage": "주문 내역" - }, - "account_wishlist.button.continue_shopping": { - "defaultMessage": "계속 쇼핑하기" - }, - "account_wishlist.description.continue_shopping": { - "defaultMessage": "계속 쇼핑하면서 위시리스트에 항목을 추가합니다." - }, - "account_wishlist.heading.no_wishlist": { - "defaultMessage": "위시리스트 항목 없음" - }, - "account_wishlist.title.wishlist": { - "defaultMessage": "위시리스트" - }, - "action_card.action.edit": { - "defaultMessage": "편집" - }, - "action_card.action.remove": { - "defaultMessage": "제거" - }, - "add_to_cart_modal.info.added_to_cart": { - "defaultMessage": "{quantity} {quantity, plural, one {개 항목} other {개 항목}}이 카트에 추가됨" - }, - "add_to_cart_modal.label.cart_subtotal": { - "defaultMessage": "카트 소계({itemAccumulatedCount}개 항목)" - }, - "add_to_cart_modal.label.quantity": { - "defaultMessage": "수량" - }, - "add_to_cart_modal.link.checkout": { - "defaultMessage": "체크아웃 진행" - }, - "add_to_cart_modal.link.view_cart": { - "defaultMessage": "카트 보기" - }, - "add_to_cart_modal.recommended_products.title.might_also_like": { - "defaultMessage": "추천 상품" - }, - "auth_modal.button.close.assistive_msg": { - "defaultMessage": "로그인 양식 닫기" - }, - "auth_modal.description.now_signed_in": { - "defaultMessage": "이제 로그인되었습니다." - }, - "auth_modal.error.incorrect_email_or_password": { - "defaultMessage": "이메일 또는 암호가 잘못되었습니다. 다시 시도하십시오." - }, - "auth_modal.info.welcome_user": { - "defaultMessage": "{name} 님 안녕하세요." - }, - "auth_modal.password_reset_success.button.back_to_sign_in": { - "defaultMessage": "로그인 페이지로 돌아가기" - }, - "auth_modal.password_reset_success.info.will_email_shortly": { - "defaultMessage": "{email}(으)로 암호 재설정 링크가 포함된 이메일이 곧 발송됩니다." - }, - "auth_modal.password_reset_success.title.password_reset": { - "defaultMessage": "암호 재설정" - }, - "carousel.button.scroll_left.assistive_msg": { - "defaultMessage": "회전식 보기 왼쪽으로 스크롤" - }, - "carousel.button.scroll_right.assistive_msg": { - "defaultMessage": "회전식 보기 오른쪽으로 스크롤" - }, - "cart.info.removed_from_cart": { - "defaultMessage": "항목이 카트에서 제거됨" - }, - "cart.recommended_products.title.may_also_like": { - "defaultMessage": "추천 상품" - }, - "cart.recommended_products.title.recently_viewed": { - "defaultMessage": "최근에 봄" - }, - "cart_cta.link.checkout": { - "defaultMessage": "체크아웃 진행" - }, - "cart_secondary_button_group.action.added_to_wishlist": { - "defaultMessage": "위시리스트에 추가" - }, - "cart_secondary_button_group.action.edit": { - "defaultMessage": "편집" - }, - "cart_secondary_button_group.action.remove": { - "defaultMessage": "제거" - }, - "cart_secondary_button_group.label.this_is_gift": { - "defaultMessage": "선물로 구매" - }, - "cart_skeleton.heading.order_summary": { - "defaultMessage": "주문 요약" - }, - "cart_skeleton.title.cart": { - "defaultMessage": "카트" - }, - "cart_title.title.cart_num_of_items": { - "defaultMessage": "카트({itemCount, plural, =0 {0개 항목} one {#개 항목} other {#개 항목}})" - }, - "cc_radio_group.action.remove": { - "defaultMessage": "제거" - }, - "cc_radio_group.button.add_new_card": { - "defaultMessage": "새 카드 추가" - }, - "checkout.button.place_order": { - "defaultMessage": "주문하기" - }, - "checkout.message.generic_error": { - "defaultMessage": "체크아웃하는 중에 예상치 못한 오류가 발생했습니다. " - }, - "checkout_confirmation.button.create_account": { - "defaultMessage": "계정 생성" - }, - "checkout_confirmation.heading.billing_address": { - "defaultMessage": "청구 주소" - }, - "checkout_confirmation.heading.create_account": { - "defaultMessage": "빠른 체크아웃을 위해 계정을 만듭니다." - }, - "checkout_confirmation.heading.credit_card": { - "defaultMessage": "신용카드" - }, - "checkout_confirmation.heading.delivery_details": { - "defaultMessage": "배송 세부 정보" - }, - "checkout_confirmation.heading.order_summary": { - "defaultMessage": "주문 요약" - }, - "checkout_confirmation.heading.payment_details": { - "defaultMessage": "결제 세부 정보" - }, - "checkout_confirmation.heading.shipping_address": { - "defaultMessage": "배송 주소" - }, - "checkout_confirmation.heading.shipping_method": { - "defaultMessage": "배송 방법" - }, - "checkout_confirmation.heading.thank_you_for_order": { - "defaultMessage": "주문해 주셔서 감사합니다." - }, - "checkout_confirmation.label.free": { - "defaultMessage": "무료" - }, - "checkout_confirmation.label.order_number": { - "defaultMessage": "주문 번호" - }, - "checkout_confirmation.label.order_total": { - "defaultMessage": "주문 합계" - }, - "checkout_confirmation.label.promo_applied": { - "defaultMessage": "프로모션이 적용됨" - }, - "checkout_confirmation.label.shipping": { - "defaultMessage": "배송" - }, - "checkout_confirmation.label.subtotal": { - "defaultMessage": "소계" - }, - "checkout_confirmation.label.tax": { - "defaultMessage": "세금" - }, - "checkout_confirmation.link.continue_shopping": { - "defaultMessage": "계속 쇼핑하기" - }, - "checkout_confirmation.link.login": { - "defaultMessage": "여기서 로그인하십시오." - }, - "checkout_confirmation.message.already_has_account": { - "defaultMessage": "이 이메일을 사용한 계정이 이미 있습니다." - }, - "checkout_confirmation.message.num_of_items_in_order": { - "defaultMessage": "{itemCount, plural, =0 {0개 항목} one {#개 항목} other {#개 항목}}", - "description": "# item(s) in order" - }, - "checkout_confirmation.message.will_email_shortly": { - "defaultMessage": "{email}(으)로 확인 번호와 영수증이 포함된 이메일을 곧 보내드리겠습니다." - }, - "checkout_footer.link.privacy_policy": { - "defaultMessage": "개인정보보호 정책" - }, - "checkout_footer.link.returns_exchanges": { - "defaultMessage": "반품 및 교환" - }, - "checkout_footer.link.shipping": { - "defaultMessage": "배송" - }, - "checkout_footer.link.site_map": { - "defaultMessage": "사이트 맵" - }, - "checkout_footer.link.terms_conditions": { - "defaultMessage": "이용 약관" - }, - "checkout_footer.message.copyright": { - "defaultMessage": "Salesforce or its affiliates. All rights reserved. 데모용 매장입니다. 주문이 처리되지 않습니다." - }, - "checkout_header.link.assistive_msg.cart": { - "defaultMessage": "카트로 돌아가기, 품목 수: {numItems}" - }, - "checkout_header.link.cart": { - "defaultMessage": "카트로 돌아가기" - }, - "checkout_payment.action.remove": { - "defaultMessage": "제거" - }, - "checkout_payment.button.review_order": { - "defaultMessage": "주문 검토" - }, - "checkout_payment.heading.billing_address": { - "defaultMessage": "청구 주소" - }, - "checkout_payment.heading.credit_card": { - "defaultMessage": "신용카드" - }, - "checkout_payment.label.same_as_shipping": { - "defaultMessage": "배송 주소와 동일" - }, - "checkout_payment.title.payment": { - "defaultMessage": "결제" - }, - "colorRefinements.label.hitCount": { - "defaultMessage": "{colorLabel}({colorHitCount})" - }, - "confirmation_modal.default.action.no": { - "defaultMessage": "아니요" - }, - "confirmation_modal.default.action.yes": { - "defaultMessage": "예" - }, - "confirmation_modal.default.message.you_want_to_continue": { - "defaultMessage": "계속하시겠습니까?" - }, - "confirmation_modal.default.title.confirm_action": { - "defaultMessage": "작업 확인" - }, - "confirmation_modal.remove_cart_item.action.no": { - "defaultMessage": "아니요. 항목을 그대로 둡니다." - }, - "confirmation_modal.remove_cart_item.action.remove": { - "defaultMessage": "제거" - }, - "confirmation_modal.remove_cart_item.action.yes": { - "defaultMessage": "예. 항목을 제거합니다." - }, - "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": { - "defaultMessage": "더 이상 온라인으로 구매할 수 없는 일부 품목이 카트에서 제거됩니다." - }, - "confirmation_modal.remove_cart_item.message.sure_to_remove": { - "defaultMessage": "이 항목을 카트에서 제거하시겠습니까?" - }, - "confirmation_modal.remove_cart_item.title.confirm_remove": { - "defaultMessage": "항목 제거 확인" - }, - "confirmation_modal.remove_cart_item.title.items_unavailable": { - "defaultMessage": "품목 구매 불가" - }, - "confirmation_modal.remove_wishlist_item.action.no": { - "defaultMessage": "아니요. 항목을 그대로 둡니다." - }, - "confirmation_modal.remove_wishlist_item.action.yes": { - "defaultMessage": "예. 항목을 제거합니다." - }, - "confirmation_modal.remove_wishlist_item.message.sure_to_remove": { - "defaultMessage": "이 항목을 위시리스트에서 제거하시겠습니까?" - }, - "confirmation_modal.remove_wishlist_item.title.confirm_remove": { - "defaultMessage": "항목 제거 확인" - }, - "contact_info.action.sign_out": { - "defaultMessage": "로그아웃" - }, - "contact_info.button.already_have_account": { - "defaultMessage": "계정이 이미 있습니까? 로그인" - }, - "contact_info.button.checkout_as_guest": { - "defaultMessage": "비회원으로 체크아웃" - }, - "contact_info.button.login": { - "defaultMessage": "로그인" - }, - "contact_info.error.incorrect_username_or_password": { - "defaultMessage": "사용자 이름 또는 암호가 올바르지 않습니다. 다시 시도하십시오." - }, - "contact_info.link.forgot_password": { - "defaultMessage": "암호가 기억나지 않습니까?" - }, - "contact_info.title.contact_info": { - "defaultMessage": "연락처 정보" - }, - "credit_card_fields.tool_tip.security_code": { - "defaultMessage": "이 3자리 코드는 카드의 뒷면에서 확인할 수 있습니다.", - "description": "Generic credit card security code help text" - }, - "credit_card_fields.tool_tip.security_code.american_express": { - "defaultMessage": "이 4자리 코드는 카드의 전면에서 확인할 수 있습니다.", - "description": "American Express security code help text" - }, - "credit_card_fields.tool_tip.security_code_aria_label": { - "defaultMessage": "보안 코드 정보" - }, - "drawer_menu.button.account_details": { - "defaultMessage": "계정 세부 정보" - }, - "drawer_menu.button.addresses": { - "defaultMessage": "주소" - }, - "drawer_menu.button.log_out": { - "defaultMessage": "로그아웃" - }, - "drawer_menu.button.my_account": { - "defaultMessage": "내 계정" - }, - "drawer_menu.button.order_history": { - "defaultMessage": "주문 내역" - }, - "drawer_menu.link.about_us": { - "defaultMessage": "회사 정보" - }, - "drawer_menu.link.customer_support": { - "defaultMessage": "고객 지원" - }, - "drawer_menu.link.customer_support.contact_us": { - "defaultMessage": "문의" - }, - "drawer_menu.link.customer_support.shipping_and_returns": { - "defaultMessage": "배송 및 반품" - }, - "drawer_menu.link.our_company": { - "defaultMessage": "회사" - }, - "drawer_menu.link.privacy_and_security": { - "defaultMessage": "개인정보보호 및 보안" - }, - "drawer_menu.link.privacy_policy": { - "defaultMessage": "개인정보보호 정책" - }, - "drawer_menu.link.shop_all": { - "defaultMessage": "모두 구매" - }, - "drawer_menu.link.sign_in": { - "defaultMessage": "로그인" - }, - "drawer_menu.link.site_map": { - "defaultMessage": "사이트 맵" - }, - "drawer_menu.link.store_locator": { - "defaultMessage": "매장 찾기" - }, - "drawer_menu.link.terms_and_conditions": { - "defaultMessage": "이용 약관" - }, - "empty_cart.description.empty_cart": { - "defaultMessage": "카트가 비어 있습니다." - }, - "empty_cart.link.continue_shopping": { - "defaultMessage": "계속 쇼핑하기" - }, - "empty_cart.link.sign_in": { - "defaultMessage": "로그인" - }, - "empty_cart.message.continue_shopping": { - "defaultMessage": "계속 쇼핑하면서 카트에 항목을 추가합니다." - }, - "empty_cart.message.sign_in_or_continue_shopping": { - "defaultMessage": "로그인하여 저장된 항목을 검색하거나 쇼핑을 계속하십시오." - }, - "empty_search_results.info.cant_find_anything_for_category": { - "defaultMessage": "{category}에 해당하는 항목을 찾을 수 없습니다. 제품을 검색하거나 {link}을(를) 클릭해 보십시오." - }, - "empty_search_results.info.cant_find_anything_for_query": { - "defaultMessage": "'{searchQuery}'에 해당하는 항목을 찾을 수 없습니다." - }, - "empty_search_results.info.double_check_spelling": { - "defaultMessage": "철자를 다시 확인하고 다시 시도하거나 {link}을(를) 클릭해 보십시오." - }, - "empty_search_results.link.contact_us": { - "defaultMessage": "문의" - }, - "empty_search_results.recommended_products.title.most_viewed": { - "defaultMessage": "가장 많이 본 항목" - }, - "empty_search_results.recommended_products.title.top_sellers": { - "defaultMessage": "탑셀러" - }, - "field.password.assistive_msg.hide_password": { - "defaultMessage": "암호 숨기기" - }, - "field.password.assistive_msg.show_password": { - "defaultMessage": "암호 표시" - }, - "footer.column.account": { - "defaultMessage": "계정" - }, - "footer.column.customer_support": { - "defaultMessage": "고객 지원" - }, - "footer.column.our_company": { - "defaultMessage": "회사" - }, - "footer.link.about_us": { - "defaultMessage": "회사 정보" - }, - "footer.link.contact_us": { - "defaultMessage": "문의" - }, - "footer.link.order_status": { - "defaultMessage": "주문 상태" - }, - "footer.link.privacy_policy": { - "defaultMessage": "개인정보보호 정책" - }, - "footer.link.shipping": { - "defaultMessage": "배송" - }, - "footer.link.signin_create_account": { - "defaultMessage": "로그인 또는 계정 생성" - }, - "footer.link.site_map": { - "defaultMessage": "사이트 맵" - }, - "footer.link.store_locator": { - "defaultMessage": "매장 찾기" - }, - "footer.link.terms_conditions": { - "defaultMessage": "이용 약관" - }, - "footer.message.copyright": { - "defaultMessage": "Salesforce or its affiliates. All rights reserved. 데모용 매장입니다. 주문이 처리되지 않습니다." - }, - "footer.subscribe.button.sign_up": { - "defaultMessage": "가입하기" - }, - "footer.subscribe.description.sign_up": { - "defaultMessage": "특별한 구매 기회를 놓치지 않으려면 가입하세요." - }, - "footer.subscribe.heading.first_to_know": { - "defaultMessage": "최신 정보를 누구보다 빨리 받아보세요." - }, - "form_action_buttons.button.cancel": { - "defaultMessage": "취소" - }, - "form_action_buttons.button.save": { - "defaultMessage": "저장" - }, - "global.account.link.account_details": { - "defaultMessage": "계정 세부 정보" - }, - "global.account.link.addresses": { - "defaultMessage": "주소" - }, - "global.account.link.order_history": { - "defaultMessage": "주문 내역" - }, - "global.account.link.wishlist": { - "defaultMessage": "위시리스트" - }, - "global.error.something_went_wrong": { - "defaultMessage": "문제가 발생했습니다. 다시 시도하십시오." - }, - "global.info.added_to_wishlist": { - "defaultMessage": "{quantity} {quantity, plural, one {개 항목} other {개 항목}}이 위시리스트에 추가됨" - }, - "global.info.already_in_wishlist": { - "defaultMessage": "이미 위시리스트에 추가한 품목" - }, - "global.info.removed_from_wishlist": { - "defaultMessage": "항목이 위시리스트에서 제거됨" - }, - "global.link.added_to_wishlist.view_wishlist": { - "defaultMessage": "보기" - }, - "header.button.assistive_msg.logo": { - "defaultMessage": "로고" - }, - "header.button.assistive_msg.menu": { - "defaultMessage": "메뉴" - }, - "header.button.assistive_msg.my_account": { - "defaultMessage": "내 계정" - }, - "header.button.assistive_msg.my_account_menu": { - "defaultMessage": "계정 메뉴 열기" - }, - "header.button.assistive_msg.my_cart_with_num_items": { - "defaultMessage": "내 카트, 품목 수: {numItems}" - }, - "header.button.assistive_msg.wishlist": { - "defaultMessage": "위시리스트" - }, - "header.field.placeholder.search_for_products": { - "defaultMessage": "제품 검색..." - }, - "header.popover.action.log_out": { - "defaultMessage": "로그아웃" - }, - "header.popover.title.my_account": { - "defaultMessage": "내 계정" - }, - "home.description.features": { - "defaultMessage": "향상된 기능을 추가하는 데 집중할 수 있도록 기본 기능을 제공합니다." - }, - "home.description.here_to_help": { - "defaultMessage": "지원 담당자에게 문의하세요." - }, - "home.description.here_to_help_line_2": { - "defaultMessage": "올바른 위치로 안내해 드립니다." - }, - "home.description.shop_products": { - "defaultMessage": "이 섹션에는 카탈로그의 컨텐츠가 포함되어 있습니다. 대체하는 방법은 {docLink}에서 확인하세요.", - "description": "{docLink} is a html button that links the user to https://sfdc.co/business-manager-manage-catalogs" - }, - "home.features.description.cart_checkout": { - "defaultMessage": "구매자의 카트 및 체크아웃 경험에 대한 이커머스 모범 사례입니다." - }, - "home.features.description.components": { - "defaultMessage": "이용이 간편한 모듈식 React 구성요소 라이브러리인 Chakra UI를 사용하여 구축되었습니다." - }, - "home.features.description.einstein_recommendations": { - "defaultMessage": "권장 제품을 통해 모든 구매자에게 다른 추천 제품이나 오퍼를 제공합니다." - }, - "home.features.description.my_account": { - "defaultMessage": "구매자가 프로필, 주소, 결제, 주문 등의 계정 정보를 관리할 수 있습니다." - }, - "home.features.description.shopper_login": { - "defaultMessage": "구매자가 보다 개인화된 쇼핑 경험을 통해 편리하게 로그인할 수 있습니다." - }, - "home.features.description.wishlist": { - "defaultMessage": "등록된 구매자가 나중에 구매할 제품 항목을 위시리스트에 추가할 수 있습니다." - }, - "home.features.heading.cart_checkout": { - "defaultMessage": "카트 및 체크아웃" - }, - "home.features.heading.components": { - "defaultMessage": "구성요소 및 디자인 키트" - }, - "home.features.heading.einstein_recommendations": { - "defaultMessage": "Einstein 제품 추천" - }, - "home.features.heading.my_account": { - "defaultMessage": "내 계정" - }, - "home.features.heading.shopper_login": { - "defaultMessage": "Shopper Login and API Access Service(SLAS)" - }, - "home.features.heading.wishlist": { - "defaultMessage": "위시리스트" - }, - "home.heading.features": { - "defaultMessage": "기능" - }, - "home.heading.here_to_help": { - "defaultMessage": "도움 받기" - }, - "home.heading.shop_products": { - "defaultMessage": "제품 쇼핑" - }, - "home.hero_features.link.design_kit": { - "defaultMessage": "Figma PWA Design Kit를 사용하여 생성" - }, - "home.hero_features.link.on_github": { - "defaultMessage": "Github에서 다운로드" - }, - "home.hero_features.link.on_managed_runtime": { - "defaultMessage": "Managed Runtime에서 배포" - }, - "home.link.contact_us": { - "defaultMessage": "문의" - }, - "home.link.get_started": { - "defaultMessage": "시작하기" - }, - "home.link.read_docs": { - "defaultMessage": "문서 읽기" - }, - "home.title.react_starter_store": { - "defaultMessage": "소매점용 React PWA Starter Store" - }, - "icons.assistive_msg.lock": { - "defaultMessage": "보안" - }, - "item_attributes.label.promotions": { - "defaultMessage": "프로모션" - }, - "item_attributes.label.quantity": { - "defaultMessage": "수량: {quantity}" - }, - "item_image.label.sale": { - "defaultMessage": "판매", - "description": "A sale badge placed on top of a product image" - }, - "item_image.label.unavailable": { - "defaultMessage": "사용 불가", - "description": "A unavailable badge placed on top of a product image" - }, - "item_price.label.starting_at": { - "defaultMessage": "시작가" - }, - "lCPCxk": { - "defaultMessage": "위에서 옵션을 모두 선택하세요." - }, - "list_menu.nav.assistive_msg": { - "defaultMessage": "기본 탐색 메뉴" - }, - "locale_text.message.ar-SA": { - "defaultMessage": "아랍어(사우디아라비아)" - }, - "locale_text.message.bn-BD": { - "defaultMessage": "벵골어(방글라데시)" - }, - "locale_text.message.bn-IN": { - "defaultMessage": "벵골어(인도)" - }, - "locale_text.message.cs-CZ": { - "defaultMessage": "체코어(체코)" - }, - "locale_text.message.da-DK": { - "defaultMessage": "덴마크어(덴마크)" - }, - "locale_text.message.de-AT": { - "defaultMessage": "독일어(오스트리아)" - }, - "locale_text.message.de-CH": { - "defaultMessage": "독일어(스위스)" - }, - "locale_text.message.de-DE": { - "defaultMessage": "독일어(독일)" - }, - "locale_text.message.el-GR": { - "defaultMessage": "그리스어(그리스)" - }, - "locale_text.message.en-AU": { - "defaultMessage": "영어(오스트레일리아)" - }, - "locale_text.message.en-CA": { - "defaultMessage": "영어(캐나다)" - }, - "locale_text.message.en-GB": { - "defaultMessage": "영어(영국)" - }, - "locale_text.message.en-IE": { - "defaultMessage": "영어(아일랜드)" - }, - "locale_text.message.en-IN": { - "defaultMessage": "영어(인도)" - }, - "locale_text.message.en-NZ": { - "defaultMessage": "영어(뉴질랜드)" - }, - "locale_text.message.en-US": { - "defaultMessage": "영어(미국)" - }, - "locale_text.message.en-ZA": { - "defaultMessage": "영어(남아프리카공화국)" - }, - "locale_text.message.es-AR": { - "defaultMessage": "스페인어(아르헨티나)" - }, - "locale_text.message.es-CL": { - "defaultMessage": "스페인어(칠레)" - }, - "locale_text.message.es-CO": { - "defaultMessage": "스페인어(콜롬비아)" - }, - "locale_text.message.es-ES": { - "defaultMessage": "스페인어(스페인)" - }, - "locale_text.message.es-MX": { - "defaultMessage": "스페인어(멕시코)" - }, - "locale_text.message.es-US": { - "defaultMessage": "스페인어(미국)" - }, - "locale_text.message.fi-FI": { - "defaultMessage": "핀란드어(핀란드)" - }, - "locale_text.message.fr-BE": { - "defaultMessage": "프랑스어(벨기에)" - }, - "locale_text.message.fr-CA": { - "defaultMessage": "프랑스어(캐나다)" - }, - "locale_text.message.fr-CH": { - "defaultMessage": "프랑스어(스위스)" - }, - "locale_text.message.fr-FR": { - "defaultMessage": "프랑스어(프랑스)" - }, - "locale_text.message.he-IL": { - "defaultMessage": "히브리어(이스라엘)" - }, - "locale_text.message.hi-IN": { - "defaultMessage": "힌디어(인도)" - }, - "locale_text.message.hu-HU": { - "defaultMessage": "헝가리어(헝가리)" - }, - "locale_text.message.id-ID": { - "defaultMessage": "인도네시아어(인도네시아)" - }, - "locale_text.message.it-CH": { - "defaultMessage": "이탈리아어(스위스)" - }, - "locale_text.message.it-IT": { - "defaultMessage": "이탈리아어(이탈리아)" - }, - "locale_text.message.ja-JP": { - "defaultMessage": "일본어(일본)" - }, - "locale_text.message.ko-KR": { - "defaultMessage": "한국어(대한민국)" - }, - "locale_text.message.nl-BE": { - "defaultMessage": "네덜란드어(벨기에)" - }, - "locale_text.message.nl-NL": { - "defaultMessage": "네덜란드어(네덜란드)" - }, - "locale_text.message.no-NO": { - "defaultMessage": "노르웨이어(노르웨이)" - }, - "locale_text.message.pl-PL": { - "defaultMessage": "폴란드어(폴란드)" - }, - "locale_text.message.pt-BR": { - "defaultMessage": "포르투갈어(브라질)" - }, - "locale_text.message.pt-PT": { - "defaultMessage": "포르투갈어(포르투갈)" - }, - "locale_text.message.ro-RO": { - "defaultMessage": "루마니아어(루마니아)" - }, - "locale_text.message.ru-RU": { - "defaultMessage": "러시아어(러시아)" - }, - "locale_text.message.sk-SK": { - "defaultMessage": "슬로바키아어(슬로바키아)" - }, - "locale_text.message.sv-SE": { - "defaultMessage": "스웨덴어(스웨덴)" - }, - "locale_text.message.ta-IN": { - "defaultMessage": "타밀어(인도)" - }, - "locale_text.message.ta-LK": { - "defaultMessage": "타밀어(스리랑카)" - }, - "locale_text.message.th-TH": { - "defaultMessage": "태국어(태국)" - }, - "locale_text.message.tr-TR": { - "defaultMessage": "터키어(터키)" - }, - "locale_text.message.zh-CN": { - "defaultMessage": "중국어(중국)" - }, - "locale_text.message.zh-HK": { - "defaultMessage": "중국어(홍콩)" - }, - "locale_text.message.zh-TW": { - "defaultMessage": "중국어(타이완)" - }, - "login_form.action.create_account": { - "defaultMessage": "계정 생성" - }, - "login_form.button.sign_in": { - "defaultMessage": "로그인" - }, - "login_form.link.forgot_password": { - "defaultMessage": "암호가 기억나지 않습니까?" - }, - "login_form.message.dont_have_account": { - "defaultMessage": "계정이 없습니까?" - }, - "login_form.message.welcome_back": { - "defaultMessage": "다시 오신 것을 환영합니다." - }, - "login_page.error.incorrect_username_or_password": { - "defaultMessage": "사용자 이름 또는 암호가 올바르지 않습니다. 다시 시도하십시오." - }, - "offline_banner.description.browsing_offline_mode": { - "defaultMessage": "현재 오프라인 모드로 검색 중입니다." - }, - "order_summary.action.remove_promo": { - "defaultMessage": "제거" - }, - "order_summary.cart_items.action.num_of_items_in_cart": { - "defaultMessage": "카트에 {itemCount, plural, =0 {0개 항목} one {#개 항목} other {#개 항목}}이 있음", - "description": "clicking it would expand/show the items in cart" - }, - "order_summary.cart_items.link.edit_cart": { - "defaultMessage": "카트 편집" - }, - "order_summary.heading.order_summary": { - "defaultMessage": "주문 요약" - }, - "order_summary.label.estimated_total": { - "defaultMessage": "예상 합계" - }, - "order_summary.label.free": { - "defaultMessage": "무료" - }, - "order_summary.label.order_total": { - "defaultMessage": "주문 합계" - }, - "order_summary.label.promo_applied": { - "defaultMessage": "프로모션이 적용됨" - }, - "order_summary.label.promotions_applied": { - "defaultMessage": "프로모션이 적용됨" - }, - "order_summary.label.shipping": { - "defaultMessage": "배송" - }, - "order_summary.label.subtotal": { - "defaultMessage": "소계" - }, - "order_summary.label.tax": { - "defaultMessage": "세금" - }, - "page_not_found.action.go_back": { - "defaultMessage": "이전 페이지로 돌아가기" - }, - "page_not_found.link.homepage": { - "defaultMessage": "홈 페이지로 이동" - }, - "page_not_found.message.suggestion_to_try": { - "defaultMessage": "이 주소로 다시 시도해보거나 이전 페이지로 돌아가거나 홈 페이지로 돌아가십시오." - }, - "page_not_found.title.page_cant_be_found": { - "defaultMessage": "해당 페이지를 찾을 수 없습니다." - }, - "pagination.field.num_of_pages": { - "defaultMessage": "/{numOfPages}" - }, - "pagination.link.next": { - "defaultMessage": "다음" - }, - "pagination.link.next.assistive_msg": { - "defaultMessage": "다음 페이지" - }, - "pagination.link.prev": { - "defaultMessage": "이전" - }, - "pagination.link.prev.assistive_msg": { - "defaultMessage": "이전 페이지" - }, - "password_card.info.password_updated": { - "defaultMessage": "암호가 업데이트됨" - }, - "password_card.label.password": { - "defaultMessage": "암호" - }, - "password_card.title.password": { - "defaultMessage": "암호" - }, - "password_requirements.error.eight_letter_minimum": { - "defaultMessage": "최소 8자", - "description": "Password requirement" - }, - "password_requirements.error.one_lowercase_letter": { - "defaultMessage": "소문자 1개", - "description": "Password requirement" - }, - "password_requirements.error.one_number": { - "defaultMessage": "숫자 1개", - "description": "Password requirement" - }, - "password_requirements.error.one_special_character": { - "defaultMessage": "특수 문자 1개(예: , S ! % #)", - "description": "Password requirement" - }, - "password_requirements.error.one_uppercase_letter": { - "defaultMessage": "대문자 1개", - "description": "Password requirement" - }, - "payment_selection.heading.credit_card": { - "defaultMessage": "신용카드" - }, - "payment_selection.tooltip.secure_payment": { - "defaultMessage": "안전한 SSL 암호화 결제입니다." - }, - "price_per_item.label.each": { - "defaultMessage": "개", - "description": "Abbreviated 'each', follows price per item, like $10/ea" - }, - "product_detail.accordion.button.product_detail": { - "defaultMessage": "제품 세부 정보" - }, - "product_detail.accordion.button.questions": { - "defaultMessage": "문의" - }, - "product_detail.accordion.button.reviews": { - "defaultMessage": "리뷰" - }, - "product_detail.accordion.button.size_fit": { - "defaultMessage": "사이즈와 핏" - }, - "product_detail.accordion.message.coming_soon": { - "defaultMessage": "제공 예정" - }, - "product_detail.recommended_products.title.complete_set": { - "defaultMessage": "세트 완성" - }, - "product_detail.recommended_products.title.might_also_like": { - "defaultMessage": "추천 상품" - }, - "product_detail.recommended_products.title.recently_viewed": { - "defaultMessage": "최근에 봄" - }, - "product_item.label.quantity": { - "defaultMessage": "수량:" - }, - "product_list.button.filter": { - "defaultMessage": "필터" - }, - "product_list.button.sort_by": { - "defaultMessage": "정렬 기준: {sortOption}" - }, - "product_list.drawer.title.sort_by": { - "defaultMessage": "정렬 기준" - }, - "product_list.modal.button.clear_filters": { - "defaultMessage": "필터 지우기" - }, - "product_list.modal.button.view_items": { - "defaultMessage": "{prroductCount}개 항목 보기" - }, - "product_list.modal.title.filter": { - "defaultMessage": "필터" - }, - "product_list.refinements.button.assistive_msg.add_filter": { - "defaultMessage": "필터 추가: {label}" - }, - "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": { - "defaultMessage": "필터 추가: {label}({hitCount})" - }, - "product_list.refinements.button.assistive_msg.remove_filter": { - "defaultMessage": "필터 제거: {label}" - }, - "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": { - "defaultMessage": "필터 제거: {label}({hitCount})" - }, - "product_list.select.sort_by": { - "defaultMessage": "정렬 기준: {sortOption}" - }, - "product_scroller.assistive_msg.scroll_left": { - "defaultMessage": "제품 왼쪽으로 스크롤" - }, - "product_scroller.assistive_msg.scroll_right": { - "defaultMessage": "제품 오른쪽으로 스크롤" - }, - "product_tile.assistive_msg.add_to_wishlist": { - "defaultMessage": "위시리스트에 {product} 추가" - }, - "product_tile.assistive_msg.remove_from_wishlist": { - "defaultMessage": "위시리스트에서 {product} 제거" - }, - "product_tile.label.starting_at_price": { - "defaultMessage": "시작가: {price}" - }, - "product_view.button.add_set_to_cart": { - "defaultMessage": "카트에 세트 추가" - }, - "product_view.button.add_set_to_wishlist": { - "defaultMessage": "위시리스트에 세트 추가" - }, - "product_view.button.add_to_cart": { - "defaultMessage": "카트에 추가" - }, - "product_view.button.add_to_wishlist": { - "defaultMessage": "위시리스트에 추가" - }, - "product_view.button.update": { - "defaultMessage": "업데이트" - }, - "product_view.label.assistive_msg.quantity_decrement": { - "defaultMessage": "수량 줄이기" - }, - "product_view.label.assistive_msg.quantity_increment": { - "defaultMessage": "수량 늘리기" - }, - "product_view.label.quantity": { - "defaultMessage": "수량" - }, - "product_view.label.quantity_decrement": { - "defaultMessage": "−" - }, - "product_view.label.quantity_increment": { - "defaultMessage": "+" - }, - "product_view.label.starting_at_price": { - "defaultMessage": "시작가" - }, - "product_view.label.variant_type": { - "defaultMessage": "{variantType}" - }, - "product_view.link.full_details": { - "defaultMessage": "전체 세부 정보 보기" - }, - "profile_card.info.profile_updated": { - "defaultMessage": "프로필이 업데이트됨" - }, - "profile_card.label.email": { - "defaultMessage": "이메일" - }, - "profile_card.label.full_name": { - "defaultMessage": "성명" - }, - "profile_card.label.phone": { - "defaultMessage": "전화번호" - }, - "profile_card.message.not_provided": { - "defaultMessage": "제공되지 않음" - }, - "profile_card.title.my_profile": { - "defaultMessage": "내 프로필" - }, - "promo_code_fields.button.apply": { - "defaultMessage": "적용" - }, - "promo_popover.assistive_msg.info": { - "defaultMessage": "정보" - }, - "promo_popover.heading.promo_applied": { - "defaultMessage": "프로모션이 적용됨" - }, - "promocode.accordion.button.have_promocode": { - "defaultMessage": "프로모션 코드가 있습니까?" - }, - "recent_searches.action.clear_searches": { - "defaultMessage": "최근 검색 지우기" - }, - "recent_searches.heading.recent_searches": { - "defaultMessage": "최근 검색" - }, - "register_form.action.sign_in": { - "defaultMessage": "로그인" - }, - "register_form.button.create_account": { - "defaultMessage": "계정 생성" - }, - "register_form.heading.lets_get_started": { - "defaultMessage": "이제 시작하세요!" - }, - "register_form.message.agree_to_policy_terms": { - "defaultMessage": "계정을 만들면 Salesforce 개인정보보호 정책이용 약관에 동의한 것으로 간주됩니다." - }, - "register_form.message.already_have_account": { - "defaultMessage": "계정이 이미 있습니까?" - }, - "register_form.message.create_an_account": { - "defaultMessage": "계정을 만들고 최고의 제품, 아이디어, 커뮤니티를 누구보다 빨리 이용해 보세요." - }, - "reset_password.button.back_to_sign_in": { - "defaultMessage": "로그인 페이지로 돌아가기" - }, - "reset_password.info.receive_email_shortly": { - "defaultMessage": "{email}(으)로 암호 재설정 링크가 포함된 이메일이 곧 발송됩니다." - }, - "reset_password.title.password_reset": { - "defaultMessage": "암호 재설정" - }, - "reset_password_form.action.sign_in": { - "defaultMessage": "로그인" - }, - "reset_password_form.button.reset_password": { - "defaultMessage": "암호 재설정" - }, - "reset_password_form.message.enter_your_email": { - "defaultMessage": "암호를 재설정하는 방법에 대한 지침을 안내받으려면 이메일을 입력하십시오." - }, - "reset_password_form.message.return_to_sign_in": { - "defaultMessage": "돌아가기", - "description": "Precedes link to return to sign in" - }, - "reset_password_form.title.reset_password": { - "defaultMessage": "암호 재설정" - }, - "search.action.cancel": { - "defaultMessage": "취소" - }, - "selected_refinements.action.assistive_msg.clear_all": { - "defaultMessage": "필터 모두 지우기" - }, - "selected_refinements.action.clear_all": { - "defaultMessage": "모두 지우기" - }, - "shipping_address.button.continue_to_shipping": { - "defaultMessage": "배송 방법으로 계속 진행하기" - }, - "shipping_address.title.shipping_address": { - "defaultMessage": "배송 주소" - }, - "shipping_address_edit_form.button.save_and_continue": { - "defaultMessage": "저장하고 배송 방법으로 계속 진행하기" - }, - "shipping_address_form.heading.edit_address": { - "defaultMessage": "주소 편집" - }, - "shipping_address_form.heading.new_address": { - "defaultMessage": "새 주소 추가" - }, - "shipping_address_selection.button.add_address": { - "defaultMessage": "새 주소 추가" - }, - "shipping_address_selection.button.submit": { - "defaultMessage": "제출" - }, - "shipping_address_selection.title.add_address": { - "defaultMessage": "새 주소 추가" - }, - "shipping_address_selection.title.edit_shipping": { - "defaultMessage": "배송 주소 편집" - }, - "shipping_options.action.send_as_a_gift": { - "defaultMessage": "이 제품을 선물로 보내시겠습니까?" - }, - "shipping_options.button.continue_to_payment": { - "defaultMessage": "결제로 계속 진행하기" - }, - "shipping_options.title.shipping_gift_options": { - "defaultMessage": "배송 및 선물 옵션" - }, - "signout_confirmation_dialog.button.cancel": { - "defaultMessage": "취소" - }, - "signout_confirmation_dialog.button.sign_out": { - "defaultMessage": "로그아웃" - }, - "signout_confirmation_dialog.heading.sign_out": { - "defaultMessage": "로그아웃" - }, - "signout_confirmation_dialog.message.sure_to_sign_out": { - "defaultMessage": "로그아웃하시겠습니까? 현재 주문을 처리하려면 다시 로그인해야 합니다." - }, - "swatch_group.selected.label": { - "defaultMessage": "{label}:" - }, - "toggle_card.action.edit": { - "defaultMessage": "편집" - }, - "update_password_fields.button.forgot_password": { - "defaultMessage": "암호가 기억나지 않습니까?" - }, - "use_address_fields.error.please_enter_first_name": { - "defaultMessage": "이름을 입력하십시오." - }, - "use_address_fields.error.please_enter_last_name": { - "defaultMessage": "성을 입력하십시오." - }, - "use_address_fields.error.please_enter_phone_number": { - "defaultMessage": "전화번호를 입력하십시오." - }, - "use_address_fields.error.please_enter_your_postal_or_zip": { - "defaultMessage": "우편번호를 입력하십시오." - }, - "use_address_fields.error.please_select_your_address": { - "defaultMessage": "주소를 입력하십시오." - }, - "use_address_fields.error.please_select_your_city": { - "defaultMessage": "구/군/시를 입력하십시오." - }, - "use_address_fields.error.please_select_your_country": { - "defaultMessage": "국가를 선택하십시오." - }, - "use_address_fields.error.please_select_your_state_or_province": { - "defaultMessage": "시/도를 선택하십시오." - }, - "use_address_fields.error.required": { - "defaultMessage": "필수" - }, - "use_address_fields.error.state_code_invalid": { - "defaultMessage": "2자리 시/도를 입력하십시오." - }, - "use_address_fields.label.address": { - "defaultMessage": "주소" - }, - "use_address_fields.label.address_form": { - "defaultMessage": "주소 양식" - }, - "use_address_fields.label.city": { - "defaultMessage": "구/군/시" - }, - "use_address_fields.label.country": { - "defaultMessage": "국가" - }, - "use_address_fields.label.first_name": { - "defaultMessage": "이름" - }, - "use_address_fields.label.last_name": { - "defaultMessage": "성" - }, - "use_address_fields.label.phone": { - "defaultMessage": "전화번호" - }, - "use_address_fields.label.postal_code": { - "defaultMessage": "우편번호" - }, - "use_address_fields.label.preferred": { - "defaultMessage": "기본값으로 설정" - }, - "use_address_fields.label.province": { - "defaultMessage": "시/도" - }, - "use_address_fields.label.state": { - "defaultMessage": "시/도" - }, - "use_address_fields.label.zipCode": { - "defaultMessage": "우편번호" - }, - "use_credit_card_fields.error.required": { - "defaultMessage": "필수" - }, - "use_credit_card_fields.error.required_card_number": { - "defaultMessage": "카드 번호를 입력하십시오." - }, - "use_credit_card_fields.error.required_expiry": { - "defaultMessage": "만료 날짜를 입력하십시오." - }, - "use_credit_card_fields.error.required_name": { - "defaultMessage": "카드에 표시된 대로 이름을 입력하십시오." - }, - "use_credit_card_fields.error.required_security_code": { - "defaultMessage": "보안 코드를 입력하십시오." - }, - "use_credit_card_fields.error.valid_card_number": { - "defaultMessage": "유효한 카드 번호를 입력하십시오." - }, - "use_credit_card_fields.error.valid_date": { - "defaultMessage": "유효한 날짜를 입력하십시오." - }, - "use_credit_card_fields.error.valid_name": { - "defaultMessage": "올바른 이름을 입력하십시오." - }, - "use_credit_card_fields.error.valid_security_code": { - "defaultMessage": "유효한 보안 코드를 입력하십시오." - }, - "use_credit_card_fields.label.card_number": { - "defaultMessage": "카드 번호" - }, - "use_credit_card_fields.label.card_type": { - "defaultMessage": "카드 유형" - }, - "use_credit_card_fields.label.expiry": { - "defaultMessage": "만료 날짜" - }, - "use_credit_card_fields.label.name": { - "defaultMessage": "카드에 표시된 이름" - }, - "use_credit_card_fields.label.security_code": { - "defaultMessage": "보안 코드" - }, - "use_login_fields.error.required_email": { - "defaultMessage": "이메일 주소를 입력하십시오." - }, - "use_login_fields.error.required_password": { - "defaultMessage": "암호를 입력하십시오." - }, - "use_login_fields.label.email": { - "defaultMessage": "이메일" - }, - "use_login_fields.label.password": { - "defaultMessage": "암호" - }, - "use_product.message.inventory_remaining": { - "defaultMessage": "품절 임박({stockLevel}개 남음)" - }, - "use_product.message.out_of_stock": { - "defaultMessage": "품절" - }, - "use_profile_fields.error.required_email": { - "defaultMessage": "유효한 이메일 주소를 입력하십시오." - }, - "use_profile_fields.error.required_first_name": { - "defaultMessage": "이름을 입력하십시오." - }, - "use_profile_fields.error.required_last_name": { - "defaultMessage": "성을 입력하십시오." - }, - "use_profile_fields.error.required_phone": { - "defaultMessage": "전화번호를 입력하십시오." - }, - "use_profile_fields.label.email": { - "defaultMessage": "이메일" - }, - "use_profile_fields.label.first_name": { - "defaultMessage": "이름" - }, - "use_profile_fields.label.last_name": { - "defaultMessage": "성" - }, - "use_profile_fields.label.phone": { - "defaultMessage": "전화번호" - }, - "use_promo_code_fields.error.required_promo_code": { - "defaultMessage": "유효한 프로모션 코드를 제공하십시오." - }, - "use_promo_code_fields.label.promo_code": { - "defaultMessage": "프로모션 코드" - }, - "use_promocode.error.check_the_code": { - "defaultMessage": "코드를 확인하고 다시 시도하십시오. 이미 적용되었거나 프로모션이 만료되었을 수 있습니다." - }, - "use_promocode.info.promo_applied": { - "defaultMessage": "프로모션이 적용됨" - }, - "use_promocode.info.promo_removed": { - "defaultMessage": "프로모션이 제거됨" - }, - "use_registration_fields.error.contain_number": { - "defaultMessage": "암호에는 숫자가 하나 이상 포함되어야 합니다." - }, - "use_registration_fields.error.lowercase_letter": { - "defaultMessage": "암호에는 소문자가 하나 이상 포함되어야 합니다." - }, - "use_registration_fields.error.minimum_characters": { - "defaultMessage": "암호는 8자 이상이어야 합니다." - }, - "use_registration_fields.error.required_email": { - "defaultMessage": "유효한 이메일 주소를 입력하십시오." - }, - "use_registration_fields.error.required_first_name": { - "defaultMessage": "이름을 입력하십시오." - }, - "use_registration_fields.error.required_last_name": { - "defaultMessage": "성을 입력하십시오." - }, - "use_registration_fields.error.required_password": { - "defaultMessage": "암호를 생성하십시오." - }, - "use_registration_fields.error.special_character": { - "defaultMessage": "암호에는 특수 문자가 하나 이상 포함되어야 합니다." - }, - "use_registration_fields.error.uppercase_letter": { - "defaultMessage": "암호에는 대문자가 하나 이상 포함되어야 합니다." - }, - "use_registration_fields.label.email": { - "defaultMessage": "이메일" - }, - "use_registration_fields.label.first_name": { - "defaultMessage": "이름" - }, - "use_registration_fields.label.last_name": { - "defaultMessage": "성" - }, - "use_registration_fields.label.password": { - "defaultMessage": "암호" - }, - "use_registration_fields.label.sign_up_to_emails": { - "defaultMessage": "Salesforce 이메일 가입(언제든지 탈퇴 가능)" - }, - "use_reset_password_fields.error.required_email": { - "defaultMessage": "유효한 이메일 주소를 입력하십시오." - }, - "use_reset_password_fields.label.email": { - "defaultMessage": "이메일" - }, - "use_update_password_fields.error.contain_number": { - "defaultMessage": "암호에는 숫자가 하나 이상 포함되어야 합니다." - }, - "use_update_password_fields.error.lowercase_letter": { - "defaultMessage": "암호에는 소문자가 하나 이상 포함되어야 합니다." - }, - "use_update_password_fields.error.minimum_characters": { - "defaultMessage": "암호는 8자 이상이어야 합니다." - }, - "use_update_password_fields.error.required_new_password": { - "defaultMessage": "새 암호를 제공하십시오." - }, - "use_update_password_fields.error.required_password": { - "defaultMessage": "암호를 입력하십시오." - }, - "use_update_password_fields.error.special_character": { - "defaultMessage": "암호에는 특수 문자가 하나 이상 포함되어야 합니다." - }, - "use_update_password_fields.error.uppercase_letter": { - "defaultMessage": "암호에는 대문자가 하나 이상 포함되어야 합니다." - }, - "use_update_password_fields.label.current_password": { - "defaultMessage": "현재 암호" - }, - "use_update_password_fields.label.new_password": { - "defaultMessage": "새 암호" - }, - "wishlist_primary_action.button.add_set_to_cart": { - "defaultMessage": "카트에 세트 추가" - }, - "wishlist_primary_action.button.add_to_cart": { - "defaultMessage": "카트에 추가" - }, - "wishlist_primary_action.button.view_full_details": { - "defaultMessage": "전체 세부 정보 보기" - }, - "wishlist_primary_action.button.view_options": { - "defaultMessage": "옵션 보기" - }, - "wishlist_primary_action.info.added_to_cart": { - "defaultMessage": "{quantity} {quantity, plural, one {개 항목} other {개 항목}}이 카트에 추가됨" - }, - "wishlist_secondary_button_group.action.remove": { - "defaultMessage": "제거" - }, - "wishlist_secondary_button_group.info.item_removed": { - "defaultMessage": "항목이 위시리스트에서 제거됨" - }, - "with_registration.info.please_sign_in": { - "defaultMessage": "계속하려면 로그인하십시오." - } -} diff --git a/my-test-project/translations/pt-BR.json b/my-test-project/translations/pt-BR.json deleted file mode 100644 index ea6935042b..0000000000 --- a/my-test-project/translations/pt-BR.json +++ /dev/null @@ -1,1517 +0,0 @@ -{ - "account.accordion.button.my_account": { - "defaultMessage": "Minha conta" - }, - "account.heading.my_account": { - "defaultMessage": "Minha conta" - }, - "account.logout_button.button.log_out": { - "defaultMessage": "Sair" - }, - "account_addresses.badge.default": { - "defaultMessage": "Padrão" - }, - "account_addresses.button.add_address": { - "defaultMessage": "Adicionar endereço" - }, - "account_addresses.info.address_removed": { - "defaultMessage": "Endereço removido" - }, - "account_addresses.info.address_updated": { - "defaultMessage": "Endereço atualizado" - }, - "account_addresses.info.new_address_saved": { - "defaultMessage": "Novo endereço salvo" - }, - "account_addresses.page_action_placeholder.button.add_address": { - "defaultMessage": "Adicionar endereço" - }, - "account_addresses.page_action_placeholder.heading.no_saved_addresses": { - "defaultMessage": "Não há endereços salvos" - }, - "account_addresses.page_action_placeholder.message.add_new_address": { - "defaultMessage": "Adicione um novo método de endereço para agilizar o checkout." - }, - "account_addresses.title.addresses": { - "defaultMessage": "Endereços" - }, - "account_detail.title.account_details": { - "defaultMessage": "Detalhes da conta" - }, - "account_order_detail.heading.billing_address": { - "defaultMessage": "Endereço de cobrança" - }, - "account_order_detail.heading.num_of_items": { - "defaultMessage": "{count} itens" - }, - "account_order_detail.heading.payment_method": { - "defaultMessage": "Método de pagamento" - }, - "account_order_detail.heading.shipping_address": { - "defaultMessage": "Endereço de entrega" - }, - "account_order_detail.heading.shipping_method": { - "defaultMessage": "Método de entrega" - }, - "account_order_detail.label.order_number": { - "defaultMessage": "Número do pedido: {orderNumber}" - }, - "account_order_detail.label.ordered_date": { - "defaultMessage": "Pedido: {date}" - }, - "account_order_detail.label.pending_tracking_number": { - "defaultMessage": "Pendente" - }, - "account_order_detail.label.tracking_number": { - "defaultMessage": "Número de controle" - }, - "account_order_detail.link.back_to_history": { - "defaultMessage": "Voltar a Histórico de pedidos" - }, - "account_order_detail.shipping_status.not_shipped": { - "defaultMessage": "Não enviado" - }, - "account_order_detail.shipping_status.part_shipped": { - "defaultMessage": "Parcialmente enviado" - }, - "account_order_detail.shipping_status.shipped": { - "defaultMessage": "Enviado" - }, - "account_order_detail.title.order_details": { - "defaultMessage": "Detalhes do pedido" - }, - "account_order_history.button.continue_shopping": { - "defaultMessage": "Continuar comprando" - }, - "account_order_history.description.once_you_place_order": { - "defaultMessage": "Quando você faz um pedido, os detalhes aparecem aqui." - }, - "account_order_history.heading.no_order_yet": { - "defaultMessage": "Você ainda não fez um pedido." - }, - "account_order_history.label.num_of_items": { - "defaultMessage": "{count} itens", - "description": "Number of items in order" - }, - "account_order_history.label.order_number": { - "defaultMessage": "Número do pedido: {orderNumber}" - }, - "account_order_history.label.ordered_date": { - "defaultMessage": "Pedido: {date}" - }, - "account_order_history.label.shipped_to": { - "defaultMessage": "Enviado para: {name}" - }, - "account_order_history.link.view_details": { - "defaultMessage": "Ver detalhes" - }, - "account_order_history.title.order_history": { - "defaultMessage": "Histórico de pedidos" - }, - "account_wishlist.button.continue_shopping": { - "defaultMessage": "Continuar comprando" - }, - "account_wishlist.description.continue_shopping": { - "defaultMessage": "Continue comprando e adicionando itens na sua lista de desejos." - }, - "account_wishlist.heading.no_wishlist": { - "defaultMessage": "Não há itens na lista de desejos" - }, - "account_wishlist.title.wishlist": { - "defaultMessage": "Lista de desejos" - }, - "action_card.action.edit": { - "defaultMessage": "Editar" - }, - "action_card.action.remove": { - "defaultMessage": "Remover" - }, - "add_to_cart_modal.info.added_to_cart": { - "defaultMessage": "{quantity} {quantity, plural, one {item} other {itens}} adicionado(s) ao carrinho" - }, - "add_to_cart_modal.label.cart_subtotal": { - "defaultMessage": "Subtotal do carrinho ({itemAccumulatedCount} item/itens)" - }, - "add_to_cart_modal.label.quantity": { - "defaultMessage": "Qtd." - }, - "add_to_cart_modal.link.checkout": { - "defaultMessage": "Pagar" - }, - "add_to_cart_modal.link.view_cart": { - "defaultMessage": "Ver carrinho" - }, - "add_to_cart_modal.recommended_products.title.might_also_like": { - "defaultMessage": "Talvez você também queira" - }, - "auth_modal.button.close.assistive_msg": { - "defaultMessage": "Fechar formulário de logon" - }, - "auth_modal.description.now_signed_in": { - "defaultMessage": "Agora você fez login na sua conta." - }, - "auth_modal.error.incorrect_email_or_password": { - "defaultMessage": "Há algo errado com seu e-mail ou senha. Tente novamente." - }, - "auth_modal.info.welcome_user": { - "defaultMessage": "Olá {name}," - }, - "auth_modal.password_reset_success.button.back_to_sign_in": { - "defaultMessage": "Fazer login novamente" - }, - "auth_modal.password_reset_success.info.will_email_shortly": { - "defaultMessage": "Em breve, você receberá um e-mail em {email} com um link para redefinir a senha." - }, - "auth_modal.password_reset_success.title.password_reset": { - "defaultMessage": "Redefinição de senha" - }, - "carousel.button.scroll_left.assistive_msg": { - "defaultMessage": "Rolar o carrossel para a esquerda" - }, - "carousel.button.scroll_right.assistive_msg": { - "defaultMessage": "Rolar o carrossel para a direita" - }, - "cart.info.removed_from_cart": { - "defaultMessage": "Item removido do carrinho" - }, - "cart.recommended_products.title.may_also_like": { - "defaultMessage": "Talvez você também queira" - }, - "cart.recommended_products.title.recently_viewed": { - "defaultMessage": "Recentemente visualizados" - }, - "cart_cta.link.checkout": { - "defaultMessage": "Pagar" - }, - "cart_secondary_button_group.action.added_to_wishlist": { - "defaultMessage": "Adicionar à lista de desejos" - }, - "cart_secondary_button_group.action.edit": { - "defaultMessage": "Editar" - }, - "cart_secondary_button_group.action.remove": { - "defaultMessage": "Remover" - }, - "cart_secondary_button_group.label.this_is_gift": { - "defaultMessage": "É um presente." - }, - "cart_skeleton.heading.order_summary": { - "defaultMessage": "Resumo do pedido" - }, - "cart_skeleton.title.cart": { - "defaultMessage": "Carrinho" - }, - "cart_title.title.cart_num_of_items": { - "defaultMessage": "Carrinho ({itemCount, plural, =0 {0 itens} one {# item} other {# itens}})" - }, - "cc_radio_group.action.remove": { - "defaultMessage": "Remover" - }, - "cc_radio_group.button.add_new_card": { - "defaultMessage": "Adicionar novo cartão" - }, - "checkout.button.place_order": { - "defaultMessage": "Fazer pedido" - }, - "checkout.message.generic_error": { - "defaultMessage": "Ocorreu um erro inesperado durante o checkout." - }, - "checkout_confirmation.button.create_account": { - "defaultMessage": "Criar conta" - }, - "checkout_confirmation.heading.billing_address": { - "defaultMessage": "Endereço de cobrança" - }, - "checkout_confirmation.heading.create_account": { - "defaultMessage": "Criar uma conta para agilizar o checkout" - }, - "checkout_confirmation.heading.credit_card": { - "defaultMessage": "Cartão de crédito" - }, - "checkout_confirmation.heading.delivery_details": { - "defaultMessage": "Detalhes da entrega" - }, - "checkout_confirmation.heading.order_summary": { - "defaultMessage": "Resumo do pedido" - }, - "checkout_confirmation.heading.payment_details": { - "defaultMessage": "Detalhes do pagamento" - }, - "checkout_confirmation.heading.shipping_address": { - "defaultMessage": "Endereço de entrega" - }, - "checkout_confirmation.heading.shipping_method": { - "defaultMessage": "Método de entrega" - }, - "checkout_confirmation.heading.thank_you_for_order": { - "defaultMessage": "Agradecemos o seu pedido!" - }, - "checkout_confirmation.label.free": { - "defaultMessage": "Gratuito" - }, - "checkout_confirmation.label.order_number": { - "defaultMessage": "Número do pedido" - }, - "checkout_confirmation.label.order_total": { - "defaultMessage": "Total do pedido" - }, - "checkout_confirmation.label.promo_applied": { - "defaultMessage": "Promoção aplicada" - }, - "checkout_confirmation.label.shipping": { - "defaultMessage": "Frete" - }, - "checkout_confirmation.label.subtotal": { - "defaultMessage": "Subtotal" - }, - "checkout_confirmation.label.tax": { - "defaultMessage": "Imposto" - }, - "checkout_confirmation.link.continue_shopping": { - "defaultMessage": "Continuar comprando" - }, - "checkout_confirmation.link.login": { - "defaultMessage": "Fazer logon aqui" - }, - "checkout_confirmation.message.already_has_account": { - "defaultMessage": "Já há uma conta com este mesmo endereço de e-mail." - }, - "checkout_confirmation.message.num_of_items_in_order": { - "defaultMessage": "{itemCount, plural, =0 {0 itens} one {# item} other {# itens}})", - "description": "# item(s) in order" - }, - "checkout_confirmation.message.will_email_shortly": { - "defaultMessage": "Em breve, enviaremos um e-mail para {email} com seu número de confirmação e recibo." - }, - "checkout_footer.link.privacy_policy": { - "defaultMessage": "Política de privacidade" - }, - "checkout_footer.link.returns_exchanges": { - "defaultMessage": "Devoluções e trocas" - }, - "checkout_footer.link.shipping": { - "defaultMessage": "Frete" - }, - "checkout_footer.link.site_map": { - "defaultMessage": "Mapa do site" - }, - "checkout_footer.link.terms_conditions": { - "defaultMessage": "Termos e condições" - }, - "checkout_footer.message.copyright": { - "defaultMessage": "Salesforce ou suas afiliadas. Todos os direitos reservados. Esta é apenas uma loja de demonstração. Os pedidos feitos NÃO SERÃO processados." - }, - "checkout_header.link.assistive_msg.cart": { - "defaultMessage": "Voltar ao carrinho, número de itens: {numItems}" - }, - "checkout_header.link.cart": { - "defaultMessage": "Voltar ao carrinho" - }, - "checkout_payment.action.remove": { - "defaultMessage": "Remover" - }, - "checkout_payment.button.review_order": { - "defaultMessage": "Rever pedido" - }, - "checkout_payment.heading.billing_address": { - "defaultMessage": "Endereço de cobrança" - }, - "checkout_payment.heading.credit_card": { - "defaultMessage": "Cartão de crédito" - }, - "checkout_payment.label.same_as_shipping": { - "defaultMessage": "Igual ao endereço de entrega" - }, - "checkout_payment.title.payment": { - "defaultMessage": "Pagamento" - }, - "colorRefinements.label.hitCount": { - "defaultMessage": "{colorLabel} ({colorHitCount})" - }, - "confirmation_modal.default.action.no": { - "defaultMessage": "Não" - }, - "confirmation_modal.default.action.yes": { - "defaultMessage": "Sim" - }, - "confirmation_modal.default.message.you_want_to_continue": { - "defaultMessage": "Tem certeza de que deseja continuar?" - }, - "confirmation_modal.default.title.confirm_action": { - "defaultMessage": "Confirmar ação" - }, - "confirmation_modal.remove_cart_item.action.no": { - "defaultMessage": "Não, manter item" - }, - "confirmation_modal.remove_cart_item.action.remove": { - "defaultMessage": "Remover" - }, - "confirmation_modal.remove_cart_item.action.yes": { - "defaultMessage": "Sim, remover item" - }, - "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": { - "defaultMessage": "Alguns itens não estão mais disponíveis online e serão removidos de seu carrinho." - }, - "confirmation_modal.remove_cart_item.message.sure_to_remove": { - "defaultMessage": "Tem certeza de que deseja remover este item do carrinho?" - }, - "confirmation_modal.remove_cart_item.title.confirm_remove": { - "defaultMessage": "Confirmar remoção do item" - }, - "confirmation_modal.remove_cart_item.title.items_unavailable": { - "defaultMessage": "Itens indisponíveis" - }, - "confirmation_modal.remove_wishlist_item.action.no": { - "defaultMessage": "Não, manter item" - }, - "confirmation_modal.remove_wishlist_item.action.yes": { - "defaultMessage": "Sim, remover item" - }, - "confirmation_modal.remove_wishlist_item.message.sure_to_remove": { - "defaultMessage": "Tem certeza de que deseja remover este item da lista de desejos?" - }, - "confirmation_modal.remove_wishlist_item.title.confirm_remove": { - "defaultMessage": "Confirmar remoção do item" - }, - "contact_info.action.sign_out": { - "defaultMessage": "Fazer logoff" - }, - "contact_info.button.already_have_account": { - "defaultMessage": "Já tem uma conta? Fazer logon" - }, - "contact_info.button.checkout_as_guest": { - "defaultMessage": "Pagar como convidado" - }, - "contact_info.button.login": { - "defaultMessage": "Fazer logon" - }, - "contact_info.error.incorrect_username_or_password": { - "defaultMessage": "Nome de usuário ou senha incorreta. Tente novamente." - }, - "contact_info.link.forgot_password": { - "defaultMessage": "Esqueceu a senha?" - }, - "contact_info.title.contact_info": { - "defaultMessage": "Informações de contato" - }, - "credit_card_fields.tool_tip.security_code": { - "defaultMessage": "Este código de 3 dígitos pode ser encontrado no verso do seu cartão.", - "description": "Generic credit card security code help text" - }, - "credit_card_fields.tool_tip.security_code.american_express": { - "defaultMessage": "Este código de 4 dígitos pode ser encontrado na frente do seu cartão.", - "description": "American Express security code help text" - }, - "credit_card_fields.tool_tip.security_code_aria_label": { - "defaultMessage": "Informações do código de segurança" - }, - "drawer_menu.button.account_details": { - "defaultMessage": "Detalhes da conta" - }, - "drawer_menu.button.addresses": { - "defaultMessage": "Endereços" - }, - "drawer_menu.button.log_out": { - "defaultMessage": "Sair" - }, - "drawer_menu.button.my_account": { - "defaultMessage": "Minha conta" - }, - "drawer_menu.button.order_history": { - "defaultMessage": "Histórico de pedidos" - }, - "drawer_menu.link.about_us": { - "defaultMessage": "Sobre nós" - }, - "drawer_menu.link.customer_support": { - "defaultMessage": "Suporte ao cliente" - }, - "drawer_menu.link.customer_support.contact_us": { - "defaultMessage": "Entrar em contato" - }, - "drawer_menu.link.customer_support.shipping_and_returns": { - "defaultMessage": "Frete e devoluções" - }, - "drawer_menu.link.our_company": { - "defaultMessage": "Nossa empresa" - }, - "drawer_menu.link.privacy_and_security": { - "defaultMessage": "Privacidade e segurança" - }, - "drawer_menu.link.privacy_policy": { - "defaultMessage": "Política de privacidade" - }, - "drawer_menu.link.shop_all": { - "defaultMessage": "Ver tudo" - }, - "drawer_menu.link.sign_in": { - "defaultMessage": "Fazer logon" - }, - "drawer_menu.link.site_map": { - "defaultMessage": "Mapa do site" - }, - "drawer_menu.link.store_locator": { - "defaultMessage": "Localizador de lojas" - }, - "drawer_menu.link.terms_and_conditions": { - "defaultMessage": "Termos e condições" - }, - "empty_cart.description.empty_cart": { - "defaultMessage": "Seu carrinho está vazio." - }, - "empty_cart.link.continue_shopping": { - "defaultMessage": "Continuar comprando" - }, - "empty_cart.link.sign_in": { - "defaultMessage": "Fazer logon" - }, - "empty_cart.message.continue_shopping": { - "defaultMessage": "Continue comprando e adicione itens ao seu carrinho." - }, - "empty_cart.message.sign_in_or_continue_shopping": { - "defaultMessage": "Faça logon para recuperar seus itens salvos ou continuar a compra." - }, - "empty_search_results.info.cant_find_anything_for_category": { - "defaultMessage": "Não encontramos resultados para {category}. Tente pesquisar um produto ou {link}." - }, - "empty_search_results.info.cant_find_anything_for_query": { - "defaultMessage": "Não encontramos resultados para \"{searchQuery}\"." - }, - "empty_search_results.info.double_check_spelling": { - "defaultMessage": "Confira a ortografia e tente novamente ou {link}." - }, - "empty_search_results.link.contact_us": { - "defaultMessage": "Entre em contato" - }, - "empty_search_results.recommended_products.title.most_viewed": { - "defaultMessage": "Mais visto" - }, - "empty_search_results.recommended_products.title.top_sellers": { - "defaultMessage": "Mais vendidos" - }, - "field.password.assistive_msg.hide_password": { - "defaultMessage": "Ocultar senha" - }, - "field.password.assistive_msg.show_password": { - "defaultMessage": "Mostrar senha" - }, - "footer.column.account": { - "defaultMessage": "Conta" - }, - "footer.column.customer_support": { - "defaultMessage": "Suporte ao cliente" - }, - "footer.column.our_company": { - "defaultMessage": "Nossa empresa" - }, - "footer.link.about_us": { - "defaultMessage": "Sobre nós" - }, - "footer.link.contact_us": { - "defaultMessage": "Entre em contato" - }, - "footer.link.order_status": { - "defaultMessage": "Estado dos pedidos" - }, - "footer.link.privacy_policy": { - "defaultMessage": "Política de privacidade" - }, - "footer.link.shipping": { - "defaultMessage": "Frete" - }, - "footer.link.signin_create_account": { - "defaultMessage": "Fazer logon ou criar conta" - }, - "footer.link.site_map": { - "defaultMessage": "Mapa do site" - }, - "footer.link.store_locator": { - "defaultMessage": "Localizador de lojas" - }, - "footer.link.terms_conditions": { - "defaultMessage": "Termos e condições" - }, - "footer.message.copyright": { - "defaultMessage": "Salesforce ou suas afiliadas. Todos os direitos reservados. Esta é apenas uma loja de demonstração. Os pedidos feitos NÃO SERÃO processados." - }, - "footer.subscribe.button.sign_up": { - "defaultMessage": "Cadastro" - }, - "footer.subscribe.description.sign_up": { - "defaultMessage": "Registre-se para ficar por dentro de todas as ofertas" - }, - "footer.subscribe.heading.first_to_know": { - "defaultMessage": "Seja o primeiro a saber" - }, - "form_action_buttons.button.cancel": { - "defaultMessage": "Cancelar" - }, - "form_action_buttons.button.save": { - "defaultMessage": "Salvar" - }, - "global.account.link.account_details": { - "defaultMessage": "Detalhes da conta" - }, - "global.account.link.addresses": { - "defaultMessage": "Endereços" - }, - "global.account.link.order_history": { - "defaultMessage": "Histórico de pedidos" - }, - "global.account.link.wishlist": { - "defaultMessage": "Lista de desejos" - }, - "global.error.something_went_wrong": { - "defaultMessage": "Ocorreu um erro. Tente novamente." - }, - "global.info.added_to_wishlist": { - "defaultMessage": "{quantity} {quantity, plural, one {item} other {itens}} adicionado(s) à lista de desejos" - }, - "global.info.already_in_wishlist": { - "defaultMessage": "O item já está na lista de desejos" - }, - "global.info.removed_from_wishlist": { - "defaultMessage": "Item removido da lista de desejos" - }, - "global.link.added_to_wishlist.view_wishlist": { - "defaultMessage": "Ver" - }, - "header.button.assistive_msg.logo": { - "defaultMessage": "Logotipo" - }, - "header.button.assistive_msg.menu": { - "defaultMessage": "Menu" - }, - "header.button.assistive_msg.my_account": { - "defaultMessage": "Minha conta" - }, - "header.button.assistive_msg.my_account_menu": { - "defaultMessage": "Abrir menu de conta" - }, - "header.button.assistive_msg.my_cart_with_num_items": { - "defaultMessage": "Meu carrinho, número de itens: {numItems}" - }, - "header.button.assistive_msg.wishlist": { - "defaultMessage": "Lista de desejos" - }, - "header.field.placeholder.search_for_products": { - "defaultMessage": "Pesquisar produtos..." - }, - "header.popover.action.log_out": { - "defaultMessage": "Sair" - }, - "header.popover.title.my_account": { - "defaultMessage": "Minha conta" - }, - "home.description.features": { - "defaultMessage": "Recursos prontos para uso, para que você só precise adicionar melhorias." - }, - "home.description.here_to_help": { - "defaultMessage": "Entre em contato com nossa equipe de suporte." - }, - "home.description.here_to_help_line_2": { - "defaultMessage": "Eles vão levar você ao lugar certo." - }, - "home.description.shop_products": { - "defaultMessage": "Esta seção tem conteúdo do catálogo. {docLink} sobre como substitui-lo.", - "description": "{docLink} is a html button that links the user to https://sfdc.co/business-manager-manage-catalogs" - }, - "home.features.description.cart_checkout": { - "defaultMessage": "Práticas recomendadas de comércio eletrônico para a experiência de carrinho e checkout do comprador." - }, - "home.features.description.components": { - "defaultMessage": "Criado com Chakra UI, uma biblioteca de componentes de React simples, modulares e acessíveis." - }, - "home.features.description.einstein_recommendations": { - "defaultMessage": "Entregue o próximo melhor produto ou oferta a cada comprador por meio de recomendações de produto." - }, - "home.features.description.my_account": { - "defaultMessage": "Os compradores podem gerenciar as informações da conta, como perfil, endereços, pagamentos e pedidos." - }, - "home.features.description.shopper_login": { - "defaultMessage": "Permite que os compradores façam logon com uma experiência de compra mais personalizada." - }, - "home.features.description.wishlist": { - "defaultMessage": "Os compradores registrados podem adicionar itens de produtos à lista de desejos para comprá-los mais tarde." - }, - "home.features.heading.cart_checkout": { - "defaultMessage": "Carrinho e Checkout" - }, - "home.features.heading.components": { - "defaultMessage": "Componentes e Kit de design" - }, - "home.features.heading.einstein_recommendations": { - "defaultMessage": "Recomendações do Einstein" - }, - "home.features.heading.my_account": { - "defaultMessage": "Minha conta" - }, - "home.features.heading.shopper_login": { - "defaultMessage": "Shopper Login and API Access Service (SLAS)" - }, - "home.features.heading.wishlist": { - "defaultMessage": "Lista de desejos" - }, - "home.heading.features": { - "defaultMessage": "Recursos" - }, - "home.heading.here_to_help": { - "defaultMessage": "Estamos aqui para ajudar" - }, - "home.heading.shop_products": { - "defaultMessage": "Comprar produtos" - }, - "home.hero_features.link.design_kit": { - "defaultMessage": "Criar com o Figma PWA Design Kit" - }, - "home.hero_features.link.on_github": { - "defaultMessage": "Baixar no Github" - }, - "home.hero_features.link.on_managed_runtime": { - "defaultMessage": "Implantar no Managed Runtime" - }, - "home.link.contact_us": { - "defaultMessage": "Entre em contato" - }, - "home.link.get_started": { - "defaultMessage": "Começar" - }, - "home.link.read_docs": { - "defaultMessage": "Leia os documentos" - }, - "home.title.react_starter_store": { - "defaultMessage": "React PWA Starter Store para varejo" - }, - "icons.assistive_msg.lock": { - "defaultMessage": "Seguro" - }, - "item_attributes.label.promotions": { - "defaultMessage": "Promoções" - }, - "item_attributes.label.quantity": { - "defaultMessage": "Quantidade: {quantity}" - }, - "item_image.label.sale": { - "defaultMessage": "Promoção", - "description": "A sale badge placed on top of a product image" - }, - "item_image.label.unavailable": { - "defaultMessage": "Indisponível", - "description": "A unavailable badge placed on top of a product image" - }, - "item_price.label.starting_at": { - "defaultMessage": "A partir de" - }, - "lCPCxk": { - "defaultMessage": "Selecione todas as opções acima" - }, - "list_menu.nav.assistive_msg": { - "defaultMessage": "Navegação principal" - }, - "locale_text.message.ar-SA": { - "defaultMessage": "Árabe (Arábia Saudita)" - }, - "locale_text.message.bn-BD": { - "defaultMessage": "Bengali (Bangladesh)" - }, - "locale_text.message.bn-IN": { - "defaultMessage": "Bengali (Índia)" - }, - "locale_text.message.cs-CZ": { - "defaultMessage": "Tcheco (República Tcheca)" - }, - "locale_text.message.da-DK": { - "defaultMessage": "Dinamarquês (Dinamarca)" - }, - "locale_text.message.de-AT": { - "defaultMessage": "Alemão (Áustria)" - }, - "locale_text.message.de-CH": { - "defaultMessage": "Alemão (Suíça)" - }, - "locale_text.message.de-DE": { - "defaultMessage": "Alemão (Alemanha)" - }, - "locale_text.message.el-GR": { - "defaultMessage": "Grego (Grécia)" - }, - "locale_text.message.en-AU": { - "defaultMessage": "Inglês (Austrália)" - }, - "locale_text.message.en-CA": { - "defaultMessage": "Inglês (Canadá)" - }, - "locale_text.message.en-GB": { - "defaultMessage": "Inglês (Reino Unido)" - }, - "locale_text.message.en-IE": { - "defaultMessage": "Inglês (Irlanda)" - }, - "locale_text.message.en-IN": { - "defaultMessage": "Inglês (Índia)" - }, - "locale_text.message.en-NZ": { - "defaultMessage": "Inglês (Nova Zelândia)" - }, - "locale_text.message.en-US": { - "defaultMessage": "Inglês (Estados Unidos)" - }, - "locale_text.message.en-ZA": { - "defaultMessage": "Inglês (África do Sul)" - }, - "locale_text.message.es-AR": { - "defaultMessage": "Espanhol (Argentina)" - }, - "locale_text.message.es-CL": { - "defaultMessage": "Espanhol (Chile)" - }, - "locale_text.message.es-CO": { - "defaultMessage": "Espanhol (Colômbia)" - }, - "locale_text.message.es-ES": { - "defaultMessage": "Espanhol (Espanha)" - }, - "locale_text.message.es-MX": { - "defaultMessage": "Espanhol (México)" - }, - "locale_text.message.es-US": { - "defaultMessage": "Espanhol (Estados Unidos)" - }, - "locale_text.message.fi-FI": { - "defaultMessage": "Finlandês (Finlândia)" - }, - "locale_text.message.fr-BE": { - "defaultMessage": "Francês (Bélgica)" - }, - "locale_text.message.fr-CA": { - "defaultMessage": "Francês (Canadá)" - }, - "locale_text.message.fr-CH": { - "defaultMessage": "Francês (Suíça)" - }, - "locale_text.message.fr-FR": { - "defaultMessage": "Francês (França)" - }, - "locale_text.message.he-IL": { - "defaultMessage": "Hebreu (Israel)" - }, - "locale_text.message.hi-IN": { - "defaultMessage": "Hindi (Índia)" - }, - "locale_text.message.hu-HU": { - "defaultMessage": "Húngaro (Hungria)" - }, - "locale_text.message.id-ID": { - "defaultMessage": "Indonésio (Indonésia)" - }, - "locale_text.message.it-CH": { - "defaultMessage": "Italiano (Suíça)" - }, - "locale_text.message.it-IT": { - "defaultMessage": "Italiano (Itália)" - }, - "locale_text.message.ja-JP": { - "defaultMessage": "Japonês (Japão)" - }, - "locale_text.message.ko-KR": { - "defaultMessage": "Coreano (Coreia do Sul)" - }, - "locale_text.message.nl-BE": { - "defaultMessage": "Holandês (Bélgica)" - }, - "locale_text.message.nl-NL": { - "defaultMessage": "Holandês (Países Baixos)" - }, - "locale_text.message.no-NO": { - "defaultMessage": "Norueguês (Noruega)" - }, - "locale_text.message.pl-PL": { - "defaultMessage": "Polonês (Polônia)" - }, - "locale_text.message.pt-BR": { - "defaultMessage": "Português (Brasil)" - }, - "locale_text.message.pt-PT": { - "defaultMessage": "Português (Portugal)" - }, - "locale_text.message.ro-RO": { - "defaultMessage": "Romeno (Romênia)" - }, - "locale_text.message.ru-RU": { - "defaultMessage": "Russo (Rússia)" - }, - "locale_text.message.sk-SK": { - "defaultMessage": "Eslovaco (Eslováquia)" - }, - "locale_text.message.sv-SE": { - "defaultMessage": "Sueco (Suécia)" - }, - "locale_text.message.ta-IN": { - "defaultMessage": "Tâmil (Índia)" - }, - "locale_text.message.ta-LK": { - "defaultMessage": "Tâmil (Sri Lanka)" - }, - "locale_text.message.th-TH": { - "defaultMessage": "Tailandês (Tailândia)" - }, - "locale_text.message.tr-TR": { - "defaultMessage": "Turco (Turquia)" - }, - "locale_text.message.zh-CN": { - "defaultMessage": "Chinês (China)" - }, - "locale_text.message.zh-HK": { - "defaultMessage": "Chinês (Hong Kong)" - }, - "locale_text.message.zh-TW": { - "defaultMessage": "Chinês (Taiwan)" - }, - "login_form.action.create_account": { - "defaultMessage": "Criar conta" - }, - "login_form.button.sign_in": { - "defaultMessage": "Fazer logon" - }, - "login_form.link.forgot_password": { - "defaultMessage": "Esqueceu a senha?" - }, - "login_form.message.dont_have_account": { - "defaultMessage": "Não tem uma conta?" - }, - "login_form.message.welcome_back": { - "defaultMessage": "Olá novamente" - }, - "login_page.error.incorrect_username_or_password": { - "defaultMessage": "Nome de usuário ou senha incorreta. Tente novamente." - }, - "offline_banner.description.browsing_offline_mode": { - "defaultMessage": "Você está navegando no modo offline" - }, - "order_summary.action.remove_promo": { - "defaultMessage": "Remover" - }, - "order_summary.cart_items.action.num_of_items_in_cart": { - "defaultMessage": "{itemCount, plural, =0 {0 itens} one {# item} other {# itens}} no carrinho", - "description": "clicking it would expand/show the items in cart" - }, - "order_summary.cart_items.link.edit_cart": { - "defaultMessage": "Editar carrinho" - }, - "order_summary.heading.order_summary": { - "defaultMessage": "Resumo do pedido" - }, - "order_summary.label.estimated_total": { - "defaultMessage": "Total estimado" - }, - "order_summary.label.free": { - "defaultMessage": "Gratuito" - }, - "order_summary.label.order_total": { - "defaultMessage": "Total do pedido" - }, - "order_summary.label.promo_applied": { - "defaultMessage": "Promoção aplicada" - }, - "order_summary.label.promotions_applied": { - "defaultMessage": "Promoções aplicadas" - }, - "order_summary.label.shipping": { - "defaultMessage": "Frete" - }, - "order_summary.label.subtotal": { - "defaultMessage": "Subtotal" - }, - "order_summary.label.tax": { - "defaultMessage": "Imposto" - }, - "page_not_found.action.go_back": { - "defaultMessage": "Voltar à página anterior" - }, - "page_not_found.link.homepage": { - "defaultMessage": "Ir à página inicial" - }, - "page_not_found.message.suggestion_to_try": { - "defaultMessage": "Tente digitar o endereço novamente, voltar à página anterior ou à página inicial." - }, - "page_not_found.title.page_cant_be_found": { - "defaultMessage": "A página buscada não pôde ser encontrada." - }, - "pagination.field.num_of_pages": { - "defaultMessage": "de {numOfPages}" - }, - "pagination.link.next": { - "defaultMessage": "Próximo" - }, - "pagination.link.next.assistive_msg": { - "defaultMessage": "Próxima página" - }, - "pagination.link.prev": { - "defaultMessage": "Ant" - }, - "pagination.link.prev.assistive_msg": { - "defaultMessage": "Página anterior" - }, - "password_card.info.password_updated": { - "defaultMessage": "Senha atualizada" - }, - "password_card.label.password": { - "defaultMessage": "Senha" - }, - "password_card.title.password": { - "defaultMessage": "Senha" - }, - "password_requirements.error.eight_letter_minimum": { - "defaultMessage": "Mínimo de 8 caracteres", - "description": "Password requirement" - }, - "password_requirements.error.one_lowercase_letter": { - "defaultMessage": "1 letra minúscula", - "description": "Password requirement" - }, - "password_requirements.error.one_number": { - "defaultMessage": "1 número", - "description": "Password requirement" - }, - "password_requirements.error.one_special_character": { - "defaultMessage": "1 caractere especial (exemplo: , $ ! % #)", - "description": "Password requirement" - }, - "password_requirements.error.one_uppercase_letter": { - "defaultMessage": "1 letra maiúscula", - "description": "Password requirement" - }, - "payment_selection.heading.credit_card": { - "defaultMessage": "Cartão de crédito" - }, - "payment_selection.tooltip.secure_payment": { - "defaultMessage": "Este é um pagamento protegido com criptografia SSL." - }, - "price_per_item.label.each": { - "defaultMessage": "cada", - "description": "Abbreviated 'each', follows price per item, like $10/ea" - }, - "product_detail.accordion.button.product_detail": { - "defaultMessage": "Detalhe do produto" - }, - "product_detail.accordion.button.questions": { - "defaultMessage": "Perguntas" - }, - "product_detail.accordion.button.reviews": { - "defaultMessage": "Avaliações" - }, - "product_detail.accordion.button.size_fit": { - "defaultMessage": "Tamanho" - }, - "product_detail.accordion.message.coming_soon": { - "defaultMessage": "Em breve" - }, - "product_detail.recommended_products.title.complete_set": { - "defaultMessage": "Completar o conjunto" - }, - "product_detail.recommended_products.title.might_also_like": { - "defaultMessage": "Talvez você também queira" - }, - "product_detail.recommended_products.title.recently_viewed": { - "defaultMessage": "Recentemente visualizados" - }, - "product_item.label.quantity": { - "defaultMessage": "Quantidade:" - }, - "product_list.button.filter": { - "defaultMessage": "Filtrar" - }, - "product_list.button.sort_by": { - "defaultMessage": "Ordenar por: {sortOption}" - }, - "product_list.drawer.title.sort_by": { - "defaultMessage": "Ordenar por" - }, - "product_list.modal.button.clear_filters": { - "defaultMessage": "Limpar filtros" - }, - "product_list.modal.button.view_items": { - "defaultMessage": "Ver {prroductCount} itens" - }, - "product_list.modal.title.filter": { - "defaultMessage": "Filtrar" - }, - "product_list.refinements.button.assistive_msg.add_filter": { - "defaultMessage": "Adicionar filtro: {label}" - }, - "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": { - "defaultMessage": "Adicionar filtro: {label} ({hitCount})" - }, - "product_list.refinements.button.assistive_msg.remove_filter": { - "defaultMessage": "Remover filtro: {label}" - }, - "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": { - "defaultMessage": "Remover filtro: {label} ({hitCount})" - }, - "product_list.select.sort_by": { - "defaultMessage": "Ordenar por: {sortOption}" - }, - "product_scroller.assistive_msg.scroll_left": { - "defaultMessage": "Rolar os produtos para a esquerda" - }, - "product_scroller.assistive_msg.scroll_right": { - "defaultMessage": "Rolar os produtos para a direita" - }, - "product_tile.assistive_msg.add_to_wishlist": { - "defaultMessage": "Adicionar {product} à lista de desejos" - }, - "product_tile.assistive_msg.remove_from_wishlist": { - "defaultMessage": "Remover {product} da lista de desejos" - }, - "product_tile.label.starting_at_price": { - "defaultMessage": "A partir de {price}" - }, - "product_view.button.add_set_to_cart": { - "defaultMessage": "Adicionar conjunto ao carrinho" - }, - "product_view.button.add_set_to_wishlist": { - "defaultMessage": "Adicionar conjunto à lista de desejos" - }, - "product_view.button.add_to_cart": { - "defaultMessage": "Adicionar ao carrinho" - }, - "product_view.button.add_to_wishlist": { - "defaultMessage": "Adicionar à lista de desejos" - }, - "product_view.button.update": { - "defaultMessage": "Atualizar" - }, - "product_view.label.assistive_msg.quantity_decrement": { - "defaultMessage": "Quantidade de decremento" - }, - "product_view.label.assistive_msg.quantity_increment": { - "defaultMessage": "Quantidade de incremento" - }, - "product_view.label.quantity": { - "defaultMessage": "Quantidade" - }, - "product_view.label.quantity_decrement": { - "defaultMessage": "−" - }, - "product_view.label.quantity_increment": { - "defaultMessage": "+" - }, - "product_view.label.starting_at_price": { - "defaultMessage": "A partir de" - }, - "product_view.label.variant_type": { - "defaultMessage": "{variantType}" - }, - "product_view.link.full_details": { - "defaultMessage": "Ver detalhes completos" - }, - "profile_card.info.profile_updated": { - "defaultMessage": "Perfil atualizado" - }, - "profile_card.label.email": { - "defaultMessage": "E-mail" - }, - "profile_card.label.full_name": { - "defaultMessage": "Nome" - }, - "profile_card.label.phone": { - "defaultMessage": "Número de telefone" - }, - "profile_card.message.not_provided": { - "defaultMessage": "Não fornecido" - }, - "profile_card.title.my_profile": { - "defaultMessage": "Meu perfil" - }, - "promo_code_fields.button.apply": { - "defaultMessage": "Aplicar" - }, - "promo_popover.assistive_msg.info": { - "defaultMessage": "Informações" - }, - "promo_popover.heading.promo_applied": { - "defaultMessage": "Promoções aplicadas" - }, - "promocode.accordion.button.have_promocode": { - "defaultMessage": "Você tem um código promocional?" - }, - "recent_searches.action.clear_searches": { - "defaultMessage": "Apagar pesquisas recentes" - }, - "recent_searches.heading.recent_searches": { - "defaultMessage": "Pesquisas recentes" - }, - "register_form.action.sign_in": { - "defaultMessage": "Fazer logon" - }, - "register_form.button.create_account": { - "defaultMessage": "Criar conta" - }, - "register_form.heading.lets_get_started": { - "defaultMessage": "Vamos começar!" - }, - "register_form.message.agree_to_policy_terms": { - "defaultMessage": "Ao criar uma conta, você concorda com a Política de privacidade e os Termos e condições da Salesforce" - }, - "register_form.message.already_have_account": { - "defaultMessage": "Já tem uma conta?" - }, - "register_form.message.create_an_account": { - "defaultMessage": "Crie uma conta e tenha acesso aos melhores produtos, ideias e comunidade." - }, - "reset_password.button.back_to_sign_in": { - "defaultMessage": "Fazer login novamente" - }, - "reset_password.info.receive_email_shortly": { - "defaultMessage": "Em breve, você receberá um e-mail em {email} com um link para redefinir a senha." - }, - "reset_password.title.password_reset": { - "defaultMessage": "Redefinição de senha" - }, - "reset_password_form.action.sign_in": { - "defaultMessage": "Fazer logon" - }, - "reset_password_form.button.reset_password": { - "defaultMessage": "Redefinir senha" - }, - "reset_password_form.message.enter_your_email": { - "defaultMessage": "Digite seu e-mail para receber instruções sobre como redefinir sua senha" - }, - "reset_password_form.message.return_to_sign_in": { - "defaultMessage": "Ou voltar para", - "description": "Precedes link to return to sign in" - }, - "reset_password_form.title.reset_password": { - "defaultMessage": "Redefinir senha" - }, - "search.action.cancel": { - "defaultMessage": "Cancelar" - }, - "selected_refinements.action.assistive_msg.clear_all": { - "defaultMessage": "Apagar todos os filtros" - }, - "selected_refinements.action.clear_all": { - "defaultMessage": "Apagar tudo" - }, - "shipping_address.button.continue_to_shipping": { - "defaultMessage": "Ir ao método de entrega" - }, - "shipping_address.title.shipping_address": { - "defaultMessage": "Endereço de entrega" - }, - "shipping_address_edit_form.button.save_and_continue": { - "defaultMessage": "Salvar e ir ao método de entrega" - }, - "shipping_address_form.heading.edit_address": { - "defaultMessage": "Editar endereço" - }, - "shipping_address_form.heading.new_address": { - "defaultMessage": "Adicionar novo endereço" - }, - "shipping_address_selection.button.add_address": { - "defaultMessage": "Adicionar novo endereço" - }, - "shipping_address_selection.button.submit": { - "defaultMessage": "Enviar" - }, - "shipping_address_selection.title.add_address": { - "defaultMessage": "Adicionar novo endereço" - }, - "shipping_address_selection.title.edit_shipping": { - "defaultMessage": "Editar endereço de entrega" - }, - "shipping_options.action.send_as_a_gift": { - "defaultMessage": "Deseja enviar esse item como presente?" - }, - "shipping_options.button.continue_to_payment": { - "defaultMessage": "Ir ao Pagamento" - }, - "shipping_options.title.shipping_gift_options": { - "defaultMessage": "Opções de frete e presente" - }, - "signout_confirmation_dialog.button.cancel": { - "defaultMessage": "Cancelar" - }, - "signout_confirmation_dialog.button.sign_out": { - "defaultMessage": "Fazer logoff" - }, - "signout_confirmation_dialog.heading.sign_out": { - "defaultMessage": "Fazer logoff" - }, - "signout_confirmation_dialog.message.sure_to_sign_out": { - "defaultMessage": "Tem certeza de que deseja fazer logout? Será preciso fazer logon novamente para dar continuidade ao seu pedido atual." - }, - "swatch_group.selected.label": { - "defaultMessage": "{label}:" - }, - "toggle_card.action.edit": { - "defaultMessage": "Editar" - }, - "update_password_fields.button.forgot_password": { - "defaultMessage": "Esqueceu a senha?" - }, - "use_address_fields.error.please_enter_first_name": { - "defaultMessage": "Insira seu nome." - }, - "use_address_fields.error.please_enter_last_name": { - "defaultMessage": "Insira seu sobrenome." - }, - "use_address_fields.error.please_enter_phone_number": { - "defaultMessage": "Insira seu telefone." - }, - "use_address_fields.error.please_enter_your_postal_or_zip": { - "defaultMessage": "Insira seu código postal." - }, - "use_address_fields.error.please_select_your_address": { - "defaultMessage": "Insira seu endereço." - }, - "use_address_fields.error.please_select_your_city": { - "defaultMessage": "Insira sua cidade." - }, - "use_address_fields.error.please_select_your_country": { - "defaultMessage": "Selecione o país." - }, - "use_address_fields.error.please_select_your_state_or_province": { - "defaultMessage": "Selecione estado/província." - }, - "use_address_fields.error.required": { - "defaultMessage": "Requerido" - }, - "use_address_fields.error.state_code_invalid": { - "defaultMessage": "Insira 2 letras para estado/município." - }, - "use_address_fields.label.address": { - "defaultMessage": "Endereço" - }, - "use_address_fields.label.address_form": { - "defaultMessage": "Formulário de endereço" - }, - "use_address_fields.label.city": { - "defaultMessage": "Cidade" - }, - "use_address_fields.label.country": { - "defaultMessage": "País" - }, - "use_address_fields.label.first_name": { - "defaultMessage": "Nome" - }, - "use_address_fields.label.last_name": { - "defaultMessage": "Sobrenome" - }, - "use_address_fields.label.phone": { - "defaultMessage": "Telefone" - }, - "use_address_fields.label.postal_code": { - "defaultMessage": "Código postal" - }, - "use_address_fields.label.preferred": { - "defaultMessage": "Definir como padrão" - }, - "use_address_fields.label.province": { - "defaultMessage": "Município" - }, - "use_address_fields.label.state": { - "defaultMessage": "Estado" - }, - "use_address_fields.label.zipCode": { - "defaultMessage": "Código postal" - }, - "use_credit_card_fields.error.required": { - "defaultMessage": "Requerido" - }, - "use_credit_card_fields.error.required_card_number": { - "defaultMessage": "Insira o número de seu cartão." - }, - "use_credit_card_fields.error.required_expiry": { - "defaultMessage": "Insira a data de expiração." - }, - "use_credit_card_fields.error.required_name": { - "defaultMessage": "Insira seu nome exatamente como aparece no cartão." - }, - "use_credit_card_fields.error.required_security_code": { - "defaultMessage": "Insira seu código de segurança." - }, - "use_credit_card_fields.error.valid_card_number": { - "defaultMessage": "Insira um número de cartão válido." - }, - "use_credit_card_fields.error.valid_date": { - "defaultMessage": "Insira uma data válida." - }, - "use_credit_card_fields.error.valid_name": { - "defaultMessage": "Insira um nome válido." - }, - "use_credit_card_fields.error.valid_security_code": { - "defaultMessage": "Insira um código de segurança válido." - }, - "use_credit_card_fields.label.card_number": { - "defaultMessage": "Número de cartão" - }, - "use_credit_card_fields.label.card_type": { - "defaultMessage": "Tipo de cartão" - }, - "use_credit_card_fields.label.expiry": { - "defaultMessage": "Data de expiração" - }, - "use_credit_card_fields.label.name": { - "defaultMessage": "Nome no cartão" - }, - "use_credit_card_fields.label.security_code": { - "defaultMessage": "Código de segurança" - }, - "use_login_fields.error.required_email": { - "defaultMessage": "Insira seu endereço de e-mail." - }, - "use_login_fields.error.required_password": { - "defaultMessage": "Insira sua senha." - }, - "use_login_fields.label.email": { - "defaultMessage": "E-mail" - }, - "use_login_fields.label.password": { - "defaultMessage": "Senha" - }, - "use_product.message.inventory_remaining": { - "defaultMessage": "Somente {stockLevel} restante(s)!" - }, - "use_product.message.out_of_stock": { - "defaultMessage": "Fora de estoque" - }, - "use_profile_fields.error.required_email": { - "defaultMessage": "Insira um endereço de e-mail válido." - }, - "use_profile_fields.error.required_first_name": { - "defaultMessage": "Insira seu nome." - }, - "use_profile_fields.error.required_last_name": { - "defaultMessage": "Insira seu sobrenome." - }, - "use_profile_fields.error.required_phone": { - "defaultMessage": "Insira seu telefone." - }, - "use_profile_fields.label.email": { - "defaultMessage": "E-mail" - }, - "use_profile_fields.label.first_name": { - "defaultMessage": "Nome" - }, - "use_profile_fields.label.last_name": { - "defaultMessage": "Sobrenome" - }, - "use_profile_fields.label.phone": { - "defaultMessage": "Número de telefone" - }, - "use_promo_code_fields.error.required_promo_code": { - "defaultMessage": "Forneça um código promocional válido." - }, - "use_promo_code_fields.label.promo_code": { - "defaultMessage": "Código promocional" - }, - "use_promocode.error.check_the_code": { - "defaultMessage": "Verifique o código e tente novamente. Talvez ele já tenha sido utilizado ou a promoção já não é mais válida." - }, - "use_promocode.info.promo_applied": { - "defaultMessage": "Promoção aplicada" - }, - "use_promocode.info.promo_removed": { - "defaultMessage": "Promoção removida" - }, - "use_registration_fields.error.contain_number": { - "defaultMessage": "A senha deve conter pelo menos 1 número." - }, - "use_registration_fields.error.lowercase_letter": { - "defaultMessage": "A senha deve conter pelo menos 1 letra minúscula." - }, - "use_registration_fields.error.minimum_characters": { - "defaultMessage": "A senha deve conter pelo menos 8 caracteres." - }, - "use_registration_fields.error.required_email": { - "defaultMessage": "Insira um endereço de e-mail válido." - }, - "use_registration_fields.error.required_first_name": { - "defaultMessage": "Insira seu nome." - }, - "use_registration_fields.error.required_last_name": { - "defaultMessage": "Insira seu sobrenome." - }, - "use_registration_fields.error.required_password": { - "defaultMessage": "Crie uma senha." - }, - "use_registration_fields.error.special_character": { - "defaultMessage": "A senha deve conter pelo menos 1 caractere especial." - }, - "use_registration_fields.error.uppercase_letter": { - "defaultMessage": "A senha deve conter pelo menos 1 letra maiúscula." - }, - "use_registration_fields.label.email": { - "defaultMessage": "E-mail" - }, - "use_registration_fields.label.first_name": { - "defaultMessage": "Nome" - }, - "use_registration_fields.label.last_name": { - "defaultMessage": "Sobrenome" - }, - "use_registration_fields.label.password": { - "defaultMessage": "Senha" - }, - "use_registration_fields.label.sign_up_to_emails": { - "defaultMessage": "Fazer o meu registro para receber e-mails da Salesforce (você pode cancelar sua inscrição quando quiser)" - }, - "use_reset_password_fields.error.required_email": { - "defaultMessage": "Insira um endereço de e-mail válido." - }, - "use_reset_password_fields.label.email": { - "defaultMessage": "E-mail" - }, - "use_update_password_fields.error.contain_number": { - "defaultMessage": "A senha deve conter pelo menos 1 número." - }, - "use_update_password_fields.error.lowercase_letter": { - "defaultMessage": "A senha deve conter pelo menos 1 letra minúscula." - }, - "use_update_password_fields.error.minimum_characters": { - "defaultMessage": "A senha deve conter pelo menos 8 caracteres." - }, - "use_update_password_fields.error.required_new_password": { - "defaultMessage": "Forneça uma nova senha." - }, - "use_update_password_fields.error.required_password": { - "defaultMessage": "Insira sua senha." - }, - "use_update_password_fields.error.special_character": { - "defaultMessage": "A senha deve conter pelo menos 1 caractere especial." - }, - "use_update_password_fields.error.uppercase_letter": { - "defaultMessage": "A senha deve conter pelo menos 1 letra maiúscula." - }, - "use_update_password_fields.label.current_password": { - "defaultMessage": "Senha atual" - }, - "use_update_password_fields.label.new_password": { - "defaultMessage": "Nova senha" - }, - "wishlist_primary_action.button.add_set_to_cart": { - "defaultMessage": "Adicionar conjunto ao carrinho" - }, - "wishlist_primary_action.button.add_to_cart": { - "defaultMessage": "Adicionar ao carrinho" - }, - "wishlist_primary_action.button.view_full_details": { - "defaultMessage": "Ver detalhes completos" - }, - "wishlist_primary_action.button.view_options": { - "defaultMessage": "Ver opções" - }, - "wishlist_primary_action.info.added_to_cart": { - "defaultMessage": "{quantity} {quantity, plural, one {item} other {itens}} adicionado(s) ao carrinho" - }, - "wishlist_secondary_button_group.action.remove": { - "defaultMessage": "Remover" - }, - "wishlist_secondary_button_group.info.item_removed": { - "defaultMessage": "Item removido da lista de desejos" - }, - "with_registration.info.please_sign_in": { - "defaultMessage": "Faça logon para continuar!" - } -} diff --git a/my-test-project/translations/zh-CN.json b/my-test-project/translations/zh-CN.json deleted file mode 100644 index dbd4f6d9d8..0000000000 --- a/my-test-project/translations/zh-CN.json +++ /dev/null @@ -1,1517 +0,0 @@ -{ - "account.accordion.button.my_account": { - "defaultMessage": "我的账户" - }, - "account.heading.my_account": { - "defaultMessage": "我的账户" - }, - "account.logout_button.button.log_out": { - "defaultMessage": "登出" - }, - "account_addresses.badge.default": { - "defaultMessage": "默认" - }, - "account_addresses.button.add_address": { - "defaultMessage": "添加地址" - }, - "account_addresses.info.address_removed": { - "defaultMessage": "已删除地址" - }, - "account_addresses.info.address_updated": { - "defaultMessage": "已更新地址" - }, - "account_addresses.info.new_address_saved": { - "defaultMessage": "已保存新地址" - }, - "account_addresses.page_action_placeholder.button.add_address": { - "defaultMessage": "添加地址" - }, - "account_addresses.page_action_placeholder.heading.no_saved_addresses": { - "defaultMessage": "没有保存的地址" - }, - "account_addresses.page_action_placeholder.message.add_new_address": { - "defaultMessage": "添加新地址方式,加快结账速度。" - }, - "account_addresses.title.addresses": { - "defaultMessage": "地址" - }, - "account_detail.title.account_details": { - "defaultMessage": "账户详情" - }, - "account_order_detail.heading.billing_address": { - "defaultMessage": "账单地址" - }, - "account_order_detail.heading.num_of_items": { - "defaultMessage": "{count} 件商品" - }, - "account_order_detail.heading.payment_method": { - "defaultMessage": "付款方式" - }, - "account_order_detail.heading.shipping_address": { - "defaultMessage": "送货地址" - }, - "account_order_detail.heading.shipping_method": { - "defaultMessage": "送货方式" - }, - "account_order_detail.label.order_number": { - "defaultMessage": "订单编号:{orderNumber}" - }, - "account_order_detail.label.ordered_date": { - "defaultMessage": "下单日期:{date}" - }, - "account_order_detail.label.pending_tracking_number": { - "defaultMessage": "待处理" - }, - "account_order_detail.label.tracking_number": { - "defaultMessage": "跟踪编号" - }, - "account_order_detail.link.back_to_history": { - "defaultMessage": "返回订单记录" - }, - "account_order_detail.shipping_status.not_shipped": { - "defaultMessage": "未发货" - }, - "account_order_detail.shipping_status.part_shipped": { - "defaultMessage": "部分已发货" - }, - "account_order_detail.shipping_status.shipped": { - "defaultMessage": "已发货" - }, - "account_order_detail.title.order_details": { - "defaultMessage": "订单详情" - }, - "account_order_history.button.continue_shopping": { - "defaultMessage": "继续购物" - }, - "account_order_history.description.once_you_place_order": { - "defaultMessage": "下订单后,详细信息将显示在此处。" - }, - "account_order_history.heading.no_order_yet": { - "defaultMessage": "您尚未下订单。" - }, - "account_order_history.label.num_of_items": { - "defaultMessage": "{count} 件商品", - "description": "Number of items in order" - }, - "account_order_history.label.order_number": { - "defaultMessage": "订单编号:{orderNumber}" - }, - "account_order_history.label.ordered_date": { - "defaultMessage": "下单日期:{date}" - }, - "account_order_history.label.shipped_to": { - "defaultMessage": "送货至:{name}" - }, - "account_order_history.link.view_details": { - "defaultMessage": "查看详情" - }, - "account_order_history.title.order_history": { - "defaultMessage": "订单记录" - }, - "account_wishlist.button.continue_shopping": { - "defaultMessage": "继续购物" - }, - "account_wishlist.description.continue_shopping": { - "defaultMessage": "继续购物并将商品加入愿望清单。" - }, - "account_wishlist.heading.no_wishlist": { - "defaultMessage": "没有愿望清单商品" - }, - "account_wishlist.title.wishlist": { - "defaultMessage": "愿望清单" - }, - "action_card.action.edit": { - "defaultMessage": "编辑" - }, - "action_card.action.remove": { - "defaultMessage": "移除" - }, - "add_to_cart_modal.info.added_to_cart": { - "defaultMessage": "{quantity} {quantity, plural, one { 件商品} other { 件商品}}已添加至购物车" - }, - "add_to_cart_modal.label.cart_subtotal": { - "defaultMessage": "购物车小计({itemAccumulatedCount} 件商品)" - }, - "add_to_cart_modal.label.quantity": { - "defaultMessage": "数量" - }, - "add_to_cart_modal.link.checkout": { - "defaultMessage": "继续以结账" - }, - "add_to_cart_modal.link.view_cart": { - "defaultMessage": "查看购物车" - }, - "add_to_cart_modal.recommended_products.title.might_also_like": { - "defaultMessage": "您可能还喜欢" - }, - "auth_modal.button.close.assistive_msg": { - "defaultMessage": "关闭登录表单" - }, - "auth_modal.description.now_signed_in": { - "defaultMessage": "您现在已登录。" - }, - "auth_modal.error.incorrect_email_or_password": { - "defaultMessage": "您的电子邮件或密码有问题。重试" - }, - "auth_modal.info.welcome_user": { - "defaultMessage": "欢迎 {name}," - }, - "auth_modal.password_reset_success.button.back_to_sign_in": { - "defaultMessage": "返回登录" - }, - "auth_modal.password_reset_success.info.will_email_shortly": { - "defaultMessage": "您将通过 {email} 收到包含重置密码链接的电子邮件。" - }, - "auth_modal.password_reset_success.title.password_reset": { - "defaultMessage": "密码重置" - }, - "carousel.button.scroll_left.assistive_msg": { - "defaultMessage": "向左滚动转盘" - }, - "carousel.button.scroll_right.assistive_msg": { - "defaultMessage": "向右滚动转盘" - }, - "cart.info.removed_from_cart": { - "defaultMessage": "从购物车中移除商品" - }, - "cart.recommended_products.title.may_also_like": { - "defaultMessage": "您可能还喜欢" - }, - "cart.recommended_products.title.recently_viewed": { - "defaultMessage": "最近查看" - }, - "cart_cta.link.checkout": { - "defaultMessage": "继续以结账" - }, - "cart_secondary_button_group.action.added_to_wishlist": { - "defaultMessage": "添加到愿望清单" - }, - "cart_secondary_button_group.action.edit": { - "defaultMessage": "编辑" - }, - "cart_secondary_button_group.action.remove": { - "defaultMessage": "移除" - }, - "cart_secondary_button_group.label.this_is_gift": { - "defaultMessage": "这是礼品。" - }, - "cart_skeleton.heading.order_summary": { - "defaultMessage": "订单摘要" - }, - "cart_skeleton.title.cart": { - "defaultMessage": "购物车" - }, - "cart_title.title.cart_num_of_items": { - "defaultMessage": "购物车({itemCount, plural, =0 {0 件商品} one {# 件商品} other {# 件商品}})" - }, - "cc_radio_group.action.remove": { - "defaultMessage": "移除" - }, - "cc_radio_group.button.add_new_card": { - "defaultMessage": "添加新卡" - }, - "checkout.button.place_order": { - "defaultMessage": "下订单" - }, - "checkout.message.generic_error": { - "defaultMessage": "结账时发生意外错误。" - }, - "checkout_confirmation.button.create_account": { - "defaultMessage": "创建账户" - }, - "checkout_confirmation.heading.billing_address": { - "defaultMessage": "账单地址" - }, - "checkout_confirmation.heading.create_account": { - "defaultMessage": "创建账户,加快结账速度" - }, - "checkout_confirmation.heading.credit_card": { - "defaultMessage": "信用卡" - }, - "checkout_confirmation.heading.delivery_details": { - "defaultMessage": "交货详情" - }, - "checkout_confirmation.heading.order_summary": { - "defaultMessage": "订单摘要" - }, - "checkout_confirmation.heading.payment_details": { - "defaultMessage": "付款详情" - }, - "checkout_confirmation.heading.shipping_address": { - "defaultMessage": "送货地址" - }, - "checkout_confirmation.heading.shipping_method": { - "defaultMessage": "送货方式" - }, - "checkout_confirmation.heading.thank_you_for_order": { - "defaultMessage": "感谢您订购商品!" - }, - "checkout_confirmation.label.free": { - "defaultMessage": "免费" - }, - "checkout_confirmation.label.order_number": { - "defaultMessage": "订单编号" - }, - "checkout_confirmation.label.order_total": { - "defaultMessage": "订单总额" - }, - "checkout_confirmation.label.promo_applied": { - "defaultMessage": "已应用促销" - }, - "checkout_confirmation.label.shipping": { - "defaultMessage": "送货" - }, - "checkout_confirmation.label.subtotal": { - "defaultMessage": "小计" - }, - "checkout_confirmation.label.tax": { - "defaultMessage": "税项" - }, - "checkout_confirmation.link.continue_shopping": { - "defaultMessage": "继续购物" - }, - "checkout_confirmation.link.login": { - "defaultMessage": "在此处登录" - }, - "checkout_confirmation.message.already_has_account": { - "defaultMessage": "此电子邮件地址已注册账户。" - }, - "checkout_confirmation.message.num_of_items_in_order": { - "defaultMessage": "{itemCount, plural, =0 {0 件商品} one {# 件商品} other {# 件商品}}", - "description": "# item(s) in order" - }, - "checkout_confirmation.message.will_email_shortly": { - "defaultMessage": "我们会尽快向 {email} 发送带有您的确认号码和收据的电子邮件。" - }, - "checkout_footer.link.privacy_policy": { - "defaultMessage": "隐私政策" - }, - "checkout_footer.link.returns_exchanges": { - "defaultMessage": "退货与换货" - }, - "checkout_footer.link.shipping": { - "defaultMessage": "送货" - }, - "checkout_footer.link.site_map": { - "defaultMessage": "站点地图" - }, - "checkout_footer.link.terms_conditions": { - "defaultMessage": "条款与条件" - }, - "checkout_footer.message.copyright": { - "defaultMessage": "Salesforce 或其附属公司。保留所有权利。此仅为示范商店。所下订单不会被处理。" - }, - "checkout_header.link.assistive_msg.cart": { - "defaultMessage": "返回购物车,商品数量:{numItems}" - }, - "checkout_header.link.cart": { - "defaultMessage": "返回购物车" - }, - "checkout_payment.action.remove": { - "defaultMessage": "移除" - }, - "checkout_payment.button.review_order": { - "defaultMessage": "检查订单" - }, - "checkout_payment.heading.billing_address": { - "defaultMessage": "账单地址" - }, - "checkout_payment.heading.credit_card": { - "defaultMessage": "信用卡" - }, - "checkout_payment.label.same_as_shipping": { - "defaultMessage": "与送货地址相同" - }, - "checkout_payment.title.payment": { - "defaultMessage": "付款" - }, - "colorRefinements.label.hitCount": { - "defaultMessage": "{colorLabel} ({colorHitCount})" - }, - "confirmation_modal.default.action.no": { - "defaultMessage": "否" - }, - "confirmation_modal.default.action.yes": { - "defaultMessage": "是" - }, - "confirmation_modal.default.message.you_want_to_continue": { - "defaultMessage": "是否确定要继续?" - }, - "confirmation_modal.default.title.confirm_action": { - "defaultMessage": "确认操作" - }, - "confirmation_modal.remove_cart_item.action.no": { - "defaultMessage": "否,保留商品" - }, - "confirmation_modal.remove_cart_item.action.remove": { - "defaultMessage": "移除" - }, - "confirmation_modal.remove_cart_item.action.yes": { - "defaultMessage": "是,移除商品" - }, - "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": { - "defaultMessage": "某些商品不再在线销售,并将从您的购物车中删除。" - }, - "confirmation_modal.remove_cart_item.message.sure_to_remove": { - "defaultMessage": "是否确定要从购物车移除此商品?" - }, - "confirmation_modal.remove_cart_item.title.confirm_remove": { - "defaultMessage": "确认移除商品" - }, - "confirmation_modal.remove_cart_item.title.items_unavailable": { - "defaultMessage": "商品缺货" - }, - "confirmation_modal.remove_wishlist_item.action.no": { - "defaultMessage": "否,保留商品" - }, - "confirmation_modal.remove_wishlist_item.action.yes": { - "defaultMessage": "是,移除商品" - }, - "confirmation_modal.remove_wishlist_item.message.sure_to_remove": { - "defaultMessage": "是否确定要从愿望清单移除此商品?" - }, - "confirmation_modal.remove_wishlist_item.title.confirm_remove": { - "defaultMessage": "确认移除商品" - }, - "contact_info.action.sign_out": { - "defaultMessage": "注销" - }, - "contact_info.button.already_have_account": { - "defaultMessage": "已有账户?登录" - }, - "contact_info.button.checkout_as_guest": { - "defaultMessage": "以访客身份结账" - }, - "contact_info.button.login": { - "defaultMessage": "登录" - }, - "contact_info.error.incorrect_username_or_password": { - "defaultMessage": "用户名或密码错误,请重试。" - }, - "contact_info.link.forgot_password": { - "defaultMessage": "忘记密码?" - }, - "contact_info.title.contact_info": { - "defaultMessage": "联系信息" - }, - "credit_card_fields.tool_tip.security_code": { - "defaultMessage": "此 3 位数字码可以在卡的背面找到。", - "description": "Generic credit card security code help text" - }, - "credit_card_fields.tool_tip.security_code.american_express": { - "defaultMessage": "此 4 位数字码可以在卡的正找到。", - "description": "American Express security code help text" - }, - "credit_card_fields.tool_tip.security_code_aria_label": { - "defaultMessage": "安全码信息" - }, - "drawer_menu.button.account_details": { - "defaultMessage": "账户详情" - }, - "drawer_menu.button.addresses": { - "defaultMessage": "地址" - }, - "drawer_menu.button.log_out": { - "defaultMessage": "登出" - }, - "drawer_menu.button.my_account": { - "defaultMessage": "我的账户" - }, - "drawer_menu.button.order_history": { - "defaultMessage": "订单记录" - }, - "drawer_menu.link.about_us": { - "defaultMessage": "关于我们" - }, - "drawer_menu.link.customer_support": { - "defaultMessage": "客户支持" - }, - "drawer_menu.link.customer_support.contact_us": { - "defaultMessage": "联系我们" - }, - "drawer_menu.link.customer_support.shipping_and_returns": { - "defaultMessage": "送货与退货" - }, - "drawer_menu.link.our_company": { - "defaultMessage": "我们的公司" - }, - "drawer_menu.link.privacy_and_security": { - "defaultMessage": "隐私及安全" - }, - "drawer_menu.link.privacy_policy": { - "defaultMessage": "隐私政策" - }, - "drawer_menu.link.shop_all": { - "defaultMessage": "购买全部" - }, - "drawer_menu.link.sign_in": { - "defaultMessage": "登录" - }, - "drawer_menu.link.site_map": { - "defaultMessage": "站点地图" - }, - "drawer_menu.link.store_locator": { - "defaultMessage": "实体店地址搜索" - }, - "drawer_menu.link.terms_and_conditions": { - "defaultMessage": "条款与条件" - }, - "empty_cart.description.empty_cart": { - "defaultMessage": "购物车内没有商品。" - }, - "empty_cart.link.continue_shopping": { - "defaultMessage": "继续购物" - }, - "empty_cart.link.sign_in": { - "defaultMessage": "登录" - }, - "empty_cart.message.continue_shopping": { - "defaultMessage": "继续购物并将商品加入购物车。" - }, - "empty_cart.message.sign_in_or_continue_shopping": { - "defaultMessage": "登录以检索您保存的商品或继续购物。" - }, - "empty_search_results.info.cant_find_anything_for_category": { - "defaultMessage": "我们找不到{category}的任何内容。尝试搜索产品或{link}。" - }, - "empty_search_results.info.cant_find_anything_for_query": { - "defaultMessage": "我们找不到“{searchQuery}”的任何内容。" - }, - "empty_search_results.info.double_check_spelling": { - "defaultMessage": "请仔细检查您的拼写并重试或{link}。" - }, - "empty_search_results.link.contact_us": { - "defaultMessage": "联系我们" - }, - "empty_search_results.recommended_products.title.most_viewed": { - "defaultMessage": "查看最多的商品" - }, - "empty_search_results.recommended_products.title.top_sellers": { - "defaultMessage": "最畅销" - }, - "field.password.assistive_msg.hide_password": { - "defaultMessage": "隐藏密码" - }, - "field.password.assistive_msg.show_password": { - "defaultMessage": "显示密码" - }, - "footer.column.account": { - "defaultMessage": "账户" - }, - "footer.column.customer_support": { - "defaultMessage": "客户支持" - }, - "footer.column.our_company": { - "defaultMessage": "我们的公司" - }, - "footer.link.about_us": { - "defaultMessage": "关于我们" - }, - "footer.link.contact_us": { - "defaultMessage": "联系我们" - }, - "footer.link.order_status": { - "defaultMessage": "订单状态" - }, - "footer.link.privacy_policy": { - "defaultMessage": "隐私政策" - }, - "footer.link.shipping": { - "defaultMessage": "送货" - }, - "footer.link.signin_create_account": { - "defaultMessage": "登录或创建账户" - }, - "footer.link.site_map": { - "defaultMessage": "站点地图" - }, - "footer.link.store_locator": { - "defaultMessage": "实体店地址搜索" - }, - "footer.link.terms_conditions": { - "defaultMessage": "条款与条件" - }, - "footer.message.copyright": { - "defaultMessage": "Salesforce 或其附属公司。保留所有权利。此仅为示范商店。所下订单不会被处理。" - }, - "footer.subscribe.button.sign_up": { - "defaultMessage": "注册" - }, - "footer.subscribe.description.sign_up": { - "defaultMessage": "注册以随时了解最热门的交易" - }, - "footer.subscribe.heading.first_to_know": { - "defaultMessage": "率先了解" - }, - "form_action_buttons.button.cancel": { - "defaultMessage": "取消" - }, - "form_action_buttons.button.save": { - "defaultMessage": "保存" - }, - "global.account.link.account_details": { - "defaultMessage": "账户详情" - }, - "global.account.link.addresses": { - "defaultMessage": "地址" - }, - "global.account.link.order_history": { - "defaultMessage": "订单记录" - }, - "global.account.link.wishlist": { - "defaultMessage": "愿望清单" - }, - "global.error.something_went_wrong": { - "defaultMessage": "出现错误。重试。" - }, - "global.info.added_to_wishlist": { - "defaultMessage": "{quantity} {quantity, plural, one { 件商品} other { 件商品}}已添加至愿望清单" - }, - "global.info.already_in_wishlist": { - "defaultMessage": "商品已在愿望清单中" - }, - "global.info.removed_from_wishlist": { - "defaultMessage": "从愿望清单中移除商品" - }, - "global.link.added_to_wishlist.view_wishlist": { - "defaultMessage": "查看" - }, - "header.button.assistive_msg.logo": { - "defaultMessage": "标志" - }, - "header.button.assistive_msg.menu": { - "defaultMessage": "菜单" - }, - "header.button.assistive_msg.my_account": { - "defaultMessage": "我的账户" - }, - "header.button.assistive_msg.my_account_menu": { - "defaultMessage": "打开账户菜单" - }, - "header.button.assistive_msg.my_cart_with_num_items": { - "defaultMessage": "我的购物车,商品数量:{numItems}" - }, - "header.button.assistive_msg.wishlist": { - "defaultMessage": "愿望清单" - }, - "header.field.placeholder.search_for_products": { - "defaultMessage": "搜索产品..." - }, - "header.popover.action.log_out": { - "defaultMessage": "登出" - }, - "header.popover.title.my_account": { - "defaultMessage": "我的账户" - }, - "home.description.features": { - "defaultMessage": "开箱即用的功能,让您只需专注于添加增强功能。" - }, - "home.description.here_to_help": { - "defaultMessage": "联系我们的支持人员。" - }, - "home.description.here_to_help_line_2": { - "defaultMessage": "他们将向您提供适当指导。" - }, - "home.description.shop_products": { - "defaultMessage": "本节包含目录中的内容。{docLink}了解如何进行更换。", - "description": "{docLink} is a html button that links the user to https://sfdc.co/business-manager-manage-catalogs" - }, - "home.features.description.cart_checkout": { - "defaultMessage": "购物者购物车和结账体验的电子商务最佳实践。" - }, - "home.features.description.components": { - "defaultMessage": "使用 Chakra UI 构建,Chakra UI 是一个简单、模块化且可访问的 React 组件库。" - }, - "home.features.description.einstein_recommendations": { - "defaultMessage": "通过产品推荐向每位购物者提供下一个最佳产品或优惠。" - }, - "home.features.description.my_account": { - "defaultMessage": "购物者可以管理账户信息,例如个人概况、地址、付款和订单。" - }, - "home.features.description.shopper_login": { - "defaultMessage": "使购物者能够轻松登录并获得更加个性化的购物体验。" - }, - "home.features.description.wishlist": { - "defaultMessage": "已注册的购物者可以将产品添加到愿望清单,以便日后购买。" - }, - "home.features.heading.cart_checkout": { - "defaultMessage": "购物车和结账" - }, - "home.features.heading.components": { - "defaultMessage": "组件和设计套件" - }, - "home.features.heading.einstein_recommendations": { - "defaultMessage": "Einstein 推荐" - }, - "home.features.heading.my_account": { - "defaultMessage": "我的账户" - }, - "home.features.heading.shopper_login": { - "defaultMessage": "Shopper Login and API Access Service (SLAS)" - }, - "home.features.heading.wishlist": { - "defaultMessage": "愿望清单" - }, - "home.heading.features": { - "defaultMessage": "功能" - }, - "home.heading.here_to_help": { - "defaultMessage": "我们随时提供帮助" - }, - "home.heading.shop_products": { - "defaultMessage": "购买产品" - }, - "home.hero_features.link.design_kit": { - "defaultMessage": "采用 Figma PWA Design Kit 创建" - }, - "home.hero_features.link.on_github": { - "defaultMessage": "在 Github 下载" - }, - "home.hero_features.link.on_managed_runtime": { - "defaultMessage": "在 Managed Runtime 中部署" - }, - "home.link.contact_us": { - "defaultMessage": "联系我们" - }, - "home.link.get_started": { - "defaultMessage": "入门指南" - }, - "home.link.read_docs": { - "defaultMessage": "阅读文档" - }, - "home.title.react_starter_store": { - "defaultMessage": "零售 React PWA Starter Store" - }, - "icons.assistive_msg.lock": { - "defaultMessage": "安全" - }, - "item_attributes.label.promotions": { - "defaultMessage": "促销" - }, - "item_attributes.label.quantity": { - "defaultMessage": "数量:{quantity}" - }, - "item_image.label.sale": { - "defaultMessage": "销售", - "description": "A sale badge placed on top of a product image" - }, - "item_image.label.unavailable": { - "defaultMessage": "不可用", - "description": "A unavailable badge placed on top of a product image" - }, - "item_price.label.starting_at": { - "defaultMessage": "起价:" - }, - "lCPCxk": { - "defaultMessage": "请在上方选择您的所有选项" - }, - "list_menu.nav.assistive_msg": { - "defaultMessage": "主导航" - }, - "locale_text.message.ar-SA": { - "defaultMessage": "阿拉伯语(沙特阿拉伯)" - }, - "locale_text.message.bn-BD": { - "defaultMessage": "孟加拉语(孟加拉国)" - }, - "locale_text.message.bn-IN": { - "defaultMessage": "孟加拉语(印度)" - }, - "locale_text.message.cs-CZ": { - "defaultMessage": "捷克语(捷克共和国)" - }, - "locale_text.message.da-DK": { - "defaultMessage": "丹麦语(丹麦)" - }, - "locale_text.message.de-AT": { - "defaultMessage": "德语(奥地利)" - }, - "locale_text.message.de-CH": { - "defaultMessage": "德语(瑞士)" - }, - "locale_text.message.de-DE": { - "defaultMessage": "德语(德国)" - }, - "locale_text.message.el-GR": { - "defaultMessage": "希腊语(希腊)" - }, - "locale_text.message.en-AU": { - "defaultMessage": "英语(澳大利亚)" - }, - "locale_text.message.en-CA": { - "defaultMessage": "英语(加拿大)" - }, - "locale_text.message.en-GB": { - "defaultMessage": "英语(英国)" - }, - "locale_text.message.en-IE": { - "defaultMessage": "英语(爱尔兰)" - }, - "locale_text.message.en-IN": { - "defaultMessage": "英语(印度)" - }, - "locale_text.message.en-NZ": { - "defaultMessage": "英语(新西兰)" - }, - "locale_text.message.en-US": { - "defaultMessage": "英语(美国)" - }, - "locale_text.message.en-ZA": { - "defaultMessage": "英语(南非)" - }, - "locale_text.message.es-AR": { - "defaultMessage": "西班牙语(阿根廷)" - }, - "locale_text.message.es-CL": { - "defaultMessage": "西班牙语(智利)" - }, - "locale_text.message.es-CO": { - "defaultMessage": "西班牙语(哥伦比亚)" - }, - "locale_text.message.es-ES": { - "defaultMessage": "西班牙语(西班牙)" - }, - "locale_text.message.es-MX": { - "defaultMessage": "西班牙语(墨西哥)" - }, - "locale_text.message.es-US": { - "defaultMessage": "西班牙语(美国)" - }, - "locale_text.message.fi-FI": { - "defaultMessage": "芬兰语(芬兰)" - }, - "locale_text.message.fr-BE": { - "defaultMessage": "法语(比利时)" - }, - "locale_text.message.fr-CA": { - "defaultMessage": "法语(加拿大)" - }, - "locale_text.message.fr-CH": { - "defaultMessage": "法语(瑞士)" - }, - "locale_text.message.fr-FR": { - "defaultMessage": "法语(法国)" - }, - "locale_text.message.he-IL": { - "defaultMessage": "希伯来语(以色列)" - }, - "locale_text.message.hi-IN": { - "defaultMessage": "印地语(印度)" - }, - "locale_text.message.hu-HU": { - "defaultMessage": "匈牙利语(匈牙利)" - }, - "locale_text.message.id-ID": { - "defaultMessage": "印尼语(印度尼西亚)" - }, - "locale_text.message.it-CH": { - "defaultMessage": "意大利语(瑞士)" - }, - "locale_text.message.it-IT": { - "defaultMessage": "意大利语(意大利)" - }, - "locale_text.message.ja-JP": { - "defaultMessage": "日语(日本)" - }, - "locale_text.message.ko-KR": { - "defaultMessage": "韩语(韩国)" - }, - "locale_text.message.nl-BE": { - "defaultMessage": "荷兰语(比利时)" - }, - "locale_text.message.nl-NL": { - "defaultMessage": "荷兰语(荷兰)" - }, - "locale_text.message.no-NO": { - "defaultMessage": "挪威语(挪威)" - }, - "locale_text.message.pl-PL": { - "defaultMessage": "波兰语(波兰)" - }, - "locale_text.message.pt-BR": { - "defaultMessage": "葡萄牙语(巴西)" - }, - "locale_text.message.pt-PT": { - "defaultMessage": "葡萄牙语(葡萄牙)" - }, - "locale_text.message.ro-RO": { - "defaultMessage": "罗马尼亚语(罗马尼亚)" - }, - "locale_text.message.ru-RU": { - "defaultMessage": "俄语(俄罗斯联邦)" - }, - "locale_text.message.sk-SK": { - "defaultMessage": "斯洛伐克语(斯洛伐克)" - }, - "locale_text.message.sv-SE": { - "defaultMessage": "瑞典语(瑞典)" - }, - "locale_text.message.ta-IN": { - "defaultMessage": "泰米尔语(印度)" - }, - "locale_text.message.ta-LK": { - "defaultMessage": "泰米尔语(斯里兰卡)" - }, - "locale_text.message.th-TH": { - "defaultMessage": "泰语(泰国)" - }, - "locale_text.message.tr-TR": { - "defaultMessage": "土耳其语(土耳其)" - }, - "locale_text.message.zh-CN": { - "defaultMessage": "中文(中国)" - }, - "locale_text.message.zh-HK": { - "defaultMessage": "中文(香港)" - }, - "locale_text.message.zh-TW": { - "defaultMessage": "中文(台湾)" - }, - "login_form.action.create_account": { - "defaultMessage": "创建账户" - }, - "login_form.button.sign_in": { - "defaultMessage": "登录" - }, - "login_form.link.forgot_password": { - "defaultMessage": "忘记密码?" - }, - "login_form.message.dont_have_account": { - "defaultMessage": "没有账户?" - }, - "login_form.message.welcome_back": { - "defaultMessage": "欢迎回来" - }, - "login_page.error.incorrect_username_or_password": { - "defaultMessage": "用户名或密码错误,请重试。" - }, - "offline_banner.description.browsing_offline_mode": { - "defaultMessage": "您正在离线模式下浏览" - }, - "order_summary.action.remove_promo": { - "defaultMessage": "移除" - }, - "order_summary.cart_items.action.num_of_items_in_cart": { - "defaultMessage": "购物车内有 {itemCount, plural, =0 {0 件商品} one {# 件商品} other {# 件商品}}", - "description": "clicking it would expand/show the items in cart" - }, - "order_summary.cart_items.link.edit_cart": { - "defaultMessage": "编辑购物车" - }, - "order_summary.heading.order_summary": { - "defaultMessage": "订单摘要" - }, - "order_summary.label.estimated_total": { - "defaultMessage": "预计总数" - }, - "order_summary.label.free": { - "defaultMessage": "免费" - }, - "order_summary.label.order_total": { - "defaultMessage": "订单总额" - }, - "order_summary.label.promo_applied": { - "defaultMessage": "已应用促销" - }, - "order_summary.label.promotions_applied": { - "defaultMessage": "已应用促销" - }, - "order_summary.label.shipping": { - "defaultMessage": "送货" - }, - "order_summary.label.subtotal": { - "defaultMessage": "小计" - }, - "order_summary.label.tax": { - "defaultMessage": "税项" - }, - "page_not_found.action.go_back": { - "defaultMessage": "返回上一页" - }, - "page_not_found.link.homepage": { - "defaultMessage": "返回主页" - }, - "page_not_found.message.suggestion_to_try": { - "defaultMessage": "请尝试重新输入地址、返回上一页或返回主页。" - }, - "page_not_found.title.page_cant_be_found": { - "defaultMessage": "找不到您要查找的页面。" - }, - "pagination.field.num_of_pages": { - "defaultMessage": "/ {numOfPages}" - }, - "pagination.link.next": { - "defaultMessage": "下一步" - }, - "pagination.link.next.assistive_msg": { - "defaultMessage": "下一页" - }, - "pagination.link.prev": { - "defaultMessage": "上一步" - }, - "pagination.link.prev.assistive_msg": { - "defaultMessage": "上一页" - }, - "password_card.info.password_updated": { - "defaultMessage": "密码已更新" - }, - "password_card.label.password": { - "defaultMessage": "密码" - }, - "password_card.title.password": { - "defaultMessage": "密码" - }, - "password_requirements.error.eight_letter_minimum": { - "defaultMessage": "最短 8 个字符", - "description": "Password requirement" - }, - "password_requirements.error.one_lowercase_letter": { - "defaultMessage": "1 个小写字母", - "description": "Password requirement" - }, - "password_requirements.error.one_number": { - "defaultMessage": "1 个数字", - "description": "Password requirement" - }, - "password_requirements.error.one_special_character": { - "defaultMessage": "1 个特殊字符(例如:, S ! %)", - "description": "Password requirement" - }, - "password_requirements.error.one_uppercase_letter": { - "defaultMessage": "1 个大写字母", - "description": "Password requirement" - }, - "payment_selection.heading.credit_card": { - "defaultMessage": "信用卡" - }, - "payment_selection.tooltip.secure_payment": { - "defaultMessage": "这是一种安全的 SSL 加密支付。" - }, - "price_per_item.label.each": { - "defaultMessage": "每件", - "description": "Abbreviated 'each', follows price per item, like $10/ea" - }, - "product_detail.accordion.button.product_detail": { - "defaultMessage": "产品详情" - }, - "product_detail.accordion.button.questions": { - "defaultMessage": "问题" - }, - "product_detail.accordion.button.reviews": { - "defaultMessage": "点评" - }, - "product_detail.accordion.button.size_fit": { - "defaultMessage": "尺寸与合身" - }, - "product_detail.accordion.message.coming_soon": { - "defaultMessage": "即将到货" - }, - "product_detail.recommended_products.title.complete_set": { - "defaultMessage": "Complete the Set(完成组合)" - }, - "product_detail.recommended_products.title.might_also_like": { - "defaultMessage": "您可能还喜欢" - }, - "product_detail.recommended_products.title.recently_viewed": { - "defaultMessage": "最近查看" - }, - "product_item.label.quantity": { - "defaultMessage": "数量:" - }, - "product_list.button.filter": { - "defaultMessage": "筛选器" - }, - "product_list.button.sort_by": { - "defaultMessage": "排序标准:{sortOption}" - }, - "product_list.drawer.title.sort_by": { - "defaultMessage": "排序标准" - }, - "product_list.modal.button.clear_filters": { - "defaultMessage": "清除筛选器" - }, - "product_list.modal.button.view_items": { - "defaultMessage": "查看 {prroductCount} 件商品" - }, - "product_list.modal.title.filter": { - "defaultMessage": "筛选器" - }, - "product_list.refinements.button.assistive_msg.add_filter": { - "defaultMessage": "添加筛选器:{label}" - }, - "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": { - "defaultMessage": "添加筛选器:{label} ({hitCount})" - }, - "product_list.refinements.button.assistive_msg.remove_filter": { - "defaultMessage": "删除筛选器:{label}" - }, - "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": { - "defaultMessage": "删除筛选器:{label} ({hitCount})" - }, - "product_list.select.sort_by": { - "defaultMessage": "排序标准:{sortOption}" - }, - "product_scroller.assistive_msg.scroll_left": { - "defaultMessage": "向左滚动产品" - }, - "product_scroller.assistive_msg.scroll_right": { - "defaultMessage": "向右滚动产品" - }, - "product_tile.assistive_msg.add_to_wishlist": { - "defaultMessage": "添加 {product} 到愿望清单" - }, - "product_tile.assistive_msg.remove_from_wishlist": { - "defaultMessage": "从愿望清单删除 {product}" - }, - "product_tile.label.starting_at_price": { - "defaultMessage": "起价:{price}" - }, - "product_view.button.add_set_to_cart": { - "defaultMessage": "将套装添加到购物车" - }, - "product_view.button.add_set_to_wishlist": { - "defaultMessage": "将套装添加到愿望清单" - }, - "product_view.button.add_to_cart": { - "defaultMessage": "添加到购物车" - }, - "product_view.button.add_to_wishlist": { - "defaultMessage": "添加到愿望清单" - }, - "product_view.button.update": { - "defaultMessage": "更新" - }, - "product_view.label.assistive_msg.quantity_decrement": { - "defaultMessage": "递减数量" - }, - "product_view.label.assistive_msg.quantity_increment": { - "defaultMessage": "递增数量" - }, - "product_view.label.quantity": { - "defaultMessage": "数量" - }, - "product_view.label.quantity_decrement": { - "defaultMessage": "−" - }, - "product_view.label.quantity_increment": { - "defaultMessage": "+" - }, - "product_view.label.starting_at_price": { - "defaultMessage": "起价:" - }, - "product_view.label.variant_type": { - "defaultMessage": "{variantType}" - }, - "product_view.link.full_details": { - "defaultMessage": "查看完整详情" - }, - "profile_card.info.profile_updated": { - "defaultMessage": "已更新概况" - }, - "profile_card.label.email": { - "defaultMessage": "电子邮件" - }, - "profile_card.label.full_name": { - "defaultMessage": "全名" - }, - "profile_card.label.phone": { - "defaultMessage": "电话号码" - }, - "profile_card.message.not_provided": { - "defaultMessage": "未提供" - }, - "profile_card.title.my_profile": { - "defaultMessage": "我的概况" - }, - "promo_code_fields.button.apply": { - "defaultMessage": "确定" - }, - "promo_popover.assistive_msg.info": { - "defaultMessage": "Info" - }, - "promo_popover.heading.promo_applied": { - "defaultMessage": "已应用促销" - }, - "promocode.accordion.button.have_promocode": { - "defaultMessage": "您是否有促销码?" - }, - "recent_searches.action.clear_searches": { - "defaultMessage": "清除最近搜索" - }, - "recent_searches.heading.recent_searches": { - "defaultMessage": "最近搜索" - }, - "register_form.action.sign_in": { - "defaultMessage": "登录" - }, - "register_form.button.create_account": { - "defaultMessage": "创建账户" - }, - "register_form.heading.lets_get_started": { - "defaultMessage": "开始使用!" - }, - "register_form.message.agree_to_policy_terms": { - "defaultMessage": "创建账户即表明您同意 Salesforce 隐私政策以及条款与条件" - }, - "register_form.message.already_have_account": { - "defaultMessage": "已有账户?" - }, - "register_form.message.create_an_account": { - "defaultMessage": "创建账户并首先查看最佳产品、妙招和虚拟社区。" - }, - "reset_password.button.back_to_sign_in": { - "defaultMessage": "返回登录" - }, - "reset_password.info.receive_email_shortly": { - "defaultMessage": "您将通过 {email} 收到包含重置密码链接的电子邮件。" - }, - "reset_password.title.password_reset": { - "defaultMessage": "密码重置" - }, - "reset_password_form.action.sign_in": { - "defaultMessage": "登录" - }, - "reset_password_form.button.reset_password": { - "defaultMessage": "重置密码" - }, - "reset_password_form.message.enter_your_email": { - "defaultMessage": "进入您的电子邮件,获取重置密码说明" - }, - "reset_password_form.message.return_to_sign_in": { - "defaultMessage": "或返回", - "description": "Precedes link to return to sign in" - }, - "reset_password_form.title.reset_password": { - "defaultMessage": "重置密码" - }, - "search.action.cancel": { - "defaultMessage": "取消" - }, - "selected_refinements.action.assistive_msg.clear_all": { - "defaultMessage": "清除所有筛选器" - }, - "selected_refinements.action.clear_all": { - "defaultMessage": "全部清除" - }, - "shipping_address.button.continue_to_shipping": { - "defaultMessage": "继续并选择送货方式" - }, - "shipping_address.title.shipping_address": { - "defaultMessage": "送货地址" - }, - "shipping_address_edit_form.button.save_and_continue": { - "defaultMessage": "保存并继续选择送货方式" - }, - "shipping_address_form.heading.edit_address": { - "defaultMessage": "编辑地址" - }, - "shipping_address_form.heading.new_address": { - "defaultMessage": "添加新地址" - }, - "shipping_address_selection.button.add_address": { - "defaultMessage": "添加新地址" - }, - "shipping_address_selection.button.submit": { - "defaultMessage": "提交" - }, - "shipping_address_selection.title.add_address": { - "defaultMessage": "添加新地址" - }, - "shipping_address_selection.title.edit_shipping": { - "defaultMessage": "编辑送货地址" - }, - "shipping_options.action.send_as_a_gift": { - "defaultMessage": "您想将此作为礼品发送吗?" - }, - "shipping_options.button.continue_to_payment": { - "defaultMessage": "继续并选择付款" - }, - "shipping_options.title.shipping_gift_options": { - "defaultMessage": "送货与礼品选项" - }, - "signout_confirmation_dialog.button.cancel": { - "defaultMessage": "取消" - }, - "signout_confirmation_dialog.button.sign_out": { - "defaultMessage": "注销" - }, - "signout_confirmation_dialog.heading.sign_out": { - "defaultMessage": "注销" - }, - "signout_confirmation_dialog.message.sure_to_sign_out": { - "defaultMessage": "是否确定要注销?您需要重新登录才能继续处理当前订单。" - }, - "swatch_group.selected.label": { - "defaultMessage": "{label}:" - }, - "toggle_card.action.edit": { - "defaultMessage": "编辑" - }, - "update_password_fields.button.forgot_password": { - "defaultMessage": "忘记密码?" - }, - "use_address_fields.error.please_enter_first_name": { - "defaultMessage": "请输入您的名字。" - }, - "use_address_fields.error.please_enter_last_name": { - "defaultMessage": "请输入您的姓氏。" - }, - "use_address_fields.error.please_enter_phone_number": { - "defaultMessage": "请输入您的电话号码。" - }, - "use_address_fields.error.please_enter_your_postal_or_zip": { - "defaultMessage": "请输入您的邮政编码。" - }, - "use_address_fields.error.please_select_your_address": { - "defaultMessage": "请输入您的地址。" - }, - "use_address_fields.error.please_select_your_city": { - "defaultMessage": "请输入您所在城市。" - }, - "use_address_fields.error.please_select_your_country": { - "defaultMessage": "请输入您所在国家/地区。" - }, - "use_address_fields.error.please_select_your_state_or_province": { - "defaultMessage": "请选择您所在的州/省。" - }, - "use_address_fields.error.required": { - "defaultMessage": "必填" - }, - "use_address_fields.error.state_code_invalid": { - "defaultMessage": "请输入两个字母的州/省名称。" - }, - "use_address_fields.label.address": { - "defaultMessage": "地址" - }, - "use_address_fields.label.address_form": { - "defaultMessage": "地址表格" - }, - "use_address_fields.label.city": { - "defaultMessage": "城市" - }, - "use_address_fields.label.country": { - "defaultMessage": "国家" - }, - "use_address_fields.label.first_name": { - "defaultMessage": "名字" - }, - "use_address_fields.label.last_name": { - "defaultMessage": "姓氏" - }, - "use_address_fields.label.phone": { - "defaultMessage": "电话" - }, - "use_address_fields.label.postal_code": { - "defaultMessage": "邮政编码" - }, - "use_address_fields.label.preferred": { - "defaultMessage": "设为默认值" - }, - "use_address_fields.label.province": { - "defaultMessage": "省" - }, - "use_address_fields.label.state": { - "defaultMessage": "州/省" - }, - "use_address_fields.label.zipCode": { - "defaultMessage": "邮政编码" - }, - "use_credit_card_fields.error.required": { - "defaultMessage": "必填" - }, - "use_credit_card_fields.error.required_card_number": { - "defaultMessage": "请输入您的卡号。" - }, - "use_credit_card_fields.error.required_expiry": { - "defaultMessage": "请输入卡的到期日期。" - }, - "use_credit_card_fields.error.required_name": { - "defaultMessage": "请输入卡上显示的名字。" - }, - "use_credit_card_fields.error.required_security_code": { - "defaultMessage": "请输入您的安全码。" - }, - "use_credit_card_fields.error.valid_card_number": { - "defaultMessage": "请输入有效的卡号。" - }, - "use_credit_card_fields.error.valid_date": { - "defaultMessage": "请输入有效的日期。" - }, - "use_credit_card_fields.error.valid_name": { - "defaultMessage": "请输入有效的名称。" - }, - "use_credit_card_fields.error.valid_security_code": { - "defaultMessage": "请输入有效的安全码。" - }, - "use_credit_card_fields.label.card_number": { - "defaultMessage": "卡号" - }, - "use_credit_card_fields.label.card_type": { - "defaultMessage": "卡类型" - }, - "use_credit_card_fields.label.expiry": { - "defaultMessage": "到期日期" - }, - "use_credit_card_fields.label.name": { - "defaultMessage": "持卡人姓名" - }, - "use_credit_card_fields.label.security_code": { - "defaultMessage": "安全码" - }, - "use_login_fields.error.required_email": { - "defaultMessage": "请输入您的电子邮件地址。" - }, - "use_login_fields.error.required_password": { - "defaultMessage": "请输入您的密码。" - }, - "use_login_fields.label.email": { - "defaultMessage": "电子邮件" - }, - "use_login_fields.label.password": { - "defaultMessage": "密码" - }, - "use_product.message.inventory_remaining": { - "defaultMessage": "仅剩 {stockLevel} 件!" - }, - "use_product.message.out_of_stock": { - "defaultMessage": "无库存" - }, - "use_profile_fields.error.required_email": { - "defaultMessage": "请输入有效的电子邮件地址。" - }, - "use_profile_fields.error.required_first_name": { - "defaultMessage": "请输入您的名字。" - }, - "use_profile_fields.error.required_last_name": { - "defaultMessage": "请输入您的姓氏。" - }, - "use_profile_fields.error.required_phone": { - "defaultMessage": "请输入您的电话号码。" - }, - "use_profile_fields.label.email": { - "defaultMessage": "电子邮件" - }, - "use_profile_fields.label.first_name": { - "defaultMessage": "名字" - }, - "use_profile_fields.label.last_name": { - "defaultMessage": "姓氏" - }, - "use_profile_fields.label.phone": { - "defaultMessage": "电话号码" - }, - "use_promo_code_fields.error.required_promo_code": { - "defaultMessage": "请提供有效的促销码。" - }, - "use_promo_code_fields.label.promo_code": { - "defaultMessage": "促销码" - }, - "use_promocode.error.check_the_code": { - "defaultMessage": "检查促销码并重试,该促销码可能已被使用或促销已过期。" - }, - "use_promocode.info.promo_applied": { - "defaultMessage": "已应用促销" - }, - "use_promocode.info.promo_removed": { - "defaultMessage": "已删除促销" - }, - "use_registration_fields.error.contain_number": { - "defaultMessage": "密码必须至少包含一个数字。" - }, - "use_registration_fields.error.lowercase_letter": { - "defaultMessage": "密码必须至少包含一个小写字母。" - }, - "use_registration_fields.error.minimum_characters": { - "defaultMessage": "密码必须至少包含 8 个字符。" - }, - "use_registration_fields.error.required_email": { - "defaultMessage": "请输入有效的电子邮件地址。" - }, - "use_registration_fields.error.required_first_name": { - "defaultMessage": "请输入您的名字。" - }, - "use_registration_fields.error.required_last_name": { - "defaultMessage": "请输入您的姓氏。" - }, - "use_registration_fields.error.required_password": { - "defaultMessage": "请创建密码。" - }, - "use_registration_fields.error.special_character": { - "defaultMessage": "密码必须至少包含一个特殊字符。" - }, - "use_registration_fields.error.uppercase_letter": { - "defaultMessage": "密码必须至少包含一个大写字母。" - }, - "use_registration_fields.label.email": { - "defaultMessage": "电子邮件" - }, - "use_registration_fields.label.first_name": { - "defaultMessage": "名字" - }, - "use_registration_fields.label.last_name": { - "defaultMessage": "姓氏" - }, - "use_registration_fields.label.password": { - "defaultMessage": "密码" - }, - "use_registration_fields.label.sign_up_to_emails": { - "defaultMessage": "为我注册 Salesforce 电子邮件(您可以随时取消订阅)" - }, - "use_reset_password_fields.error.required_email": { - "defaultMessage": "请输入有效的电子邮件地址。" - }, - "use_reset_password_fields.label.email": { - "defaultMessage": "电子邮件" - }, - "use_update_password_fields.error.contain_number": { - "defaultMessage": "密码必须至少包含一个数字。" - }, - "use_update_password_fields.error.lowercase_letter": { - "defaultMessage": "密码必须至少包含一个小写字母。" - }, - "use_update_password_fields.error.minimum_characters": { - "defaultMessage": "密码必须至少包含 8 个字符。" - }, - "use_update_password_fields.error.required_new_password": { - "defaultMessage": "请提供新密码。" - }, - "use_update_password_fields.error.required_password": { - "defaultMessage": "请输入您的密码。" - }, - "use_update_password_fields.error.special_character": { - "defaultMessage": "密码必须至少包含一个特殊字符。" - }, - "use_update_password_fields.error.uppercase_letter": { - "defaultMessage": "密码必须至少包含一个大写字母。" - }, - "use_update_password_fields.label.current_password": { - "defaultMessage": "当前密码" - }, - "use_update_password_fields.label.new_password": { - "defaultMessage": "新密码" - }, - "wishlist_primary_action.button.add_set_to_cart": { - "defaultMessage": "将套装添加到购物车" - }, - "wishlist_primary_action.button.add_to_cart": { - "defaultMessage": "添加到购物车" - }, - "wishlist_primary_action.button.view_full_details": { - "defaultMessage": "查看完整详情" - }, - "wishlist_primary_action.button.view_options": { - "defaultMessage": "查看选项" - }, - "wishlist_primary_action.info.added_to_cart": { - "defaultMessage": "{quantity} {quantity, plural, one { 件商品} other { 件商品}}已添加至购物车" - }, - "wishlist_secondary_button_group.action.remove": { - "defaultMessage": "移除" - }, - "wishlist_secondary_button_group.info.item_removed": { - "defaultMessage": "从愿望清单中移除商品" - }, - "with_registration.info.please_sign_in": { - "defaultMessage": "请登录以继续!" - } -} diff --git a/my-test-project/translations/zh-TW.json b/my-test-project/translations/zh-TW.json deleted file mode 100644 index ef358ce253..0000000000 --- a/my-test-project/translations/zh-TW.json +++ /dev/null @@ -1,1517 +0,0 @@ -{ - "account.accordion.button.my_account": { - "defaultMessage": "我的帳戶" - }, - "account.heading.my_account": { - "defaultMessage": "我的帳戶" - }, - "account.logout_button.button.log_out": { - "defaultMessage": "登出" - }, - "account_addresses.badge.default": { - "defaultMessage": "預設" - }, - "account_addresses.button.add_address": { - "defaultMessage": "新增地址" - }, - "account_addresses.info.address_removed": { - "defaultMessage": "已移除地址" - }, - "account_addresses.info.address_updated": { - "defaultMessage": "地址已更新" - }, - "account_addresses.info.new_address_saved": { - "defaultMessage": "新地址已儲存" - }, - "account_addresses.page_action_placeholder.button.add_address": { - "defaultMessage": "新增地址" - }, - "account_addresses.page_action_placeholder.heading.no_saved_addresses": { - "defaultMessage": "沒有已儲存的地址" - }, - "account_addresses.page_action_placeholder.message.add_new_address": { - "defaultMessage": "新增地址,加快結帳流程。" - }, - "account_addresses.title.addresses": { - "defaultMessage": "地址" - }, - "account_detail.title.account_details": { - "defaultMessage": "帳戶詳細資料" - }, - "account_order_detail.heading.billing_address": { - "defaultMessage": "帳單地址" - }, - "account_order_detail.heading.num_of_items": { - "defaultMessage": "{count} 件商品" - }, - "account_order_detail.heading.payment_method": { - "defaultMessage": "付款方式" - }, - "account_order_detail.heading.shipping_address": { - "defaultMessage": "運送地址" - }, - "account_order_detail.heading.shipping_method": { - "defaultMessage": "運送方式" - }, - "account_order_detail.label.order_number": { - "defaultMessage": "訂單編號:{orderNumber}" - }, - "account_order_detail.label.ordered_date": { - "defaultMessage": "下單日期:{date}" - }, - "account_order_detail.label.pending_tracking_number": { - "defaultMessage": "待處理" - }, - "account_order_detail.label.tracking_number": { - "defaultMessage": "追蹤編號" - }, - "account_order_detail.link.back_to_history": { - "defaultMessage": "返回訂單記錄" - }, - "account_order_detail.shipping_status.not_shipped": { - "defaultMessage": "未出貨" - }, - "account_order_detail.shipping_status.part_shipped": { - "defaultMessage": "已部分出貨" - }, - "account_order_detail.shipping_status.shipped": { - "defaultMessage": "已出貨" - }, - "account_order_detail.title.order_details": { - "defaultMessage": "訂單詳細資料" - }, - "account_order_history.button.continue_shopping": { - "defaultMessage": "繼續選購" - }, - "account_order_history.description.once_you_place_order": { - "defaultMessage": "下訂單後,詳細資料將會在這裡顯示。" - }, - "account_order_history.heading.no_order_yet": { - "defaultMessage": "您尚未下訂單。" - }, - "account_order_history.label.num_of_items": { - "defaultMessage": "{count} 件商品", - "description": "Number of items in order" - }, - "account_order_history.label.order_number": { - "defaultMessage": "訂單編號:{orderNumber}" - }, - "account_order_history.label.ordered_date": { - "defaultMessage": "下單日期:{date}" - }, - "account_order_history.label.shipped_to": { - "defaultMessage": "已出貨至:{name}" - }, - "account_order_history.link.view_details": { - "defaultMessage": "檢視詳細資料" - }, - "account_order_history.title.order_history": { - "defaultMessage": "訂單記錄" - }, - "account_wishlist.button.continue_shopping": { - "defaultMessage": "繼續選購" - }, - "account_wishlist.description.continue_shopping": { - "defaultMessage": "繼續選購,並將商品新增至願望清單。" - }, - "account_wishlist.heading.no_wishlist": { - "defaultMessage": "沒有願望清單商品" - }, - "account_wishlist.title.wishlist": { - "defaultMessage": "願望清單" - }, - "action_card.action.edit": { - "defaultMessage": "編輯" - }, - "action_card.action.remove": { - "defaultMessage": "移除" - }, - "add_to_cart_modal.info.added_to_cart": { - "defaultMessage": "{quantity} {quantity, plural, one {件商品} other {件商品}}已新增至購物車" - }, - "add_to_cart_modal.label.cart_subtotal": { - "defaultMessage": "購物車小計 ({itemAccumulatedCount} 件商品)" - }, - "add_to_cart_modal.label.quantity": { - "defaultMessage": "數量" - }, - "add_to_cart_modal.link.checkout": { - "defaultMessage": "繼續以結帳" - }, - "add_to_cart_modal.link.view_cart": { - "defaultMessage": "檢視購物車" - }, - "add_to_cart_modal.recommended_products.title.might_also_like": { - "defaultMessage": "您可能也喜歡" - }, - "auth_modal.button.close.assistive_msg": { - "defaultMessage": "關閉登入表單" - }, - "auth_modal.description.now_signed_in": { - "defaultMessage": "您現在已登入。" - }, - "auth_modal.error.incorrect_email_or_password": { - "defaultMessage": "您的電子郵件或密碼不正確。請再試一次。" - }, - "auth_modal.info.welcome_user": { - "defaultMessage": "{name},歡迎:" - }, - "auth_modal.password_reset_success.button.back_to_sign_in": { - "defaultMessage": "返回登入" - }, - "auth_modal.password_reset_success.info.will_email_shortly": { - "defaultMessage": "您很快就會在 {email} 收到一封電子郵件,內含重設密碼的連結。" - }, - "auth_modal.password_reset_success.title.password_reset": { - "defaultMessage": "重設密碼" - }, - "carousel.button.scroll_left.assistive_msg": { - "defaultMessage": "向左捲動輪播" - }, - "carousel.button.scroll_right.assistive_msg": { - "defaultMessage": "向右捲動輪播" - }, - "cart.info.removed_from_cart": { - "defaultMessage": "已從購物車移除商品" - }, - "cart.recommended_products.title.may_also_like": { - "defaultMessage": "您可能也喜歡" - }, - "cart.recommended_products.title.recently_viewed": { - "defaultMessage": "最近檢視" - }, - "cart_cta.link.checkout": { - "defaultMessage": "繼續以結帳" - }, - "cart_secondary_button_group.action.added_to_wishlist": { - "defaultMessage": "新增至願望清單" - }, - "cart_secondary_button_group.action.edit": { - "defaultMessage": "編輯" - }, - "cart_secondary_button_group.action.remove": { - "defaultMessage": "移除" - }, - "cart_secondary_button_group.label.this_is_gift": { - "defaultMessage": "這是禮物。" - }, - "cart_skeleton.heading.order_summary": { - "defaultMessage": "訂單摘要" - }, - "cart_skeleton.title.cart": { - "defaultMessage": "購物車" - }, - "cart_title.title.cart_num_of_items": { - "defaultMessage": "購物車 ({itemCount, plural, =0 {0 件商品} one {# 件商品} other {# 件商品}})" - }, - "cc_radio_group.action.remove": { - "defaultMessage": "移除" - }, - "cc_radio_group.button.add_new_card": { - "defaultMessage": "新增卡片" - }, - "checkout.button.place_order": { - "defaultMessage": "送出訂單" - }, - "checkout.message.generic_error": { - "defaultMessage": "結帳時發生意外錯誤。" - }, - "checkout_confirmation.button.create_account": { - "defaultMessage": "建立帳戶" - }, - "checkout_confirmation.heading.billing_address": { - "defaultMessage": "帳單地址" - }, - "checkout_confirmation.heading.create_account": { - "defaultMessage": "建立帳戶,加快結帳流程" - }, - "checkout_confirmation.heading.credit_card": { - "defaultMessage": "信用卡" - }, - "checkout_confirmation.heading.delivery_details": { - "defaultMessage": "運送詳細資料" - }, - "checkout_confirmation.heading.order_summary": { - "defaultMessage": "訂單摘要" - }, - "checkout_confirmation.heading.payment_details": { - "defaultMessage": "付款詳細資料" - }, - "checkout_confirmation.heading.shipping_address": { - "defaultMessage": "運送地址" - }, - "checkout_confirmation.heading.shipping_method": { - "defaultMessage": "運送方式" - }, - "checkout_confirmation.heading.thank_you_for_order": { - "defaultMessage": "感謝您的訂購!" - }, - "checkout_confirmation.label.free": { - "defaultMessage": "免費" - }, - "checkout_confirmation.label.order_number": { - "defaultMessage": "訂單編號" - }, - "checkout_confirmation.label.order_total": { - "defaultMessage": "訂單總計" - }, - "checkout_confirmation.label.promo_applied": { - "defaultMessage": "已套用促銷" - }, - "checkout_confirmation.label.shipping": { - "defaultMessage": "運送" - }, - "checkout_confirmation.label.subtotal": { - "defaultMessage": "小計" - }, - "checkout_confirmation.label.tax": { - "defaultMessage": "稅項" - }, - "checkout_confirmation.link.continue_shopping": { - "defaultMessage": "繼續選購" - }, - "checkout_confirmation.link.login": { - "defaultMessage": "於此處登入" - }, - "checkout_confirmation.message.already_has_account": { - "defaultMessage": "此電子郵件已擁有帳戶。" - }, - "checkout_confirmation.message.num_of_items_in_order": { - "defaultMessage": "{itemCount, plural, =0 {0 件商品} one {# 件商品} other {# 件商品}}", - "description": "# item(s) in order" - }, - "checkout_confirmation.message.will_email_shortly": { - "defaultMessage": "我們很快就會寄送電子郵件至 {email},內含您的確認號碼和收據。" - }, - "checkout_footer.link.privacy_policy": { - "defaultMessage": "隱私政策" - }, - "checkout_footer.link.returns_exchanges": { - "defaultMessage": "退貨與換貨" - }, - "checkout_footer.link.shipping": { - "defaultMessage": "運送" - }, - "checkout_footer.link.site_map": { - "defaultMessage": "網站地圖" - }, - "checkout_footer.link.terms_conditions": { - "defaultMessage": "條款與條件" - }, - "checkout_footer.message.copyright": { - "defaultMessage": "Salesforce 或相關企業。保留一切權利。這只是一個示範商店。在此下單將「不會」進行處理。" - }, - "checkout_header.link.assistive_msg.cart": { - "defaultMessage": "返回購物車,商品數量:{numItems}" - }, - "checkout_header.link.cart": { - "defaultMessage": "返回購物車" - }, - "checkout_payment.action.remove": { - "defaultMessage": "移除" - }, - "checkout_payment.button.review_order": { - "defaultMessage": "檢查訂單" - }, - "checkout_payment.heading.billing_address": { - "defaultMessage": "帳單地址" - }, - "checkout_payment.heading.credit_card": { - "defaultMessage": "信用卡" - }, - "checkout_payment.label.same_as_shipping": { - "defaultMessage": "與運送地址相同" - }, - "checkout_payment.title.payment": { - "defaultMessage": "付款" - }, - "colorRefinements.label.hitCount": { - "defaultMessage": "{colorLabel} ({colorHitCount})" - }, - "confirmation_modal.default.action.no": { - "defaultMessage": "否" - }, - "confirmation_modal.default.action.yes": { - "defaultMessage": "是" - }, - "confirmation_modal.default.message.you_want_to_continue": { - "defaultMessage": "確定要繼續嗎?" - }, - "confirmation_modal.default.title.confirm_action": { - "defaultMessage": "確認動作" - }, - "confirmation_modal.remove_cart_item.action.no": { - "defaultMessage": "否,保留商品" - }, - "confirmation_modal.remove_cart_item.action.remove": { - "defaultMessage": "移除" - }, - "confirmation_modal.remove_cart_item.action.yes": { - "defaultMessage": "是,移除商品" - }, - "confirmation_modal.remove_cart_item.message.need_to_remove_due_to_unavailability": { - "defaultMessage": "有些商品已無法再於線上取得,因此將從您的購物車中移除。" - }, - "confirmation_modal.remove_cart_item.message.sure_to_remove": { - "defaultMessage": "確定要將商品從購物車中移除嗎?" - }, - "confirmation_modal.remove_cart_item.title.confirm_remove": { - "defaultMessage": "確認移除商品" - }, - "confirmation_modal.remove_cart_item.title.items_unavailable": { - "defaultMessage": "商品不可用" - }, - "confirmation_modal.remove_wishlist_item.action.no": { - "defaultMessage": "否,保留商品" - }, - "confirmation_modal.remove_wishlist_item.action.yes": { - "defaultMessage": "是,移除商品" - }, - "confirmation_modal.remove_wishlist_item.message.sure_to_remove": { - "defaultMessage": "確定要將商品從願望清單中移除嗎?" - }, - "confirmation_modal.remove_wishlist_item.title.confirm_remove": { - "defaultMessage": "確認移除商品" - }, - "contact_info.action.sign_out": { - "defaultMessage": "登出" - }, - "contact_info.button.already_have_account": { - "defaultMessage": "已經有帳戶了?登入" - }, - "contact_info.button.checkout_as_guest": { - "defaultMessage": "以訪客身份結帳" - }, - "contact_info.button.login": { - "defaultMessage": "登入" - }, - "contact_info.error.incorrect_username_or_password": { - "defaultMessage": "使用者名稱或密碼不正確,請再試一次。" - }, - "contact_info.link.forgot_password": { - "defaultMessage": "忘記密碼了嗎?" - }, - "contact_info.title.contact_info": { - "defaultMessage": "聯絡資訊" - }, - "credit_card_fields.tool_tip.security_code": { - "defaultMessage": "此 3 位數代碼可在您卡片的背面找到。", - "description": "Generic credit card security code help text" - }, - "credit_card_fields.tool_tip.security_code.american_express": { - "defaultMessage": "此 4 位數代碼可在您卡片的正面找到。", - "description": "American Express security code help text" - }, - "credit_card_fields.tool_tip.security_code_aria_label": { - "defaultMessage": "安全碼資訊" - }, - "drawer_menu.button.account_details": { - "defaultMessage": "帳戶詳細資料" - }, - "drawer_menu.button.addresses": { - "defaultMessage": "地址" - }, - "drawer_menu.button.log_out": { - "defaultMessage": "登出" - }, - "drawer_menu.button.my_account": { - "defaultMessage": "我的帳戶" - }, - "drawer_menu.button.order_history": { - "defaultMessage": "訂單記錄" - }, - "drawer_menu.link.about_us": { - "defaultMessage": "關於我們" - }, - "drawer_menu.link.customer_support": { - "defaultMessage": "客戶支援" - }, - "drawer_menu.link.customer_support.contact_us": { - "defaultMessage": "聯絡我們" - }, - "drawer_menu.link.customer_support.shipping_and_returns": { - "defaultMessage": "運送與退貨" - }, - "drawer_menu.link.our_company": { - "defaultMessage": "我們的公司" - }, - "drawer_menu.link.privacy_and_security": { - "defaultMessage": "隱私與安全" - }, - "drawer_menu.link.privacy_policy": { - "defaultMessage": "隱私政策" - }, - "drawer_menu.link.shop_all": { - "defaultMessage": "選購全部" - }, - "drawer_menu.link.sign_in": { - "defaultMessage": "登入" - }, - "drawer_menu.link.site_map": { - "defaultMessage": "網站地圖" - }, - "drawer_menu.link.store_locator": { - "defaultMessage": "商店位置搜尋" - }, - "drawer_menu.link.terms_and_conditions": { - "defaultMessage": "條款與條件" - }, - "empty_cart.description.empty_cart": { - "defaultMessage": "您的購物車是空的。" - }, - "empty_cart.link.continue_shopping": { - "defaultMessage": "繼續選購" - }, - "empty_cart.link.sign_in": { - "defaultMessage": "登入" - }, - "empty_cart.message.continue_shopping": { - "defaultMessage": "繼續選購,並將商品新增至購物車。" - }, - "empty_cart.message.sign_in_or_continue_shopping": { - "defaultMessage": "登入來存取您所儲存的商品,或繼續選購。" - }, - "empty_search_results.info.cant_find_anything_for_category": { - "defaultMessage": "我們找不到{category}的結果。請嘗試搜尋產品或{link}。" - }, - "empty_search_results.info.cant_find_anything_for_query": { - "defaultMessage": "我們找不到「{searchQuery}」的結果。" - }, - "empty_search_results.info.double_check_spelling": { - "defaultMessage": "請確認拼字並再試一次,或{link}。" - }, - "empty_search_results.link.contact_us": { - "defaultMessage": "聯絡我們" - }, - "empty_search_results.recommended_products.title.most_viewed": { - "defaultMessage": "最多檢視" - }, - "empty_search_results.recommended_products.title.top_sellers": { - "defaultMessage": "最暢銷產品" - }, - "field.password.assistive_msg.hide_password": { - "defaultMessage": "隱藏密碼" - }, - "field.password.assistive_msg.show_password": { - "defaultMessage": "顯示密碼" - }, - "footer.column.account": { - "defaultMessage": "帳戶" - }, - "footer.column.customer_support": { - "defaultMessage": "客戶支援" - }, - "footer.column.our_company": { - "defaultMessage": "我們的公司" - }, - "footer.link.about_us": { - "defaultMessage": "關於我們" - }, - "footer.link.contact_us": { - "defaultMessage": "聯絡我們" - }, - "footer.link.order_status": { - "defaultMessage": "訂單狀態" - }, - "footer.link.privacy_policy": { - "defaultMessage": "隱私政策" - }, - "footer.link.shipping": { - "defaultMessage": "運送" - }, - "footer.link.signin_create_account": { - "defaultMessage": "登入或建立帳戶" - }, - "footer.link.site_map": { - "defaultMessage": "網站地圖" - }, - "footer.link.store_locator": { - "defaultMessage": "商店位置搜尋" - }, - "footer.link.terms_conditions": { - "defaultMessage": "條款與條件" - }, - "footer.message.copyright": { - "defaultMessage": "Salesforce 或相關企業。保留一切權利。這只是一個示範商店。在此下單將「不會」進行處理。" - }, - "footer.subscribe.button.sign_up": { - "defaultMessage": "註冊" - }, - "footer.subscribe.description.sign_up": { - "defaultMessage": "註冊來獲得最熱門的優惠消息" - }, - "footer.subscribe.heading.first_to_know": { - "defaultMessage": "搶先獲得消息" - }, - "form_action_buttons.button.cancel": { - "defaultMessage": "取消" - }, - "form_action_buttons.button.save": { - "defaultMessage": "儲存" - }, - "global.account.link.account_details": { - "defaultMessage": "帳戶詳細資料" - }, - "global.account.link.addresses": { - "defaultMessage": "地址" - }, - "global.account.link.order_history": { - "defaultMessage": "訂單記錄" - }, - "global.account.link.wishlist": { - "defaultMessage": "願望清單" - }, - "global.error.something_went_wrong": { - "defaultMessage": "發生錯誤。請再試一次。" - }, - "global.info.added_to_wishlist": { - "defaultMessage": "{quantity} {quantity, plural, one {件商品} other {件商品}}已新增至願望清單" - }, - "global.info.already_in_wishlist": { - "defaultMessage": "商品已在願望清單中" - }, - "global.info.removed_from_wishlist": { - "defaultMessage": "已從願望清單移除商品" - }, - "global.link.added_to_wishlist.view_wishlist": { - "defaultMessage": "檢視" - }, - "header.button.assistive_msg.logo": { - "defaultMessage": "標誌" - }, - "header.button.assistive_msg.menu": { - "defaultMessage": "選單" - }, - "header.button.assistive_msg.my_account": { - "defaultMessage": "我的帳戶" - }, - "header.button.assistive_msg.my_account_menu": { - "defaultMessage": "開啟帳戶選單" - }, - "header.button.assistive_msg.my_cart_with_num_items": { - "defaultMessage": "我的購物車,商品數量:{numItems}" - }, - "header.button.assistive_msg.wishlist": { - "defaultMessage": "願望清單" - }, - "header.field.placeholder.search_for_products": { - "defaultMessage": "搜尋產品..." - }, - "header.popover.action.log_out": { - "defaultMessage": "登出" - }, - "header.popover.title.my_account": { - "defaultMessage": "我的帳戶" - }, - "home.description.features": { - "defaultMessage": "功能皆可立即使用,您只需專注於如何精益求精。" - }, - "home.description.here_to_help": { - "defaultMessage": "聯絡我們的支援人員," - }, - "home.description.here_to_help_line_2": { - "defaultMessage": "讓他們為您指點迷津。" - }, - "home.description.shop_products": { - "defaultMessage": "此區塊包含來自目錄的內容。{docLink}來了解如何取代。", - "description": "{docLink} is a html button that links the user to https://sfdc.co/business-manager-manage-catalogs" - }, - "home.features.description.cart_checkout": { - "defaultMessage": "為購物者提供購物車和結帳體驗的電子商務最佳做法。" - }, - "home.features.description.components": { - "defaultMessage": "以簡單、模組化、無障礙設計的 React 元件庫 Chakra UI 打造而成。" - }, - "home.features.description.einstein_recommendations": { - "defaultMessage": "透過產品推薦,向每位購物者傳遞下一個最佳產品或優惠。" - }, - "home.features.description.my_account": { - "defaultMessage": "購物者可管理帳戶資訊,例如個人資料、地址、付款和訂單。" - }, - "home.features.description.shopper_login": { - "defaultMessage": "讓購物者能夠輕鬆登入,享受更加個人化的購物體驗。" - }, - "home.features.description.wishlist": { - "defaultMessage": "已註冊的購物者可以新增產品至願望清單,留待日後購買。" - }, - "home.features.heading.cart_checkout": { - "defaultMessage": "購物車與結帳" - }, - "home.features.heading.components": { - "defaultMessage": "元件與設計套件" - }, - "home.features.heading.einstein_recommendations": { - "defaultMessage": "Einstein 推薦" - }, - "home.features.heading.my_account": { - "defaultMessage": "我的帳戶" - }, - "home.features.heading.shopper_login": { - "defaultMessage": "Shopper Login and API Access Service (SLAS)" - }, - "home.features.heading.wishlist": { - "defaultMessage": "願望清單" - }, - "home.heading.features": { - "defaultMessage": "功能" - }, - "home.heading.here_to_help": { - "defaultMessage": "我們很樂意隨時提供協助" - }, - "home.heading.shop_products": { - "defaultMessage": "選購產品" - }, - "home.hero_features.link.design_kit": { - "defaultMessage": "使用 Figma PWA Design Kit 揮灑創意" - }, - "home.hero_features.link.on_github": { - "defaultMessage": "前往 Github 下載" - }, - "home.hero_features.link.on_managed_runtime": { - "defaultMessage": "在 Managed Runtime 上部署" - }, - "home.link.contact_us": { - "defaultMessage": "聯絡我們" - }, - "home.link.get_started": { - "defaultMessage": "開始使用" - }, - "home.link.read_docs": { - "defaultMessage": "閱讀文件" - }, - "home.title.react_starter_store": { - "defaultMessage": "零售型 React PWA Starter Store" - }, - "icons.assistive_msg.lock": { - "defaultMessage": "安全" - }, - "item_attributes.label.promotions": { - "defaultMessage": "促銷" - }, - "item_attributes.label.quantity": { - "defaultMessage": "數量:{quantity}" - }, - "item_image.label.sale": { - "defaultMessage": "特價", - "description": "A sale badge placed on top of a product image" - }, - "item_image.label.unavailable": { - "defaultMessage": "不可用", - "description": "A unavailable badge placed on top of a product image" - }, - "item_price.label.starting_at": { - "defaultMessage": "起始" - }, - "lCPCxk": { - "defaultMessage": "請在上方選擇所有選項" - }, - "list_menu.nav.assistive_msg": { - "defaultMessage": "主導覽選單" - }, - "locale_text.message.ar-SA": { - "defaultMessage": "阿拉伯文 (沙烏地阿拉伯)" - }, - "locale_text.message.bn-BD": { - "defaultMessage": "孟加拉文 (孟加拉)" - }, - "locale_text.message.bn-IN": { - "defaultMessage": "孟加拉文 (印度)" - }, - "locale_text.message.cs-CZ": { - "defaultMessage": "捷克文 (捷克)" - }, - "locale_text.message.da-DK": { - "defaultMessage": "丹麥文 (丹麥)" - }, - "locale_text.message.de-AT": { - "defaultMessage": "德文 (奧地利)" - }, - "locale_text.message.de-CH": { - "defaultMessage": "德文 (瑞士)" - }, - "locale_text.message.de-DE": { - "defaultMessage": "德文 (德國)" - }, - "locale_text.message.el-GR": { - "defaultMessage": "希臘文 (希臘)" - }, - "locale_text.message.en-AU": { - "defaultMessage": "英文 (澳洲)" - }, - "locale_text.message.en-CA": { - "defaultMessage": "英文 (加拿大)" - }, - "locale_text.message.en-GB": { - "defaultMessage": "英文 (英國)" - }, - "locale_text.message.en-IE": { - "defaultMessage": "英文 (愛爾蘭)" - }, - "locale_text.message.en-IN": { - "defaultMessage": "英文 (印度)" - }, - "locale_text.message.en-NZ": { - "defaultMessage": "英文 (紐西蘭)" - }, - "locale_text.message.en-US": { - "defaultMessage": "英文 (美國)" - }, - "locale_text.message.en-ZA": { - "defaultMessage": "英文 (南非)" - }, - "locale_text.message.es-AR": { - "defaultMessage": "西班牙文 (阿根廷)" - }, - "locale_text.message.es-CL": { - "defaultMessage": "西班牙文 (智利)" - }, - "locale_text.message.es-CO": { - "defaultMessage": "西班牙文 (哥倫比亞)" - }, - "locale_text.message.es-ES": { - "defaultMessage": "西班牙文 (西班牙)" - }, - "locale_text.message.es-MX": { - "defaultMessage": "西班牙文 (墨西哥)" - }, - "locale_text.message.es-US": { - "defaultMessage": "西班牙文 (美國)" - }, - "locale_text.message.fi-FI": { - "defaultMessage": "芬蘭文 (芬蘭)" - }, - "locale_text.message.fr-BE": { - "defaultMessage": "法文 (比利時)" - }, - "locale_text.message.fr-CA": { - "defaultMessage": "法文 (加拿大)" - }, - "locale_text.message.fr-CH": { - "defaultMessage": "法文 (瑞士)" - }, - "locale_text.message.fr-FR": { - "defaultMessage": "法文 (法國)" - }, - "locale_text.message.he-IL": { - "defaultMessage": "希伯來文 (以色列)" - }, - "locale_text.message.hi-IN": { - "defaultMessage": "印度文 (印度)" - }, - "locale_text.message.hu-HU": { - "defaultMessage": "匈牙利文 (匈牙利)" - }, - "locale_text.message.id-ID": { - "defaultMessage": "印尼文 (印尼)" - }, - "locale_text.message.it-CH": { - "defaultMessage": "義大利文 (瑞士)" - }, - "locale_text.message.it-IT": { - "defaultMessage": "義大利文 (義大利)" - }, - "locale_text.message.ja-JP": { - "defaultMessage": "日文 (日本)" - }, - "locale_text.message.ko-KR": { - "defaultMessage": "韓文 (韓國)" - }, - "locale_text.message.nl-BE": { - "defaultMessage": "荷蘭文 (比利時)" - }, - "locale_text.message.nl-NL": { - "defaultMessage": "荷蘭文 (荷蘭)" - }, - "locale_text.message.no-NO": { - "defaultMessage": "挪威文 (挪威)" - }, - "locale_text.message.pl-PL": { - "defaultMessage": "波蘭文 (波蘭)" - }, - "locale_text.message.pt-BR": { - "defaultMessage": "葡萄牙文 (巴西)" - }, - "locale_text.message.pt-PT": { - "defaultMessage": "葡萄牙文 (葡萄牙)" - }, - "locale_text.message.ro-RO": { - "defaultMessage": "羅馬尼亞文 (羅馬尼亞)" - }, - "locale_text.message.ru-RU": { - "defaultMessage": "俄文 (俄羅斯聯邦)" - }, - "locale_text.message.sk-SK": { - "defaultMessage": "斯洛伐克文 (斯洛伐克)" - }, - "locale_text.message.sv-SE": { - "defaultMessage": "瑞典文 (瑞典)" - }, - "locale_text.message.ta-IN": { - "defaultMessage": "泰米爾文 (印度)" - }, - "locale_text.message.ta-LK": { - "defaultMessage": "泰米爾文 (斯里蘭卡)" - }, - "locale_text.message.th-TH": { - "defaultMessage": "泰文 (泰國)" - }, - "locale_text.message.tr-TR": { - "defaultMessage": "土耳其文 (土耳其)" - }, - "locale_text.message.zh-CN": { - "defaultMessage": "中文 (中國)" - }, - "locale_text.message.zh-HK": { - "defaultMessage": "中文 (香港)" - }, - "locale_text.message.zh-TW": { - "defaultMessage": "中文 (台灣)" - }, - "login_form.action.create_account": { - "defaultMessage": "建立帳戶" - }, - "login_form.button.sign_in": { - "defaultMessage": "登入" - }, - "login_form.link.forgot_password": { - "defaultMessage": "忘記密碼了嗎?" - }, - "login_form.message.dont_have_account": { - "defaultMessage": "沒有帳戶嗎?" - }, - "login_form.message.welcome_back": { - "defaultMessage": "歡迎回來" - }, - "login_page.error.incorrect_username_or_password": { - "defaultMessage": "使用者名稱或密碼不正確,請再試一次。" - }, - "offline_banner.description.browsing_offline_mode": { - "defaultMessage": "您目前正以離線模式瀏覽" - }, - "order_summary.action.remove_promo": { - "defaultMessage": "移除" - }, - "order_summary.cart_items.action.num_of_items_in_cart": { - "defaultMessage": "購物車有 {itemCount, plural, =0 {0 件商品} one {# 件商品} other {# 件商品}}", - "description": "clicking it would expand/show the items in cart" - }, - "order_summary.cart_items.link.edit_cart": { - "defaultMessage": "編輯購物車" - }, - "order_summary.heading.order_summary": { - "defaultMessage": "訂單摘要" - }, - "order_summary.label.estimated_total": { - "defaultMessage": "預估總計" - }, - "order_summary.label.free": { - "defaultMessage": "免費" - }, - "order_summary.label.order_total": { - "defaultMessage": "訂單總計" - }, - "order_summary.label.promo_applied": { - "defaultMessage": "已套用促銷" - }, - "order_summary.label.promotions_applied": { - "defaultMessage": "已套用促銷" - }, - "order_summary.label.shipping": { - "defaultMessage": "運送" - }, - "order_summary.label.subtotal": { - "defaultMessage": "小計" - }, - "order_summary.label.tax": { - "defaultMessage": "稅項" - }, - "page_not_found.action.go_back": { - "defaultMessage": "返回上一頁" - }, - "page_not_found.link.homepage": { - "defaultMessage": "前往首頁" - }, - "page_not_found.message.suggestion_to_try": { - "defaultMessage": "請嘗試重新輸入地址、返回上一頁或前往首頁。" - }, - "page_not_found.title.page_cant_be_found": { - "defaultMessage": "找不到您在尋找的頁面。" - }, - "pagination.field.num_of_pages": { - "defaultMessage": "{numOfPages} 頁" - }, - "pagination.link.next": { - "defaultMessage": "下一頁" - }, - "pagination.link.next.assistive_msg": { - "defaultMessage": "下一頁" - }, - "pagination.link.prev": { - "defaultMessage": "上一頁" - }, - "pagination.link.prev.assistive_msg": { - "defaultMessage": "上一頁" - }, - "password_card.info.password_updated": { - "defaultMessage": "密碼已更新" - }, - "password_card.label.password": { - "defaultMessage": "密碼" - }, - "password_card.title.password": { - "defaultMessage": "密碼" - }, - "password_requirements.error.eight_letter_minimum": { - "defaultMessage": "最少 8 個字元", - "description": "Password requirement" - }, - "password_requirements.error.one_lowercase_letter": { - "defaultMessage": "1 個小寫字母", - "description": "Password requirement" - }, - "password_requirements.error.one_number": { - "defaultMessage": "1 個數字", - "description": "Password requirement" - }, - "password_requirements.error.one_special_character": { - "defaultMessage": "1 個特殊字元 (例如:, $ ! % #)", - "description": "Password requirement" - }, - "password_requirements.error.one_uppercase_letter": { - "defaultMessage": "1 個大寫字母", - "description": "Password requirement" - }, - "payment_selection.heading.credit_card": { - "defaultMessage": "信用卡" - }, - "payment_selection.tooltip.secure_payment": { - "defaultMessage": "此為安全 SSL 加密付款。" - }, - "price_per_item.label.each": { - "defaultMessage": "每件", - "description": "Abbreviated 'each', follows price per item, like $10/ea" - }, - "product_detail.accordion.button.product_detail": { - "defaultMessage": "產品詳細資料" - }, - "product_detail.accordion.button.questions": { - "defaultMessage": "問題" - }, - "product_detail.accordion.button.reviews": { - "defaultMessage": "評價" - }, - "product_detail.accordion.button.size_fit": { - "defaultMessage": "尺寸與版型" - }, - "product_detail.accordion.message.coming_soon": { - "defaultMessage": "即將推出" - }, - "product_detail.recommended_products.title.complete_set": { - "defaultMessage": "完成組合" - }, - "product_detail.recommended_products.title.might_also_like": { - "defaultMessage": "您可能也喜歡" - }, - "product_detail.recommended_products.title.recently_viewed": { - "defaultMessage": "最近檢視" - }, - "product_item.label.quantity": { - "defaultMessage": "數量:" - }, - "product_list.button.filter": { - "defaultMessage": "篩選條件" - }, - "product_list.button.sort_by": { - "defaultMessage": "排序方式:{sortOption}" - }, - "product_list.drawer.title.sort_by": { - "defaultMessage": "排序方式" - }, - "product_list.modal.button.clear_filters": { - "defaultMessage": "清除篩選條件" - }, - "product_list.modal.button.view_items": { - "defaultMessage": "檢視 {prroductCount} 件商品" - }, - "product_list.modal.title.filter": { - "defaultMessage": "篩選條件" - }, - "product_list.refinements.button.assistive_msg.add_filter": { - "defaultMessage": "新增篩選條件:{label}" - }, - "product_list.refinements.button.assistive_msg.add_filter_with_hit_count": { - "defaultMessage": "新增篩選條件:{label} ({hitCount})" - }, - "product_list.refinements.button.assistive_msg.remove_filter": { - "defaultMessage": "移除篩選條件:{label}" - }, - "product_list.refinements.button.assistive_msg.remove_filter_with_hit_count": { - "defaultMessage": "移除篩選條件:{label} ({hitCount})" - }, - "product_list.select.sort_by": { - "defaultMessage": "排序方式:{sortOption}" - }, - "product_scroller.assistive_msg.scroll_left": { - "defaultMessage": "向左捲動產品" - }, - "product_scroller.assistive_msg.scroll_right": { - "defaultMessage": "向右捲動產品" - }, - "product_tile.assistive_msg.add_to_wishlist": { - "defaultMessage": "將 {product} 新增至願望清單" - }, - "product_tile.assistive_msg.remove_from_wishlist": { - "defaultMessage": "從願望清單移除 {product}" - }, - "product_tile.label.starting_at_price": { - "defaultMessage": "{price} 起" - }, - "product_view.button.add_set_to_cart": { - "defaultMessage": "新增組合至購物車" - }, - "product_view.button.add_set_to_wishlist": { - "defaultMessage": "新增組合至願望清單" - }, - "product_view.button.add_to_cart": { - "defaultMessage": "新增至購物車" - }, - "product_view.button.add_to_wishlist": { - "defaultMessage": "新增至願望清單" - }, - "product_view.button.update": { - "defaultMessage": "更新" - }, - "product_view.label.assistive_msg.quantity_decrement": { - "defaultMessage": "遞減數量" - }, - "product_view.label.assistive_msg.quantity_increment": { - "defaultMessage": "遞增數量" - }, - "product_view.label.quantity": { - "defaultMessage": "數量" - }, - "product_view.label.quantity_decrement": { - "defaultMessage": "−" - }, - "product_view.label.quantity_increment": { - "defaultMessage": "+" - }, - "product_view.label.starting_at_price": { - "defaultMessage": "起始" - }, - "product_view.label.variant_type": { - "defaultMessage": "{variantType}" - }, - "product_view.link.full_details": { - "defaultMessage": "檢視完整詳細資料" - }, - "profile_card.info.profile_updated": { - "defaultMessage": "個人資料已更新" - }, - "profile_card.label.email": { - "defaultMessage": "電子郵件" - }, - "profile_card.label.full_name": { - "defaultMessage": "全名" - }, - "profile_card.label.phone": { - "defaultMessage": "電話號碼" - }, - "profile_card.message.not_provided": { - "defaultMessage": "未提供" - }, - "profile_card.title.my_profile": { - "defaultMessage": "我的個人資料" - }, - "promo_code_fields.button.apply": { - "defaultMessage": "套用" - }, - "promo_popover.assistive_msg.info": { - "defaultMessage": "資訊" - }, - "promo_popover.heading.promo_applied": { - "defaultMessage": "已套用促銷" - }, - "promocode.accordion.button.have_promocode": { - "defaultMessage": "您有促銷代碼嗎?" - }, - "recent_searches.action.clear_searches": { - "defaultMessage": "清除最近搜尋" - }, - "recent_searches.heading.recent_searches": { - "defaultMessage": "最近搜尋" - }, - "register_form.action.sign_in": { - "defaultMessage": "登入" - }, - "register_form.button.create_account": { - "defaultMessage": "建立帳戶" - }, - "register_form.heading.lets_get_started": { - "defaultMessage": "讓我們開始吧!" - }, - "register_form.message.agree_to_policy_terms": { - "defaultMessage": "建立帳戶即代表您同意 Salesforce 隱私權政策條款與條件" - }, - "register_form.message.already_have_account": { - "defaultMessage": "已經有帳戶了?" - }, - "register_form.message.create_an_account": { - "defaultMessage": "建立帳戶,就能搶先獲得最棒產品、靈感來源和社群最新消息。" - }, - "reset_password.button.back_to_sign_in": { - "defaultMessage": "返回登入" - }, - "reset_password.info.receive_email_shortly": { - "defaultMessage": "您很快就會在 {email} 收到一封電子郵件,內含重設密碼的連結。" - }, - "reset_password.title.password_reset": { - "defaultMessage": "重設密碼" - }, - "reset_password_form.action.sign_in": { - "defaultMessage": "登入" - }, - "reset_password_form.button.reset_password": { - "defaultMessage": "重設密碼" - }, - "reset_password_form.message.enter_your_email": { - "defaultMessage": "請輸入您的電子郵件,以便接收重設密碼的說明" - }, - "reset_password_form.message.return_to_sign_in": { - "defaultMessage": "或返回", - "description": "Precedes link to return to sign in" - }, - "reset_password_form.title.reset_password": { - "defaultMessage": "重設密碼" - }, - "search.action.cancel": { - "defaultMessage": "取消" - }, - "selected_refinements.action.assistive_msg.clear_all": { - "defaultMessage": "清除所有篩選條件" - }, - "selected_refinements.action.clear_all": { - "defaultMessage": "全部清除" - }, - "shipping_address.button.continue_to_shipping": { - "defaultMessage": "繼續前往運送方式" - }, - "shipping_address.title.shipping_address": { - "defaultMessage": "運送地址" - }, - "shipping_address_edit_form.button.save_and_continue": { - "defaultMessage": "儲存並繼續前往運送方式" - }, - "shipping_address_form.heading.edit_address": { - "defaultMessage": "編輯地址" - }, - "shipping_address_form.heading.new_address": { - "defaultMessage": "新增地址" - }, - "shipping_address_selection.button.add_address": { - "defaultMessage": "新增地址" - }, - "shipping_address_selection.button.submit": { - "defaultMessage": "提交" - }, - "shipping_address_selection.title.add_address": { - "defaultMessage": "新增地址" - }, - "shipping_address_selection.title.edit_shipping": { - "defaultMessage": "編輯運送地址" - }, - "shipping_options.action.send_as_a_gift": { - "defaultMessage": "您想以禮品方式寄送嗎?" - }, - "shipping_options.button.continue_to_payment": { - "defaultMessage": "繼續前往付款" - }, - "shipping_options.title.shipping_gift_options": { - "defaultMessage": "運送與禮品選項" - }, - "signout_confirmation_dialog.button.cancel": { - "defaultMessage": "取消" - }, - "signout_confirmation_dialog.button.sign_out": { - "defaultMessage": "登出" - }, - "signout_confirmation_dialog.heading.sign_out": { - "defaultMessage": "登出" - }, - "signout_confirmation_dialog.message.sure_to_sign_out": { - "defaultMessage": "確定要登出嗎?您必須重新登入,才能繼續目前的訂單流程。" - }, - "swatch_group.selected.label": { - "defaultMessage": "{label}:" - }, - "toggle_card.action.edit": { - "defaultMessage": "編輯" - }, - "update_password_fields.button.forgot_password": { - "defaultMessage": "忘記密碼了嗎?" - }, - "use_address_fields.error.please_enter_first_name": { - "defaultMessage": "請輸入您的名字。" - }, - "use_address_fields.error.please_enter_last_name": { - "defaultMessage": "請輸入您的姓氏。" - }, - "use_address_fields.error.please_enter_phone_number": { - "defaultMessage": "請輸入您的電話號碼。" - }, - "use_address_fields.error.please_enter_your_postal_or_zip": { - "defaultMessage": "請輸入您的郵遞區號。" - }, - "use_address_fields.error.please_select_your_address": { - "defaultMessage": "請輸入您的地址。" - }, - "use_address_fields.error.please_select_your_city": { - "defaultMessage": "請輸入您的城市。" - }, - "use_address_fields.error.please_select_your_country": { - "defaultMessage": "請選擇您的國家/地區。" - }, - "use_address_fields.error.please_select_your_state_or_province": { - "defaultMessage": "請選擇您的州/省。" - }, - "use_address_fields.error.required": { - "defaultMessage": "必填" - }, - "use_address_fields.error.state_code_invalid": { - "defaultMessage": "請輸入 2 個字母的州/省名。" - }, - "use_address_fields.label.address": { - "defaultMessage": "地址" - }, - "use_address_fields.label.address_form": { - "defaultMessage": "地址表單" - }, - "use_address_fields.label.city": { - "defaultMessage": "城市" - }, - "use_address_fields.label.country": { - "defaultMessage": "國家/地區" - }, - "use_address_fields.label.first_name": { - "defaultMessage": "名字" - }, - "use_address_fields.label.last_name": { - "defaultMessage": "姓氏" - }, - "use_address_fields.label.phone": { - "defaultMessage": "電話" - }, - "use_address_fields.label.postal_code": { - "defaultMessage": "郵遞區號" - }, - "use_address_fields.label.preferred": { - "defaultMessage": "設為預設" - }, - "use_address_fields.label.province": { - "defaultMessage": "省" - }, - "use_address_fields.label.state": { - "defaultMessage": "州" - }, - "use_address_fields.label.zipCode": { - "defaultMessage": "郵遞區號" - }, - "use_credit_card_fields.error.required": { - "defaultMessage": "必填" - }, - "use_credit_card_fields.error.required_card_number": { - "defaultMessage": "請輸入您的卡片號碼。" - }, - "use_credit_card_fields.error.required_expiry": { - "defaultMessage": "請輸入您的到期日。" - }, - "use_credit_card_fields.error.required_name": { - "defaultMessage": "請輸入您卡片上的姓名。" - }, - "use_credit_card_fields.error.required_security_code": { - "defaultMessage": "請輸入您的安全碼。" - }, - "use_credit_card_fields.error.valid_card_number": { - "defaultMessage": "請輸入有效的卡片號碼。" - }, - "use_credit_card_fields.error.valid_date": { - "defaultMessage": "請輸入有效的日期。" - }, - "use_credit_card_fields.error.valid_name": { - "defaultMessage": "請輸入有效的姓名。" - }, - "use_credit_card_fields.error.valid_security_code": { - "defaultMessage": "請輸入有效的安全碼。" - }, - "use_credit_card_fields.label.card_number": { - "defaultMessage": "卡片號碼" - }, - "use_credit_card_fields.label.card_type": { - "defaultMessage": "卡片類型" - }, - "use_credit_card_fields.label.expiry": { - "defaultMessage": "到期日" - }, - "use_credit_card_fields.label.name": { - "defaultMessage": "持卡人姓名" - }, - "use_credit_card_fields.label.security_code": { - "defaultMessage": "安全碼" - }, - "use_login_fields.error.required_email": { - "defaultMessage": "請輸入您的電子郵件地址。" - }, - "use_login_fields.error.required_password": { - "defaultMessage": "請輸入您的密碼。" - }, - "use_login_fields.label.email": { - "defaultMessage": "電子郵件" - }, - "use_login_fields.label.password": { - "defaultMessage": "密碼" - }, - "use_product.message.inventory_remaining": { - "defaultMessage": "只剩 {stockLevel} 個!" - }, - "use_product.message.out_of_stock": { - "defaultMessage": "缺貨" - }, - "use_profile_fields.error.required_email": { - "defaultMessage": "請輸入有效的電子郵件地址。" - }, - "use_profile_fields.error.required_first_name": { - "defaultMessage": "請輸入您的名字。" - }, - "use_profile_fields.error.required_last_name": { - "defaultMessage": "請輸入您的姓氏。" - }, - "use_profile_fields.error.required_phone": { - "defaultMessage": "請輸入您的電話號碼。" - }, - "use_profile_fields.label.email": { - "defaultMessage": "電子郵件" - }, - "use_profile_fields.label.first_name": { - "defaultMessage": "名字" - }, - "use_profile_fields.label.last_name": { - "defaultMessage": "姓氏" - }, - "use_profile_fields.label.phone": { - "defaultMessage": "電話號碼" - }, - "use_promo_code_fields.error.required_promo_code": { - "defaultMessage": "請提供有效的促銷代碼。" - }, - "use_promo_code_fields.label.promo_code": { - "defaultMessage": "促銷代碼" - }, - "use_promocode.error.check_the_code": { - "defaultMessage": "請檢查代碼並再試一次,代碼可能已套用過或促銷已過期。" - }, - "use_promocode.info.promo_applied": { - "defaultMessage": "已套用促銷" - }, - "use_promocode.info.promo_removed": { - "defaultMessage": "已移除促銷" - }, - "use_registration_fields.error.contain_number": { - "defaultMessage": "密碼必須包含至少 1 個數字。" - }, - "use_registration_fields.error.lowercase_letter": { - "defaultMessage": "密碼必須包含至少 1 個小寫字母。" - }, - "use_registration_fields.error.minimum_characters": { - "defaultMessage": "密碼必須包含至少 8 個字元。" - }, - "use_registration_fields.error.required_email": { - "defaultMessage": "請輸入有效的電子郵件地址。" - }, - "use_registration_fields.error.required_first_name": { - "defaultMessage": "請輸入您的名字。" - }, - "use_registration_fields.error.required_last_name": { - "defaultMessage": "請輸入您的姓氏。" - }, - "use_registration_fields.error.required_password": { - "defaultMessage": "請建立密碼。" - }, - "use_registration_fields.error.special_character": { - "defaultMessage": "密碼必須包含至少 1 個特殊字元。" - }, - "use_registration_fields.error.uppercase_letter": { - "defaultMessage": "密碼必須包含至少 1 個大寫字母。" - }, - "use_registration_fields.label.email": { - "defaultMessage": "電子郵件" - }, - "use_registration_fields.label.first_name": { - "defaultMessage": "名字" - }, - "use_registration_fields.label.last_name": { - "defaultMessage": "姓氏" - }, - "use_registration_fields.label.password": { - "defaultMessage": "密碼" - }, - "use_registration_fields.label.sign_up_to_emails": { - "defaultMessage": "我要訂閱 Salesforce 電子報 (可以隨時取消訂閱)" - }, - "use_reset_password_fields.error.required_email": { - "defaultMessage": "請輸入有效的電子郵件地址。" - }, - "use_reset_password_fields.label.email": { - "defaultMessage": "電子郵件" - }, - "use_update_password_fields.error.contain_number": { - "defaultMessage": "密碼必須包含至少 1 個數字。" - }, - "use_update_password_fields.error.lowercase_letter": { - "defaultMessage": "密碼必須包含至少 1 個小寫字母。" - }, - "use_update_password_fields.error.minimum_characters": { - "defaultMessage": "密碼必須包含至少 8 個字元。" - }, - "use_update_password_fields.error.required_new_password": { - "defaultMessage": "請提供新密碼。" - }, - "use_update_password_fields.error.required_password": { - "defaultMessage": "請輸入您的密碼。" - }, - "use_update_password_fields.error.special_character": { - "defaultMessage": "密碼必須包含至少 1 個特殊字元。" - }, - "use_update_password_fields.error.uppercase_letter": { - "defaultMessage": "密碼必須包含至少 1 個大寫字母。" - }, - "use_update_password_fields.label.current_password": { - "defaultMessage": "目前密碼" - }, - "use_update_password_fields.label.new_password": { - "defaultMessage": "新密碼" - }, - "wishlist_primary_action.button.add_set_to_cart": { - "defaultMessage": "新增組合至購物車" - }, - "wishlist_primary_action.button.add_to_cart": { - "defaultMessage": "新增至購物車" - }, - "wishlist_primary_action.button.view_full_details": { - "defaultMessage": "檢視完整詳細資料" - }, - "wishlist_primary_action.button.view_options": { - "defaultMessage": "檢視選項" - }, - "wishlist_primary_action.info.added_to_cart": { - "defaultMessage": "{quantity} {quantity, plural, one {件商品} other {件商品}}已新增至購物車" - }, - "wishlist_secondary_button_group.action.remove": { - "defaultMessage": "移除" - }, - "wishlist_secondary_button_group.info.item_removed": { - "defaultMessage": "已從願望清單移除商品" - }, - "with_registration.info.please_sign_in": { - "defaultMessage": "請登入以繼續。" - } -} diff --git a/my-test-project/worker/main.js b/my-test-project/worker/main.js deleted file mode 100644 index e4e291ff34..0000000000 --- a/my-test-project/worker/main.js +++ /dev/null @@ -1,6 +0,0 @@ -/* - * Copyright (c) 2023, Salesforce, Inc. - * All rights reserved. - * SPDX-License-Identifier: BSD-3-Clause - * For full license text, see the LICENSE file in the repo root or https://opensource.org/licenses/BSD-3-Clause - */ From fe8e9a4362fb193f3e4f96a74c8225afde8ec185 Mon Sep 17 00:00:00 2001 From: snilakandan Date: Sun, 8 Jun 2025 22:56:44 -0500 Subject: [PATCH 08/20] Reverting other linting files --- .../components/quantity-picker/index.test.jsx | 24 ++++++++++++------- .../components/reset-password/index.test.js | 2 +- .../index.test.js | 1 + .../app/pages/account/profile.test.js | 2 ++ .../pages/checkout/partials/payment-form.jsx | 3 ++- 5 files changed, 22 insertions(+), 10 deletions(-) diff --git a/packages/template-retail-react-app/app/components/quantity-picker/index.test.jsx b/packages/template-retail-react-app/app/components/quantity-picker/index.test.jsx index 12687730ca..e46022416f 100644 --- a/packages/template-retail-react-app/app/components/quantity-picker/index.test.jsx +++ b/packages/template-retail-react-app/app/components/quantity-picker/index.test.jsx @@ -19,30 +19,34 @@ const MINUS = '\u2212' // HTML `−`, not the same as '-' (\u002d) describe('QuantityPicker', () => { test('clicking plus increments value', async () => { + const user = userEvent.setup() renderWithProviders() const input = screen.getByRole('spinbutton') const button = screen.getByText('+') - await userEvent.click(button) + await user.click(button) expect(input.value).toBe('6') }) test('clicking minus decrements value', async () => { + const user = userEvent.setup() renderWithProviders() const input = screen.getByRole('spinbutton') const button = screen.getByText(MINUS) - await userEvent.click(button) + await user.click(button) expect(input.value).toBe('4') }) test('typing enter/space on plus increments value', async () => { + const user = userEvent.setup() renderWithProviders() const input = screen.getByRole('spinbutton') const button = screen.getByText('+') - await userEvent.type(button, '{enter}') + await user.type(button, '{enter}') expect(input.value).toBe('6') - await userEvent.type(button, '{space}') + await user.type(button, '{space}') expect(input.value).toBe('7') }) test('keydown enter/space on plus increments value', async () => { + const user = userEvent.setup() renderWithProviders() const input = screen.getByRole('spinbutton') const button = screen.getByText('+') @@ -53,16 +57,18 @@ describe('QuantityPicker', () => { }) test('typing space on minus decrements value', async () => { + const user = userEvent.setup() renderWithProviders() const input = screen.getByRole('spinbutton') const button = screen.getByText(MINUS) - await userEvent.type(button, '{enter}') + await user.type(button, '{enter}') expect(input.value).toBe('4') - await userEvent.type(button, '{space}') + await user.type(button, '{space}') expect(input.value).toBe('3') }) test('keydown enter/space on minus decrements value', async () => { + const user = userEvent.setup() renderWithProviders() const input = screen.getByRole('spinbutton') const button = screen.getByText(MINUS) @@ -73,16 +79,18 @@ describe('QuantityPicker', () => { }) test('plus button is tabbable', async () => { + const user = userEvent.setup() renderWithProviders() const input = screen.getByRole('spinbutton') - await userEvent.type(input, '{tab}') + await user.type(input, '{tab}') const button = screen.getByText('+') expect(button).toHaveFocus() }) test('minus button is tabbable', async () => { + const user = userEvent.setup() renderWithProviders() const input = screen.getByRole('spinbutton') - await userEvent.type(input, '{shift>}{tab}') // > modifier in {shift>} means "keep key pressed" + await user.type(input, '{shift>}{tab}') // > modifier in {shift>} means "keep key pressed" const button = screen.getByText(MINUS) expect(button).toHaveFocus() }) diff --git a/packages/template-retail-react-app/app/components/reset-password/index.test.js b/packages/template-retail-react-app/app/components/reset-password/index.test.js index 74c9937a54..dffd983e28 100644 --- a/packages/template-retail-react-app/app/components/reset-password/index.test.js +++ b/packages/template-retail-react-app/app/components/reset-password/index.test.js @@ -49,7 +49,7 @@ const MockedErrorComponent = () => { } test('Allows customer to generate password token and see success message', async () => { - const mockSubmitForm = jest.fn(async () => ({ + const mockSubmitForm = jest.fn(async (data) => ({ password: jest.fn(async (passwordData) => { // Mock behavior inside the password function console.log('Password function called with:', passwordData) diff --git a/packages/template-retail-react-app/app/components/unavailable-product-confirmation-modal/index.test.js b/packages/template-retail-react-app/app/components/unavailable-product-confirmation-modal/index.test.js index df10b88e8d..78fe2fcdf3 100644 --- a/packages/template-retail-react-app/app/components/unavailable-product-confirmation-modal/index.test.js +++ b/packages/template-retail-react-app/app/components/unavailable-product-confirmation-modal/index.test.js @@ -103,6 +103,7 @@ describe('UnavailableProductConfirmationModal', () => { }) test('opens confirmation modal when unavailable products are found with defined productIds prop', async () => { + const mockProductIds = ['701642889899M', '701642889830M'] prependHandlersToServer([ { path: '*/products', diff --git a/packages/template-retail-react-app/app/pages/account/profile.test.js b/packages/template-retail-react-app/app/pages/account/profile.test.js index 0d92363a92..8a1ad392bf 100644 --- a/packages/template-retail-react-app/app/pages/account/profile.test.js +++ b/packages/template-retail-react-app/app/pages/account/profile.test.js @@ -21,6 +21,8 @@ import {Route, Switch} from 'react-router-dom' import mockConfig from '@salesforce/retail-react-app/config/mocks/default' import * as sdk from '@salesforce/commerce-sdk-react' +let mockCustomer = {} + const MockedComponent = () => { return ( diff --git a/packages/template-retail-react-app/app/pages/checkout/partials/payment-form.jsx b/packages/template-retail-react-app/app/pages/checkout/partials/payment-form.jsx index d65fee2a85..dfe0c42d42 100644 --- a/packages/template-retail-react-app/app/pages/checkout/partials/payment-form.jsx +++ b/packages/template-retail-react-app/app/pages/checkout/partials/payment-form.jsx @@ -14,7 +14,8 @@ import { RadioGroup, Stack, Text, - Tooltip + Tooltip, + Heading } from '@salesforce/retail-react-app/app/components/shared/ui' import {useCurrentBasket} from '@salesforce/retail-react-app/app/hooks/use-current-basket' import {LockIcon, PaypalIcon} from '@salesforce/retail-react-app/app/components/icons' From b8a71e953db2394d6794a8a6cb8d20f8bd12ed6b Mon Sep 17 00:00:00 2001 From: snilakandan Date: Mon, 9 Jun 2025 09:33:40 -0500 Subject: [PATCH 09/20] reverting unchanged files --- .gitignore | 1 - 1 file changed, 1 deletion(-) diff --git a/.gitignore b/.gitignore index c5c757b815..0b3080e087 100644 --- a/.gitignore +++ b/.gitignore @@ -14,4 +14,3 @@ lerna-debug.log /test-results/ /playwright-report/ /playwright/.cache/ -/my-test-project/ From 5219741055a5c78af1597abfae09a3a2cd92b1e9 Mon Sep 17 00:00:00 2001 From: snilakandan Date: Mon, 9 Jun 2025 11:17:40 -0500 Subject: [PATCH 10/20] Translations --- .../app/components/product-view/index.jsx | 11 +++- .../app/hooks/use-add-to-cart-modal.js | 2 +- .../app/pages/product-detail/index.jsx | 12 ++--- .../static/translations/compiled/en-GB.json | 54 +++++++++++++++++++ .../static/translations/compiled/en-US.json | 16 ++++-- .../static/translations/compiled/en-XA.json | 24 +++++++-- .../translations/en-GB.json | 21 ++++++++ .../translations/en-US.json | 35 ++++++------ 8 files changed, 144 insertions(+), 31 deletions(-) diff --git a/packages/template-retail-react-app/app/components/product-view/index.jsx b/packages/template-retail-react-app/app/components/product-view/index.jsx index 720e71e84a..d109546f9d 100644 --- a/packages/template-retail-react-app/app/components/product-view/index.jsx +++ b/packages/template-retail-react-app/app/components/product-view/index.jsx @@ -182,7 +182,7 @@ const ProductView = forwardRef( } } } catch (e) { - // intentionally empty: ignore errors + showError() } } @@ -447,6 +447,13 @@ const ProductView = forwardRef( } }, [site?.id]) + const showError = (error) => { + showToast({ + title: error?.message || 'An error occurred', + status: 'error' + }) + } + return ( {/* Basic information etc. title, price, breadcrumb*/} @@ -715,7 +722,7 @@ const ProductView = forwardRef( inventoryId = storeInfo?.inventoryId storeName = storeInfo?.name } catch (e) { - // intentionally empty: ignore errors + showError() } if (inventoryId && product?.inventories) { const inventoryObj = diff --git a/packages/template-retail-react-app/app/hooks/use-add-to-cart-modal.js b/packages/template-retail-react-app/app/hooks/use-add-to-cart-modal.js index 65ab745f5a..367ce94da4 100644 --- a/packages/template-retail-react-app/app/hooks/use-add-to-cart-modal.js +++ b/packages/template-retail-react-app/app/hooks/use-add-to-cart-modal.js @@ -246,7 +246,7 @@ export const AddToCartModal = () => { fontFamily="body" fontWeight="700" > - {product.name || product.name} + {product.name} { const storeInfo = JSON.parse(window.localStorage.getItem(storeInfoKey)) inventoryId = storeInfo?.inventoryId } catch (e) { - // intentionally empty: ignore errors + showError() } if (inventoryId) { result.inventoryId = inventoryId @@ -438,13 +438,13 @@ const ProductDetail = () => { // Top level bundle does not have variants const handleProductBundleAddToCart = async (variantOrArray, selectedQuantity) => { // Support both signatures: (variant, selectedQuantity) and ([{variant, quantity}]) - let quantity; + let quantity if (Array.isArray(variantOrArray)) { - quantity = variantOrArray[0]?.quantity; + quantity = variantOrArray[0]?.quantity } else { - quantity = selectedQuantity; + quantity = selectedQuantity } - + try { const childProductSelections = Object.values(childProductSelection) const productItems = [ @@ -460,7 +460,7 @@ const ProductDetail = () => { }) } ] - + const res = await addItemToNewOrExistingBasket(productItems) const bundleChildMasterIds = childProductSelections.map((child) => { return child.product.id diff --git a/packages/template-retail-react-app/app/static/translations/compiled/en-GB.json b/packages/template-retail-react-app/app/static/translations/compiled/en-GB.json index 19d7a479aa..790516a4cf 100644 --- a/packages/template-retail-react-app/app/static/translations/compiled/en-GB.json +++ b/packages/template-retail-react-app/app/static/translations/compiled/en-GB.json @@ -2899,6 +2899,22 @@ "value": "Update" } ], + "product_view.error.no_store_selected_for_pickup": [ + { + "type": 0, + "value": "No valid store or inventory found for pickup" + } + ], + "product_view.error.not_available_for_pickup": [ + { + "type": 0, + "value": "Out of Stock in " + }, + { + "type": 1, + "value": "storeName" + } + ], "product_view.label.assistive_msg.quantity_decrement": [ { "type": 0, @@ -2919,6 +2935,18 @@ "value": "productName" } ], + "product_view.label.delivery": [ + { + "type": 0, + "value": "Delivery:" + } + ], + "product_view.label.pickup_in_store": [ + { + "type": 0, + "value": "Pickup in Store" + } + ], "product_view.label.quantity": [ { "type": 0, @@ -2937,6 +2965,12 @@ "value": "+" } ], + "product_view.label.ship_to_address": [ + { + "type": 0, + "value": "Ship to Address" + } + ], "product_view.label.variant_type": [ { "type": 1, @@ -2949,6 +2983,26 @@ "value": "See full details" } ], + "product_view.status.in_stock_at_store": [ + { + "type": 0, + "value": "In Stock at " + }, + { + "type": 1, + "value": "storeName" + } + ], + "product_view.status.out_of_stock_at_store": [ + { + "type": 0, + "value": "Out of Stock at " + }, + { + "type": 1, + "value": "storeName" + } + ], "profile_card.info.profile_updated": [ { "type": 0, diff --git a/packages/template-retail-react-app/app/static/translations/compiled/en-US.json b/packages/template-retail-react-app/app/static/translations/compiled/en-US.json index 46ad8d4a1b..790516a4cf 100644 --- a/packages/template-retail-react-app/app/static/translations/compiled/en-US.json +++ b/packages/template-retail-react-app/app/static/translations/compiled/en-US.json @@ -2902,13 +2902,17 @@ "product_view.error.no_store_selected_for_pickup": [ { "type": 0, - "value": "No store selected for pickup" + "value": "No valid store or inventory found for pickup" } ], "product_view.error.not_available_for_pickup": [ { "type": 0, - "value": "Out of Stock in Store" + "value": "Out of Stock in " + }, + { + "type": 1, + "value": "storeName" } ], "product_view.label.assistive_msg.quantity_decrement": [ @@ -2940,7 +2944,7 @@ "product_view.label.pickup_in_store": [ { "type": 0, - "value": "Pickup in store" + "value": "Pickup in Store" } ], "product_view.label.quantity": [ @@ -2961,6 +2965,12 @@ "value": "+" } ], + "product_view.label.ship_to_address": [ + { + "type": 0, + "value": "Ship to Address" + } + ], "product_view.label.variant_type": [ { "type": 1, diff --git a/packages/template-retail-react-app/app/static/translations/compiled/en-XA.json b/packages/template-retail-react-app/app/static/translations/compiled/en-XA.json index c74b3f8a83..271c180b37 100644 --- a/packages/template-retail-react-app/app/static/translations/compiled/en-XA.json +++ b/packages/template-retail-react-app/app/static/translations/compiled/en-XA.json @@ -6170,7 +6170,7 @@ }, { "type": 0, - "value": "Ƞǿǿ şŧǿǿřḗḗ şḗḗŀḗḗƈŧḗḗḓ ƒǿǿř ƥīƈķŭŭƥ" + "value": "Ƞǿǿ ṽȧȧŀīḓ şŧǿǿřḗḗ ǿǿř īƞṽḗḗƞŧǿǿřẏ ƒǿǿŭŭƞḓ ƒǿǿř ƥīƈķŭŭƥ" }, { "type": 0, @@ -6184,7 +6184,11 @@ }, { "type": 0, - "value": "Ǿŭŭŧ ǿǿƒ Şŧǿǿƈķ īƞ Şŧǿǿřḗḗ" + "value": "Ǿŭŭŧ ǿǿƒ Şŧǿǿƈķ īƞ " + }, + { + "type": 1, + "value": "storeName" }, { "type": 0, @@ -6248,7 +6252,7 @@ }, { "type": 0, - "value": "Ƥīƈķŭŭƥ īƞ şŧǿǿřḗḗ" + "value": "Ƥīƈķŭŭƥ īƞ Şŧǿǿřḗḗ" }, { "type": 0, @@ -6297,6 +6301,20 @@ "value": "]" } ], + "product_view.label.ship_to_address": [ + { + "type": 0, + "value": "[" + }, + { + "type": 0, + "value": "Şħīƥ ŧǿǿ Ȧḓḓřḗḗşş" + }, + { + "type": 0, + "value": "]" + } + ], "product_view.label.variant_type": [ { "type": 0, diff --git a/packages/template-retail-react-app/translations/en-GB.json b/packages/template-retail-react-app/translations/en-GB.json index b34b57dc3a..f72730a167 100644 --- a/packages/template-retail-react-app/translations/en-GB.json +++ b/packages/template-retail-react-app/translations/en-GB.json @@ -1237,12 +1237,24 @@ "product_view.button.update": { "defaultMessage": "Update" }, + "product_view.error.no_store_selected_for_pickup": { + "defaultMessage": "No valid store or inventory found for pickup" + }, + "product_view.error.not_available_for_pickup": { + "defaultMessage": "Out of Stock in {storeName}" + }, "product_view.label.assistive_msg.quantity_decrement": { "defaultMessage": "Decrement Quantity for {productName}" }, "product_view.label.assistive_msg.quantity_increment": { "defaultMessage": "Increment Quantity for {productName}" }, + "product_view.label.delivery": { + "defaultMessage": "Delivery:" + }, + "product_view.label.pickup_in_store": { + "defaultMessage": "Pickup in Store" + }, "product_view.label.quantity": { "defaultMessage": "Quantity" }, @@ -1252,12 +1264,21 @@ "product_view.label.quantity_increment": { "defaultMessage": "+" }, + "product_view.label.ship_to_address": { + "defaultMessage": "Ship to Address" + }, "product_view.label.variant_type": { "defaultMessage": "{variantType}" }, "product_view.link.full_details": { "defaultMessage": "See full details" }, + "product_view.status.in_stock_at_store": { + "defaultMessage": "In Stock at {storeName}" + }, + "product_view.status.out_of_stock_at_store": { + "defaultMessage": "Out of Stock at {storeName}" + }, "profile_card.info.profile_updated": { "defaultMessage": "Profile updated" }, diff --git a/packages/template-retail-react-app/translations/en-US.json b/packages/template-retail-react-app/translations/en-US.json index 110a1036c0..f72730a167 100644 --- a/packages/template-retail-react-app/translations/en-US.json +++ b/packages/template-retail-react-app/translations/en-US.json @@ -1237,12 +1237,24 @@ "product_view.button.update": { "defaultMessage": "Update" }, + "product_view.error.no_store_selected_for_pickup": { + "defaultMessage": "No valid store or inventory found for pickup" + }, + "product_view.error.not_available_for_pickup": { + "defaultMessage": "Out of Stock in {storeName}" + }, "product_view.label.assistive_msg.quantity_decrement": { "defaultMessage": "Decrement Quantity for {productName}" }, "product_view.label.assistive_msg.quantity_increment": { "defaultMessage": "Increment Quantity for {productName}" }, + "product_view.label.delivery": { + "defaultMessage": "Delivery:" + }, + "product_view.label.pickup_in_store": { + "defaultMessage": "Pickup in Store" + }, "product_view.label.quantity": { "defaultMessage": "Quantity" }, @@ -1252,17 +1264,20 @@ "product_view.label.quantity_increment": { "defaultMessage": "+" }, + "product_view.label.ship_to_address": { + "defaultMessage": "Ship to Address" + }, "product_view.label.variant_type": { "defaultMessage": "{variantType}" }, "product_view.link.full_details": { "defaultMessage": "See full details" }, - "product_view.label.pickup_in_store": { - "defaultMessage": "Pickup in store" + "product_view.status.in_stock_at_store": { + "defaultMessage": "In Stock at {storeName}" }, - "product_view.label.delivery": { - "defaultMessage": "Delivery:" + "product_view.status.out_of_stock_at_store": { + "defaultMessage": "Out of Stock at {storeName}" }, "profile_card.info.profile_updated": { "defaultMessage": "Profile updated" @@ -1782,17 +1797,5 @@ }, "with_registration.info.please_sign_in": { "defaultMessage": "Please sign in to continue!" - }, - "product_view.error.not_available_for_pickup": { - "defaultMessage": "Out of Stock in Store" - }, - "product_view.error.no_store_selected_for_pickup": { - "defaultMessage": "No store selected for pickup" - }, - "product_view.status.in_stock_at_store": { - "defaultMessage": "In Stock at {storeName}" - }, - "product_view.status.out_of_stock_at_store": { - "defaultMessage": "Out of Stock at {storeName}" } } From f20e9e20643346de12d4ca928b0275b98e25035e Mon Sep 17 00:00:00 2001 From: snilakandan Date: Mon, 9 Jun 2025 11:47:38 -0500 Subject: [PATCH 11/20] Cleaning up comments --- .../app/components/product-view/index.jsx | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/packages/template-retail-react-app/app/components/product-view/index.jsx b/packages/template-retail-react-app/app/components/product-view/index.jsx index d109546f9d..2e346bf8da 100644 --- a/packages/template-retail-react-app/app/components/product-view/index.jsx +++ b/packages/template-retail-react-app/app/components/product-view/index.jsx @@ -439,9 +439,8 @@ const ProductView = forwardRef( try { const storeInfo = JSON.parse(window.localStorage.getItem(storeInfoKey)) inventoryId = storeInfo?.inventoryId - // storeName and storeStockStatus are not used, so removed } catch (e) { - // intentionally empty: ignore errors + showError() } setPickupEnabled(!!inventoryId) } From 7625fd8116aa38477c25ff48a61f494f2bc866f7 Mon Sep 17 00:00:00 2001 From: snilakandan Date: Mon, 9 Jun 2025 12:04:16 -0500 Subject: [PATCH 12/20] Added changes to PDP page --- packages/template-retail-react-app/CHANGELOG.md | 2 ++ 1 file changed, 2 insertions(+) diff --git a/packages/template-retail-react-app/CHANGELOG.md b/packages/template-retail-react-app/CHANGELOG.md index d030e718c8..f0cf3094f2 100644 --- a/packages/template-retail-react-app/CHANGELOG.md +++ b/packages/template-retail-react-app/CHANGELOG.md @@ -2,6 +2,8 @@ - Improved the layout of product tiles in product scroll and product list [#2446](https://github.com/SalesforceCommerceCloud/pwa-kit/pull/2446) - Updated 6 new languagues [#2495](https://github.com/SalesforceCommerceCloud/pwa-kit/pull/2495) +- Added support for Shop in Store Functionality +- Added support for PDP page to support Pickup in Store ## v6.1.0 (May 22, 2025) From cbcd3698f1570720710207a0c72157dc0e3f6527 Mon Sep 17 00:00:00 2001 From: snilakandan Date: Mon, 9 Jun 2025 15:17:45 -0500 Subject: [PATCH 13/20] Review comments --- .../app/components/product-view/index.jsx | 85 +++++++++---------- 1 file changed, 41 insertions(+), 44 deletions(-) diff --git a/packages/template-retail-react-app/app/components/product-view/index.jsx b/packages/template-retail-react-app/app/components/product-view/index.jsx index 2e346bf8da..48edd6be35 100644 --- a/packages/template-retail-react-app/app/components/product-view/index.jsx +++ b/packages/template-retail-react-app/app/components/product-view/index.jsx @@ -182,7 +182,7 @@ const ProductView = forwardRef( } } } catch (e) { - showError() + // intentionally empty: ignore errors } } @@ -440,7 +440,7 @@ const ProductView = forwardRef( const storeInfo = JSON.parse(window.localStorage.getItem(storeInfoKey)) inventoryId = storeInfo?.inventoryId } catch (e) { - showError() + // intentionally empty: ignore errors } setPickupEnabled(!!inventoryId) } @@ -453,6 +453,44 @@ const ProductView = forwardRef( }) } + // Refactored handler for delivery option change + const handleDeliveryOptionChange = (value) => { + setPickupError('') + if (value === 'pickup') { + if (pickupEnabled) { + const storeInfoKey = `store_${site.id}` + let inventoryId = null + let storeName = null + try { + const storeInfo = JSON.parse(window.localStorage.getItem(storeInfoKey)) + inventoryId = storeInfo?.inventoryId + storeName = storeInfo?.name + } catch (e) { + showError() + } + if (inventoryId && product?.inventories) { + const inventoryObj = product.inventories.find( + (inv) => inv.id === inventoryId + ) + if (!inventoryObj?.orderable) { + setPickupInStore(false) + setPickupError( + intl.formatMessage( + { + id: 'product_view.error.not_available_for_pickup', + defaultMessage: 'Out of Stock in {storeName}' + }, + {storeName: storeName || ''} + ) + ) + return + } + } + } + } + setPickupInStore(value === 'pickup') + } + return ( {/* Basic information etc. title, price, breadcrumb*/} @@ -705,48 +743,7 @@ const ProductView = forwardRef( { - setPickupError('') - if (value === 'pickup') { - if (pickupEnabled) { - const storeInfoKey = `store_${site.id}` - let inventoryId = null - let storeName = null - try { - const storeInfo = JSON.parse( - window.localStorage.getItem( - storeInfoKey - ) - ) - inventoryId = storeInfo?.inventoryId - storeName = storeInfo?.name - } catch (e) { - showError() - } - if (inventoryId && product?.inventories) { - const inventoryObj = - product.inventories.find( - (inv) => inv.id === inventoryId - ) - if (!inventoryObj?.orderable) { - setPickupInStore(false) - setPickupError( - intl.formatMessage( - { - id: 'product_view.error.not_available_for_pickup', - defaultMessage: - 'Out of Stock in {storeName}' - }, - {storeName: storeName || ''} - ) - ) - return - } - } - } - } - setPickupInStore(value === 'pickup') - }} + onChange={handleDeliveryOptionChange} mb={1} > From af96e17f2d4d630bd08dce2ff8c638837047fe89 Mon Sep 17 00:00:00 2001 From: snilakandan Date: Mon, 9 Jun 2025 15:31:20 -0500 Subject: [PATCH 14/20] Review comments --- .../app/components/product-view/index.jsx | 24 ++++++++++++++++ .../static/translations/compiled/en-GB.json | 12 ++++++++ .../static/translations/compiled/en-US.json | 12 ++++++++ .../static/translations/compiled/en-XA.json | 28 +++++++++++++++++++ .../translations/en-GB.json | 6 ++++ .../translations/en-US.json | 6 ++++ 6 files changed, 88 insertions(+) diff --git a/packages/template-retail-react-app/app/components/product-view/index.jsx b/packages/template-retail-react-app/app/components/product-view/index.jsx index 48edd6be35..b53e21a739 100644 --- a/packages/template-retail-react-app/app/components/product-view/index.jsx +++ b/packages/template-retail-react-app/app/components/product-view/index.jsx @@ -831,6 +831,30 @@ const ProductView = forwardRef( : ['none', 'none', 'none', 'block'] } > + {/* Show label if pickup is disabled due to no store/inventoryId */} + {!pickupEnabled && ( + + {' '} + + + + + )} {renderActionButtons()} diff --git a/packages/template-retail-react-app/app/static/translations/compiled/en-GB.json b/packages/template-retail-react-app/app/static/translations/compiled/en-GB.json index 790516a4cf..9efe10c0e7 100644 --- a/packages/template-retail-react-app/app/static/translations/compiled/en-GB.json +++ b/packages/template-retail-react-app/app/static/translations/compiled/en-GB.json @@ -2941,6 +2941,12 @@ "value": "Delivery:" } ], + "product_view.label.pickup_in_select_store_prefix": [ + { + "type": 0, + "value": "Pickup in" + } + ], "product_view.label.pickup_in_store": [ { "type": 0, @@ -2965,6 +2971,12 @@ "value": "+" } ], + "product_view.label.select_store_link": [ + { + "type": 0, + "value": "Select Store" + } + ], "product_view.label.ship_to_address": [ { "type": 0, diff --git a/packages/template-retail-react-app/app/static/translations/compiled/en-US.json b/packages/template-retail-react-app/app/static/translations/compiled/en-US.json index 790516a4cf..9efe10c0e7 100644 --- a/packages/template-retail-react-app/app/static/translations/compiled/en-US.json +++ b/packages/template-retail-react-app/app/static/translations/compiled/en-US.json @@ -2941,6 +2941,12 @@ "value": "Delivery:" } ], + "product_view.label.pickup_in_select_store_prefix": [ + { + "type": 0, + "value": "Pickup in" + } + ], "product_view.label.pickup_in_store": [ { "type": 0, @@ -2965,6 +2971,12 @@ "value": "+" } ], + "product_view.label.select_store_link": [ + { + "type": 0, + "value": "Select Store" + } + ], "product_view.label.ship_to_address": [ { "type": 0, diff --git a/packages/template-retail-react-app/app/static/translations/compiled/en-XA.json b/packages/template-retail-react-app/app/static/translations/compiled/en-XA.json index 271c180b37..b9276bf1a3 100644 --- a/packages/template-retail-react-app/app/static/translations/compiled/en-XA.json +++ b/packages/template-retail-react-app/app/static/translations/compiled/en-XA.json @@ -6245,6 +6245,20 @@ "value": "]" } ], + "product_view.label.pickup_in_select_store_prefix": [ + { + "type": 0, + "value": "[" + }, + { + "type": 0, + "value": "Ƥīƈķŭŭƥ īƞ" + }, + { + "type": 0, + "value": "]" + } + ], "product_view.label.pickup_in_store": [ { "type": 0, @@ -6301,6 +6315,20 @@ "value": "]" } ], + "product_view.label.select_store_link": [ + { + "type": 0, + "value": "[" + }, + { + "type": 0, + "value": "Şḗḗŀḗḗƈŧ Şŧǿǿřḗḗ" + }, + { + "type": 0, + "value": "]" + } + ], "product_view.label.ship_to_address": [ { "type": 0, diff --git a/packages/template-retail-react-app/translations/en-GB.json b/packages/template-retail-react-app/translations/en-GB.json index f72730a167..82a8e6f597 100644 --- a/packages/template-retail-react-app/translations/en-GB.json +++ b/packages/template-retail-react-app/translations/en-GB.json @@ -1252,6 +1252,9 @@ "product_view.label.delivery": { "defaultMessage": "Delivery:" }, + "product_view.label.pickup_in_select_store_prefix": { + "defaultMessage": "Pickup in" + }, "product_view.label.pickup_in_store": { "defaultMessage": "Pickup in Store" }, @@ -1264,6 +1267,9 @@ "product_view.label.quantity_increment": { "defaultMessage": "+" }, + "product_view.label.select_store_link": { + "defaultMessage": "Select Store" + }, "product_view.label.ship_to_address": { "defaultMessage": "Ship to Address" }, diff --git a/packages/template-retail-react-app/translations/en-US.json b/packages/template-retail-react-app/translations/en-US.json index f72730a167..82a8e6f597 100644 --- a/packages/template-retail-react-app/translations/en-US.json +++ b/packages/template-retail-react-app/translations/en-US.json @@ -1252,6 +1252,9 @@ "product_view.label.delivery": { "defaultMessage": "Delivery:" }, + "product_view.label.pickup_in_select_store_prefix": { + "defaultMessage": "Pickup in" + }, "product_view.label.pickup_in_store": { "defaultMessage": "Pickup in Store" }, @@ -1264,6 +1267,9 @@ "product_view.label.quantity_increment": { "defaultMessage": "+" }, + "product_view.label.select_store_link": { + "defaultMessage": "Select Store" + }, "product_view.label.ship_to_address": { "defaultMessage": "Ship to Address" }, From f76d717064f23dfd9af002868760d33a591472fb Mon Sep 17 00:00:00 2001 From: snilakandan Date: Mon, 9 Jun 2025 15:50:02 -0500 Subject: [PATCH 15/20] Added a test for ProductView --- .../app/components/product-view/index.test.js | 18 ++++++++++++++++++ 1 file changed, 18 insertions(+) diff --git a/packages/template-retail-react-app/app/components/product-view/index.test.js b/packages/template-retail-react-app/app/components/product-view/index.test.js index 2aa36f8e30..70bfa4942a 100644 --- a/packages/template-retail-react-app/app/components/product-view/index.test.js +++ b/packages/template-retail-react-app/app/components/product-view/index.test.js @@ -435,6 +435,24 @@ test('Pickup in store radio is disabled when inventoryId is present but product expect(pickupRadio).not.toBeChecked() }) +test('shows "Pickup in Select Store" label when pickup is disabled due to no store/inventoryId', async () => { + // Arrange: Ensure localStorage does not have inventoryId for the current site + const siteId = 'site-1' + const storeInfoKey = `store_${siteId}` + window.localStorage.removeItem(storeInfoKey) + + renderWithProviders() + + // Assert: The label is present and the link is correct + const label = await screen.findByTestId('pickup-select-store-msg') + expect(label).toBeInTheDocument() + expect(label).toHaveTextContent(/Pickup in/i) + const link = label.querySelector('a') + expect(link).toBeInTheDocument() + expect(link.getAttribute('href')).toMatch(/store-locator/) + expect(link).toHaveTextContent(/Select Store/i) +}) + describe('ProductView stock status messages', () => { const siteId = 'site-1' const storeInfoKey = `store_${siteId}` From 392cff0975cb1ae262ae26ad6a46aa9169495849 Mon Sep 17 00:00:00 2001 From: snilakandan Date: Tue, 10 Jun 2025 10:01:10 -0500 Subject: [PATCH 16/20] Review comments --- .../app/components/product-view/index.test.js | 14 ++++++++++++++ 1 file changed, 14 insertions(+) diff --git a/packages/template-retail-react-app/app/components/product-view/index.test.js b/packages/template-retail-react-app/app/components/product-view/index.test.js index 70bfa4942a..a49f0dcd35 100644 --- a/packages/template-retail-react-app/app/components/product-view/index.test.js +++ b/packages/template-retail-react-app/app/components/product-view/index.test.js @@ -413,6 +413,20 @@ test('Pickup in store radio is disabled when inventoryId is NOT present in local expect(pickupRadio).toBeDisabled() }) +test('Pickup in store radio is disabled when inventoryId is NULL within localStorage', async () => { + // Arrange: Ensure localStorage does not have inventoryId for the current site + const siteId = 'site-1' + const storeInfoKey = `store_${siteId}` + const inventoryId = null + window.localStorage.removeItem(storeInfoKey) + + renderWithProviders() + + // Assert: Radio is disabled + const pickupRadio = await screen.findByRole('radio', {name: /pickup in store/i}) + expect(pickupRadio).toBeDisabled() +}) + test('Pickup in store radio is disabled when inventoryId is present but product is out of stock', async () => { const user = userEvent.setup() const siteId = 'site-1' From 66e7c9cc7e94163415203bed995d158ed6f0bf13 Mon Sep 17 00:00:00 2001 From: snilakandan Date: Tue, 10 Jun 2025 10:04:00 -0500 Subject: [PATCH 17/20] Review comments --- .../app/components/product-view/index.jsx | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/packages/template-retail-react-app/app/components/product-view/index.jsx b/packages/template-retail-react-app/app/components/product-view/index.jsx index b53e21a739..4409997d37 100644 --- a/packages/template-retail-react-app/app/components/product-view/index.jsx +++ b/packages/template-retail-react-app/app/components/product-view/index.jsx @@ -644,8 +644,8 @@ const ProductView = forwardRef( )} {!isProductASet && !isProductPartOfBundle && ( - - + +