Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

feat: [PAN-4634] Enable-auto-slippage #11387

Draft
wants to merge 20 commits into
base: develop
Choose a base branch
from
Draft
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
2 changes: 1 addition & 1 deletion apps/web/next-env.d.ts
Original file line number Diff line number Diff line change
Expand Up @@ -2,4 +2,4 @@
/// <reference types="next/image-types/global" />

// NOTE: This file should not be edited
// see https://nextjs.org/docs/pages/building-your-application/configuring/typescript for more information.
// see https://nextjs.org/docs/pages/api-reference/config/typescript for more information.
Original file line number Diff line number Diff line change
Expand Up @@ -5,6 +5,7 @@ import { useEffect, useState } from 'react'
import { escapeRegExp } from 'utils'

import { VerticalDivider } from '@pancakeswap/widgets-internal'
import { useAutoSlippageEnabled } from 'hooks/useAutoSlippageWithFallback'
import { useUserTransactionTTL } from 'hooks/useTransactionDeadline'
import styled from 'styled-components'
import { PrimaryOutlineButton } from './styles'
Expand Down Expand Up @@ -49,6 +50,7 @@ const SlippageTabs = () => {
const [ttl, setTTL] = useUserTransactionTTL()
const [slippageInput, setSlippageInput] = useState('')
const [deadlineInput, setDeadlineInput] = useState('')
const [isAutoSlippageEnabled, setIsAutoSlippageEnabled] = useAutoSlippageEnabled()

const { t } = useTranslation()

Expand Down Expand Up @@ -124,14 +126,26 @@ const SlippageTabs = () => {
ml="4px"
/>
</Flex>

<ButtonsContainer>
<StyledButton
scale="sm"
onClick={() => {
setSlippageInput('')
setIsAutoSlippageEnabled(true)
}}
variant={isAutoSlippageEnabled ? 'subtle' : 'light'}
>
Auto
</StyledButton>
<StyledButton
scale="sm"
onClick={() => {
setSlippageInput('')
setUserSlippageTolerance(10)
setIsAutoSlippageEnabled(false)
}}
variant={userSlippageTolerance === 10 ? 'subtle' : 'light'}
variant={userSlippageTolerance === 10 && !isAutoSlippageEnabled ? 'subtle' : 'light'}
>
0.1%
</StyledButton>
Expand All @@ -140,8 +154,9 @@ const SlippageTabs = () => {
onClick={() => {
setSlippageInput('')
setUserSlippageTolerance(50)
setIsAutoSlippageEnabled(false)
}}
variant={userSlippageTolerance === 50 ? 'subtle' : 'light'}
variant={userSlippageTolerance === 50 && !isAutoSlippageEnabled ? 'subtle' : 'light'}
>
0.5%
</StyledButton>
Expand All @@ -150,8 +165,9 @@ const SlippageTabs = () => {
onClick={() => {
setSlippageInput('')
setUserSlippageTolerance(100)
setIsAutoSlippageEnabled(false)
}}
variant={userSlippageTolerance === 100 ? 'subtle' : 'light'}
variant={userSlippageTolerance === 100 && !isAutoSlippageEnabled ? 'subtle' : 'light'}
>
1.0%
</StyledButton>
Expand All @@ -161,12 +177,15 @@ const SlippageTabs = () => {
scale="md"
inputMode="decimal"
pattern="^[0-9]*[.,]?[0-9]{0,2}$"
placeholder={(userSlippageTolerance / 100).toFixed(2)}
placeholder={isAutoSlippageEnabled ? 'Auto' : (userSlippageTolerance / 100).toFixed(2)}
value={slippageInput}
onBlur={() => {
parseCustomSlippage((userSlippageTolerance / 100).toFixed(2))
}}
onChange={(event) => {
if (isAutoSlippageEnabled) {
setIsAutoSlippageEnabled(false)
}
if (event.currentTarget.validity.valid) {
parseCustomSlippage(event.target.value.replace(/,/g, '.'))
}
Expand All @@ -184,7 +203,8 @@ const SlippageTabs = () => {
</Box>
</Flex>
</ButtonsContainer>
{!!slippageError && (

{!isAutoSlippageEnabled && !!slippageError && (
<Message
mt="8px"
variant={
Expand Down
234 changes: 234 additions & 0 deletions apps/web/src/hooks/useAutoSlippage.tsx
Original file line number Diff line number Diff line change
@@ -0,0 +1,234 @@
import { ChainId } from '@pancakeswap/chains'
import { ExclusiveDutchOrderTrade } from '@pancakeswap/pcsx-sdk'
import { Percent, TradeType } from '@pancakeswap/sdk'
import { SmartRouterTrade, V4Router } from '@pancakeswap/smart-router'
import { Currency } from '@pancakeswap/swap-sdk-core'
import { BigNumber } from 'bignumber.js'
import { L2_CHAIN_IDS } from 'config/chains'
import { useMemo } from 'react'
import { useAccount } from 'wagmi'
import { useGasPrice } from '../state/user/hooks'

import useNativeCurrency from './useNativeCurrency'
import { useStablecoinPrice, useStablecoinPriceAmount } from './useStablecoinPrice'

const DEFAULT_AUTO_SLIPPAGE = new Percent(50, 10_000) // 0.5%
const MIN_AUTO_SLIPPAGE_TOLERANCE = new Percent(50, 10_000) // 0.5%
const MAX_AUTO_SLIPPAGE_TOLERANCE = new Percent(550, 10_000) // 5.5%

// Helper functions
const isL2ChainId = (chainId?: number): boolean => {
if (!chainId) return false
return L2_CHAIN_IDS.includes(chainId)
}

const chainSupportsGasEstimates = (chainId?: number): boolean => {
if (!chainId) return false
return chainId === ChainId.ETHEREUM || chainId === ChainId.BSC
}

// Type guard to check if trade is V4Trade
const isV4Trade = (
trade:
| SmartRouterTrade<TradeType>
| V4Router.V4TradeWithoutGraph<TradeType>
| ExclusiveDutchOrderTrade<Currency, Currency>
| undefined,
): trade is V4Router.V4TradeWithoutGraph<TradeType> => {
return trade !== undefined && 'gasUseEstimate' in trade && !('orderInfo' in trade)
}

// Estimate gas for a trade
const guesstimateGas = (
trade?:
| SmartRouterTrade<TradeType>
| V4Router.V4TradeWithoutGraph<TradeType>
| ExclusiveDutchOrderTrade<Currency, Currency>,
): number => {
if (!trade) return 0
// A very rough gas estimation based on the trade type
return 200000 // Default gas estimate
}

// Calculate gas estimate in USD based on trade type
const calculateGasEstimateUSD = (
supportsGasEstimate: boolean,
trade?:
| SmartRouterTrade<TradeType>
| V4Router.V4TradeWithoutGraph<TradeType>
| ExclusiveDutchOrderTrade<Currency, Currency>,
baseGasEstimatePrice?: any,
) => {
if (!supportsGasEstimate || !trade) return null

if (isV4Trade(trade)) {
// For V4Trade, use gasUseEstimateBase and convert to USD
const baseGasEstimate = trade.gasUseEstimateBase
if (baseGasEstimate && baseGasEstimatePrice) {
const baseAmount = parseFloat(baseGasEstimate.toSignificant(6))
return baseAmount * parseFloat(baseGasEstimatePrice.toSignificant(6))
}
return null
}

// For ExclusiveDutchOrderTrade, use a default gas estimate
if ('orderInfo' in trade) {
// This is an ExclusiveDutchOrderTrade
return 0.5 // Default gas cost in USD for Dutch Order trades
}

// For SmartRouterTrade, use gasEstimateInUSD
return 'gasEstimateInUSD' in trade
? typeof trade.gasEstimateInUSD === 'string'
? parseFloat(trade.gasEstimateInUSD)
: Number(trade.gasEstimateInUSD)
: null
}

// Calculate native gas cost
const calculateNativeGasCost = (nativeGasPrice?: string, gasEstimate?: number) => {
return nativeGasPrice && typeof gasEstimate === 'number'
? new BigNumber(nativeGasPrice.toString()).multipliedBy(gasEstimate)
: undefined
}

// Calculate gas cost amount
const calculateGasCostAmount = (nativeGasCost?: BigNumber, nativeCurrency?: any) => {
return nativeGasCost && nativeCurrency
? parseFloat(nativeGasCost.toFixed(0)) / 10 ** nativeCurrency.decimals
: undefined
}

// Calculate slippage based on dollar cost and output value
const calculateSlippageFromDollarValues = (dollarCostToUse: number, outputDollarValue: number) => {
// Optimize for highest possible slippage without getting MEV'd
// Set slippage % such that the difference between expected amount out and minimum amount out < gas fee to sandwich the trade
const fraction = dollarCostToUse / outputDollarValue
return new Percent(Math.floor(fraction * 10000), 10000)
}

// Apply slippage tolerance limits
const applySlippageLimits = (calculatedSlippage: Percent) => {
if (calculatedSlippage.greaterThan(MAX_AUTO_SLIPPAGE_TOLERANCE)) {
console.log('Auto Slippage: Using MAX_AUTO_SLIPPAGE_TOLERANCE', MAX_AUTO_SLIPPAGE_TOLERANCE.toFixed(2))
return MAX_AUTO_SLIPPAGE_TOLERANCE
}

if (calculatedSlippage.lessThan(MIN_AUTO_SLIPPAGE_TOLERANCE)) {
console.log('Auto Slippage: Using MIN_AUTO_SLIPPAGE_TOLERANCE', MIN_AUTO_SLIPPAGE_TOLERANCE.toFixed(2))
return MIN_AUTO_SLIPPAGE_TOLERANCE
}

console.log('Auto Slippage: Using calculated result', calculatedSlippage.toFixed(2))
return calculatedSlippage
}

type SupportedTrade =
| SmartRouterTrade<TradeType>
| V4Router.V4TradeWithoutGraph<TradeType>
| ExclusiveDutchOrderTrade<Currency, Currency>

export default function useClassicAutoSlippageTolerance(trade?: SupportedTrade): Percent {
const { chainId } = useAccount()
const onL2 = isL2ChainId(chainId)

// Get USD price of output amount
const outputCurrency = trade?.outputAmount?.currency
const outputUSDPrice = useStablecoinPrice(outputCurrency)
const outputAmount = trade?.outputAmount?.toSignificant(6)
const outputDollarValue =
outputAmount && outputUSDPrice ? parseFloat(outputAmount) * parseFloat(outputUSDPrice.toSignificant(6)) : undefined

// Gas estimation
const supportsGasEstimate = useMemo(() => chainId && chainSupportsGasEstimates(chainId), [chainId])

// Get base gas estimate currency price for V4 trades
const baseGasEstimateCurrency = isV4Trade(trade) ? trade.gasUseEstimateBase?.currency : undefined
const baseGasEstimatePrice = useStablecoinPrice(baseGasEstimateCurrency)

// Get gas estimate in USD based on trade type
const gasEstimateUSD = useMemo(
() => calculateGasEstimateUSD(!!supportsGasEstimate, trade, baseGasEstimatePrice),
[supportsGasEstimate, trade, baseGasEstimatePrice],
)

const nativeGasPrice = useGasPrice()
const nativeCurrency = useNativeCurrency(chainId)
const gasEstimate = guesstimateGas(trade)

// Calculate native gas cost
const nativeGasCost = useMemo(
() => calculateNativeGasCost(nativeGasPrice?.toString(), gasEstimate),
[nativeGasPrice, gasEstimate],
)

// Convert native gas cost to USD without using CurrencyAmount
const gasCostAmount = useMemo(
() => calculateGasCostAmount(nativeGasCost, nativeCurrency),
[nativeGasCost, nativeCurrency],
)

// Always call the hook unconditionally
const gasCostUSDValue = useStablecoinPriceAmount(nativeCurrency, gasCostAmount)

return useMemo(() => {
console.log('Auto Slippage Debug:', {
hasTrade: !!trade,
onL2,
chainId,
supportsGasEstimate,
gasEstimateUSD,
gasCostUSDValue,
outputDollarValue,
outputCurrency: outputCurrency?.symbol,
outputUSDPrice: outputUSDPrice?.toSignificant(6),
outputAmount,
nativeGasPrice: nativeGasPrice?.toString(),
gasEstimate,
nativeGasCost: nativeGasCost?.toString(),
gasCostAmount,
})

if (!trade || onL2) {
console.log('Auto Slippage: Using DEFAULT_AUTO_SLIPPAGE because', !trade ? 'no trade' : 'on L2')
return DEFAULT_AUTO_SLIPPAGE
}

// If valid estimate from API and using API trade, use gas estimate from API
// NOTE - don't use gas estimate for L2s yet - need to verify accuracy
// If not, use local heuristic
const dollarCostToUse = supportsGasEstimate && gasEstimateUSD ? gasEstimateUSD : gasCostUSDValue

if (outputDollarValue && dollarCostToUse) {
const calculatedSlippage = calculateSlippageFromDollarValues(dollarCostToUse, outputDollarValue)

console.log('Auto Slippage: Calculated result', {
dollarCostToUse,
outputDollarValue,
fraction: dollarCostToUse / outputDollarValue,
resultBasisPoints: Math.floor((dollarCostToUse / outputDollarValue) * 10000),
result: calculatedSlippage.toFixed(2),
})

return applySlippageLimits(calculatedSlippage)
}

console.log('Auto Slippage: Using DEFAULT_AUTO_SLIPPAGE because missing outputDollarValue or dollarCostToUse')
return DEFAULT_AUTO_SLIPPAGE
}, [
trade,
onL2,
supportsGasEstimate,
gasEstimateUSD,
gasCostUSDValue,
outputDollarValue,
chainId,
nativeGasPrice,
gasEstimate,
outputCurrency,
outputUSDPrice,
outputAmount,
nativeGasCost,
gasCostAmount,
])
}
52 changes: 52 additions & 0 deletions apps/web/src/hooks/useAutoSlippageWithFallback.tsx
Original file line number Diff line number Diff line change
@@ -0,0 +1,52 @@
import { ExclusiveDutchOrderTrade } from '@pancakeswap/pcsx-sdk'
import { TradeType } from '@pancakeswap/sdk'
import { SmartRouterTrade, V4Router } from '@pancakeswap/smart-router'
import { Currency } from '@pancakeswap/swap-sdk-core'
import { useUserSlippage } from '@pancakeswap/utils/user'
import { useAtom } from 'jotai'
import { atomWithStorage } from 'jotai/utils'
import { useMemo } from 'react'
import useClassicAutoSlippageTolerance from './useAutoSlippage'

// Atom to store the user's preference for auto slippage
const autoSlippageEnabledAtom = atomWithStorage('pcs:auto-slippage-enabled-2', true)

export const useAutoSlippageEnabled = () => {
return useAtom(autoSlippageEnabledAtom)
}

type SupportedTrade =
| SmartRouterTrade<TradeType>
| V4Router.V4TradeWithoutGraph<TradeType>
| ExclusiveDutchOrderTrade<Currency, Currency>

/**
* Returns the slippage tolerance based on user settings or auto-calculated value
* If auto slippage is enabled, it will use the auto-calculated value
* Otherwise, it will use the user's manually set slippage
*/
export function useAutoSlippageWithFallback(trade?: SupportedTrade): {
slippageTolerance: number
isAuto: boolean
} {
const [isAutoSlippageEnabled] = useAutoSlippageEnabled()
const [userSlippageTolerance] = useUserSlippage()
const autoSlippageTolerance = useClassicAutoSlippageTolerance(trade)

return useMemo(() => {
if (isAutoSlippageEnabled && trade) {
return {
slippageTolerance: Number(autoSlippageTolerance.numerator),
isAuto: true,
}
}

// Convert basis points to percent
const userSlippageTolerancePercent = userSlippageTolerance

return {
slippageTolerance: userSlippageTolerancePercent,
isAuto: false,
}
}, [isAutoSlippageEnabled, trade, autoSlippageTolerance, userSlippageTolerance])
}
Loading
Loading