Niels-8/isofinancial-mcp
If you are the rightful owner of isofinancial-mcp and would like to certify it and/or have it hosted online, please leave a comment on the right or send an email to henry@mcphub.com.
IsoFinancial-MCP is an open-source MCP server providing financial market data endpoints for short squeeze detection and analysis.
IsoFinancial-MCP
An enhanced open-source MCP (Model Context Protocol) server providing comprehensive financial market data endpoints for quantitative trading opportunity detection and analysis. Features advanced data sources including SEC filings, FINRA short volume, earnings calendars, news sentiment, and Google Trends analysis.
๐ Enhanced Features
Core Market Data (Yahoo Finance)
- Real-time Market Data: Live stock prices, volume, and market statistics
- Financial Statements: Balance sheets, income statements, and cash flow data
- Options Analysis: Complete option chains with expiration dates and Greeks
- Corporate Actions: Dividends, stock splits, and historical actions
- Company Information: Detailed profiles, major holders, and institutional investors
- Analyst Recommendations: Professional analyst ratings and price targets
๐ Enhanced Data Sources for Quantitative Analysis
- SEC Filings Integration: Real-time EDGAR API access for 8-K, S-3, 424B, 10-Q, 10-K filings with 6-hour caching
- FINRA Short Volume: Daily short volume ratios and pressure indicators with trend analysis
- Earnings Calendar: EPS estimates, actuals, surprise percentages with BMO/AMC timing
- News Headlines: Yahoo Finance RSS integration with source attribution and duplicate detection
- Google Trends: Search volume analysis with momentum indicators and related queries
๐ง Advanced Technical Features
- Intelligent Caching: Multi-tier caching system with configurable TTL per data source
- Rate Limiting: Built-in rate limiting with exponential backoff for API protection
- Error Handling: Graceful degradation with detailed error reporting
- Performance Optimization: Async/await throughout with connection pooling
- Data Validation: Comprehensive input validation and sanitization
๐ Requirements
- Python 3.10+ (Python 3.13+ recommended for optimal performance)
- UV Package Manager (Installation Guide)
- Internet connection for API access to multiple data sources
- No API keys required - All data sources use free/public APIs
๐ง Installation
Using UV (Recommended)
# Install UV if not already installed
curl -LsSf https://astral.sh/uv/install.sh | sh
# Add to your project
uv add iso-financial-mcp
# Or install globally
uvx iso-financial-mcp
Using pip
pip install iso-financial-mcp
For AI Trading Systems Integration
The IsoFinancial-MCP server can be easily integrated into any AI trading system or quantitative analysis pipeline:
# Add to your trading system dependencies
uv add iso-financial-mcp
# Or include in your pyproject.toml
dependencies = ["iso-financial-mcp>=0.2.0"]
๐ Quick Start
As MCP Server (Recommended for AI Agents)
# Test the server directly
uv run python -m iso_financial_mcp
# Or run specific endpoints
uv run python -c "
from iso_financial_mcp.server import get_info
import asyncio
result = asyncio.run(get_info('AAPL'))
print(result)
"
Integration with AI Trading Systems
The server can be easily integrated with any AI trading system or quantitative analysis framework:
# Example integration with MCP-compatible AI agents
from fastmcp.agent import StdioServerParams, mcp_server_tools
finance_server_params = StdioServerParams(
command="python",
args=["-m", "iso_financial_mcp"],
)
# Get available financial tools
finance_tools = await mcp_server_tools(finance_server_params)
As Standalone HTTP Server
# Start HTTP server with UV
uv run uvicorn iso_financial_mcp.server:server.app --host 0.0.0.0 --port 8000
# Test endpoints
curl http://localhost:8000/health
Testing Individual Endpoints
# Test SEC filings
uv run python -c "
from iso_financial_mcp.server import get_sec_filings
import asyncio
result = asyncio.run(get_sec_filings('AAPL', '8-K,S-3', 30))
print(result)
"
# Test FINRA short volume
uv run python -c "
from iso_financial_mcp.server import get_finra_short_volume
import asyncio
result = asyncio.run(get_finra_short_volume('GME'))
print(result)
"
# Test earnings calendar
uv run python -c "
from iso_financial_mcp.server import get_earnings_calendar
import asyncio
result = asyncio.run(get_earnings_calendar('NVDA'))
print(result)
"
๐ Available Endpoints
๐ Core Market Data (Yahoo Finance)
get_info(ticker)
- Company profile and basic informationget_historical_prices(ticker, period, interval)
- Historical price data with OHLCVget_actions(ticker)
- Dividends and stock splits historyget_earnings_dates(ticker)
- Upcoming and historical earnings datesget_isin(ticker)
- International Securities Identification Number
๐ฐ Financial Statements
get_balance_sheet(ticker, freq)
- Balance sheet data (yearly/quarterly)get_financials(ticker, freq)
- Income statement data (yearly/quarterly)get_cash_flow(ticker, freq)
- Cash flow statement (yearly/quarterly)
๐ Options Analysis
get_options_expirations(ticker)
- Available expiration datesget_option_chain(ticker, expiration_date)
- Complete option chain with Greeks
๐ข Company Information
get_major_holders(ticker)
- Major shareholders and insider holdingsget_institutional_holders(ticker)
- Institutional investor positionsget_recommendations(ticker)
- Analyst recommendations and price targets
๐ Enhanced Data Sources for Quantitative Analysis
๐ SEC Filings (EDGAR API)
get_sec_filings(ticker, form_types="8-K,S-3,424B,10-Q,10-K", lookback_days=30)
- Form Types: 8-K (material events), S-3 (shelf registrations), 424B (prospectus), 10-Q/10-K (quarterly/annual reports)
- Cache TTL: 6 hours
- Features: Direct EDGAR API integration, accession numbers, filing URLs
๐ FINRA Short Volume
get_finra_short_volume(ticker, start_date="", end_date="")
- Data Source: FINRA daily short volume CSV files
- Cache TTL: 24 hours
- Features: Short ratios, trend analysis, aggregate metrics, 5-day rolling averages
๐ Earnings Calendar
get_earnings_calendar(ticker)
- Data Source: Yahoo Finance/Nasdaq earnings data
- Cache TTL: 24 hours
- Features: EPS estimates, actuals, surprise percentages, BMO/AMC timing, upcoming vs historical
๐ฐ News Headlines
get_news_headlines(ticker, limit=10, lookback_days=3)
- Data Source: Yahoo Finance RSS feeds
- Cache TTL: 2 hours
- Features: Source attribution, duplicate detection, summary extraction, publication timestamps
๐ Google Trends
get_google_trends(term, window_days=30)
- Data Source: Google Trends API via pytrends
- Cache TTL: 24 hours
- Features: Search volume trends, momentum analysis, related queries, peak detection
๐ง Technical Features
Caching System
- Multi-tier caching with configurable TTL per endpoint
- Memory-efficient with automatic cleanup
- Cache warming for frequently accessed data
Rate Limiting
- Per-endpoint rate limiting with exponential backoff
- Burst protection with token bucket algorithm
- API-specific limits respecting provider constraints
Error Handling
- Graceful degradation when data sources are unavailable
- Detailed error reporting with context and suggestions
- Automatic retries with intelligent backoff strategies
๐ Usage Examples
Basic Market Data
# Get company information
uv run python -c "
from iso_financial_mcp.server import get_info
import asyncio
result = asyncio.run(get_info('AAPL'))
print(result)
"
# Get historical prices with custom period
uv run python -c "
from iso_financial_mcp.server import get_historical_prices
import asyncio
result = asyncio.run(get_historical_prices('TSLA', '6mo', '1d'))
print(result)
"
Financial Analysis
# Get quarterly financials
uv run python -c "
from iso_financial_mcp.server import get_financials
import asyncio
result = asyncio.run(get_financials('NVDA', 'quarterly'))
print(result)
"
# Get balance sheet
uv run python -c "
from iso_financial_mcp.server import get_balance_sheet
import asyncio
result = asyncio.run(get_balance_sheet('AAPL', 'yearly'))
print(result)
"
Options Analysis
# Get option expirations
uv run python -c "
from iso_financial_mcp.server import get_options_expirations
import asyncio
result = asyncio.run(get_options_expirations('SPY'))
print(result)
"
# Get complete option chain
uv run python -c "
from iso_financial_mcp.server import get_option_chain
import asyncio
result = asyncio.run(get_option_chain('SPY', '2024-12-20'))
print(result)
"
๐ Enhanced Data Sources
SEC Filings Analysis
# Get recent 8-K and S-3 filings
uv run python -c "
from iso_financial_mcp.server import get_sec_filings
import asyncio
result = asyncio.run(get_sec_filings('GME', '8-K,S-3', 30))
print(result)
"
# Get all major filing types
uv run python -c "
from iso_financial_mcp.server import get_sec_filings
import asyncio
result = asyncio.run(get_sec_filings('AAPL', '8-K,S-3,424B,10-Q,10-K', 60))
print(result)
"
FINRA Short Volume Analysis
# Get short volume with trend analysis
uv run python -c "
from iso_financial_mcp.server import get_finra_short_volume
import asyncio
result = asyncio.run(get_finra_short_volume('AMC'))
print(result)
"
# Get short volume for specific date range
uv run python -c "
from iso_financial_mcp.server import get_finra_short_volume
import asyncio
result = asyncio.run(get_finra_short_volume('GME', '2024-01-01', '2024-01-31'))
print(result)
"
Earnings Calendar with Surprises
# Get comprehensive earnings data
uv run python -c "
from iso_financial_mcp.server import get_earnings_calendar
import asyncio
result = asyncio.run(get_earnings_calendar('NVDA'))
print(result)
"
# Analyze earnings surprises
uv run python -c "
from iso_financial_mcp.server import get_earnings_calendar
import asyncio
result = asyncio.run(get_earnings_calendar('TSLA'))
print(result)
"
News Sentiment Analysis
# Get recent news headlines
uv run python -c "
from iso_financial_mcp.server import get_news_headlines
import asyncio
result = asyncio.run(get_news_headlines('AAPL', 15, 5))
print(result)
"
# Monitor breaking news
uv run python -c "
from iso_financial_mcp.server import get_news_headlines
import asyncio
result = asyncio.run(get_news_headlines('TSLA', 5, 1))
print(result)
"
Google Trends Social Momentum
# Analyze search trends for ticker
uv run python -c "
from iso_financial_mcp.server import get_google_trends
import asyncio
result = asyncio.run(get_google_trends('GameStop', 30))
print(result)
"
# Monitor company name trends
uv run python -c "
from iso_financial_mcp.server import get_google_trends
import asyncio
result = asyncio.run(get_google_trends('Tesla Motors', 60))
print(result)
"
Integration with AI Trading Agents
The IsoFinancial-MCP server can be integrated with any MCP-compatible AI trading agent:
# Example: Using with AI trading agents
from your_trading_agent import TradingAgent
agent = TradingAgent()
agent.add_mcp_server("iso-financial-mcp")
# Agent can now use all financial endpoints
# Example agent query: "Get SEC filings and short volume data for GME"
๐ง Configuration
No API Keys Required
The server uses entirely free and public APIs:
- Yahoo Finance: Market data, financials, options (no authentication)
- SEC EDGAR: Official SEC filings API (public access)
- FINRA: Daily short volume CSV files (public data)
- Google Trends: Search volume data via pytrends (no API key)
- RSS Feeds: News headlines from Yahoo Finance RSS (public)
Optional Configuration
# Copy environment template (optional for advanced configuration)
cp .env.example .env
Cache Configuration
Default cache TTL settings optimized for trading applications:
CACHE_TTL = {
'sec_filings': 21600, # 6 hours - SEC filings don't change frequently
'finra_data': 86400, # 24 hours - FINRA data is daily
'earnings': 86400, # 24 hours - Earnings calendar updates daily
'news': 7200, # 2 hours - News updates frequently
'trends': 86400, # 24 hours - Trends data is daily
'market_data': 300, # 5 minutes - Market data for real-time needs
'options_data': 900 # 15 minutes - Options data updates frequently
}
Rate Limiting Configuration
Built-in rate limiting respects API provider limits:
RATE_LIMITS = {
'yahoo_finance': {'calls_per_minute': 120, 'burst_limit': 20},
'sec_edgar': {'calls_per_minute': 10, 'burst_limit': 3},
'google_trends': {'calls_per_minute': 20, 'burst_limit': 5},
'rss_feeds': {'calls_per_minute': 60, 'burst_limit': 10}
}
Integration with Trading Systems
When integrated with AI trading systems, configuration can be handled automatically:
# Example: Automatic configuration in trading systems
from iso_financial_mcp.server import server
# Server can be embedded directly in your application
app = YourTradingApp()
app.add_mcp_server(server) # All endpoints available automatically
๐งช Testing
Comprehensive Test Suite
# Run all tests with UV
uv run pytest
# Run with coverage reporting
uv run pytest --cov=iso_financial_mcp --cov-report=html
# Run specific test categories
uv run pytest tests/test_yfinance_source.py # Yahoo Finance endpoints
uv run pytest tests/test_sec_source.py # SEC filings
uv run pytest tests/test_finra_source.py # FINRA short volume
uv run pytest tests/test_earnings_source.py # Earnings calendar
uv run pytest tests/test_news_source.py # News headlines
uv run pytest tests/test_trends_source.py # Google Trends
# Integration tests
uv run pytest tests/test_integration.py # End-to-end testing
Manual Testing
# Test individual endpoints
uv run python -c "
from iso_financial_mcp.server import get_info, get_sec_filings, get_finra_short_volume
import asyncio
async def test_endpoints():
# Test basic market data
info = await get_info('AAPL')
print('โ
Basic info:', 'OK' if info else 'FAILED')
# Test SEC filings
filings = await get_sec_filings('AAPL', '8-K', 30)
print('โ
SEC filings:', 'OK' if 'SEC Filings' in filings else 'FAILED')
# Test FINRA data
short_data = await get_finra_short_volume('GME')
print('โ
FINRA data:', 'OK' if 'Short Volume Data' in short_data else 'FAILED')
asyncio.run(test_endpoints())
"
# Test server startup
uv run python -m iso_financial_mcp
Performance Testing
# Test with high-volume tickers
uv run python -c "
import asyncio
import time
from iso_financial_mcp.server import get_info
async def performance_test():
tickers = ['AAPL', 'TSLA', 'NVDA', 'GME', 'AMC']
start_time = time.time()
tasks = [get_info(ticker) for ticker in tickers]
results = await asyncio.gather(*tasks)
end_time = time.time()
print(f'Processed {len(tickers)} tickers in {end_time - start_time:.2f} seconds')
print(f'Average: {(end_time - start_time) / len(tickers):.2f} seconds per ticker')
asyncio.run(performance_test())
"
๐ฆ Development
Development Setup
# Clone the repository
git clone https://github.com/Niels-8/isofinancial-mcp.git
cd isofinancial-mcp
# Install with development dependencies using UV
uv sync --dev
# Or install in editable mode
uv pip install -e ".[dev]"
Code Quality Tools
# Format code with Black
uv run black .
# Lint with Ruff
uv run ruff check . --fix
# Type checking with MyPy
uv run mypy .
# Run all quality checks
uv run black . && uv run ruff check . && uv run mypy .
Adding New Data Sources
- Create Data Source Module: Add new module in
iso_financial_mcp/datasources/
- Implement Async Functions: Follow existing patterns with caching and error handling
- Add Server Endpoint: Register new endpoint in
server.py
with@server.tool
decorator - Write Tests: Add comprehensive tests in
tests/
directory - Update Documentation: Update README with new endpoint documentation
Example: Adding New Data Source
# iso_financial_mcp/datasources/new_source.py
import asyncio
import aiohttp
from typing import Optional, List, Dict, Any
from ..utils.cache import cached_request
from ..utils.rate_limiter import rate_limit
@rate_limit('new_api', calls_per_minute=60)
@cached_request(ttl=3600) # 1 hour cache
async def get_new_data(ticker: str) -> Optional[Dict[str, Any]]:
"""Get data from new source"""
try:
async with aiohttp.ClientSession() as session:
url = f"https://api.newsource.com/data/{ticker}"
async with session.get(url) as response:
if response.status == 200:
return await response.json()
return None
except Exception as e:
print(f"Error fetching new data for {ticker}: {e}")
return None
# server.py - Add endpoint
@server.tool
async def get_new_endpoint(ticker: str) -> str:
"""Get new data endpoint"""
data = await new_source.get_new_data(ticker)
return format_data(data) if data else f"No data for {ticker}"
Building and Publishing
# Build package
uv build
# Check package
uv run twine check dist/*
# Publish to PyPI (maintainers only)
uv run twine upload dist/*
๐ค Contributing
- Fork the repository
- Create a feature branch (
git checkout -b feature/amazing-feature
) - Commit your changes (
git commit -m 'Add amazing feature'
) - Push to the branch (
git push origin feature/amazing-feature
) - Open a Pull Request
๐ License
This project is licensed under the MIT License - see the file for details.
๐ Integration with AI Trading Systems
This MCP server is designed to work seamlessly with any quantitative trading system or AI agent:
Easy Integration
- Zero Configuration: Simple setup with any MCP-compatible system
- Optimized Caching: Cache TTL settings optimized for trading workflows
- Error Handling: Graceful degradation ensures systems continue working even if some data sources fail
Supported Trading Opportunity Types
The enhanced endpoints support detection of multiple opportunity types:
- Short Squeeze Analysis: FINRA short volume + SEC filings + social trends
- Breakout/Momentum Detection: News sentiment + Google Trends + volume analysis
- Earnings Plays: Earnings calendar + EPS surprises + options data
- Biotech/FDA Events: SEC 8-K filings + news headlines + social momentum
- M&A/Rumor Detection: News analysis + social trends + volume spikes
- Dilution/ATM Detection: SEC S-3/424B filings + volume analysis
- Gap-Fade Opportunities: News sentiment + volume patterns + options data
Usage in Trading Systems
# Example: Integration with AI trading agents
from your_trading_system import TradingAgent
agent = TradingAgent()
agent.add_financial_data_source("iso-financial-mcp")
# Agent can now use IsoFinancial-MCP for:
# - SEC filing analysis for dilution detection
# - FINRA short volume for squeeze signals
# - Earnings calendar for earnings plays
# - News sentiment for momentum analysis
# - Google Trends for social validation
๐ Acknowledgments
- Yahoo Finance for comprehensive market data
- SEC EDGAR for official filing data
- FINRA for short volume transparency
- Google Trends for search volume insights
- FastMCP for the MCP framework
- UV Package Manager for modern Python packaging
- Open Source Community for contributions and feedback
๐ Support
- Issues: GitHub Issues
- Discussions: GitHub Discussions
๐ Data Sources & Reliability
Data Source Overview
Data Source | Endpoint | Update Frequency | Cache TTL | Reliability |
---|---|---|---|---|
Yahoo Finance | Market data, financials, options | Real-time to daily | 5min-24h | High |
SEC EDGAR | Official filings | Real-time | 6 hours | Very High |
FINRA | Short volume | Daily | 24 hours | High |
Google Trends | Search volume | Daily | 24 hours | Medium |
RSS Feeds | News headlines | Hourly | 2 hours | Medium |
Data Quality Features
- Duplicate Detection: News headlines are deduplicated across sources
- Data Validation: Input validation and sanitization for all endpoints
- Error Recovery: Graceful fallback when data sources are unavailable
- Cache Warming: Frequently accessed data is pre-cached
- Rate Limiting: Respects API provider limits to ensure consistent access
โ ๏ธ Important Disclaimers
FINANCIAL DATA DISCLAIMER: This software provides financial data for educational and research purposes only. The data is sourced from public APIs and may contain errors, delays, or inaccuracies. Always verify data independently before making investment decisions.
TRADING RISK WARNING: Trading involves substantial risk of loss and is not suitable for all investors. Past performance does not guarantee future results. The quantitative analysis provided by this system should not be considered as financial advice.
DATA ACCURACY: While we strive for accuracy, financial data can be subject to revisions, delays, and errors from source providers. Critical trading decisions should always be based on official sources and professional financial advice.
NO WARRANTY: This software is provided "as is" without warranty of any kind. The authors and contributors are not responsible for any financial losses resulting from the use of this software.