A collection of tools to simulate MEV activity on EVM-based networks.
Quickly set up an environment and start sending swaps with the cli.
pull from dockerhub:
docker pull flashbots/mev-flood
# re-tag for convenience
docker tag flashbots/mev-flood mevflood
alernatively, build from source:
git clone https://github.com/flashbots/mev-flood
cd mev-flood/
docker build -t mevflood:latest .
run the CLI with docker:
# see available commands
docker run mevflood --help
### assumes an Ethereum node is running on your machine at localhost:8545
# deploy smart contracts & save deployment to file (./deployments/local.json on localhost)
docker run -v ${PWD}:/app/cli/deployments mevflood init -r http://host.docker.internal:8545 -s local.json
# start sending swaps using the deployment file created in the last step
docker run --init -v ${PWD}:/app/cli/deployments mevflood spam -r http://host.docker.internal:8545 -l local.json
# press Ctrl+C to quit
| If host.docker.internal
doesn't work, try 172.17.0.1
(docker's default host proxy)
See the send swaps section for more details on sending random swaps with mev-flood.
First, we need to initialize the environment and build our library:
cd core/
yarn install
# required for build:
yarn script.createWallets
yarn build
cd ..
Next, build the CLI:
cd cli/
yarn install
yarn build
./bin/run init
Run init
with the --help
flag to see all available overrides:
./bin/run init --help
ENV: undefined
Deploy smart contracts and provision liquidity on UniV2 pairs.
USAGE
$ mevflood init [-r <value>] [-k <value>] [-u <value>] [-a <value>] [-s <value>]
FLAGS
-a, --wethMintAmount=<value> [default: 1000] Integer amount of WETH to mint for the owner account.
-k, --privateKey=<value> [default: 0xac0974bec39a17e36ba4a6b4d238ff944bacb478cbed5efcae784d7bf4f2ff80] Private key used to send
transactions and deploy contracts.
-r, --rpcUrl=<value> [default: http://localhost:8545] HTTP JSON-RPC endpoint.
-s, --saveFile=<value> Save the deployment details to a file.
-u, --userKey=<value> [default: 0x59c6995e998f97a5a0044966f0945389dc9e86dae88c7a8412f4603b6b78690d] Private key for the user
wallet used to send transactions
DESCRIPTION
Deploy smart contracts and provision liquidity on UniV2 pairs.
Next, send random swaps with the spam
command:
./bin/run spam --help
ENV: undefined
Send a constant stream of UniV2 swaps.
USAGE
$ mevflood spam [-r <value>] [-k <value>] [-u <value>] [-t <value>] [-p <value>] [-l <value>]
FLAGS
-k, --privateKey=<value> [default: 0xac0974bec39a17e36ba4a6b4d238ff944bacb478cbed5efcae784d7bf4f2ff80] Private key used to
send transactions and deploy contracts.
-l, --loadFile=<value> Load the deployment details from a file.
-p, --secondsPerBundle=<value> [default: 12] Seconds to wait before sending another bundle.
-r, --rpcUrl=<value> [default: http://localhost:8545] HTTP JSON-RPC endpoint.
-t, --txsPerBundle=<value> [default: 2] Number of transactions to include in each bundle.
-u, --userKey=<value> [default: 0x59c6995e998f97a5a0044966f0945389dc9e86dae88c7a8412f4603b6b78690d] Private key for the
user wallet used to send transactions
DESCRIPTION
Send a constant stream of UniV2 swaps.
Note: you must use the -s
flag in the init
command to save your deployment to a file, then use that file for the spam
command by specifying the -l
flag:
./bin/run init -s deployment.json
# ...
./bin/run spam -l deployment.json
This project's primary export is MevFlood
, a library (in core/
) that can delpoy a UniswapV2 environment and automate swap traffic & backruns.
import MevFlood from "mev-flood"
const adminWallet = new Wallet("0xac0974bec39a17e36ba4a6b4d238ff944bacb478cbed5efcae784d7bf4f2ff80")
const provider = new providers.JsonRpcProvider("http://localhost:8545")
const flood = new MevFlood(adminWallet, provider)
This script sends the specified amount to each wallet from the admin account.
const userWallet = new Wallet("0x59c6995e998f97a5a0044966f0945389dc9e86dae88c7a8412f4603b6b78690d")
await flood.fundWallets([userWallet], 5) // send 5 ETH to userWallet
MevFlood
interacts with a class LiquidDeployment
which is a wrapper for interacting with contracts. A LiquidDeployment must be initialized in the MevFlood
instance for most features to work.
This will deploy all contracts of a full Uniswap V2 system:
// LiquidDeployment is stored internally in `flood` upon completion
const liquid = await flood.liquid()
// send deployment via one of the callbacks
// await liquid.deployToFlashbots()
await liquid.deployToMempool()
You can also specify options to modify what the liquid script does or doesn't do.
type LiquidParams = {
shouldApproveTokens?: boolean,
shouldDeploy?: boolean,
shouldBootstrapLiquidity?: boolean,
shouldMintTokens?: boolean,
wethMintAmountAdmin?: number,
wethMintAmountUser?: number,
numPairs?: number,
}
For example, we can use liquid to mint more WETH into a user's account:
await (await flood.liquid({
shouldDeploy: false,
shouldBootstrapLiquidity: false,
wethMintAmountAdmin: 0,
wethMintAmountUser: 13.37, // mint 13.37 WETH using user's ETH balance
}, userWallet))
.deployToMempool()
We can also send deployments to Flashbots instead of the mempool. We just have to initialize the Flashbots provider first:
// account used to sign payloads to Flashbots, should not contain any ETH
const flashbotsSigner = new Wallet("0x5de4111afa1a4b94908f83103eb1f1706367c2e68ca870fc3fb9a804cdab365a")
await liquid.initFlashbots(flashbotsSigner)
await (await flood.liquid({}, userWallet)).deployToFlashbots()
Deployments can be saved to disk so that you can use the same environment continually.
Save:
await liquid.saveDeployment("deployment.json")
Load:
const flood = new MevFlood(adminWallet, provider).withDeploymentFile("deployment.json")
You can also use the raw LiquidDeployment object to instantiate an MevFlood instance:
const liquid = await flood.liquid()
...
// assume `flood` is now out of scope
const flood = new MevFlood(adminWallet, provider, liquid.deployment)
Alternatively, you can hot-swap deployments:
await flood.withDeployment(liquid.deployment).deployToMempool()
MevFlood can facilitate the sending of UniV2 swaps from an array of specified accounts.
const swaps = await flood.generateSwaps({}, [userWallet])
await swaps.sendToMempool()
Swaps have many options that enable you to test your strategy with certainty, or conversely, increase entropy (your choice!):
type SwapOptions = {
minUSD?: number,
maxUSD?: number,
swapOnA?: boolean,
daiIndex?: number, // useful if you deployed >1 DAI tokens in the deploy step (using the `numPairs` option)
swapWethForDai?: boolean,
}
Example:
const swaps = await flood.generateSwaps({
minUSD: 5000,
maxUSD: 5000,
swapOnA: true,
swapWethForDai: true,
}, [userWallet])
await swaps.sendToMempool()
MevFlood contains an arbitrage engine that will attempt to create a transaction that arbitrages tokens from a user's trade by backrunning.
// most likely you want to send backruns to Flashbots
await flood.initFlashbots(flashbotsSigner)
provider.on('pending', async pendingTx => {
const backrun = await flood.backrun(pendingTx)
// `sendToFlashbots` throws an error if `initFlashbots` hasn't been called on the MevFlood instance
await backrun.sendToFlashbots()
})
The backrun tx is sent from the
adminWallet
account used to instantiateMevFlood
.
Backruns have some optionality to give you more control when you need it:
type BackrunOptions = {
minProfit?: BigNumber,
maxProfit?: BigNumber,
userPairReserves?: Reserves, // pre-trade reserves of pair that user swaps on; used to calculate optimal arb
nonce?: number, // override nonce used for backrun tx
}
provider.on('pending', async pendingTx => {
const backrun = await flood.backrun(pendingTx, {
minProfit: 0.05, // minimum 0.05 ETH estimated profit to execute
})
await backrun.sendToFlashbots()
})
This repository originally started here. This is a game that simulates MEV-like activity, but it's not very applicable to the real world.
Note:
MevFlood
does not currently export any of this functionality.
Call bid
, placing a bet by setting value
, and send the highest bid (which may be in addition to others' bids in the block) before calling claim
. The winner (the person who called bid with the highest value
this round), upon calling claim
gets the entire balance of the contract, at which point highest_bid
(also the minimum to land a new bid) resets (to 1 gwei). claim
will also only pay out if you placed the most recent bid.
mev-flood is a multi-daemon project, and is designed to be run in parallel with other instances, each using the same source code but different params.
claim
does not revert when called by a non-winner (on purpose, to add technical complexity to the game)value
) & claim txs on every block
ADMIN_PRIVATE_KEY
)ADMIN_PRIVATE_KEY
)txHash
wallets.json
file populated w/ 100 walletswallets.json
from admin wallet (ADMIN_PRIVATE_KEY
)bundleHash
ADMIN_PRIVATE_KEY
)Scripts with optional params are explained with the help
flag:
yarn script.sendProtectTx --help
yarn script.sendPrivateTx --help
yarn script.cancelPrivateTx --help
yarn install
# pick your poison:
cp .env.example .env.goerli
cp .env.example .env.sepolia
cp .env.example .env.mainnet
vim .env.goerli
vim .env.sepolia
vim .env.mainnet
Set preferred environment:
export NODE_ENV=sepolia
Generate test accounts:
mkdir src/output
yarn script.createWallets
Fund all 100 test accounts with ETH:
:warning: careful, this sends 50 ETH to each account by default.
yarn script.fundWallets
# send 1 ETH to each wallet
yarn script.fundWallets -e 1
Run dumb-search simulator with 5 accounts (careful, it currently sends without checking for profit):
yarn dumb-dev 0 5
Note: 5 is the exclusive end index, meaning that arguments (0 5
) will use wallets[0, 1, 2, 3, 4]
.
Run smart-search simulator.
yarn smart-dev
Run fake-search simulator.
yarn fake-dev
Daemons that have params/options include the help
flag:
yarn dumb-dev --help
yarn smart-dev --help
yarn build
yarn dumb-search $i $j
yarn smart-search $i $j
yarn fake-search
You might need to use the mempool to test your transactions' validity before trying to use the bundle API.
Add the mempool flag -m
or --mempool
before the wallet index/indices.
yarn dumb-dev --mempool 13 21
yarn smart-dev -m 21
Run 49 dumb searchers and 2 smart searchers (a relatively realistic case):
# terminal 1 (49 test wallets)
yarn dumb-dev 0 49
# terminal 2 (49 test wallets)
yarn dumb-dev 49 98
# terminal 3 (2 test wallets)
yarn smart-dev 98 100
# if you haven't already, deploy univ2 environment
yarn script.liquid
# if you haven't already, fund your wallets
yarn script.fundWallets
# generate orderflow w/ 10 wallets, send txs to mempool
yarn swapd --mempool 10 20
# (in another terminal) backrun orderflow (in mempool) generated by swapd using wallet #21 to sign the backrun tx
# sends the backrun bundle to Flashbots
yarn arbd 21
Note: if you didn't run yarn build
you can run yarn swapd-dev
instead of yarn swapd
. Same goes for arbd
.
In addition to deploying the contracts to the environment specified by NODE_ENV, this script will create a file at src/output/uniBootstrap.json
containing all the details of the deployment, including pre-calculated contract addresses and a list of all signed transactions.
Get bundle stats:
yarn script.getBundleStats 0x40d83aebb63f61730eb6309e1a806624cf6d52ff666d1b13d5ced535397f9a46 0x7088e9
# alternatively you can use int block number
yarn script.getBundleStats 0x40d83aebb63f61730eb6309e1a806624cf6d52ff666d1b13d5ced535397f9a46 7375081
Send private tx:
# send a lottery tx
yarn script.sendPrivateTx
# send a reverting univ2 swap
yarn script.sendPrivateTx dummy
Cancel private tx:
yarn script.cancelPrivateTx 0xca79f3114de50a77e42dd595c0ba4e786d3ddf782c62075ec067fe32329e3ea2
Print a test bundle (sends ETH from test wallet to itself):
yarn script.createTestBundle
Send tx to Protect:
yarn script.sendProtectTx
# send uniswapV2 router tx to Protect (works on any chain)
yarn script.sendProtectTx dummy
# send lottery contract tx to Protect with fast mode
yarn script.sendProtectTx fast
# send uniswapV2 router tx to Protect w/ fast mode
yarn script.sendProtectTx fast dummy
# or
yarn script.sendProtectTx dummy fast