@circle-fin/adapter-ethers-v6
v1.1.1
Published
EVM blockchain adapter powered by Ethers v6
Keywords
Readme
Ethers v6 Adapter
Type-safe EVM blockchain adapter powered by Ethers v6
Seamlessly interact with 16+ EVM networks using a single, strongly-typed interface
Table of Contents
- Ethers v6 Adapter
Overview
The Ethers v6 Adapter is a strongly-typed implementation of the Adapter interface for EVM-compatible blockchains. Built on top of the popular Ethers v6 library, it provides type-safe blockchain interactions through a unified interface that's designed to work seamlessly with the Bridge Kit for cross-chain USDC transfers between Solana and EVM networks, as well as any future kits for additional stablecoin operations. It can be used by any Kit built using the Stablecoin Kits architecture and/or any providers plugged into those kits.
Why Ethers v6 Adapter?
- 🔧 Bring your own setup: Use your existing Ethers
JsonRpcProviderandWalletinstances - ⚡ EVM-compatible: Works with Ethereum, Base, Arbitrum, and all EVM chains
- 🔒 Type-safe: Built with TypeScript strict mode for complete type safety
- 🎯 Simple API: Clean abstraction over complex blockchain operations
- 🔄 Transaction lifecycle - Complete prepare/estimate/execute workflow
- 🌉 Cross-chain ready - Seamlessly bridge USDC between EVM chains and Solana
When to Use This Adapter
For Kit Users
If you're using the Bridge Kit or other Stablecoin Kits for cross-chain operations, you only need to instantiate one adapter and pass it to the kit. The same adapter works across all supported chains.
// Single adapter instance for multi-chain operations
// Note: Private keys can be provided with or without '0x' prefix
const adapter = createAdapterFromPrivateKey({
privateKey: process.env.PRIVATE_KEY as `0x${string}`, // Both '0x...' and '...' work
})
// Both formats are automatically normalized:
const adapter1 = createAdapterFromPrivateKey({
privateKey: '0x1234...', // With prefix ✅
})
const adapter2 = createAdapterFromPrivateKey({
privateKey: '1234...', // Without prefix ✅ (automatically normalized)
})For Kit Provider Developers
If you're building a provider (e.g., a custom BridgingProvider implementation), you'll use the adapter's abstracted methods to interact with different chains. The OperationContext pattern makes multi-chain operations seamless.
Installation
npm install @circle-fin/adapter-ethers-v6 ethers
# or
yarn add @circle-fin/adapter-ethers-v6 ethersPeer Dependencies
This adapter requires ethers (v6) as a peer dependency. Install it alongside the adapter:
npm install @circle-fin/adapter-ethers-v6 ethers
# or
yarn add @circle-fin/adapter-ethers-v6 ethersSupported Versions: ^6.11.0 (6.11.x through 6.x.x, excluding 7.x.x)
Troubleshooting Version Conflicts
If you encounter peer dependency warnings:
- Check your
ethersversion:npm ls ethers - Ensure ethers v6 is between 6.11.0 and 7.0.0 (exclusive)
- Use
npm install ethers@^6.11.0to install a compatible version - Note: This adapter is not compatible with ethers v5 or v7
Quick Start
Zero-Config Setup (Recommended)
The simplest way to get started with lazy initialization. Default configuration handles adapter setup automatically.
import { createAdapterFromPrivateKey } from '@circle-fin/adapter-ethers-v6'
// Minimal configuration with lazy initialization
// Note: Private keys work with or without '0x' prefix
const adapter = createAdapterFromPrivateKey({
privateKey: process.env.PRIVATE_KEY as `0x${string}`, // Both '0x...' and '...' work
// Defaults applied:
// - addressContext: 'user-controlled'
// - supportedChains: all EVM chains (~34 networks)
// - Lazy initialization: wallet connects to chain on first operation
})
// Chain specified per operation via OperationContext
const prepared = await adapter.prepare(
{
address: '0xA0b86991c6218b36c1d19D4a2e9Eb0cE3606eB48', // USDC on Ethereum
abi: usdcAbi,
functionName: 'transfer',
args: ['0xrecipient', '1000000'],
},
{ chain: 'Ethereum' }, // Chain specified in context
)
const txHash = await prepared.execute()Production Setup
For production use, provide custom RPC endpoints for better reliability and performance:
import { createAdapterFromPrivateKey } from '@circle-fin/adapter-ethers-v6'
import { JsonRpcProvider } from 'ethers'
import { Ethereum, Base, Polygon } from '@core/chains'
// Production-ready with custom RPC endpoints and lazy initialization
const adapter = createAdapterFromPrivateKey({
privateKey: process.env.PRIVATE_KEY as `0x${string}`,
// Custom RPC provider with explicit chain mapping
getProvider: ({ chain }) => {
// Map chain names to RPC endpoints
// Customize this mapping based on your RPC provider
const rpcEndpoints: Record<string, string> = {
Ethereum: `https://eth-mainnet.g.alchemy.com/v2/${process.env.ALCHEMY_KEY}`,
Base: `https://base-mainnet.g.alchemy.com/v2/${process.env.ALCHEMY_KEY}`,
Polygon: `https://polygon-mainnet.g.alchemy.com/v2/${process.env.ALCHEMY_KEY}`,
}
const endpoint = rpcEndpoints[chain.name]
if (!endpoint) {
throw new Error(`RPC endpoint not configured for chain: ${chain.name}`)
}
return new JsonRpcProvider(endpoint, chain.chainId)
},
// Optionally restrict to specific chains
capabilities: {
supportedChains: [Ethereum, Base, Polygon],
},
})⚠️ Production Note: Default factory methods use public RPC endpoints which may have rate limits. For production, use dedicated providers like Alchemy, Infura, or QuickNode.
Browser Wallet Setup
For browser environments with MetaMask or WalletConnect:
import { createAdapterFromProvider } from '@circle-fin/adapter-ethers-v6'
// Minimal browser wallet configuration
const adapter = await createAdapterFromProvider({
provider: window.ethereum,
// Default capabilities applied automatically
})
// User will be prompted to connect wallet
// Address is automatically resolved from connected wallet
const prepared = await adapter.prepare(
{
address: '0xcontract',
abi: contractAbi,
functionName: 'approve',
args: ['0xspender', '1000000'],
},
{ chain: 'Polygon' },
)OperationContext Pattern
Why OperationContext?
The OperationContext pattern is the modern approach for multi-chain operations. Instead of locking an adapter to a single chain, you specify the chain per operation. This enables powerful patterns like using a single adapter for cross-chain bridging.
Benefits:
- ✅ One adapter, many chains - No need to create separate adapters for each network
- ✅ Explicit is better - Chain is always clear in your code
- ✅ Type-safe - Full TypeScript support with compile-time checks
- ✅ Eliminates ambiguity - No confusion about which chain is being used
Basic Usage
Every operation accepts an OperationContext parameter that specifies the chain:
import { createAdapterFromPrivateKey } from '@circle-fin/adapter-ethers-v6'
// Create adapter without specifying a chain - true lazy initialization
const adapter = createAdapterFromPrivateKey({
privateKey: process.env.PRIVATE_KEY as `0x${string}`,
})
// Chain specified explicitly in every operation
const prepared = await adapter.prepare(
{
address: '0xA0b86991c6218b36c1d19D4a2e9Eb0cE3606eB48',
abi: usdcAbi,
functionName: 'transfer',
args: ['0xrecipient', '1000000'],
},
{ chain: 'Ethereum' },
)
const gas = await prepared.estimate()
const txHash = await prepared.execute()Multi-Chain Operations
Use a single adapter instance for operations across multiple chains:
// Create adapter once for use across multiple chains
const adapter = createAdapterFromPrivateKey({
privateKey: process.env.PRIVATE_KEY as `0x${string}`,
})
// Transfer USDC on Ethereum
const ethPrepared = await adapter.prepare(
{
address: '0xA0b86991c6218b36c1d19D4a2e9Eb0cE3606eB48', // USDC on Ethereum
abi: usdcAbi,
functionName: 'transfer',
args: ['0xrecipient', '1000000'],
},
{ chain: 'Ethereum' },
)
// Transfer USDC on Base using the same adapter
const basePrepared = await adapter.prepare(
{
address: '0x833589fCD6eDb6E08f4c7C32D4f71b54bdA02913', // USDC on Base
abi: usdcAbi,
functionName: 'transfer',
args: ['0xrecipient', '1000000'],
},
{ chain: 'Base' },
)
// Execute both transfers
await ethPrepared.execute()
await basePrepared.execute()Address Context Guide
The adapter supports two address control patterns. Choose the one that fits your use case.
User-Controlled (Recommended)
Best for: Private key wallets, browser wallets (MetaMask), hardware wallets
How it works: Address is automatically resolved from the connected signer/wallet. You don't need to specify it in the OperationContext.
When to use:
- ✅ Building a dApp where users connect their wallets
- ✅ Using a private key for backend automation
- ✅ Single wallet signing all transactions
- ✅ Server-side scripts with one identity
// User-controlled adapter (default for factory functions)
const adapter = createAdapterFromPrivateKey({
privateKey: process.env.PRIVATE_KEY as `0x${string}`,
// addressContext: 'user-controlled' is the default
})
// Address automatically resolved from private key/wallet
const prepared = await adapter.prepare(
{
address: '0xcontract',
abi: contractAbi,
functionName: 'approve',
args: ['0xspender', '1000000'],
},
{ chain: 'Polygon' }, // No address needed in context for user-controlled
)Developer-Controlled (Advanced)
Best for: Custody solutions, multi-entity systems, enterprise applications
How it works: Address must be explicitly provided in the OperationContext for each operation.
When to use:
- ✅ Building a custody solution managing multiple client wallets
- ✅ Enterprise system where different users have different signing keys
- ✅ Multi-sig or delegated signing infrastructure
- ✅ Systems where address varies per transaction
import { EthersAdapter } from '@circle-fin/adapter-ethers-v6'
import { Ethereum, Base } from '@core/chains'
// Developer-controlled adapter (manual constructor)
const adapter = new EthersAdapter(
{
getProvider: ({ chain }) => new JsonRpcProvider('https://...'),
signer: wallet,
},
{
addressContext: 'developer-controlled', // ← Explicit address required
supportedChains: [Ethereum, Base],
},
)
// Address must be provided in context for developer-controlled adapters
const prepared = await adapter.prepare(
{
address: '0xcontract',
abi: contractAbi,
functionName: 'approve',
args: ['0xspender', '1000000'],
},
{
chain: 'Ethereum',
address: '0x1234...', // Required for developer-controlled
},
)Usage Examples
Contract Interactions
Transfer USDC across different chains with the same adapter:
import { createAdapterFromPrivateKey } from '@circle-fin/adapter-ethers-v6'
import { parseAbi } from 'ethers'
// Create adapter with lazy initialization
const adapter = createAdapterFromPrivateKey({
privateKey: process.env.PRIVATE_KEY as `0x${string}`,
})
const usdcAbi = parseAbi([
'function transfer(address to, uint256 amount) returns (bool)',
])
// Transfer on Ethereum - chain specified in operation
const ethPrepared = await adapter.prepare(
{
address: '0xA0b86991c6218b36c1d19D4a2e9Eb0cE3606eB48', // USDC on Ethereum
abi: usdcAbi,
functionName: 'transfer',
args: ['0xrecipient', '1000000'], // 1 USDC (6 decimals)
},
{ chain: 'Ethereum' },
)
// Estimate and execute
const gas = await ethPrepared.estimate()
console.log('Estimated gas:', gas.gas)
const txHash = await ethPrepared.execute()
console.log('Transaction hash:', txHash)EIP-712 Signatures
Sign permit approvals for gasless token approvals:
import { createAdapterFromPrivateKey } from '@circle-fin/adapter-ethers-v6'
const adapter = createAdapterFromPrivateKey({
privateKey: process.env.PRIVATE_KEY as `0x${string}`,
})
// Sign ERC-2612 permit (gasless USDC approval)
const signature = await adapter.signTypedData(
{
domain: {
name: 'USD Coin',
version: '2',
chainId: 1,
verifyingContract: '0xA0b86991c6218b36c1d19D4a2e9Eb0cE3606eB48',
},
types: {
Permit: [
{ name: 'owner', type: 'address' },
{ name: 'spender', type: 'address' },
{ name: 'value', type: 'uint256' },
{ name: 'nonce', type: 'uint256' },
{ name: 'deadline', type: 'uint256' },
],
},
primaryType: 'Permit',
message: {
owner: '0xowner',
spender: '0xspender',
value: '1000000',
nonce: '0',
deadline: '1735689600',
},
},
{ chain: 'Ethereum' }, // Chain must be specified
)
console.log('Permit signature:', signature)
// Use signature for gasless approvalCross-Chain Bridging
Bridge USDC using the Bridge Kit with OperationContext:
import { createAdapterFromPrivateKey } from '@circle-fin/adapter-ethers-v6'
import { BridgeKit } from '@circle-fin/bridge-kit'
// Create adapter for multi-chain operations
const adapter = createAdapterFromPrivateKey({
privateKey: process.env.PRIVATE_KEY as `0x${string}`,
})
const kit = new BridgeKit()
// Bridge from Ethereum to Base using the same adapter
const result = await kit.bridge({
from: { adapter, chain: 'Ethereum' },
to: { adapter, chain: 'Base' },
amount: '100.50',
token: 'USDC',
})
console.log('Bridge transaction:', result.transactionHash)API Reference
Factory Functions
createAdapterFromPrivateKey(params)
Creates an adapter from a private key for server-side use.
Parameters:
privateKey- 32-byte hex string with0xprefixgetProvider?- Optional custom provider functioncapabilities?- Optional partial capabilities (defaults: user-controlled + all EVM chains)
Returns: EthersAdapter instance with lazy initialization
Note: No chain required at creation time. The adapter connects to chains lazily on first operation.
const adapter = createAdapterFromPrivateKey({
privateKey: '0x...',
})createAdapterFromProvider(params)
Creates an adapter from a browser wallet provider (MetaMask, WalletConnect, etc.).
Parameters:
provider- EIP-1193 compatible providergetProvider?- Optional custom provider functioncapabilities?- Optional partial capabilities (defaults: user-controlled + all EVM chains)
Returns: Promise<EthersAdapter> instance
const adapter = await createAdapterFromProvider({
provider: window.ethereum,
})Core Methods
prepare(params, ctx)
Prepares a contract function call for estimation and execution.
Parameters:
params- Contract call parameters (address, abi, functionName, args)ctx- Required OperationContext with chain specification
Returns: Promise<PreparedChainRequest> with estimate() and execute() methods
const prepared = await adapter.prepare(
{
address: '0xcontract',
abi: contractAbi,
functionName: 'transfer',
args: ['0xto', '1000000'],
},
{ chain: 'Ethereum' }, // Required
)signTypedData(typedData, ctx)
Signs EIP-712 typed data for permits, meta-transactions, etc.
Parameters:
typedData- EIP-712 structured datactx- Required OperationContext with chain specification
Returns: Promise<string> - Signature as hex string
const signature = await adapter.signTypedData(permitData, {
chain: 'Ethereum',
})waitForTransaction(txHash, config?)
Waits for transaction confirmation.
Parameters:
txHash- Transaction hash to wait forconfig?- Optional wait configuration (confirmations, timeout)
Returns: Promise<TransactionReceipt>
const receipt = await adapter.waitForTransaction('0x...')getAddress(chain)
Gets the connected wallet address. Chain parameter is provided automatically by OperationContext resolution.
Returns: Promise<string> - Wallet address
Token Operations
Built-in token operations using the action system:
// Get USDC balance
const balance = await adapter.actions.usdc.balanceOf({
address: '0xwallet',
chain: 'Ethereum',
})
// Get token allowance
const allowance = await adapter.actions.token.allowance({
tokenAddress: '0xtoken',
owner: '0xowner',
spender: '0xspender',
chain: 'Base',
})Supported Chains & Routes
The Ethers v6 adapter supports 34 EVM-compatible chains across mainnet and testnet environments through Circle's CCTP v2 protocol:
Mainnet Chains (17 chains)
Arbitrum, Avalanche, Base, Celo, Codex, Ethereum, HyperEVM, Ink, Linea, OP Mainnet, Plume, Polygon PoS, Sonic, Unichain, World Chain, XDC, ZKSync Era
Testnet Chains (17 chains)
Arbitrum Sepolia, Avalanche Fuji, Base Sepolia, Celo Alfajores, Codex Testnet, Ethereum Sepolia, HyperEVM Testnet, Ink Testnet, Linea Sepolia, OP Sepolia, Plume Testnet, Polygon PoS Amoy, Sonic Testnet, Unichain Sepolia, World Chain Sepolia, XDC Apothem, ZKSync Era Sepolia
Development
This package is part of the Stablecoin Kits monorepo.
# Build
nx build @circle-fin/adapter-ethers-v6
# Test
nx test @circle-fin/adapter-ethers-v6License
This project is licensed under the Apache 2.0 License. Contact support for details.
Ready to integrate?
Join Discord • Visit our Help-Desk
Built with ❤️ by Circle
