components#QuestionHelper TypeScript Examples
The following examples show how to use
components#QuestionHelper.
You can vote up the ones you like or vote down the ones you don't like,
and go to the original project or source file by following the links above each example. You may check out the related API usage on the sidebar.
Example #1
Source File: CommonBases.tsx From interface-v2 with GNU General Public License v3.0 | 5 votes |
CommonBases: React.FC<CommonBasesProps> = ({
chainId,
onSelect,
selectedCurrency,
}) => {
const classes = useStyles();
return (
<Box mb={2}>
<Box display='flex' className={classes.title} my={1.5}>
<Typography variant='caption'>Common bases</Typography>
<QuestionHelper text='These tokens are commonly paired with other tokens.' />
</Box>
<Box display='flex' flexWrap='wrap'>
<Box
className={classes.baseWrapper}
onClick={() => {
if (!selectedCurrency || !currencyEquals(selectedCurrency, ETHER)) {
onSelect(ETHER);
}
}}
>
<CurrencyLogo currency={ETHER} size='24px' />
<Typography variant='body2'>MATIC</Typography>
</Box>
{(chainId ? GlobalData.bases.SUGGESTED_BASES[chainId] : []).map(
(token: Token) => {
const selected =
selectedCurrency instanceof Token &&
selectedCurrency.address === token.address;
return (
<Box
className={classes.baseWrapper}
key={token.address}
onClick={() => !selected && onSelect(token)}
>
<CurrencyLogo currency={token} size='24px' />
<Typography variant='body2'>{token.symbol}</Typography>
</Box>
);
},
)}
</Box>
</Box>
);
}
Example #2
Source File: SupplyLiquidity.tsx From interface-v2 with GNU General Public License v3.0 | 5 votes |
SupplyLiquidity: React.FC = () => {
const classes = useStyles();
const { palette } = useTheme();
const [openSettingsModal, setOpenSettingsModal] = useState(false);
const parsedQuery = useParsedQueryString();
const qCurrency0 = useCurrency(
parsedQuery && parsedQuery.currency0
? (parsedQuery.currency0 as string)
: undefined,
);
const qCurrency1 = useCurrency(
parsedQuery && parsedQuery.currency1
? (parsedQuery.currency1 as string)
: undefined,
);
return (
<>
{openSettingsModal && (
<SettingsModal
open={openSettingsModal}
onClose={() => setOpenSettingsModal(false)}
/>
)}
<Box display='flex' justifyContent='space-between' alignItems='center'>
<Typography variant='body1' style={{ fontWeight: 600 }}>
Supply Liquidity
</Typography>
<Box display='flex' alignItems='center'>
<Box className={classes.headingItem}>
<QuestionHelper
size={24}
color={palette.text.secondary}
text='When you add liquidity, you are given pool tokens representing your position. These tokens automatically earn fees proportional to your share of the pool, and can be redeemed at any time.'
/>
</Box>
<Box className={classes.headingItem}>
<SettingsIcon onClick={() => setOpenSettingsModal(true)} />
</Box>
</Box>
</Box>
<Box mt={2.5}>
<AddLiquidity
currency0={qCurrency0 ?? undefined}
currency1={qCurrency1 ?? undefined}
/>
</Box>
</>
);
}
Example #3
Source File: ListSelect.tsx From interface-v2 with GNU General Public License v3.0 | 4 votes |
ListSelect: React.FC<ListSelectProps> = ({ onDismiss, onBack }) => {
const classes = useStyles();
const [listUrlInput, setListUrlInput] = useState<string>('');
const dispatch = useDispatch<AppDispatch>();
const lists = useSelector<AppState, AppState['lists']['byUrl']>(
(state) => state.lists.byUrl,
);
const adding = Boolean(lists[listUrlInput]?.loadingRequestId);
const [addError, setAddError] = useState<string | null>(null);
const handleInput = useCallback((e) => {
setListUrlInput(e.target.value);
setAddError(null);
}, []);
const fetchList = useFetchListCallback();
const handleAddList = useCallback(() => {
if (adding) return;
setAddError(null);
fetchList(listUrlInput)
.then(() => {
setListUrlInput('');
ReactGA.event({
category: 'Lists',
action: 'Add List',
label: listUrlInput,
});
})
.catch((error) => {
ReactGA.event({
category: 'Lists',
action: 'Add List Failed',
label: listUrlInput,
});
setAddError(error.message);
dispatch(removeList(listUrlInput));
});
}, [adding, dispatch, fetchList, listUrlInput]);
const validUrl: boolean = useMemo(() => {
return (
uriToHttp(listUrlInput).length > 0 ||
Boolean(parseENSAddress(listUrlInput))
);
}, [listUrlInput]);
const handleEnterKey = useCallback(
(e) => {
if (validUrl && e.key === 'Enter') {
handleAddList();
}
},
[handleAddList, validUrl],
);
const sortedLists = useMemo(() => {
const listUrls = Object.keys(lists);
return listUrls
.filter((listUrl) => {
return Boolean(lists[listUrl].current);
})
.sort((u1, u2) => {
const { current: l1 } = lists[u1];
const { current: l2 } = lists[u2];
if (l1 && l2) {
return l1.name.toLowerCase() < l2.name.toLowerCase()
? -1
: l1.name.toLowerCase() === l2.name.toLowerCase()
? 0
: 1;
}
if (l1) return -1;
if (l2) return 1;
return 0;
});
}, [lists]);
return (
<Box className={classes.manageList}>
<Box className='header'>
<ArrowLeft onClick={onBack} />
<Typography>Manage Lists</Typography>
<CloseIcon onClick={onDismiss} />
</Box>
<Divider />
<Box className='content'>
<Box>
<Typography>Add a list</Typography>
<QuestionHelper text='Token lists are an open specification for lists of ERC20 tokens. You can use any token list by entering its URL below. Beware that third party token lists can contain fake or malicious ERC20 tokens.' />
</Box>
<Box>
<input
type='text'
id='list-add-input'
placeholder='https:// or ipfs:// or ENS name'
value={listUrlInput}
onChange={handleInput}
onKeyDown={handleEnterKey}
style={{ height: '2.75rem', borderRadius: 12, padding: '12px' }}
/>
<Button onClick={handleAddList} disabled={!validUrl}>
Add
</Button>
</Box>
{addError ? (
<Typography style={{ textOverflow: 'ellipsis', overflow: 'hidden' }}>
{addError}
</Typography>
) : null}
</Box>
<Divider />
<Box>
{sortedLists.map((listUrl) => (
<ListRow key={listUrl} listUrl={listUrl} onBack={onBack} />
))}
</Box>
</Box>
);
}
Example #4
Source File: SettingsModal.tsx From interface-v2 with GNU General Public License v3.0 | 4 votes |
SettingsModal: React.FC<SettingsModalProps> = ({ open, onClose }) => {
const classes = useStyles();
const { palette } = useTheme();
const [
userSlippageTolerance,
setUserslippageTolerance,
] = useUserSlippageTolerance();
const [ttl, setTtl] = useUserTransactionTTL();
const { onChangeRecipient } = useSwapActionHandlers();
const [expertMode, toggleExpertMode] = useExpertModeManager();
const [slippageInput, setSlippageInput] = useState('');
const [deadlineInput, setDeadlineInput] = useState('');
const [expertConfirm, setExpertConfirm] = useState(false);
const [expertConfirmText, setExpertConfirmText] = useState('');
const slippageInputIsValid =
slippageInput === '' ||
(userSlippageTolerance / 100).toFixed(2) ===
Number.parseFloat(slippageInput).toFixed(2);
const deadlineInputIsValid =
deadlineInput === '' || (ttl / 60).toString() === deadlineInput;
const slippageError = useMemo(() => {
if (slippageInput !== '' && !slippageInputIsValid) {
return SlippageError.InvalidInput;
} else if (slippageInputIsValid && userSlippageTolerance < 50) {
return SlippageError.RiskyLow;
} else if (slippageInputIsValid && userSlippageTolerance > 500) {
return SlippageError.RiskyHigh;
} else {
return undefined;
}
}, [slippageInput, userSlippageTolerance, slippageInputIsValid]);
const slippageAlert =
!!slippageInput &&
(slippageError === SlippageError.RiskyLow ||
slippageError === SlippageError.RiskyHigh);
const deadlineError = useMemo(() => {
if (deadlineInput !== '' && !deadlineInputIsValid) {
return DeadlineError.InvalidInput;
} else {
return undefined;
}
}, [deadlineInput, deadlineInputIsValid]);
const parseCustomSlippage = (value: string) => {
setSlippageInput(value);
try {
const valueAsIntFromRoundedFloat = Number.parseInt(
(Number.parseFloat(value) * 100).toString(),
);
if (
!Number.isNaN(valueAsIntFromRoundedFloat) &&
valueAsIntFromRoundedFloat < 5000
) {
setUserslippageTolerance(valueAsIntFromRoundedFloat);
}
} catch {}
};
const parseCustomDeadline = (value: string) => {
setDeadlineInput(value);
try {
const valueAsInt: number = Number.parseInt(value) * 60;
if (!Number.isNaN(valueAsInt) && valueAsInt > 0) {
setTtl(valueAsInt);
}
} catch {}
};
return (
<CustomModal open={open} onClose={onClose}>
<CustomModal open={expertConfirm} onClose={() => setExpertConfirm(false)}>
<Box paddingX={3} paddingY={4}>
<Box
mb={3}
display='flex'
justifyContent='space-between'
alignItems='center'
>
<Typography variant='h5'>Are you sure?</Typography>
<CloseIcon
style={{ cursor: 'pointer' }}
onClick={() => setExpertConfirm(false)}
/>
</Box>
<Divider />
<Box mt={2.5} mb={1.5}>
<Typography variant='body1'>
Expert mode turns off the confirm transaction prompt and allows
high slippage trades that often result in bad rates and lost
funds.
</Typography>
<Typography
variant='body1'
style={{ fontWeight: 'bold', marginTop: 24 }}
>
ONLY USE THIS MODE IF YOU KNOW WHAT YOU ARE DOING.
</Typography>
<Typography
variant='body1'
style={{ fontWeight: 'bold', marginTop: 24 }}
>
Please type the word "confirm" to enable expert mode.
</Typography>
</Box>
<Box
height={40}
borderRadius={10}
mb={2.5}
px={2}
display='flex'
alignItems='center'
bgcolor={palette.background.default}
border={`1px solid ${palette.secondary.light}`}
>
<input
style={{ textAlign: 'left' }}
className={classes.settingsInput}
value={expertConfirmText}
onChange={(e: any) => setExpertConfirmText(e.target.value)}
/>
</Box>
<Box
style={{
cursor: 'pointer',
opacity: expertConfirmText === 'confirm' ? 1 : 0.6,
}}
bgcolor='rgb(255, 104, 113)'
height={42}
borderRadius={10}
display='flex'
alignItems='center'
justifyContent='center'
onClick={() => {
if (expertConfirmText === 'confirm') {
toggleExpertMode();
setExpertConfirm(false);
}
}}
>
<Typography variant='h6'>Turn on Expert Mode</Typography>
</Box>
</Box>
</CustomModal>
<Box paddingX={3} paddingY={4}>
<Box
mb={3}
display='flex'
justifyContent='space-between'
alignItems='center'
>
<Typography variant='h5'>Settings</Typography>
<CloseIcon onClick={onClose} />
</Box>
<Divider />
<Box my={2.5} display='flex' alignItems='center'>
<Typography variant='body1' style={{ marginRight: 6 }}>
Slippage Tolerance
</Typography>
<QuestionHelper
size={20}
text='Your transaction will revert if the price changes unfavorably by more than this percentage.'
/>
</Box>
<Box mb={2.5}>
<Box display='flex' alignItems='center'>
<Box
className={cx(
classes.slippageButton,
userSlippageTolerance === 10 && classes.activeSlippageButton,
)}
onClick={() => {
setSlippageInput('');
setUserslippageTolerance(10);
}}
>
<Typography variant='body2'>0.1%</Typography>
</Box>
<Box
className={cx(
classes.slippageButton,
userSlippageTolerance === 50 && classes.activeSlippageButton,
)}
onClick={() => {
setSlippageInput('');
setUserslippageTolerance(50);
}}
>
<Typography variant='body2'>0.5%</Typography>
</Box>
<Box
className={cx(
classes.slippageButton,
userSlippageTolerance === 100 && classes.activeSlippageButton,
)}
onClick={() => {
setSlippageInput('');
setUserslippageTolerance(100);
}}
>
<Typography variant='body2'>1%</Typography>
</Box>
<Box
flex={1}
height={40}
borderRadius={10}
px={2}
display='flex'
alignItems='center'
bgcolor={palette.background.default}
border={`1px solid
${
slippageAlert ? palette.primary.main : palette.secondary.light
}
`}
>
{slippageAlert && <AlertTriangle color='#ffa000' size={16} />}
<NumericalInput
placeholder={(userSlippageTolerance / 100).toFixed(2)}
value={slippageInput}
fontSize={14}
fontWeight={500}
align='right'
color='rgba(212, 229, 255, 0.8)'
onBlur={() => {
parseCustomSlippage((userSlippageTolerance / 100).toFixed(2));
}}
onUserInput={(value) => parseCustomSlippage(value)}
/>
<Typography variant='body2'>%</Typography>
</Box>
</Box>
{slippageError && (
<Typography
variant='body2'
style={{ color: '#ffa000', marginTop: 12 }}
>
{slippageError === SlippageError.InvalidInput
? 'Enter a valid slippage percentage'
: slippageError === SlippageError.RiskyLow
? 'Your transaction may fail'
: 'Your transaction may be frontrun'}
</Typography>
)}
</Box>
<Divider />
<Box my={2.5} display='flex' alignItems='center'>
<Typography variant='body1' style={{ marginRight: 6 }}>
Transaction Deadline
</Typography>
<QuestionHelper
size={20}
text='Your transaction will revert if it is pending for more than this long.'
/>
</Box>
<Box mb={2.5} display='flex' alignItems='center'>
<Box
height={40}
borderRadius={10}
px={2}
display='flex'
alignItems='center'
bgcolor={palette.background.default}
border={`1px solid ${palette.secondary.light}`}
maxWidth={168}
>
<NumericalInput
placeholder={(ttl / 60).toString()}
value={deadlineInput}
fontSize={14}
fontWeight={500}
color='rgba(212, 229, 255, 0.8)'
onBlur={() => {
parseCustomDeadline((ttl / 60).toString());
}}
onUserInput={(value) => parseCustomDeadline(value)}
/>
</Box>
<Typography variant='body2' style={{ marginLeft: 8 }}>
minutes
</Typography>
</Box>
{deadlineError && (
<Typography
variant='body2'
style={{ color: '#ffa000', marginTop: 12 }}
>
Enter a valid deadline
</Typography>
)}
<Divider />
<Box
my={2.5}
display='flex'
justifyContent='space-between'
alignItems='center'
>
<Box display='flex' alignItems='center'>
<Typography variant='body1' style={{ marginRight: 6 }}>
Expert Mode
</Typography>
<QuestionHelper
size={20}
text='Bypasses confirmation modals and allows high slippage trades. Use at your own risk.'
/>
</Box>
<ToggleSwitch
toggled={expertMode}
onToggle={() => {
if (expertMode) {
toggleExpertMode();
onChangeRecipient(null);
} else {
setExpertConfirm(true);
}
}}
/>
</Box>
<Divider />
<Box
mt={2.5}
display='flex'
justifyContent='space-between'
alignItems='center'
>
<Typography variant='body1'>Language</Typography>
<Box display='flex' alignItems='center'>
<Typography variant='body1'>English (default)</Typography>
<KeyboardArrowDown />
</Box>
</Box>
</Box>
</CustomModal>
);
}
Example #5
Source File: AdvancedSwapDetails.tsx From interface-v2 with GNU General Public License v3.0 | 4 votes |
TradeSummary: React.FC<TradeSummaryProps> = ({
trade,
allowedSlippage,
}) => {
const [openSettingsModal, setOpenSettingsModal] = useState(false);
const { palette } = useTheme();
const { t } = useTranslation();
const { priceImpactWithoutFee, realizedLPFee } = computeTradePriceBreakdown(
trade,
);
const isExactIn = trade.tradeType === TradeType.EXACT_INPUT;
const slippageAdjustedAmounts = computeSlippageAdjustedAmounts(
trade,
allowedSlippage,
);
const classes = useStyles();
const tradeAmount = isExactIn ? trade.outputAmount : trade.inputAmount;
return (
<Box mt={1.5}>
{openSettingsModal && (
<SettingsModal
open={openSettingsModal}
onClose={() => setOpenSettingsModal(false)}
/>
)}
<Box className={classes.summaryRow}>
<Box display='flex' alignItems='center'>
<Typography variant='body2'>Slippage:</Typography>
<QuestionHelper text={t('slippageHelper')} />
</Box>
<Box
display='flex'
alignItems='center'
onClick={() => setOpenSettingsModal(true)}
style={{ cursor: 'pointer' }}
>
<Typography variant='body2' style={{ color: palette.primary.main }}>
{allowedSlippage / 100}%
</Typography>
<EditIcon style={{ marginLeft: 8 }} />
</Box>
</Box>
<Box className={classes.summaryRow}>
<Box display='flex' alignItems='center'>
<Typography variant='body2'>
{isExactIn ? t('minReceived') : t('maxSold')}:
</Typography>
<QuestionHelper text={t('txLimitHelper')} />
</Box>
<Box display='flex' alignItems='center'>
<Typography variant='body2'>
{formatTokenAmount(
slippageAdjustedAmounts[isExactIn ? Field.OUTPUT : Field.INPUT],
)}{' '}
{tradeAmount.currency.symbol}
</Typography>
<Box
width={16}
height={16}
ml={0.5}
borderRadius={8}
overflow='hidden'
>
<CurrencyLogo currency={tradeAmount.currency} size='16px' />
</Box>
</Box>
</Box>
<Box className={classes.summaryRow}>
<Box display='flex' alignItems='center'>
<Typography variant='body2'>Price Impact:</Typography>
<QuestionHelper text={t('priceImpactHelper')} />
</Box>
<FormattedPriceImpact priceImpact={priceImpactWithoutFee} />
</Box>
<Box className={classes.summaryRow}>
<Box display='flex' alignItems='center'>
<Typography variant='body2'>Liquidity Provider Fee:</Typography>
<QuestionHelper text={t('liquidityProviderFeeHelper')} />
</Box>
<Typography variant='body2'>
{formatTokenAmount(realizedLPFee)} {trade.inputAmount.currency.symbol}
</Typography>
</Box>
<Box className={classes.summaryRow}>
<Box display='flex' alignItems='center'>
<Typography variant='body2' style={{ marginRight: 4 }}>
Route
</Typography>
<QuestionHelper text={t('swapRouteHelper')} />
</Box>
<Box>
{trade.route.path.map((token, i, path) => {
const isLastItem: boolean = i === path.length - 1;
return (
<Box key={i} display='flex' alignItems='center'>
<Typography variant='body2'>
{token.symbol}{' '}
{// this is not to show the arrow at the end of the trade path
isLastItem ? '' : ' > '}
</Typography>
</Box>
);
})}
</Box>
</Box>
</Box>
);
}