Skip to main content
Glama
al-one

MCP Server for stock and crypto

获取股票历史价格

stock_prices

Retrieve historical stock prices and technical indicators by entering a stock symbol and market. Supports major exchanges including Shanghai, Shenzhen, Hong Kong, and US markets.

Instructions

根据股票代码和市场获取股票历史价格及技术指标, 不支持加密货币

Input Schema

TableJSON Schema
NameRequiredDescriptionDefault
symbolYes股票代码
marketNo股票市场,仅支持: sh(上证), sz(深证), hk(港股), us(美股), 不支持加密货币sh
periodNo周期,如: daily(日线), weekly(周线,不支持美股)daily
limitNo返回数量(int)

Implementation Reference

  • The implementation of the 'stock_prices' tool. This is the handler function decorated with @mcp.tool(), which registers the tool and defines its schema via parameter annotations. It fetches historical stock price data using akshare for various markets (sh, sz, hk, us, etf), caches results, computes technical indicators (MACD, KDJ, RSI, BOLL), and returns the last 'limit' rows in CSV format.
    @mcp.tool(
        title="获取股票历史价格",
        description="根据股票代码和市场获取股票历史价格及技术指标, 不支持加密货币",
    )
    def stock_prices(
        symbol: str = field_symbol,
        market: str = field_market,
        period: str = Field("daily", description="周期,如: daily(日线), weekly(周线,不支持美股)"),
        limit: int = Field(30, description="返回数量(int)", strict=False),
    ):
        if period == "weekly":
            delta = {"weeks": limit + 62}
        else:
            delta = {"days": limit + 62}
        start_date = (datetime.now() - timedelta(**delta)).strftime("%Y%m%d")
        markets = [
            ["sh", ak.stock_zh_a_hist, {}],
            ["sz", ak.stock_zh_a_hist, {}],
            ["hk", ak.stock_hk_hist, {}],
            ["us", stock_us_daily, {}],
            ["sh", fund_etf_hist_sina, {"market": "sh"}],
            ["sz", fund_etf_hist_sina, {"market": "sz"}],
        ]
        for m in markets:
            if m[0] != market:
                continue
            kws = {"period": period, "start_date": start_date, **m[2]}
            dfs = ak_cache(m[1], symbol=symbol, ttl=3600, **kws)
            if dfs is None or dfs.empty:
                continue
            add_technical_indicators(dfs, dfs["收盘"], dfs["最低"], dfs["最高"])
            columns = [
                "日期", "开盘", "收盘", "最高", "最低", "成交量", "换手率",
                "MACD", "DIF", "DEA", "KDJ.K", "KDJ.D", "KDJ.J", "RSI", "BOLL.U", "BOLL.M", "BOLL.L",
            ]
            all = dfs.to_csv(columns=columns, index=False, float_format="%.2f").strip().split("\n")
            return "\n".join([all[0], *all[-limit:]])
        return f"Not Found for {symbol}.{market}"
  • The @mcp.tool decorator registers the 'stock_prices' tool with FastMCP, specifying title and description. The schema is defined inline via Field descriptions in parameters.
    @mcp.tool(
        title="获取股票历史价格",
        description="根据股票代码和市场获取股票历史价格及技术指标, 不支持加密货币",
    )
  • Helper function stock_us_daily used by stock_prices for US market data.
    def stock_us_daily(symbol, start_date="2025-01-01", period="daily"):
        dfs = ak.stock_us_daily(symbol=symbol)
        if dfs is None or dfs.empty:
            return None
        dfs.rename(columns={"date": "日期", "open": "开盘", "close": "收盘", "high": "最高", "low": "最低", "volume": "成交量"}, inplace=True)
        dfs["换手率"] = None
        dfs.index = pd.to_datetime(dfs["日期"], errors="coerce")
        return dfs[start_date:"2222-01-01"]
  • Helper function fund_etf_hist_sina used by stock_prices for ETF data in sh/sz markets.
    def fund_etf_hist_sina(symbol, market="sh", start_date="2025-01-01", period="daily"):
        dfs = ak.fund_etf_hist_sina(symbol=f"{market}{symbol}")
        if dfs is None or dfs.empty:
            return None
        dfs.rename(columns={"date": "日期", "open": "开盘", "close": "收盘", "high": "最高", "low": "最低", "volume": "成交量"}, inplace=True)
        dfs["换手率"] = None
        dfs.index = pd.to_datetime(dfs["日期"], errors="coerce")
        return dfs[start_date:"2222-01-01"]
  • Helper function to compute and add technical indicators used by stock_prices.
    def add_technical_indicators(df, clos, lows, high):
        # 计算MACD指标
        ema12 = clos.ewm(span=12, adjust=False).mean()
        ema26 = clos.ewm(span=26, adjust=False).mean()
        df["DIF"] = ema12 - ema26
        df["DEA"] = df["DIF"].ewm(span=9, adjust=False).mean()
        df["MACD"] = (df["DIF"] - df["DEA"]) * 2
    
        # 计算KDJ指标
        low_min  = lows.rolling(window=9, min_periods=1).min()
        high_max = high.rolling(window=9, min_periods=1).max()
        rsv = (clos - low_min) / (high_max - low_min) * 100
        df["KDJ.K"] = rsv.ewm(com=2, adjust=False).mean()
        df["KDJ.D"] = df["KDJ.K"].ewm(com=2, adjust=False).mean()
        df["KDJ.J"] = 3 * df["KDJ.K"] - 2 * df["KDJ.D"]
    
        # 计算RSI指标
        delta = clos.diff()
        gain = delta.where(delta > 0, 0)
        loss = -delta.where(delta < 0, 0)
        avg_gain = gain.rolling(window=14).mean()
        avg_loss = loss.rolling(window=14).mean()
        rs = avg_gain / avg_loss
        df["RSI"] = 100 - (100 / (1 + rs))
    
        # 计算布林带指标
        df["BOLL.M"] = clos.rolling(window=20).mean()
        std = clos.rolling(window=20).std()
        df["BOLL.U"] = df["BOLL.M"] + 2 * std
        df["BOLL.L"] = df["BOLL.M"] - 2 * std
Behavior2/5

Does the description disclose side effects, auth requirements, rate limits, or destructive behavior?

No annotations are provided, so the description carries the full burden of behavioral disclosure. It mentions that cryptocurrencies are not supported, which is useful context. However, it doesn't describe other behavioral traits such as rate limits, authentication requirements, data freshness, error handling, or what the output looks like (e.g., format, structure). For a data-fetching tool with no annotation coverage, this leaves significant gaps in understanding how the tool behaves.

Agents need to know what a tool does to the world before calling it. Descriptions should go beyond structured annotations to explain consequences.

Conciseness4/5

Is the description appropriately sized, front-loaded, and free of redundancy?

The description is concise and front-loaded, stating the core purpose in a single sentence: '根据股票代码和市场获取股票历史价格及技术指标' (get historical stock prices and technical indicators based on stock symbol and market). The additional note '不支持加密货币' (does not support cryptocurrencies) is brief and relevant. There's no wasted verbiage, and the structure is clear, though it could be slightly more informative without losing conciseness.

Shorter descriptions cost fewer tokens and are easier for agents to parse. Every sentence should earn its place.

Completeness2/5

Given the tool's complexity, does the description cover enough for an agent to succeed on first attempt?

Given the complexity (4 parameters, no output schema, no annotations), the description is incomplete. It doesn't explain what the tool returns (e.g., data format, included technical indicators), behavioral aspects like rate limits or errors, or how it differs from sibling tools. For a tool fetching financial data with multiple parameters, more context is needed to ensure the agent can use it effectively, especially without annotations or output schema.

Complex tools with many parameters or behaviors need more documentation. Simple tools need less. This dimension scales expectations accordingly.

Parameters3/5

Does the description clarify parameter syntax, constraints, interactions, or defaults beyond what the schema provides?

Schema description coverage is 100%, meaning the input schema already documents all parameters thoroughly. The description adds minimal value beyond the schema by mentioning '根据股票代码和市场' (based on stock symbol and market), which aligns with the schema but doesn't provide additional semantics or usage examples. With high schema coverage, the baseline score of 3 is appropriate, as the description doesn't compensate with extra insights.

Input schemas describe structure but not intent. Descriptions should explain non-obvious parameter relationships and valid value ranges.

Purpose4/5

Does the description clearly state what the tool does and how it differs from similar tools?

The description clearly states the tool's purpose: '根据股票代码和市场获取股票历史价格及技术指标' (get historical stock prices and technical indicators based on stock symbol and market). It specifies the resource (stock historical prices and technical indicators) and verb (获取/get), and distinguishes from siblings by mentioning '不支持加密货币' (does not support cryptocurrencies). However, it doesn't explicitly differentiate from similar tools like stock_indicators_a/hk/us, which might provide overlapping functionality.

Agents choose between tools based on descriptions. A clear purpose with a specific verb and resource helps agents select the right tool.

Usage Guidelines3/5

Does the description explain when to use this tool, when not to, or what alternatives exist?

The description provides some implied usage context by stating '不支持加密货币' (does not support cryptocurrencies), which helps exclude certain use cases. However, it doesn't explicitly state when to use this tool versus alternatives like stock_indicators_a/hk/us or stock_info, nor does it mention prerequisites or specific scenarios where this tool is preferred. The guidance is limited to exclusion rather than positive selection criteria.

Agents often have multiple tools that could apply. Explicit usage guidance like "use X instead of Y when Z" prevents misuse.

Install Server

Other Tools

Latest Blog Posts

MCP directory API

We provide all the information about MCP servers via our MCP API.

curl -X GET 'https://glama.ai/api/mcp/v1/servers/al-one/mcp-aktools'

If you have feedback or need assistance with the MCP directory API, please join our Discord server