Deposits (ethers)
A fast path to deposit ETH / ERC-20 from L1 → ZKsync (L2) using the ethers adapter.
Prerequisites
- A funded L1 account (gas + amount).
- RPC URLs:
L1_RPC_URL
,L2_RPC_URL
. - Installed:
@dutterbutter/zksync-sdk
+ethers
.
Parameters (quick reference)
Param | Required | Meaning |
---|---|---|
token | Yes | ETH_ADDRESS or ERC-20 address |
amount | Yes | BigInt/wei (e.g. parseEther('0.01') ) |
to | Yes | L2 recipient address |
l2GasLimit | No | L2 execution gas cap |
gasPerPubdata | No | Pubdata price hint |
operatorTip | No | Optional tip to operator |
refundRecipient | No | L2 address to receive fee refunds |
ERC-20 deposits may require an L1
approve()
.quote()
surfaces required steps.
Fast path (one-shot)
// examples/deposit-eth.ts
import { JsonRpcProvider, Wallet, parseEther } from 'ethers';
import { createEthersClient, createEthersSdk } from '@dutterbutter/zksync-sdk/ethers';
import { ETH_ADDRESS } from '@dutterbutter/zksync-sdk/core';
const L1_RPC = 'http://localhost:8545'; // e.g. https://sepolia.infura.io/v3/XXX
const L2_RPC = 'http://localhost:3050'; // your L2 RPC
const PRIVATE_KEY = process.env.PRIVATE_KEY || '';
async function main() {
if (!PRIVATE_KEY) {
throw new Error('Set your PRIVATE_KEY in the .env file');
}
const l1 = new JsonRpcProvider(L1_RPC);
const l2 = new JsonRpcProvider(L2_RPC);
const signer = new Wallet(PRIVATE_KEY, l1);
const balance = await l1.getBalance(signer.address);
console.log('L1 balance:', balance.toString());
const balanceL2 = await l2.getBalance(signer.address);
console.log('L2 balance:', balanceL2.toString());
const client = await createEthersClient({ l1, l2, signer });
const sdk = createEthersSdk(client);
const me = (await signer.getAddress());
const params = {
amount: parseEther('.01'), // 0.01 ETH
to: me,
token: ETH_ADDRESS,
// optional:
// l2GasLimit: 300_000n,
// gasPerPubdata: 800n,
// operatorTip: 0n,
// refundRecipient: me,
} as const;
// Quote
const quote = await sdk.deposits.quote(params);
console.log('QUOTE response: ', quote);
const prepare = await sdk.deposits.prepare(params);
console.log('PREPARE response: ', prepare);
// Create (prepare + send)
const create = await sdk.deposits.create(params);
console.log('CREATE response: ', create);
const status = await sdk.deposits.status(create);
console.log('STATUS response: ', status);
// Wait (for now, L1 inclusion)
const receipt = await sdk.deposits.wait(create, { for: 'l1' });
console.log(
'Included at block:',
receipt?.blockNumber,
'status:',
receipt?.status,
'hash:',
receipt?.hash,
);
const status2 = await sdk.deposits.status(create);
console.log('STATUS2 response: ', status2);
// Wait (for now, L2 inclusion)
const l2Receipt = await sdk.deposits.wait(create, { for: 'l2' });
console.log(
'Included at block:',
l2Receipt?.blockNumber,
'status:',
l2Receipt?.status,
'hash:',
l2Receipt?.hash,
);
}
main().catch((e) => {
console.error(e);
process.exit(1);
});
create()
prepares and sends.wait(..., { for: 'l1' })
⇒ included on L1.wait(..., { for: 'l2' })
⇒ executed on L2 (funds available).
Inspect & customize (quote → prepare → create)
1. Quote (no side-effects) Preview fees/steps and whether an approve is required.
const quote = await sdk.deposits.quote(params);
2. Prepare (build txs, don’t send)
Get TransactionRequest[]
for signing/UX.
const plan = await sdk.deposits.prepare(params);
3. Create (send) Use defaults, or send your prepared txs if you customized.
const handle = await sdk.deposits.create(params);
Track progress (status vs wait)
Non-blocking snapshot
const s = await sdk.deposits.status(handle /* or l1TxHash */);
// 'UNKNOWN' | 'L1_PENDING' | 'L1_INCLUDED' | 'L2_PENDING' | 'L2_EXECUTED' | 'L2_FAILED'
Block until checkpoint
const l1Receipt = await sdk.deposits.wait(handle, { for: 'l1' });
const l2Receipt = await sdk.deposits.wait(handle, { for: 'l2' });
Error handling patterns
Exceptions
try {
const handle = await sdk.deposits.create(params);
} catch (e) {
// normalized error envelope (type, operation, message, context, revert?)
}
No-throw style
Every method has a try*
variant (e.g. tryQuote
, tryPrepare
, tryCreate
).
These never throw—so you don’t need a try/catch
. Instead they return:
{ ok: true, value: ... }
on success{ ok: false, error: ... }
on failure
This is useful for UI flows or services where you want explicit control over errors.
const r = await sdk.deposits.tryCreate(params);
if (!r.ok) {
// handle the error gracefully
console.error('Deposit failed:', r.error);
// maybe show a toast, retry, etc.
} else {
const handle = r.value;
console.log('Deposit sent. L1 tx hash:', handle.l1TxHash);
}
Troubleshooting
- Stuck at L1: check L1 gas and RPC health.
- No L2 execution: verify L2 RPC; re-check
status()
(should move toL2_EXECUTED
). - L2 failed:
status.phase === 'L2_FAILED'
→ inspect revert info via your error envelope/logs.