finnhub-api by adaptationio/skrillz
npx skills add https://github.com/adaptationio/skrillz --skill finnhub-api与 FinnHub 金融数据 API 的完整集成,提供对股票、外汇、加密货币、公司基本面、新闻和实时市场数据的访问。
# 环境变量(推荐)
export FINNHUB_API_KEY="your_api_key"
# 或在 .env 文件中
FINNHUB_API_KEY=your_api_key
import requests
import os
API_KEY = os.getenv("FINNHUB_API_KEY")
BASE_URL = "https://finnhub.io/api/v1"
def get_quote(symbol: str) -> dict:
"""获取标的的实时报价。"""
response = requests.get(
f"{BASE_URL}/quote",
params={"symbol": symbol, "token": API_KEY}
)
return response.json()
# 示例
quote = get_quote("AAPL")
print(f"AAPL: ${quote['c']:.2f} ({quote['dp']:+.2f}%)")
import finnhub
client = finnhub.Client(api_key="your_api_key")
# 获取报价
quote = client.quote("AAPL")
# 获取公司简介
profile = client.company_profile2(symbol="AAPL")
# 获取财务数据
financials = client.company_basic_financials("AAPL", "all")
广告位招租
在这里展示您的产品或服务
触达数万 AI 开发者,精准高效
| 端点 | 描述 | 免费 |
|---|---|---|
/quote | 实时报价 | ✅ |
/stock/candle | 历史 OHLCV 数据 | ✅ |
/stock/profile2 | 公司简介 | ✅ |
/stock/peers | 相似公司 | ✅ |
/company-news | 公司新闻 | ✅ |
/stock/metric | 基本财务数据 | ✅ |
/stock/financials | 财务报表 | ✅ |
/stock/insider-transactions | 内部人交易 | ⚠️ 高级版 |
/stock/insider-sentiment | 内部人情绪 | ⚠️ 高级版 |
| 端点 | 描述 | 免费 |
|---|---|---|
/stock/financials-reported | SEC 报告数据 | ✅ |
/stock/earnings | 收益历史 | ✅ |
/stock/recommendation | 分析师评级 | ✅ |
/stock/price-target | 目标价格 | ✅ |
/stock/revenue-estimate | 收入预估 | ⚠️ 高级版 |
/stock/eps-estimate | 每股收益预估 | ⚠️ 高级版 |
| 端点 | 描述 | 免费 |
|---|---|---|
/forex/rates | 汇率 | ✅ |
/forex/candle | 外汇 OHLCV 数据 | ✅ |
/crypto/candle | 加密货币 OHLCV 数据 | ✅ |
/crypto/exchanges | 加密货币交易所 | ✅ |
/crypto/symbol | 加密货币符号 | ✅ |
| 端点 | 描述 | 免费 |
|---|---|---|
/company-news | 公司新闻 | ✅ |
/news | 市场新闻 | ✅ |
/press-releases | 新闻稿 | ⚠️ 高级版 |
/news-sentiment | 新闻情绪 | ⚠️ 高级版 |
| 端点 | 描述 | 免费 |
|---|---|---|
/calendar/earnings | 收益日历 | ✅ |
/calendar/ipo | IPO 日历 | ✅ |
/stock/dividends | 股息历史 | ✅ |
/stock/splits | 股票拆分 | ✅ |
| 层级 | 调用次数/分钟 | 备注 |
|---|---|---|
| 免费版 | 60 | 美股、外汇、加密货币 |
| 付费版 | 300+ | 按市场定价 |
速率限制响应头:
X-Ratelimit-Limit: 每分钟最大调用次数X-Ratelimit-Remaining: 剩余调用次数X-Ratelimit-Reset: 重置时间戳def get_stock_info(symbol: str) -> dict:
"""获取综合股票信息。"""
quote = requests.get(
f"{BASE_URL}/quote",
params={"symbol": symbol, "token": API_KEY}
).json()
profile = requests.get(
f"{BASE_URL}/stock/profile2",
params={"symbol": symbol, "token": API_KEY}
).json()
return {
"symbol": symbol,
"name": profile.get("name"),
"price": quote["c"],
"change": quote["d"],
"change_percent": quote["dp"],
"high": quote["h"],
"low": quote["l"],
"market_cap": profile.get("marketCapitalization"),
"industry": profile.get("finnhubIndustry")
}
import time
def get_candles(symbol: str, resolution: str = "D", days: int = 30) -> dict:
"""
获取历史 OHLCV 数据。
分辨率: 1, 5, 15, 30, 60, D, W, M
"""
end = int(time.time())
start = end - (days * 24 * 60 * 60)
response = requests.get(
f"{BASE_URL}/stock/candle",
params={
"symbol": symbol,
"resolution": resolution,
"from": start,
"to": end,
"token": API_KEY
}
)
return response.json()
def get_earnings_calendar(from_date: str, to_date: str) -> list:
"""获取即将发布的收益报告。"""
response = requests.get(
f"{BASE_URL}/calendar/earnings",
params={
"from": from_date,
"to": to_date,
"token": API_KEY
}
)
return response.json().get("earningsCalendar", [])
# 示例:获取下周的收益报告
earnings = get_earnings_calendar("2025-12-05", "2025-12-12")
def get_company_news(symbol: str, days: int = 7) -> list:
"""获取近期公司新闻。"""
from datetime import datetime, timedelta
end = datetime.now()
start = end - timedelta(days=days)
response = requests.get(
f"{BASE_URL}/company-news",
params={
"symbol": symbol,
"from": start.strftime("%Y-%m-%d"),
"to": end.strftime("%Y-%m-%d"),
"token": API_KEY
}
)
return response.json()
def get_financials(symbol: str) -> dict:
"""获取关键财务指标。"""
response = requests.get(
f"{BASE_URL}/stock/metric",
params={
"symbol": symbol,
"metric": "all",
"token": API_KEY
}
)
data = response.json()
metrics = data.get("metric", {})
return {
"pe_ratio": metrics.get("peBasicExclExtraTTM"),
"pb_ratio": metrics.get("pbQuarterly"),
"ps_ratio": metrics.get("psAnnual"),
"roe": metrics.get("roeTTM"),
"roa": metrics.get("roaTTM"),
"debt_equity": metrics.get("totalDebt/totalEquityQuarterly"),
"current_ratio": metrics.get("currentRatioQuarterly"),
"gross_margin": metrics.get("grossMarginTTM"),
"operating_margin": metrics.get("operatingMarginTTM"),
"52w_high": metrics.get("52WeekHigh"),
"52w_low": metrics.get("52WeekLow"),
"beta": metrics.get("beta")
}
import websocket
import json
def on_message(ws, message):
data = json.loads(message)
if data["type"] == "trade":
for trade in data["data"]:
print(f"{trade['s']}: ${trade['p']:.2f} x {trade['v']}")
def on_open(ws):
# 订阅标的
ws.send(json.dumps({"type": "subscribe", "symbol": "AAPL"}))
ws.send(json.dumps({"type": "subscribe", "symbol": "MSFT"}))
ws = websocket.WebSocketApp(
f"wss://ws.finnhub.io?token={API_KEY}",
on_message=on_message,
on_open=on_open
)
ws.run_forever()
def safe_api_call(endpoint: str, params: dict) -> dict:
"""进行带错误处理的 API 调用。"""
params["token"] = API_KEY
try:
response = requests.get(f"{BASE_URL}/{endpoint}", params=params)
response.raise_for_status()
# 检查速率限制
remaining = response.headers.get("X-Ratelimit-Remaining")
if remaining and int(remaining) < 5:
print(f"警告:仅剩 {remaining} 次 API 调用")
return response.json()
except requests.exceptions.HTTPError as e:
if response.status_code == 429:
print("超出速率限制。等待 60 秒...")
time.sleep(60)
return safe_api_call(endpoint, params)
raise
except Exception as e:
print(f"API 错误: {e}")
return {}
# Python SDK
pip install finnhub-python
# JavaScript SDK
npm install finnhub
twelvedata-api - 替代市场数据源alphavantage-api - 侧重于技术指标fmp-api - 侧重于基本面分析每周安装量
250
代码仓库
GitHub 星标数
6
首次出现
2026 年 1 月 24 日
安全审计
安装于
openclaw226
opencode213
gemini-cli206
cursor203
codex198
github-copilot197
Complete integration with FinnHub's financial data API providing access to stocks, forex, crypto, company fundamentals, news, and real-time market data.
# Environment variable (recommended)
export FINNHUB_API_KEY="your_api_key"
# Or in .env file
FINNHUB_API_KEY=your_api_key
import requests
import os
API_KEY = os.getenv("FINNHUB_API_KEY")
BASE_URL = "https://finnhub.io/api/v1"
def get_quote(symbol: str) -> dict:
"""Get real-time quote for a symbol."""
response = requests.get(
f"{BASE_URL}/quote",
params={"symbol": symbol, "token": API_KEY}
)
return response.json()
# Example
quote = get_quote("AAPL")
print(f"AAPL: ${quote['c']:.2f} ({quote['dp']:+.2f}%)")
import finnhub
client = finnhub.Client(api_key="your_api_key")
# Get quote
quote = client.quote("AAPL")
# Get company profile
profile = client.company_profile2(symbol="AAPL")
# Get financials
financials = client.company_basic_financials("AAPL", "all")
| Endpoint | Description | Free |
|---|---|---|
/quote | Real-time quote | ✅ |
/stock/candle | Historical OHLCV | ✅ |
/stock/profile2 | Company profile | ✅ |
/stock/peers | Similar companies | ✅ |
/company-news | Company news | ✅ |
| Endpoint | Description | Free |
|---|---|---|
/stock/financials-reported | SEC reported | ✅ |
/stock/earnings | Earnings history | ✅ |
/stock/recommendation | Analyst ratings | ✅ |
/stock/price-target | Price targets | ✅ |
/stock/revenue-estimate | Revenue estimates |
| Endpoint | Description | Free |
|---|---|---|
/forex/rates | Exchange rates | ✅ |
/forex/candle | Forex OHLCV | ✅ |
/crypto/candle | Crypto OHLCV | ✅ |
/crypto/exchanges | Crypto exchanges | ✅ |
/crypto/symbol | Crypto symbols | ✅ |
| Endpoint | Description | Free |
|---|---|---|
/company-news | Company news | ✅ |
/news | Market news | ✅ |
/press-releases | Press releases | ⚠️ Premium |
/news-sentiment | News sentiment | ⚠️ Premium |
| Endpoint | Description | Free |
|---|---|---|
/calendar/earnings | Earnings calendar | ✅ |
/calendar/ipo | IPO calendar | ✅ |
/stock/dividends | Dividend history | ✅ |
/stock/splits | Stock splits | ✅ |
| Tier | Calls/Minute | Notes |
|---|---|---|
| Free | 60 | US stocks, forex, crypto |
| Paid | 300+ | Per-market pricing |
Rate limit headers:
X-Ratelimit-Limit: Max calls per minuteX-Ratelimit-Remaining: Calls remainingX-Ratelimit-Reset: Reset timestampdef get_stock_info(symbol: str) -> dict:
"""Get comprehensive stock info."""
quote = requests.get(
f"{BASE_URL}/quote",
params={"symbol": symbol, "token": API_KEY}
).json()
profile = requests.get(
f"{BASE_URL}/stock/profile2",
params={"symbol": symbol, "token": API_KEY}
).json()
return {
"symbol": symbol,
"name": profile.get("name"),
"price": quote["c"],
"change": quote["d"],
"change_percent": quote["dp"],
"high": quote["h"],
"low": quote["l"],
"market_cap": profile.get("marketCapitalization"),
"industry": profile.get("finnhubIndustry")
}
import time
def get_candles(symbol: str, resolution: str = "D", days: int = 30) -> dict:
"""
Get historical OHLCV data.
Resolutions: 1, 5, 15, 30, 60, D, W, M
"""
end = int(time.time())
start = end - (days * 24 * 60 * 60)
response = requests.get(
f"{BASE_URL}/stock/candle",
params={
"symbol": symbol,
"resolution": resolution,
"from": start,
"to": end,
"token": API_KEY
}
)
return response.json()
def get_earnings_calendar(from_date: str, to_date: str) -> list:
"""Get upcoming earnings releases."""
response = requests.get(
f"{BASE_URL}/calendar/earnings",
params={
"from": from_date,
"to": to_date,
"token": API_KEY
}
)
return response.json().get("earningsCalendar", [])
# Example: Get next week's earnings
earnings = get_earnings_calendar("2025-12-05", "2025-12-12")
def get_company_news(symbol: str, days: int = 7) -> list:
"""Get recent company news."""
from datetime import datetime, timedelta
end = datetime.now()
start = end - timedelta(days=days)
response = requests.get(
f"{BASE_URL}/company-news",
params={
"symbol": symbol,
"from": start.strftime("%Y-%m-%d"),
"to": end.strftime("%Y-%m-%d"),
"token": API_KEY
}
)
return response.json()
def get_financials(symbol: str) -> dict:
"""Get key financial metrics."""
response = requests.get(
f"{BASE_URL}/stock/metric",
params={
"symbol": symbol,
"metric": "all",
"token": API_KEY
}
)
data = response.json()
metrics = data.get("metric", {})
return {
"pe_ratio": metrics.get("peBasicExclExtraTTM"),
"pb_ratio": metrics.get("pbQuarterly"),
"ps_ratio": metrics.get("psAnnual"),
"roe": metrics.get("roeTTM"),
"roa": metrics.get("roaTTM"),
"debt_equity": metrics.get("totalDebt/totalEquityQuarterly"),
"current_ratio": metrics.get("currentRatioQuarterly"),
"gross_margin": metrics.get("grossMarginTTM"),
"operating_margin": metrics.get("operatingMarginTTM"),
"52w_high": metrics.get("52WeekHigh"),
"52w_low": metrics.get("52WeekLow"),
"beta": metrics.get("beta")
}
import websocket
import json
def on_message(ws, message):
data = json.loads(message)
if data["type"] == "trade":
for trade in data["data"]:
print(f"{trade['s']}: ${trade['p']:.2f} x {trade['v']}")
def on_open(ws):
# Subscribe to symbols
ws.send(json.dumps({"type": "subscribe", "symbol": "AAPL"}))
ws.send(json.dumps({"type": "subscribe", "symbol": "MSFT"}))
ws = websocket.WebSocketApp(
f"wss://ws.finnhub.io?token={API_KEY}",
on_message=on_message,
on_open=on_open
)
ws.run_forever()
def safe_api_call(endpoint: str, params: dict) -> dict:
"""Make API call with error handling."""
params["token"] = API_KEY
try:
response = requests.get(f"{BASE_URL}/{endpoint}", params=params)
response.raise_for_status()
# Check for rate limit
remaining = response.headers.get("X-Ratelimit-Remaining")
if remaining and int(remaining) < 5:
print(f"Warning: Only {remaining} API calls remaining")
return response.json()
except requests.exceptions.HTTPError as e:
if response.status_code == 429:
print("Rate limit exceeded. Waiting 60 seconds...")
time.sleep(60)
return safe_api_call(endpoint, params)
raise
except Exception as e:
print(f"API error: {e}")
return {}
# Python SDK
pip install finnhub-python
# JavaScript SDK
npm install finnhub
twelvedata-api - Alternative market data sourcealphavantage-api - Technical indicators focusfmp-api - Fundamental analysis focusWeekly Installs
250
Repository
GitHub Stars
6
First Seen
Jan 24, 2026
Security Audits
Gen Agent Trust HubPassSocketPassSnykWarn
Installed on
openclaw226
opencode213
gemini-cli206
cursor203
codex198
github-copilot197
DOCX文件创建、编辑与分析完整指南 - 使用docx-js、Pandoc和Python脚本
43,600 周安装
/stock/metric | Basic financials | ✅ |
/stock/financials | Financial statements | ✅ |
/stock/insider-transactions | Insider trades | ⚠️ Premium |
/stock/insider-sentiment | Insider sentiment | ⚠️ Premium |
| ⚠️ Premium |
/stock/eps-estimate | EPS estimates | ⚠️ Premium |