((state) => state.lists.byUrl)\n const dispatch = useAppDispatch()\n const { current: list, pendingUpdate: pending } = listsByUrl[listUrl]\n\n const isActive = useIsListActive(listUrl)\n\n const { t } = useTranslation()\n\n const handleAcceptListUpdate = useCallback(() => {\n if (!pending) return\n dispatch(acceptListUpdate(listUrl))\n }, [dispatch, listUrl, pending])\n\n const handleRemoveList = useCallback(() => {\n // eslint-disable-next-line no-alert\n if (window.confirm('Please confirm you would like to remove this list')) {\n dispatch(removeList(listUrl))\n }\n }, [dispatch, listUrl])\n\n const handleEnableList = useCallback(() => {\n dispatch(enableList(listUrl))\n }, [dispatch, listUrl])\n\n const handleDisableList = useCallback(() => {\n dispatch(disableList(listUrl))\n }, [dispatch, listUrl])\n\n const { targetRef, tooltip, tooltipVisible } = useTooltip(\n \n {list && listVersionLabel(list.version)}\n \n {t('See')}\n \n \n {pending && (\n \n )}\n
,\n { placement: 'right-end', trigger: 'click' },\n )\n\n if (!list) return null\n\n return (\n \n {tooltipVisible && tooltip}\n {list.logoURI ? (\n \n ) : (\n \n )}\n \n \n {list.name}\n
\n \n \n {list.tokens.length} {t('Tokens')}\n \n \n \n \n \n \n {\n if (isActive) {\n handleDisableList()\n } else {\n handleEnableList()\n }\n }}\n />\n \n )\n})\n\nconst ListContainer = styled.div`\n padding: 1rem 0;\n height: 100%;\n overflow: auto;\n`\n\nfunction ManageLists({\n setModalView,\n setImportList,\n setListUrl,\n}: {\n setModalView: (view: CurrencyModalView) => void\n setImportList: (list: TokenList) => void\n setListUrl: (url: string) => void\n}) {\n const [listUrlInput, setListUrlInput] = useState('')\n\n const { t } = useTranslation()\n\n const lists = useAllLists()\n\n // sort by active but only if not visible\n const activeListUrls = useActiveListUrls()\n const [activeCopy, setActiveCopy] = useState()\n useEffect(() => {\n if (!activeCopy && activeListUrls) {\n setActiveCopy(activeListUrls)\n }\n }, [activeCopy, activeListUrls])\n\n const handleInput = useCallback((e) => {\n setListUrlInput(e.target.value)\n }, [])\n\n const fetchList = useFetchListCallback()\n\n const validUrl: boolean = useMemo(() => {\n return uriToHttp(listUrlInput).length > 0\n }, [listUrlInput])\n\n const sortedLists = useMemo(() => {\n const listUrls = Object.keys(lists)\n return listUrls\n .filter((listUrl) => {\n // only show loaded lists, hide unsupported lists\n return Boolean(lists[listUrl].current) && !UNSUPPORTED_LIST_URLS.includes(listUrl)\n })\n .sort((u1, u2) => {\n const { current: l1 } = lists[u1]\n const { current: l2 } = lists[u2]\n\n // first filter on active lists\n if (activeCopy?.includes(u1) && !activeCopy?.includes(u2)) {\n return -1\n }\n if (!activeCopy?.includes(u1) && activeCopy?.includes(u2)) {\n return 1\n }\n\n if (l1 && l2) {\n // Always makeMGP Exchange list in top.\n const keyword = 'pancakeswap'\n if (l1.name.toLowerCase().includes(keyword) || l2.name.toLowerCase().includes(keyword)) {\n return -1\n }\n\n return l1.name.toLowerCase() < l2.name.toLowerCase()\n ? -1\n : l1.name.toLowerCase() === l2.name.toLowerCase()\n ? 0\n : 1\n }\n if (l1) return -1\n if (l2) return 1\n return 0\n })\n }, [lists, activeCopy])\n\n // temporary fetched list for import flow\n const [tempList, setTempList] = useState()\n const [addError, setAddError] = useState()\n\n useEffect(() => {\n async function fetchTempList() {\n fetchList(listUrlInput, false)\n .then((list) => setTempList(list))\n .catch(() => setAddError('Error importing list'))\n }\n // if valid url, fetch details for card\n if (validUrl) {\n fetchTempList()\n } else {\n setTempList(undefined)\n if (listUrlInput !== '') {\n setAddError('Enter valid list location')\n }\n }\n\n // reset error\n if (listUrlInput === '') {\n setAddError(undefined)\n }\n }, [fetchList, listUrlInput, validUrl])\n\n // check if list is already imported\n const isImported = Object.keys(lists).includes(listUrlInput)\n\n // set list values and have parent modal switch to import list view\n const handleImport = useCallback(() => {\n if (!tempList) return\n setImportList(tempList)\n setModalView(CurrencyModalView.importList)\n setListUrl(listUrlInput)\n }, [listUrlInput, setImportList, setListUrl, setModalView, tempList])\n\n return (\n \n \n \n \n
\n {addError ? (\n \n {addError}\n \n ) : null}\n \n {tempList && (\n \n \n \n \n {tempList.logoURI && }\n \n {tempList.name}\n \n {tempList.tokens.length} {t('Tokens')}\n \n \n \n {isImported ? (\n \n \n {t('Loaded')}\n \n ) : (\n \n )}\n \n \n \n )}\n \n \n {sortedLists.map((listUrl) => (\n \n ))}\n \n \n \n )\n}\n\nexport default ManageLists\n","import { useRef, RefObject, useCallback, useState, useMemo } from 'react'\nimport { Token } from '@pancakeswap/sdk'\nimport { Text, Button, CloseIcon, IconButton, LinkExternal, Input, Link } from '@pancakeswap/uikit'\nimport styled from 'styled-components'\nimport Row, { RowBetween, RowFixed } from 'components/Layout/Row'\nimport { useToken } from 'hooks/Tokens'\nimport { useRemoveUserAddedToken } from 'state/user/hooks'\nimport useUserAddedTokens from 'state/user/hooks/useUserAddedTokens'\nimport { CurrencyLogo } from 'components/Logo'\nimport { getBscScanLink, isAddress } from 'utils'\nimport { useNetwork } from 'wagmi'\nimport { getChainId } from 'config/constants/exchange'\nimport { useTranslation } from 'contexts/Localization'\nimport Column, { AutoColumn } from '../Layout/Column'\nimport ImportRow from './ImportRow'\nimport { CurrencyModalView } from './types'\n\nconst Wrapper = styled.div`\n width: 100%;\n height: calc(100% - 60px);\n position: relative;\n padding-bottom: 60px;\n`\n\nconst Footer = styled.div`\n position: absolute;\n bottom: 0;\n width: 100%;\n display: flex;\n justify-content: space-between;\n align-items: center;\n`\n\nexport default function ManageTokens({\n setModalView,\n setImportToken,\n}: {\n setModalView: (view: CurrencyModalView) => void\n setImportToken: (token: Token) => void\n}) {\n const { chain } = useNetwork()\n const chainId = getChainId(chain);\n\n const { t } = useTranslation()\n\n const [searchQuery, setSearchQuery] = useState('')\n\n // manage focus on modal show\n const inputRef = useRef()\n const handleInput = useCallback((event) => {\n const input = event.target.value\n const checksummedInput = isAddress(input)\n setSearchQuery(checksummedInput || input)\n }, [])\n\n // if they input an address, use it\n const searchToken = useToken(searchQuery)\n\n // all tokens for local list\n const userAddedTokens: Token[] = useUserAddedTokens()\n const removeToken = useRemoveUserAddedToken()\n\n const handleRemoveAll = useCallback(() => {\n if (chainId && userAddedTokens) {\n userAddedTokens.forEach((token) => {\n return removeToken(chainId, token.address)\n })\n }\n }, [removeToken, userAddedTokens, chainId])\n\n const tokenList = useMemo(() => {\n return (\n chainId &&\n userAddedTokens.map((token) => (\n \n \n \n \n {token.symbol}\n \n \n \n removeToken(chainId, token.address)}>\n \n \n \n \n \n ))\n )\n }, [userAddedTokens, chainId, removeToken])\n\n const isAddressValid = searchQuery === '' || isAddress(searchQuery)\n\n return (\n \n \n \n \n }\n onChange={handleInput}\n isWarning={!isAddressValid}\n />\n
\n {!isAddressValid && {t('Enter valid token address')}}\n {searchToken && (\n setModalView(CurrencyModalView.importToken)}\n setImportToken={setImportToken}\n style={{ height: 'fit-content' }}\n />\n )}\n \n {tokenList}\n \n \n \n )\n}\n","import { useState } from 'react'\nimport { Token } from '@pancakeswap/sdk'\nimport { ButtonMenu, ButtonMenuItem, ModalBody } from '@pancakeswap/uikit'\nimport styled from 'styled-components'\nimport { TokenList } from '@uniswap/token-lists'\nimport { useTranslation } from 'contexts/Localization'\nimport ManageLists from './ManageLists'\nimport ManageTokens from './ManageTokens'\nimport { CurrencyModalView } from './types'\n\nconst StyledButtonMenu = styled(ButtonMenu)`\n width: 100%;\n`\n\nexport default function Manage({\n setModalView,\n setImportList,\n setImportToken,\n setListUrl,\n}: {\n setModalView: (view: CurrencyModalView) => void\n setImportToken: (token: Token) => void\n setImportList: (list: TokenList) => void\n setListUrl: (url: string) => void\n}) {\n const [showLists, setShowLists] = useState(true)\n\n const { t } = useTranslation()\n\n return (\n \n setShowLists((prev) => !prev)}\n scale=\"sm\"\n variant=\"subtle\"\n mb=\"32px\"\n >\n {t('Lists')}\n {t('Tokens')}\n \n {showLists ? (\n \n ) : (\n \n )}\n \n )\n}\n","import { useState, useCallback } from 'react'\nimport styled from 'styled-components'\nimport { Button, Text, Link, Flex, Checkbox, Message } from '@pancakeswap/uikit'\nimport Card from 'components/Card'\nimport { AutoColumn } from 'components/Layout/Column'\nimport { RowBetween, RowFixed } from 'components/Layout/Row'\nimport useTheme from 'hooks/useTheme'\nimport { ListLogo } from 'components/Logo'\nimport { TokenList } from '@uniswap/token-lists'\nimport { useAppDispatch } from 'state'\nimport useFetchListCallback from 'hooks/useFetchListCallback'\nimport { removeList, enableList } from 'state/lists/actions'\nimport { useAllLists } from 'state/lists/hooks'\nimport { useTranslation } from 'contexts/Localization'\n\ninterface ImportProps {\n listURL: string\n list: TokenList\n onImport: () => void\n}\n\nconst Wrapper = styled.div`\n position: relative;\n width: 100%;\n`\n\nconst TextDot = styled.div`\n height: 3px;\n width: 3px;\n background-color: ${({ theme }) => theme.colors.text};\n border-radius: 50%;\n`\n\nfunction ImportList({ listURL, list, onImport }: ImportProps) {\n const { theme } = useTheme()\n const dispatch = useAppDispatch()\n\n const { t } = useTranslation()\n\n // user must accept\n const [confirmed, setConfirmed] = useState(false)\n\n const lists = useAllLists()\n const fetchList = useFetchListCallback()\n\n // monitor is list is loading\n const adding = Boolean(lists[listURL]?.loadingRequestId)\n const [addError, setAddError] = useState(null)\n\n const handleAddList = useCallback(() => {\n if (adding) return\n setAddError(null)\n fetchList(listURL)\n .then(() => {\n dispatch(enableList(listURL))\n onImport()\n })\n .catch((error) => {\n setAddError(error.message)\n dispatch(removeList(listURL))\n })\n }, [adding, dispatch, fetchList, listURL, onImport])\n\n return (\n \n \n \n \n \n \n {list.logoURI && }\n \n \n \n {list.name}\n \n \n \n {list.tokens.length} tokens\n \n \n \n {listURL}\n \n \n \n \n \n\n \n \n \n {t('Import at your own risk')}\n \n \n {t(\n 'By adding this list you are implicitly trusting that the data is correct. Anyone can create a list, including creating fake versions of existing lists and lists that claim to represent projects that do not have one.',\n )}\n \n \n {t('If you purchase a token from this list, you may not be able to sell it back.')}\n \n \n setConfirmed(!confirmed)}\n scale=\"sm\"\n />\n \n {t('I understand')}\n \n \n \n \n\n \n {addError ? (\n \n {addError}\n \n ) : null}\n \n \n \n )\n}\n\nexport default ImportList\n","import { useCallback, useState, useRef } from 'react'\nimport { Currency, Token } from '@pancakeswap/sdk'\nimport {\n ModalContainer,\n ModalHeader,\n ModalTitle,\n ModalBackButton,\n ModalCloseButton,\n ModalBody,\n InjectedModalProps,\n Heading,\n Button,\n useMatchBreakpointsContext,\n MODAL_SWIPE_TO_CLOSE_VELOCITY,\n} from '@pancakeswap/uikit'\nimport styled from 'styled-components'\nimport usePrevious from 'hooks/usePreviousValue'\nimport { TokenList } from '@uniswap/token-lists'\nimport { useTranslation } from 'contexts/Localization'\nimport CurrencySearch from './CurrencySearch'\nimport ImportToken from './ImportToken'\nimport Manage from './Manage'\nimport ImportList from './ImportList'\nimport { CurrencyModalView } from './types'\n\nconst Footer = styled.div`\n width: 100%;\n background-color: ${({ theme }) => theme.colors.backgroundAlt};\n text-align: center;\n`\nconst StyledModalContainer = styled(ModalContainer)`\n width: 100%;\n min-width: 320px;\n max-width: 420px !important;\n`\n\nconst StyledModalBody = styled(ModalBody)`\n padding: 24px;\n overflow-y: auto;\n -ms-overflow-style: none;\n scrollbar-width: none;\n &::-webkit-scrollbar {\n display: none;\n }\n`\n\nexport interface CurrencySearchModalProps extends InjectedModalProps {\n selectedCurrency?: Currency | null\n onCurrencySelect: (currency: Currency) => void\n otherSelectedCurrency?: Currency | null\n showCommonBases?: boolean\n}\n\nexport default function CurrencySearchModal({\n onDismiss = () => null,\n onCurrencySelect,\n selectedCurrency,\n otherSelectedCurrency,\n showCommonBases = false,\n}: CurrencySearchModalProps) {\n const [modalView, setModalView] = useState(CurrencyModalView.search)\n\n const handleCurrencySelect = useCallback(\n (currency: Currency) => {\n onDismiss?.()\n onCurrencySelect(currency)\n },\n [onDismiss, onCurrencySelect],\n )\n\n // for token import view\n const prevView = usePrevious(modalView)\n\n // used for import token flow\n const [importToken, setImportToken] = useState()\n\n // used for import list\n const [importList, setImportList] = useState()\n const [listURL, setListUrl] = useState()\n\n const { t } = useTranslation()\n\n const config = {\n [CurrencyModalView.search]: { title: t('Select a Token'), onBack: undefined },\n [CurrencyModalView.manage]: { title: t('Manage'), onBack: () => setModalView(CurrencyModalView.search) },\n [CurrencyModalView.importToken]: {\n title: t('Import Tokens'),\n onBack: () =>\n setModalView(prevView && prevView !== CurrencyModalView.importToken ? prevView : CurrencyModalView.search),\n },\n [CurrencyModalView.importList]: { title: t('Import List'), onBack: () => setModalView(CurrencyModalView.search) },\n }\n const { isMobile } = useMatchBreakpointsContext()\n const wrapperRef = useRef(null)\n\n return (\n {\n if (wrapperRef.current) wrapperRef.current.style.animation = 'none'\n }}\n // @ts-ignore\n onDragEnd={(e, info) => {\n if (info.velocity.y > MODAL_SWIPE_TO_CLOSE_VELOCITY && onDismiss) onDismiss()\n }}\n ref={wrapperRef}\n >\n \n \n {config[modalView].onBack && }\n {config[modalView].title}\n \n \n \n \n {modalView === CurrencyModalView.search ? (\n setModalView(CurrencyModalView.importToken)}\n setImportToken={setImportToken}\n />\n ) : modalView === CurrencyModalView.importToken && importToken ? (\n \n ) : modalView === CurrencyModalView.importList && importList && listURL ? (\n setModalView(CurrencyModalView.manage)} />\n ) : modalView === CurrencyModalView.manage ? (\n \n ) : (\n ''\n )}\n {modalView === CurrencyModalView.search && (\n \n )}\n \n \n )\n}\n","import { useState } from 'react'\nimport { Token, Currency } from '@pancakeswap/sdk'\nimport { Button, Text, ErrorIcon, Flex, Message, Checkbox, Link, Tag, Grid } from '@pancakeswap/uikit'\nimport { AutoColumn } from 'components/Layout/Column'\nimport { useAddUserToken } from 'state/user/hooks'\nimport { getBscScanLink } from 'utils'\nimport truncateHash from 'utils/truncateHash'\nimport { useNetwork } from 'wagmi'\nimport { getChainId } from 'config/constants/exchange'\nimport { useCombinedInactiveList } from 'state/lists/hooks'\nimport { ListLogo } from 'components/Logo'\nimport { useTranslation } from 'contexts/Localization'\n\ninterface ImportProps {\n tokens: Token[]\n handleCurrencySelect?: (currency: Currency) => void\n}\n\nfunction ImportToken({ tokens, handleCurrencySelect }: ImportProps) {\n const { chain } = useNetwork()\n const chainId = getChainId(chain);\n\n const { t } = useTranslation()\n\n const [confirmed, setConfirmed] = useState(false)\n\n const addToken = useAddUserToken()\n\n // use for showing import source on inactive tokens\n const inactiveTokenList = useCombinedInactiveList()\n\n return (\n \n \n \n {t(\n 'Anyone can create a token on Shibarium with any name, including creating fake versions of existing tokens and tokens that claim to represent projects that do not have a token.',\n )}\n
\n
\n {t('If you purchase an arbitrary token, you may be unable to sell it back.')}\n \n \n\n {tokens.map((token) => {\n const list = chainId && inactiveTokenList?.[chainId]?.[token.address]?.list\n const address = token.address ? `${truncateHash(token.address)}` : null\n return (\n \n {list !== undefined ? (\n }\n >\n {t('via')} {list.name}\n \n ) : (\n }>\n {t('Unknown Source')}\n \n )}\n \n {token.name}\n ({token.symbol})\n \n {chainId && (\n \n {address}\n \n ({t('View on Explorer')})\n \n \n )}\n \n )\n })}\n\n \n setConfirmed(!confirmed)}>\n setConfirmed(!confirmed)}\n />\n \n {t('I understand')}\n \n \n \n \n \n )\n}\n\nexport default ImportToken\n"],"names":["_templateObject","data","_tagged_template_literal","Grid","styled","Box","withConfig","componentId","flexbox","grid","StyledButtonMenu","param","theme","variant","colors","variants","fullWidth","disabled","concat","primary","textSubtle","space","_param","_activeIndex","activeIndex","_scale","scale","scales","_variant","onItemClick","children","_fullWidth","props","_object_without_properties","_jsx","_object_spread_props","_object_spread","Children","child","index","cloneElement","isActive","onClick","undefined","InactiveButton","Button","_isActive","as","forwardedAs","_obj","_obj1","scaleVariants","_define_property","height","padding","fontSize","styleVariants","backgroundColor","StyledTag","textTransform","prop","typography","outline","tmp","themeColorKey","color","background","Tag","startIcon","endIcon","_jsxs","React","mr","ml","defaultProps","TokenSection","dim","mediaQueries","md","CheckIcon","CheckmarkCircleIcon","success","NameOverflow","ImportRow","inactiveTokenList","token","style","showImportView","setImportToken","useNetwork","chain","chainId","getChainId","useMatchBreakpointsContext","isMobile","useTranslation","t","useCombinedInactiveList","list","address","isAdded","useIsUserAddedToken","useIsTokenActive","CurrencyLogo","currency","size","opacity","AutoColumn","gap","AutoRow","Text","symbol","title","name","logoURI","RowFixed","ListLogo","minWidth","width","currencyKey","Token","ETHER","StyledBalanceText","FixedContentRow","Balance","balance","toExact","toSignificant","MenuItem","RowBetween","selected","CurrencyRow","onSelect","isSelected","otherSelected","useAccount","key","selectedTokenList","useCombinedActiveList","isOnSelectedList","isTokenOnList","customAdded","useCurrencyBalance","className","Column","bold","ellipsis","maxWidth","justifySelf","CircleLoader","CurrencyList","currencies","inactiveCurrencies","selectedCurrency","onCurrencySelect","otherCurrency","fixedListRef","showBNB","breakIndex","itemData","useMemo","formatted","Currency","slice","length","Row","useCallback","Boolean","currencyEquals","wrappedCurrency","showImport","LightGreyCard","borderRadius","small","QuestionHelper","text","itemKey","FixedSizeList","ref","itemCount","itemSize","createFilterToken","search","searchingAddress","isAddress","toLowerCase","lowerSearchParts","split","filter","s","matchesSearch","sParts","s_","every","p","some","sp","startsWith","endsWith","inverted","balances","useAllTokenBalances","comparator","tokenA","tokenB","balanceA","balanceB","balanceComp","greaterThan","equalTo","getTokenComparator","otherSelectedCurrency","showCommonBases","fixedList","useRef","useState","searchQuery","setSearchQuery","debouncedQuery","useDebounce","invertSearchOrder","allTokens","useAllTokens","searchToken","useToken","searchTokenIsAdded","audioPlay","useAudioModeManager","trim","filteredQueryTokens","tokens","trimmedSearchQuery","symbolMatch","exactMatches","symbolSubstrings","rest","forEach","tokenSymbol","push","useSortedTokensByQuery","filterToken","Object","values","filteredSortedTokens","useTokenComparator","handleCurrencySelect","inputRef","useEffect","current","focus","handleInput","event","input","target","value","checksummedInput","scrollTo","handleEnter","e","filteredInactiveTokens","minResults","lists","useAllLists","inactiveUrls","useInactiveListUrls","activeTokens","addressSet","url","tokenInfo","tags","map","tagId","id","x","wrapped","WrappedTokenInfo","useSearchInactiveTokenLists","hasFilteredInactiveTokens","getCurrencyListRows","margin","textAlign","mb","Input","placeholder","autoComplete","onChange","onKeyDown","CurrencyModalView","manage","importToken","importList","Wrapper","RowWrapper","active","tertiary","listUrlRowHTMLId","listUrl","replace","ListRow","memo","version","listsByUrl","useSelector","state","byUrl","dispatch","useAppDispatch","pendingUpdate","useIsListActive","handleAcceptListUpdate","pending","acceptListUpdate","handleRemoveList","window","confirm","removeList","handleEnableList","enableList","handleDisableList","disableList","useTooltip","div","major","minor","patch","LinkExternal","external","href","keys","placement","trigger","targetRef","tooltip","tooltipVisible","marginRight","alt","flex","mt","span","CogIcon","Toggle","checked","ListContainer","setModalView","setImportList","setListUrl","listUrlInput","setListUrlInput","activeListUrls","useActiveListUrls","activeCopy","setActiveCopy","fetchList","useFetchListCallback","validUrl","uriToHttp","sortedLists","UNSUPPORTED_LIST_URLS","sort","u1","u2","includes","l1","l2","keyword","tempList","setTempList","addError","setAddError","fetchTempList","then","catch","isImported","handleImport","textOverflow","overflow","paddingTop","Card","marginLeft","CheckmarkIcon","Footer","ManageTokens","userAddedTokens","useUserAddedTokens","removeToken","useRemoveUserAddedToken","handleRemoveAll","tokenList","Link","getBscScanLink","IconButton","CloseIcon","isAddressValid","isWarning","ButtonMenu","Manage","showLists","setShowLists","ModalBody","prev","ButtonMenuItem","ManageLists","TextDot","listURL","onImport","useTheme","confirmed","setConfirmed","adding","loadingRequestId","handleAddList","error","message","Message","Flex","flexDirection","failure","alignItems","Checkbox","type","userSelect","backgroundAlt","StyledModalContainer","ModalContainer","StyledModalBody","CurrencySearchModal","onDismiss","modalView","prevView","usePrevious","config","onBack","wrapperRef","drag","dragConstraints","top","bottom","dragElastic","dragSnapToOrigin","onDragStart","animation","onDragEnd","info","velocity","y","MODAL_SWIPE_TO_CLOSE_VELOCITY","ModalHeader","ModalTitle","ModalBackButton","Heading","ModalCloseButton","CurrencySearch","ImportToken","ImportList","addToken","useAddUserToken","br","truncateHash","gridTemplateRows","gridGap","ErrorIcon","justifyContent"],"sourceRoot":""}