Spaces:
Sleeping
Sleeping
File size: 9,769 Bytes
80fa9cc |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 |
# hl_indicators_server.py
"""
FastMCP server exposing Hyperliquid indicator tools.
This server provides a unified interface to compute common trading indicators
directly from Hyperliquid testnet market data via the `candles_snapshot` API.
Available tools:
- ema β Exponential Moving Average
- macd β Moving Average Convergence Divergence
- stoch_rsi β Stochastic RSI
- adl β Accumulation / Distribution Line
- obv β On-Balance Volume
- atr_adx β Average True Range / Directional Index / ADX
- bbands β Bollinger Bands
- mfi β Money Flow Index
- vwap β Volume-Weighted Average Price
- volume β Raw trading volume
- bundle β Compute multiple indicators in one call
Run:
python hl_indicators_server.py
"""
from __future__ import annotations
from typing import List, Optional, Literal, Dict, Any
from mcp.server.fastmcp import FastMCP
import hl_indicators as hi
Interval = Literal["1m", "5m", "15m", "1h", "4h", "1d"]
mcp = FastMCP("hl_indicators_server")
# ------------------ Health check ------------------ #
@mcp.tool()
async def ping() -> str:
"""Check if the MCP server is online and responding."""
return "pong"
# ------------------ Indicator tools ------------------ #
@mcp.tool()
async def ema(
name: str,
interval: Interval = "1h",
periods: Optional[List[int]] = None,
lookback: Optional[int] = None,
limit: int = 600,
) -> Dict[str, Any]:
"""
Compute Exponential Moving Averages (EMA).
Args:
name: Coin name (e.g. "BTC", "ETH", "HYPE").
interval: Candle interval ("1m", "5m", "15m", "1h", "4h", "1d").
periods: List of EMA window lengths (e.g. [20, 200]).
lookback: Optional shorthand for a single EMA (e.g. 36).
limit: Number of candles to fetch from the API.
Notes:
- `limit` controls how many data points are retrieved; it should be at
least 2β3Γ the largest EMA period for accurate results.
- The function automatically uses Hyperliquid testnet data.
Returns:
A dictionary containing EMA series for each period and the most recent values.
"""
if periods is None and lookback is not None:
periods = [lookback]
return hi.get_ema(name=name, periods=periods, interval=interval, limit=limit, testnet=False)
@mcp.tool()
async def macd(
name: str,
interval: Interval = "1h",
fast: int = 12,
slow: int = 26,
signal: int = 9,
limit: int = 600,
) -> Dict[str, Any]:
"""
Compute the Moving Average Convergence Divergence (MACD).
Args:
name: Coin name (e.g. "BTC").
interval: Candle interval.
fast: Period for the fast EMA (default: 12).
slow: Period for the slow EMA (default: 26).
signal: Period for the MACD signal line (default: 9).
limit: Number of candles to fetch.
Returns:
A dictionary with MACD line, signal line, histogram, and last computed values.
"""
return hi.get_macd(name=name, fast=fast, slow=slow, signal=signal, interval=interval, limit=limit, testnet=False)
@mcp.tool()
async def stoch_rsi(
name: str,
interval: Interval = "1h",
rsi_length: int = 14,
stoch_length: int = 14,
k_smooth: int = 3,
d_smooth: int = 3,
limit: int = 600,
) -> Dict[str, Any]:
"""
Compute the Stochastic RSI oscillator (%K and %D).
Args:
name: Coin name.
interval: Candle interval.
rsi_length: Period for RSI computation (default: 14).
stoch_length: Period for Stochastic window (default: 14).
k_smooth: Smoothing factor for %K (default: 3).
d_smooth: Smoothing factor for %D (default: 3).
limit: Number of candles to fetch.
Returns:
A dictionary containing %K, %D, and the raw StochRSI values.
"""
return hi.get_stoch_rsi(
name=name,
rsi_length=rsi_length,
stoch_length=stoch_length,
k_smooth=k_smooth,
d_smooth=d_smooth,
interval=interval,
limit=limit,
testnet=False,
)
@mcp.tool()
async def adl(name: str, interval: Interval = "1h", limit: int = 600) -> Dict[str, Any]:
"""
Compute the Accumulation/Distribution Line (ADL).
Args:
name: Coin name.
interval: Candle interval.
limit: Number of candles to fetch.
Returns:
A dictionary containing the ADL time series and the latest ADL value.
"""
return hi.get_adl(name=name, interval=interval, limit=limit, testnet=False)
@mcp.tool()
async def obv(name: str, interval: Interval = "1h", limit: int = 600) -> Dict[str, Any]:
"""
Compute the On-Balance Volume (OBV).
Args:
name: Coin name.
interval: Candle interval.
limit: Number of candles to fetch.
Returns:
OBV values accumulated over time and the latest OBV.
"""
return hi.get_obv(name=name, interval=interval, limit=limit, testnet=False)
@mcp.tool()
async def atr_adx(name: str, interval: Interval = "1h", period: int = 14, limit: int = 600) -> Dict[str, Any]:
"""
Compute volatility and directional indicators: ATR, +DI, -DI, and ADX.
Args:
name: Coin name.
interval: Candle interval.
period: Lookback for smoothing (default: 14).
limit: Number of candles to fetch.
Returns:
A dictionary with ATR, +DI, -DI, and ADX values.
"""
return hi.get_atr_adx(name=name, period=period, interval=interval, limit=limit, testnet=False)
@mcp.tool()
async def bbands(
name: str,
interval: Interval = "1h",
period: int = 20,
std_mult: float = 2.0,
limit: int = 600,
) -> Dict[str, Any]:
"""
Compute Bollinger Bands (basis, upper/lower bands, %b, bandwidth).
Args:
name: Coin name.
interval: Candle interval.
period: Window for SMA (default: 20).
std_mult: Standard deviation multiplier (default: 2.0).
limit: Number of candles to fetch.
Returns:
A dictionary with band series and the most recent band values.
"""
return hi.get_bbands(name=name, period=period, std_mult=std_mult, interval=interval, limit=limit, testnet=False)
@mcp.tool()
async def mfi(name: str, interval: Interval = "1h", period: int = 14, limit: int = 600) -> Dict[str, Any]:
"""
Compute the Money Flow Index (MFI), a volume-weighted momentum oscillator.
Args:
name: Coin name.
interval: Candle interval.
period: Rolling window (default: 14).
limit: Number of candles to fetch.
Returns:
A dictionary containing MFI series and the most recent value.
"""
return hi.get_mfi(name=name, period=period, interval=interval, limit=limit, testnet=False)
@mcp.tool()
async def vwap(name: str, interval: Interval = "1h", daily_reset: bool = False, limit: int = 600) -> Dict[str, Any]:
"""
Compute the Volume-Weighted Average Price (VWAP).
Args:
name: Coin name.
interval: Candle interval.
daily_reset: If True, VWAP resets each trading day.
limit: Number of candles to fetch.
Returns:
VWAP time series and the last computed VWAP value.
"""
return hi.get_vwap(name=name, daily_reset=daily_reset, interval=interval, limit=limit, testnet=False)
@mcp.tool()
async def volume(name: str, interval: Interval = "1h", limit: int = 600) -> Dict[str, Any]:
"""
Retrieve the raw trading volume per candle.
Args:
name: Coin name.
interval: Candle interval.
limit: Number of candles to fetch.
Returns:
Volume values for each candle and the latest volume.
"""
return hi.get_volume(name=name, interval=interval, limit=limit, testnet=False)
@mcp.tool()
async def bundle(
name: str,
interval: Interval = "1h",
limit: int = 600,
include: Optional[List[str]] = None,
ema_periods: Optional[List[int]] = None,
macd_fast: int = 12,
macd_slow: int = 26,
macd_signal: int = 9,
stoch_rsi_len: int = 14,
stoch_len: int = 14,
k_smooth: int = 3,
d_smooth: int = 3,
bb_period: int = 20,
bb_std: float = 2.0,
mfi_period: int = 14,
vwap_daily_reset: bool = False,
) -> Dict[str, Any]:
"""
Compute multiple indicators in a single request.
Args:
name: Coin name.
interval: Candle interval.
limit: Number of candles to fetch.
include: List of indicators to include. Default includes all:
["ema","macd","stoch_rsi","adl","obv","atr_adx","bbands","mfi","vwap","volume"]
ema_periods: EMA periods (default: [20, 200]).
macd_fast / macd_slow / macd_signal: MACD configuration.
stoch_rsi_len / stoch_len / k_smooth / d_smooth: StochRSI configuration.
bb_period / bb_std: Bollinger Band configuration.
mfi_period: Money Flow Index lookback.
vwap_daily_reset: Whether VWAP resets daily.
Returns:
A combined dictionary with all requested indicators.
"""
return hi.get_bundle(
name=name,
interval=interval,
limit=limit,
testnet=False,
include=include or ("ema","macd","stoch_rsi","adl","obv","atr_adx","bbands","mfi","vwap","volume"),
ema_periods=ema_periods,
macd_fast=macd_fast,
macd_slow=macd_slow,
macd_signal=macd_signal,
stoch_rsi_len=stoch_rsi_len,
stoch_len=stoch_len,
k_smooth=k_smooth,
d_smooth=d_smooth,
bb_period=bb_period,
bb_std=bb_std,
mfi_period=mfi_period,
vwap_daily_reset=vwap_daily_reset,
)
# ------------------ Entry point ------------------ #
if __name__ == "__main__":
mcp.run(transport='stdio')
|