wallet-tracker
Track blockchain addresses in real-time - monitor whale movements, get alerts on transactions, analyze portfolio changes across Ethereum, Solana, and other chains.
Install
mkdir -p .claude/skills/wallet-tracker && curl -L -o skill.zip "https://mcp.directory/api/skills/download/7330" && unzip -o skill.zip -d .claude/skills/wallet-tracker && rm skill.zipInstalls to .claude/skills/wallet-tracker
About this skill
Wallet Tracker
Overview
Monitor blockchain addresses for:
- Large transactions (whale alerts)
- Portfolio changes
- Token transfers
- NFT movements
- DeFi interactions
Ethereum Tracking
Watch Address Transactions
# Using Etherscan API
curl -s "https://api.etherscan.io/api?module=account&action=txlist&address=ADDRESS&startblock=0&endblock=99999999&sort=desc&apikey=YourApiKey" | \
python3 -c "
import sys, json
data = json.load(sys.stdin)
for tx in data.get('result', [])[:10]:
val = int(tx['value']) / 1e18
print(f\"{tx['hash'][:16]}... | {val:.4f} ETH | {tx['to'][:16]}...\")"
Monitor ERC-20 Transfers
curl -s "https://api.etherscan.io/api?module=account&action=tokentx&address=ADDRESS&sort=desc&apikey=YourApiKey" | \
python3 -c "
import sys, json
data = json.load(sys.stdin)
for tx in data.get('result', [])[:10]:
val = int(tx['value']) / 10**int(tx['tokenDecimal'])
print(f\"{tx['tokenSymbol']}: {val:.2f} | {tx['to'][:16]}...\")"
Real-time Monitoring Script
#!/usr/bin/env python3
import requests
import time
ADDRESS = "0x..." # Address to track
API_KEY = "YourEtherscanApiKey"
INTERVAL = 60 # Check every 60 seconds
last_block = 0
while True:
url = f"https://api.etherscan.io/api?module=account&action=txlist&address={ADDRESS}&startblock={last_block}&sort=asc&apikey={API_KEY}"
resp = requests.get(url).json()
for tx in resp.get('result', []):
block = int(tx['blockNumber'])
if block > last_block:
val = int(tx['value']) / 1e18
direction = "IN" if tx['to'].lower() == ADDRESS.lower() else "OUT"
print(f"[{direction}] {val:.4f} ETH | TX: {tx['hash'][:20]}...")
last_block = block
time.sleep(INTERVAL)
Solana Tracking
Recent Transactions
curl -s -X POST https://api.mainnet-beta.solana.com -H "Content-Type: application/json" -d '{
"jsonrpc": "2.0",
"id": 1,
"method": "getSignaturesForAddress",
"params": ["ADDRESS", {"limit": 10}]
}' | python3 -c "
import sys, json
data = json.load(sys.stdin)
for sig in data.get('result', []):
print(f\"{sig['signature'][:32]}... | Block: {sig.get('slot')}\")"
Monitor SOL Balance Changes
python3 -c "
import requests
import time
address = 'YOUR_ADDRESS'
last_balance = 0
while True:
resp = requests.post('https://api.mainnet-beta.solana.com', json={
'jsonrpc': '2.0',
'id': 1,
'method': 'getBalance',
'params': [address]
}).json()
balance = resp['result']['value'] / 1e9
if balance != last_balance:
diff = balance - last_balance
print(f'Balance: {balance:.4f} SOL | Change: {diff:+.4f}')
last_balance = balance
time.sleep(30)"
Track SPL Token Transfers
curl -s -X POST https://api.mainnet-beta.solana.com -H "Content-Type: application/json" -d '{
"jsonrpc": "2.0",
"id": 1,
"method": "getTokenAccountsByOwner",
"params": [
"ADDRESS",
{"programId": "TokenkegQfeZyiNwAJbNbGKPFXCWuBvf9Ss623VQ5DA"},
{"encoding": "jsonParsed"}
]
}' | python3 -c "
import sys, json
data = json.load(sys.stdin)
for acc in data.get('result', {}).get('value', []):
info = acc['account']['data']['parsed']['info']
amount = float(info['tokenAmount']['uiAmount'] or 0)
mint = info['mint'][:16]
print(f'{mint}... | {amount:.4f}')"
Multi-Chain Portfolio Tracker
#!/usr/bin/env python3
import requests
def get_eth_balance(address):
url = f"https://api.etherscan.io/api?module=account&action=balance&address={address}&apikey=YourKey"
resp = requests.get(url).json()
return int(resp['result']) / 1e18
def get_sol_balance(address):
resp = requests.post('https://api.mainnet-beta.solana.com', json={
'jsonrpc': '2.0', 'id': 1,
'method': 'getBalance',
'params': [address]
}).json()
return resp['result']['value'] / 1e9
# Track multiple addresses
wallets = {
'eth': ['0xAddress1', '0xAddress2'],
'sol': ['SolAddress1', 'SolAddress2']
}
print("=== Portfolio ===")
for addr in wallets['eth']:
bal = get_eth_balance(addr)
print(f"ETH {addr[:10]}...: {bal:.4f} ETH")
for addr in wallets['sol']:
bal = get_sol_balance(addr)
print(f"SOL {addr[:10]}...: {bal:.4f} SOL")
Webhook Alerts (Using Alchemy)
# Create webhook via Alchemy API
curl -X POST "https://dashboard.alchemy.com/api/create-webhook" \
-H "Content-Type: application/json" \
-d '{
"network": "ETH_MAINNET",
"webhook_type": "ADDRESS_ACTIVITY",
"webhook_url": "https://your-server.com/webhook",
"addresses": ["0xAddress1", "0xAddress2"]
}'
Whale Alert Integration
Track large movements:
# Top ETH holders recent activity
curl -s "https://api.etherscan.io/api?module=account&action=txlist&address=0x00000000219ab540356cBB839Cbe05303d7705Fa&sort=desc&apikey=YourKey" | \
python3 -c "
import sys, json
data = json.load(sys.stdin)
for tx in data.get('result', [])[:5]:
val = int(tx['value']) / 1e18
if val > 100:
print(f'WHALE: {val:.2f} ETH | {tx[\"hash\"][:20]}...')"
Tracking Services (Free Tiers)
| Service | Chains | Features |
|---|---|---|
| Etherscan | ETH, L2s | TX history, API |
| Solscan | Solana | Full history |
| DeBank | Multi-chain | Portfolio view |
| Zapper | EVM chains | DeFi tracking |
| Nansen | Multi | Whale labels |
API Endpoints
| Chain | Endpoint |
|---|---|
| Ethereum | https://api.etherscan.io/api |
| Polygon | https://api.polygonscan.com/api |
| BSC | https://api.bscscan.com/api |
| Arbitrum | https://api.arbiscan.io/api |
| Solana | https://api.mainnet-beta.solana.com |
Notes
- Most APIs have rate limits (5 req/sec free tier)
- Paid APIs offer WebSocket for real-time
- Consider using dedicated tracking services for production
- All blockchain data is public
- Use responsibly for research purposes
More by openclaw
View all skills by openclaw →You might also like
flutter-development
aj-geddes
Build beautiful cross-platform mobile apps with Flutter and Dart. Covers widgets, state management with Provider/BLoC, navigation, API integration, and material design.
drawio-diagrams-enhanced
jgtolentino
Create professional draw.io (diagrams.net) diagrams in XML format (.drawio files) with integrated PMP/PMBOK methodologies, extensive visual asset libraries, and industry-standard professional templates. Use this skill when users ask to create flowcharts, swimlane diagrams, cross-functional flowcharts, org charts, network diagrams, UML diagrams, BPMN, project management diagrams (WBS, Gantt, PERT, RACI), risk matrices, stakeholder maps, or any other visual diagram in draw.io format. This skill includes access to custom shape libraries for icons, clipart, and professional symbols.
ui-ux-pro-max
nextlevelbuilder
"UI/UX design intelligence. 50 styles, 21 palettes, 50 font pairings, 20 charts, 8 stacks (React, Next.js, Vue, Svelte, SwiftUI, React Native, Flutter, Tailwind). Actions: plan, build, create, design, implement, review, fix, improve, optimize, enhance, refactor, check UI/UX code. Projects: website, landing page, dashboard, admin panel, e-commerce, SaaS, portfolio, blog, mobile app, .html, .tsx, .vue, .svelte. Elements: button, modal, navbar, sidebar, card, table, form, chart. Styles: glassmorphism, claymorphism, minimalism, brutalism, neumorphism, bento grid, dark mode, responsive, skeuomorphism, flat design. Topics: color palette, accessibility, animation, layout, typography, font pairing, spacing, hover, shadow, gradient."
godot
bfollington
This skill should be used when working on Godot Engine projects. It provides specialized knowledge of Godot's file formats (.gd, .tscn, .tres), architecture patterns (component-based, signal-driven, resource-based), common pitfalls, validation tools, code templates, and CLI workflows. The `godot` command is available for running the game, validating scripts, importing resources, and exporting builds. Use this skill for tasks involving Godot game development, debugging scene/resource files, implementing game systems, or creating new Godot components.
nano-banana-pro
garg-aayush
Generate and edit images using Google's Nano Banana Pro (Gemini 3 Pro Image) API. Use when the user asks to generate, create, edit, modify, change, alter, or update images. Also use when user references an existing image file and asks to modify it in any way (e.g., "modify this image", "change the background", "replace X with Y"). Supports both text-to-image generation and image-to-image editing with configurable resolution (1K default, 2K, or 4K for high resolution). DO NOT read the image file first - use this skill directly with the --input-image parameter.
fastapi-templates
wshobson
Create production-ready FastAPI projects with async patterns, dependency injection, and comprehensive error handling. Use when building new FastAPI applications or setting up backend API projects.
Related MCP Servers
Browse all serversTON Blockchain Analyzer tracks wallet addresses, analyzes transactions, and uncovers trading patterns for smarter crypto
Integrate with the Bitcoin network via Blockstream API for transaction monitoring, wallet management, and blockchain ana
AppSignal: real-time monitoring with incident tracking, anomaly detection, performance metrics and log analysis for fast
Manage and monitor Apache Airflow clusters with full workflow, DAG, and task control, plus analytics and XCom access via
Get live crypto exchange data & coin stock prices on DexPaprika. Track bitcoin price live, DEX listings, and more across
Variflight offers real-time flight tracking, fly tracker tools, and american airline flight status check using advanced
Stay ahead of the MCP ecosystem
Get weekly updates on new skills and servers.