eth_newPendingTransactionFilter - Polygon RPC Method
Create a filter for pending transaction notifications on Polygon. Essential for mempool monitoring, transaction tracking, and MEV opportunity detection for enterprise solutions (Starbucks, Disney, Reddit), gaming, DeFi, and stablecoin payments.
Creates a filter on Polygon that notifies when new pending transactions are added to the mempool. Once created, poll the filter with eth_getFilterChanges to receive an array of transaction hashes for pending transactions that have appeared since your last poll.
Why Polygon? Build on the most adopted Ethereum scaling solution with 45,000+ dApps and enterprise partnerships with $4B+ TVL, sub-$0.01 transactions, 8M+ daily transactions, and zkEVM for enhanced security.
When to Use This Method
eth_newPendingTransactionFilter is essential for enterprise developers, gaming studios, and teams building high-throughput applications:
- Mempool Monitoring — Observe unconfirmed transactions on Polygon to understand network activity and congestion
- Transaction Tracking — Detect when a specific transaction enters the mempool before it is mined
- MEV Opportunity Detection — Identify arbitrage, liquidation, or sandwich opportunities by watching pending transactions
- Gas Price Estimation — Analyze pending transactions to estimate optimal gas pricing for enterprise solutions (Starbucks, Disney, Reddit), gaming, DeFi, and stablecoin payments
Code Examples
Common Use Cases
1. Mempool Activity Dashboard
Monitor mempool throughput and transaction types on Polygon:
async function mempoolDashboard(provider) {
const filterId = await provider.send('eth_newPendingTransactionFilter', []);
const stats = {
totalSeen: 0,
contractCalls: 0,
transfers: 0,
intervalStart: Date.now()
};
setInterval(async () => {
const txHashes = await provider.send('eth_getFilterChanges', [filterId]);
stats.totalSeen += txHashes.length;
for (const hash of txHashes) {
try {
const tx = await provider.getTransaction(hash);
if (!tx) continue;
if (tx.data && tx.data !== '0x') {
stats.contractCalls++;
} else {
stats.transfers++;
}
} catch (e) {
// Transaction may have been mined or dropped
}
}
const elapsed = (Date.now() - stats.intervalStart) / 1000;
const txPerSec = (stats.totalSeen / elapsed).toFixed(1);
console.log(`Mempool: ${stats.totalSeen} txs (${txPerSec}/s) | Calls: ${stats.contractCalls} | Transfers: ${stats.transfers}`);
}, 2000);
}2. Track Specific Address Activity
Watch for pending transactions involving a target address:
async function watchAddress(provider, targetAddress) {
const filterId = await provider.send('eth_newPendingTransactionFilter', []);
const target = targetAddress.toLowerCase();
console.log(`Watching pending transactions for ${targetAddress}...`);
setInterval(async () => {
const txHashes = await provider.send('eth_getFilterChanges', [filterId]);
for (const hash of txHashes) {
try {
const tx = await provider.getTransaction(hash);
if (!tx) continue;
const isFrom = tx.from?.toLowerCase() === target;
const isTo = tx.to?.toLowerCase() === target;
if (isFrom || isTo) {
console.log(`Pending tx detected for ${targetAddress}:`);
console.log(` Hash: ${hash}`);
console.log(` Direction: ${isFrom ? 'OUTGOING' : 'INCOMING'}`);
console.log(` Value: ${tx.value} wei`);
console.log(` Gas price: ${tx.gasPrice} wei`);
}
} catch (e) {
// Transaction already mined or dropped
}
}
}, 1000);
}3. Large Transaction Alert System
Detect high-value pending transactions:
async function largeTransactionAlerts(provider, thresholdEth = 10) {
const filterId = await provider.send('eth_newPendingTransactionFilter', []);
const thresholdWei = BigInt(thresholdEth * 1e18);
setInterval(async () => {
const txHashes = await provider.send('eth_getFilterChanges', [filterId]);
for (const hash of txHashes) {
try {
const tx = await provider.getTransaction(hash);
if (!tx || !tx.value) continue;
if (BigInt(tx.value) >= thresholdWei) {
const ethValue = Number(BigInt(tx.value)) / 1e18;
console.log(`LARGE TX: ${ethValue.toFixed(4)} ETH`);
console.log(` From: ${tx.from}`);
console.log(` To: ${tx.to}`);
console.log(` Hash: ${hash}`);
}
} catch (e) {
// Transaction may have already been mined
}
}
}, 1000);
}Error Handling
Common errors and solutions:
| Error Code | Description | Solution |
|---|---|---|
| -32603 | Internal error | Node may not expose mempool data — check node configuration |
| -32000 | Filter not found | Filter expired (~5 min inactivity) — recreate with eth_newPendingTransactionFilter |
| -32005 | Rate limit exceeded | Reduce polling frequency — mempool can be very active |
| -32601 | Method not found | Node does not support pending transaction filters — requires a full node with txpool enabled |
async function createPendingTxFilter(provider) {
try {
const filterId = await provider.send('eth_newPendingTransactionFilter', []);
return { supported: true, filterId };
} catch (error) {
if (error.code === -32601 || error.message.includes('not found')) {
console.warn('Pending transaction filter not supported by this node');
console.warn('This method requires a full node with txpool access');
return { supported: false };
}
throw error;
}
}Related Methods
eth_getFilterChanges— Poll this filter for new pending transaction hasheseth_uninstallFilter— Remove the filter when no longer neededeth_getTransactionByHash— Fetch full transaction details for hashes returned by the filtereth_sendRawTransaction— Submit a transaction that will appear in the pending pool
eth_newBlockFilter
Create a filter for new block notifications on Polygon. Essential for block monitoring, chain progression tracking, and reorg detection for enterprise solutions (Starbucks, Disney, Reddit), gaming, DeFi, and stablecoin payments.
debug_traceBlock
Trace all transactions in a block on Polygon using a serialized block payload. Essential for block-level debugging, gas profiling, and MEV analysis.