Loading...
Loading...
Integrate PancakeSwap swaps into applications. Use when user says "integrate swaps", "pancakeswap", "smart router", "add swap functionality", "build a swap frontend", "create a swap script", "smart contract swap integration", "use Universal Router", or mentions swapping tokens via PancakeSwap.
npx skill4agent add pancakeswap/pancakeswap-ai swap-integration| Building... | Use This Method |
|---|---|
| Quick quote or prototype | PancakeSwap Routing API (Method 1) |
| Frontend with React/Next.js | Smart Router SDK + Universal Router (Method 2) |
| Backend script or trading bot | Smart Router SDK + Universal Router (Method 2) |
| Simple V2 swap, smart contract | Direct V2 Router contract calls (Method 3) |
| Need exact Universal Router encoding | Universal Router SDK directly (Method 2) |
| Swap through Infinity (v4) CL or Bin pools | Routing API (Method 1) or Smart Router SDK with Infinity pool types (Method 2) |
| Protocol | Description | Fee Tiers (bps) | Chains |
|---|---|---|---|
| V2 | Classic AMM (xy=k), constant product formula | 25 (0.25%) | BSC only |
| V3 | Concentrated liquidity (Uniswap V3-compatible) | 1, 5, 25, 100 (0.01–1%) | All chains |
| StableSwap | Low-slippage for correlated/pegged assets | 1, 4 (0.01–0.04%) | BSC only |
| Infinity CL | Concentrated liquidity in the v4 singleton PoolManager; supports hooks for custom logic | Same tiers as V3 | BSC, Base |
| Infinity Bin | Fixed-price-bin liquidity (similar to Trader Joe v2); tight ranges, predictable bin-level prices | Configurable | BSC, Base |
| Mixed | Split route across any combination of the above protocols | N/A (composite) | BSC primarily |
| Chain | Chain ID | V2 | V3 | StableSwap | Infinity CL | Infinity Bin | RPC |
|---|---|---|---|---|---|---|---|
| BNB Smart Chain | 56 | ✅ | ✅ | ✅ | ✅ | ✅ | |
| BNB Smart Chain Testnet | 97 | ✅ | ❌ | ❌ | ❌ | ❌ | |
| Ethereum | 1 | ❌ | ✅ | ❌ | ❌ | ❌ | |
| Arbitrum One | 42161 | ❌ | ✅ | ❌ | ❌ | ❌ | |
| Base | 8453 | ❌ | ✅ | ❌ | ✅ | ✅ | |
| Polygon | 137 | ❌ | ✅ | ❌ | ❌ | ❌ | |
| zkSync Era | 324 | ❌ | ✅ | ❌ | ❌ | ❌ | |
| Linea | 59144 | ❌ | ✅ | ❌ | ❌ | ❌ | |
| opBNB | 204 | ❌ | ✅ | ❌ | ❌ | ❌ | |
For testing: Use BSC Testnet (chain ID 97). Get free testnet BNB from https://testnet.bnbchain.org/faucet-smart. The Smart Router SDK does not index testnet pools — use Method 3 (Direct V2 Router) on testnet.
| Token | Address |
|---|---|
| WBNB | |
| BUSD | |
| USDT | |
| USDC | |
| CAKE | |
| ETH | |
| BTCB | |
| Token | Address | Notes |
|---|---|---|
| WBNB | | |
| CAKE | | |
| BUSD | | |
| V2Router | | PancakeSwap testnet |
| Chain | Chain ID | Universal Router Address |
|---|---|---|
| BNB Smart Chain | 56 | |
| Ethereum | 1 | |
| Arbitrum | 42161 | |
| Base | 8453 | |
| Polygon | 137 | |
| zkSync Era | 324 | |
| Linea | 59144 | |
| opBNB | 204 | |
https://router.pancakeswap.finance/v0/quote# Exact input: 1 BNB → CAKE on BSC
curl -s "https://router.pancakeswap.finance/v0/quote?\
tokenInAddress=BNB\
&tokenInChainId=56\
&tokenOutAddress=0x0E09FaBB73Bd3Ade0a17ECC321fD13a19e81cE82\
&tokenOutChainId=56\
&amount=1000000000000000000\
&type=exactIn\
&maxHops=3\
&maxSplits=4" | jq '{
amountOut: .trade.outputAmount,
priceImpact: .trade.priceImpact,
route: [.trade.routes[].type]
}'| Parameter | Type | Description |
|---|---|---|
| string | Input token address or |
| number | Input chain ID |
| string | Output token address |
| number | Output chain ID |
| string | Amount in raw units (wei for 18-decimal tokens) |
| string | |
| number | Max hops per route (default: 3) |
| number | Max route splits (default: 4) |
Infinity (v4) support: The Routing API automatically considers Infinity CL and Infinity Bin pools on BSC and Base alongside V2/V3/StableSwap. No extra parameters are needed — the router selects the best route across all pool types.
interface PancakeRouteQuote {
trade: {
inputAmount: string
outputAmount: string
priceImpact: string
routes: Array<{ type: 'V2' | 'V3' | 'STABLE' | 'MIXED'; pools: unknown[] }>
blockNumber: number
}
}
async function getQuote(params: {
tokenIn: string
tokenOut: string
chainId: number
amount: bigint
type: 'exactIn' | 'exactOut'
}): Promise<PancakeRouteQuote> {
const url = new URL('https://router.pancakeswap.finance/v0/quote')
url.searchParams.set('tokenInAddress', params.tokenIn)
url.searchParams.set('tokenInChainId', String(params.chainId))
url.searchParams.set('tokenOutAddress', params.tokenOut)
url.searchParams.set('tokenOutChainId', String(params.chainId))
url.searchParams.set('amount', String(params.amount))
url.searchParams.set('type', params.type)
url.searchParams.set('maxHops', '3')
url.searchParams.set('maxSplits', '4')
const res = await fetch(url.toString())
if (!res.ok) throw new Error(`Routing API error: ${res.status} ${await res.text()}`)
return res.json()
}
// Usage
const quote = await getQuote({
tokenIn: 'BNB',
tokenOut: '0x0E09FaBB73Bd3Ade0a17ECC321fD13a19e81cE82', // CAKE
chainId: 56,
amount: BigInt('1000000000000000000'), // 1 BNB
type: 'exactIn',
})
console.log('Output:', quote.trade.outputAmount, 'CAKE (raw)')
console.log('Price impact:', quote.trade.priceImpact, '%')Quote freshness: Re-fetch if the quote is more than ~15 seconds old before broadcasting. Stale quotes frequently fail with.INSUFFICIENT_OUTPUT_AMOUNT
npm install @pancakeswap/smart-router @pancakeswap/sdk @pancakeswap/v3-sdk @pancakeswap/universal-router-sdk viem@2.37.13| Package | Role |
|---|---|
| Pool fetching + best route finding |
| Core types: Token, CurrencyAmount, Percent, etc. |
| V3-specific types: FeeAmount, pool encoding |
| Encode calldata for the Universal Router contract |
| Ethereum client (reads, writes, signing) — pin to this version for PancakeSwap compatibility |
import { createPublicClient, createWalletClient, http } from 'viem'
import { bsc } from 'viem/chains'
import { privateKeyToAccount } from 'viem/accounts'
const publicClient = createPublicClient({
chain: bsc,
transport: http('https://bsc-dataseed1.binance.org'),
})
const account = privateKeyToAccount(process.env.PRIVATE_KEY as `0x${string}`)
const walletClient = createWalletClient({
account,
chain: bsc,
transport: http('https://bsc-dataseed1.binance.org'),
})import { ChainId, Token } from '@pancakeswap/sdk'
import { Native } from '@pancakeswap/swap-sdk-evm'
const chainId = ChainId.BSC // 56
// Native BNB (no address)
const BNB = Native.onChain(chainId)
// ERC-20 tokens
const CAKE = new Token(
chainId,
'0x0E09FaBB73Bd3Ade0a17ECC321fD13a19e81cE82',
18,
'CAKE',
'PancakeSwap Token',
)
const USDT = new Token(
chainId,
'0x55d398326f99059fF775485246999027B3197955',
18,
'USDT',
'Tether USD',
)import { SmartRouter, PoolType } from '@pancakeswap/smart-router'
import { TradeType } from '@pancakeswap/sdk'
import { CurrencyAmount } from '@pancakeswap/swap-sdk-core'
const amountIn = CurrencyAmount.fromRawAmount(
BNB,
BigInt('1000000000000000000'), // 1 BNB
)
// Fetch all relevant pool types in parallel
const [v2Pools, v3Pools, stablePools] = await Promise.all([
SmartRouter.getV2CandidatePools({
onChainProvider: () => publicClient,
currencyA: BNB,
currencyB: CAKE,
}),
SmartRouter.getV3CandidatePools({
onChainProvider: () => publicClient,
subgraphProvider: undefined, // optional — speeds up pool discovery
currencyA: BNB,
currencyB: CAKE,
}),
SmartRouter.getStableCandidatePools({
onChainProvider: () => publicClient,
currencyA: BNB,
currencyB: CAKE,
}),
])
const pools = [...v2Pools, ...v3Pools, ...stablePools]Performance tip: If you're building a UI, consider caching pools for 30–60 seconds and only re-fetching when the user changes tokens or chain.
Infinity (v4) pool access: The Smart Router SDK's Infinity pool integration is still evolving. For reliable Infinity CL and Infinity Bin pool access today, use Method 1 (Routing API) — it automatically considers all pool types including Infinity on BSC and Base with no extra setup required.
const trade = await SmartRouter.getBestTrade(amountIn, CAKE, TradeType.EXACT_INPUT, {
gasPriceWei: () => publicClient.getGasPrice(),
maxHops: 3,
maxSplits: 4,
poolProvider: SmartRouter.createStaticPoolProvider(pools),
quoteProvider: SmartRouter.createQuoteProvider({
onChainProvider: () => publicClient,
}),
allowedPoolTypes: [PoolType.V2, PoolType.V3, PoolType.STABLE],
})
// Always check price impact before proceeding
if (parseFloat(trade.priceImpact.toSignificant(4)) > 2) {
console.warn(`⚠️ High price impact: ${trade.priceImpact.toSignificant(4)}%`)
}
console.log('Output:', trade.outputAmount.toSignificant(6), CAKE.symbol)
console.log('Route:', trade.routes.map((r) => r.type).join(' + '))Skip this step if the input currency is native BNB/ETH — native currency does not need approval.
import { erc20Abi } from 'viem'
import {
PancakeSwapUniversalRouter,
getUniversalRouterAddress,
} from '@pancakeswap/universal-router-sdk'
const PERMIT2_ADDRESS = '0x000000000022D473030F116dDEE9F6B43aC78BA3' as const
async function ensureTokenApproved(
tokenAddress: `0x${string}`,
owner: `0x${string}`,
chainId: number,
) {
// Step 1: Approve Permit2 contract (one-time per token, per wallet)
const permit2Allowance = await publicClient.readContract({
address: tokenAddress,
abi: erc20Abi,
functionName: 'allowance',
args: [owner, PERMIT2_ADDRESS],
})
const MAX_UINT256 = BigInt('0xffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff')
if (permit2Allowance < MAX_UINT256 / 2n) {
const hash = await walletClient.writeContract({
address: tokenAddress,
abi: erc20Abi,
functionName: 'approve',
args: [PERMIT2_ADDRESS, MAX_UINT256],
})
await publicClient.waitForTransactionReceipt({ hash })
console.log('✅ Permit2 approved')
}
// Step 2: Approve the Universal Router via Permit2 (per-swap, via signature OR transaction)
// The Universal Router SDK handles this via inputTokenPermit in options.
// For simplicity, approve the Universal Router directly instead:
const routerAddress = getUniversalRouterAddress(chainId) as `0x${string}`
const routerAllowance = await publicClient.readContract({
address: tokenAddress,
abi: erc20Abi,
functionName: 'allowance',
args: [owner, routerAddress],
})
if (routerAllowance < MAX_UINT256 / 2n) {
const hash = await walletClient.writeContract({
address: tokenAddress,
abi: erc20Abi,
functionName: 'approve',
args: [routerAddress, MAX_UINT256],
})
await publicClient.waitForTransactionReceipt({ hash })
console.log('✅ Universal Router approved')
}
}import {
PancakeSwapUniversalRouter,
getUniversalRouterAddress,
} from '@pancakeswap/universal-router-sdk'
import { Percent } from '@pancakeswap/sdk'
const slippage = new Percent(50, 10000) // 0.5%
const deadline = BigInt(Math.floor(Date.now() / 1000) + 60 * 20) // 20 min
// Encode the swap calldata
const { calldata, value } = PancakeSwapUniversalRouter.swapERC20CallParameters(trade, {
slippageTolerance: slippage,
recipient: account.address,
deadlineOrPreviousBlockhash: deadline,
})
// Send the transaction
const hash = await walletClient.sendTransaction({
to: getUniversalRouterAddress(chainId) as `0x${string}`,
data: calldata as `0x${string}`,
value: BigInt(value), // Non-zero only when input is native BNB/ETH
gas: 400000n, // Overestimate — unspent gas is refunded
})
const receipt = await publicClient.waitForTransactionReceipt({ hash })
if (receipt.status === 'reverted') {
throw new Error(`Swap reverted: ${receipt.transactionHash}`)
}
console.log('✅ Swap confirmed:', receipt.transactionHash)const amountOut = CurrencyAmount.fromRawAmount(
USDT,
BigInt('100000000000000000000'), // 100 USDT (18 decimals)
)
const trade = await SmartRouter.getBestTrade(
amountOut,
BNB, // currencyIn — note: swapped argument order for EXACT_OUTPUT
TradeType.EXACT_OUTPUT,
{
gasPriceWei: () => publicClient.getGasPrice(),
maxHops: 3,
maxSplits: 4,
poolProvider: SmartRouter.createStaticPoolProvider(pools),
quoteProvider: SmartRouter.createQuoteProvider({ onChainProvider: () => publicClient }),
},
)
console.log('Max BNB to spend:', trade.inputAmount.toSignificant(6))
// Encode with maximumAmountIn applied automatically via slippageTolerance
const { calldata, value } = PancakeSwapUniversalRouter.swapERC20CallParameters(trade, {
slippageTolerance: new Percent(50, 10000),
recipient: account.address,
deadlineOrPreviousBlockhash: deadline,
})0x10ED43C718714eb63d5aA57B78B54704E256024Econst PANCAKE_V2_ROUTER_ABI = [
{
name: 'swapExactETHForTokens',
type: 'function',
stateMutability: 'payable',
inputs: [
{ name: 'amountOutMin', type: 'uint256' },
{ name: 'path', type: 'address[]' },
{ name: 'to', type: 'address' },
{ name: 'deadline', type: 'uint256' },
],
outputs: [{ name: 'amounts', type: 'uint256[]' }],
},
{
name: 'swapExactTokensForETH',
type: 'function',
stateMutability: 'nonpayable',
inputs: [
{ name: 'amountIn', type: 'uint256' },
{ name: 'amountOutMin', type: 'uint256' },
{ name: 'path', type: 'address[]' },
{ name: 'to', type: 'address' },
{ name: 'deadline', type: 'uint256' },
],
outputs: [{ name: 'amounts', type: 'uint256[]' }],
},
{
name: 'swapExactTokensForTokens',
type: 'function',
stateMutability: 'nonpayable',
inputs: [
{ name: 'amountIn', type: 'uint256' },
{ name: 'amountOutMin', type: 'uint256' },
{ name: 'path', type: 'address[]' },
{ name: 'to', type: 'address' },
{ name: 'deadline', type: 'uint256' },
],
outputs: [{ name: 'amounts', type: 'uint256[]' }],
},
// Fee-on-transfer variant (SafeMoon-style tokens)
{
name: 'swapExactTokensForTokensSupportingFeeOnTransferTokens',
type: 'function',
stateMutability: 'nonpayable',
inputs: [
{ name: 'amountIn', type: 'uint256' },
{ name: 'amountOutMin', type: 'uint256' },
{ name: 'path', type: 'address[]' },
{ name: 'to', type: 'address' },
{ name: 'deadline', type: 'uint256' },
],
outputs: [],
},
{
name: 'getAmountsOut',
type: 'function',
stateMutability: 'view',
inputs: [
{ name: 'amountIn', type: 'uint256' },
{ name: 'path', type: 'address[]' },
],
outputs: [{ name: 'amounts', type: 'uint256[]' }],
},
] as const
const V2_ROUTER = '0x10ED43C718714eb63d5aA57B78B54704E256024E' as const
const WBNB = '0xbb4CdB9CBd36B01bD1cBaEBF2De08d9173bc095c' as const
const CAKE = '0x0E09FaBB73Bd3Ade0a17ECC321fD13a19e81cE82' as constimport { parseEther } from 'viem'
const slippageBps = 50n // 0.5%
const deadline = BigInt(Math.floor(Date.now() / 1000) + 60 * 20)
// 1. Get quote
const amounts = await publicClient.readContract({
address: V2_ROUTER,
abi: PANCAKE_V2_ROUTER_ABI,
functionName: 'getAmountsOut',
args: [parseEther('0.1'), [WBNB, CAKE]],
})
const expectedOut = amounts[1]
const minOut = (expectedOut * (10000n - slippageBps)) / 10000n
// 2. Approve router for the input token (skip for BNB input)
// 3. Execute
const hash = await walletClient.writeContract({
address: V2_ROUTER,
abi: PANCAKE_V2_ROUTER_ABI,
functionName: 'swapExactETHForTokens',
args: [minOut, [WBNB, CAKE], account.address, deadline],
value: parseEther('0.1'),
})// Simply extend the path array
const amounts = await publicClient.readContract({
address: V2_ROUTER,
abi: PANCAKE_V2_ROUTER_ABI,
functionName: 'getAmountsOut',
args: [parseEther('0.1'), [WBNB, USDT_BSC, CAKE]],
})| Scenario | What to Approve | Where |
|---|---|---|
| Smart Router / Universal Router | Token → Permit2 | One-time per token |
| Smart Router / Universal Router | Permit2 → Universal Router | Per session (or use sig) |
| Direct V2 Router | Token → V2 Router | One-time per token |
| Native BNB/ETH input | No approval needed | — |
import { FeeAmount } from '@pancakeswap/v3-sdk'
FeeAmount.LOWEST // 100 bps = 0.01% — stablecoin pairs (USDT/USDC)
FeeAmount.LOW // 500 bps = 0.05% — stable-ish pairs
FeeAmount.MEDIUM // 2500 bps = 0.25% — most standard pairs (default)
FeeAmount.HIGH // 10000 bps = 1% — exotic or highly volatile pairsimport typetype// ✅ Correct — Currency is only used in a type annotation
import { type Currency, TradeType, Percent } from '@pancakeswap/sdk'
import type { SmartRouterTrade } from '@pancakeswap/smart-router'
// ❌ Wrong — Currency is only a type, don't import it as a value
import { Currency, TradeType, Percent } from '@pancakeswap/sdk'| Token Type | Recommended Slippage |
|---|---|
| Stablecoins (USDT/USDC/BUSD pairs) | 0.01–0.1% |
| Large caps (CAKE, BNB, ETH) | 0.3–0.5% |
| Mid/small caps | 0.5–2% |
| Fee-on-transfer / reflection tokens | 5–12% |
| New meme tokens | 5–15% |
Native.onChain(chainId)WRAP_ETHUNWRAP_WETHswapExactETHForTokensvalue: amountInvalueamountInswapExactTokensForTokensSupportingFeeOnTransferTokensswapExactETHForTokensSupportingFeeOnTransferTokensINSUFFICIENT_OUTPUT_AMOUNT| Swap Type | Approx. Gas |
|---|---|
| V2 single-hop | ~150,000 |
| V3 single-hop | ~180,000 |
| V2+V3 two-hop | ~300,000 |
| Mixed 3-hop | ~400,000–600,000 |
| With Permit2 signature | +~40,000 |
publicClient.estimateGas()| Error String | Cause | Fix |
|---|---|---|
| Slippage exceeded (price moved) | Increase |
| Slippage exceeded for exact-output swap | Increase |
| | Re-fetch quote with a fresh deadline |
| Fee-on-transfer token, incorrect method | Use |
| Token not approved to router or Permit2 | Run |
| General on-chain failure | Decode with |
// Simulate the transaction to get the revert reason
try {
await publicClient.call({
to: getUniversalRouterAddress(chainId) as `0x${string}`,
data: calldata as `0x${string}`,
value: BigInt(value),
account: account.address,
})
} catch (err: unknown) {
// viem throws with the decoded revert reason
console.error('Revert reason:', (err as Error).message)
}npm install wagmi@2.17.5 viem@2.37.13 @tanstack/react-queryimport { useWalletClient, usePublicClient, useChainId } from 'wagmi'
import { useMutation } from '@tanstack/react-query'
import { type Currency, TradeType, Percent } from '@pancakeswap/sdk'
import { CurrencyAmount } from '@pancakeswap/swap-sdk-core'
import { SmartRouter } from '@pancakeswap/smart-router'
import {
PancakeSwapUniversalRouter,
getUniversalRouterAddress,
} from '@pancakeswap/universal-router-sdk'
type SwapVariables = { amountIn: bigint; tokenIn: Currency; tokenOut: Currency }
function useSwap() {
const chainId = useChainId()
const { data: walletClient } = useWalletClient()
const publicClient = usePublicClient()
return useMutation<`0x${string}`, Error, SwapVariables>({
mutationFn: async ({ amountIn, tokenIn, tokenOut }) => {
if (!walletClient || !publicClient) throw new Error('Wallet not connected')
// 1. Fetch pools
const pools = await fetchPancakePools(publicClient, tokenIn, tokenOut, chainId)
// 2. Get best trade
const trade = await SmartRouter.getBestTrade(
CurrencyAmount.fromRawAmount(tokenIn, amountIn),
tokenOut,
TradeType.EXACT_INPUT,
{
gasPriceWei: () => publicClient.getGasPrice(),
maxHops: 3,
maxSplits: 4,
poolProvider: SmartRouter.createStaticPoolProvider(pools),
quoteProvider: SmartRouter.createQuoteProvider({ onChainProvider: () => publicClient }),
},
)
if (!trade) throw new Error('No route found for this token pair')
// 3. Encode
const { calldata, value } = PancakeSwapUniversalRouter.swapERC20CallParameters(trade, {
slippageTolerance: new Percent(50, 10000),
recipient: walletClient.account.address,
deadlineOrPreviousBlockhash: BigInt(Math.floor(Date.now() / 1000) + 1200),
})
// 4. Send
return walletClient.sendTransaction({
to: getUniversalRouterAddress(chainId) as `0x${string}`,
data: calldata as `0x${string}`,
value: BigInt(value),
})
},
})
}import { createPublicClient, createWalletClient, http } from 'viem'
import { bsc } from 'viem/chains'
import { privateKeyToAccount } from 'viem/accounts'
import { ChainId, Token, TradeType, Percent } from '@pancakeswap/sdk'
import { Native } from '@pancakeswap/swap-sdk-evm'
import { CurrencyAmount } from '@pancakeswap/swap-sdk-core'
import { SmartRouter, PoolType } from '@pancakeswap/smart-router'
import {
PancakeSwapUniversalRouter,
getUniversalRouterAddress,
} from '@pancakeswap/universal-router-sdk'
const chainId = ChainId.BSC
const account = privateKeyToAccount(process.env.PRIVATE_KEY as `0x${string}`)
const publicClient = createPublicClient({
chain: bsc,
transport: http('https://bsc-dataseed1.binance.org'),
})
const walletClient = createWalletClient({
account,
chain: bsc,
transport: http('https://bsc-dataseed1.binance.org'),
})
const BNB = Native.onChain(chainId)
const CAKE = new Token(chainId, '0x0E09FaBB73Bd3Ade0a17ECC321fD13a19e81cE82', 18, 'CAKE')
async function swapBNBforCAKE(bnbAmountWei: bigint) {
const amountIn = CurrencyAmount.fromRawAmount(BNB, bnbAmountWei)
// 1. Fetch candidate pools (V2 + V3; stable not relevant for BNB/CAKE)
const [v2Pools, v3Pools] = await Promise.all([
SmartRouter.getV2CandidatePools({
onChainProvider: () => publicClient,
currencyA: BNB,
currencyB: CAKE,
}),
SmartRouter.getV3CandidatePools({
onChainProvider: () => publicClient,
subgraphProvider: undefined,
currencyA: BNB,
currencyB: CAKE,
}),
])
// 2. Find best route
const trade = await SmartRouter.getBestTrade(amountIn, CAKE, TradeType.EXACT_INPUT, {
gasPriceWei: () => publicClient.getGasPrice(),
maxHops: 3,
maxSplits: 4,
poolProvider: SmartRouter.createStaticPoolProvider([...v2Pools, ...v3Pools]),
quoteProvider: SmartRouter.createQuoteProvider({ onChainProvider: () => publicClient }),
allowedPoolTypes: [PoolType.V2, PoolType.V3],
})
const impact = parseFloat(trade.priceImpact.toSignificant(4))
if (impact > 2) console.warn(`⚠️ High price impact: ${impact}%`)
console.log(
`Swapping ${amountIn.toSignificant(4)} BNB → ~${trade.outputAmount.toSignificant(4)} CAKE`,
)
// 3. Encode calldata
const { calldata, value } = PancakeSwapUniversalRouter.swapERC20CallParameters(trade, {
slippageTolerance: new Percent(50, 10000), // 0.5%
recipient: account.address,
deadlineOrPreviousBlockhash: BigInt(Math.floor(Date.now() / 1000) + 1200),
})
// 4. Send (no token approval needed — input is native BNB)
const hash = await walletClient.sendTransaction({
to: getUniversalRouterAddress(chainId) as `0x${string}`,
data: calldata as `0x${string}`,
value: BigInt(value),
gas: 400000n,
})
const receipt = await publicClient.waitForTransactionReceipt({ hash })
if (receipt.status === 'reverted') throw new Error(`Swap reverted: ${hash}`)
console.log('✅ Confirmed:', receipt.transactionHash)
return receipt
}
await swapBNBforCAKE(BigInt('100000000000000000')) // 0.1 BNB