ml-api-endpoint — developer-tools ml-api-endpoint, markups, community, developer-tools, ide skills, live-preview, markdown, security-first, Claude Code, Cursor, Windsurf

v1.0.0

このスキルについて

FastAPIを使用してセキュアでステートレスな機械学習APIエンドポイントをデプロイする必要があるAIエージェントに最適。 Эксперт ML API. Используй для model serving, inference endpoints, FastAPI и ML deployment.

# Core Topics

Nir-Bhay Nir-Bhay
[4]
[0]
Updated: 3/7/2026

Killer-Skills Review

Decision support comes first. Repository text comes second.

Reference-Only Page Review Score: 9/11

This page remains useful for operators, but Killer-Skills treats it as reference material instead of a primary organic landing page.

Original recommendation layer Concrete use-case guidance Explicit limitations and caution Quality floor passed for review
Review Score
9/11
Quality Score
51
Canonical Locale
en
Detected Body Locale
en

FastAPIを使用してセキュアでステートレスな機械学習APIエンドポイントをデプロイする必要があるAIエージェントに最適。 Эксперт ML API. Используй для model serving, inference endpoints, FastAPI и ML deployment.

このスキルを使用する理由

FastAPIとPydanticを使用して、バージョン管理されたAPIを設計してデプロイし、入力検証を厳格に実施し、成功とエラーのレスポンスフォーマットを標準化し、モデル更新のための堅実なバージョニング戦略を計画する機能をエージェントに提供する。

おすすめ

FastAPIを使用してセキュアでステートレスな機械学習APIエンドポイントをデプロイする必要があるAIエージェントに最適。

実現可能なユースケース for ml-api-endpoint

ステートレスな機械学習モデルをAPIとしてデプロイする
成功とエラーのハンドリングのための統一されたレスポンス形式を実装する
推論前に入力を検証してセキュアなAPIインタラクションを確保する

! セキュリティと制限

  • Python環境が必要
  • FastAPIとPydanticライブラリに依存している
  • ステートレス設計はすべての機械学習アプリケーションに適さない可能性がある

Why this page is reference-only

  • - Current locale does not satisfy the locale-governance contract.

Source Boundary

The section below is supporting source material from the upstream repository. Use the Killer-Skills review above as the primary decision layer.

Labs Demo

Browser Sandbox Environment

⚡️ Ready to unleash?

Experience this Agent in a zero-setup browser environment powered by WebContainers. No installation required.

Boot Container Sandbox

FAQ & Installation Steps

These questions and steps mirror the structured data on this page for better search understanding.

? Frequently Asked Questions

What is ml-api-endpoint?

FastAPIを使用してセキュアでステートレスな機械学習APIエンドポイントをデプロイする必要があるAIエージェントに最適。 Эксперт ML API. Используй для model serving, inference endpoints, FastAPI и ML deployment.

How do I install ml-api-endpoint?

Run the command: npx killer-skills add Nir-Bhay/markups/ml-api-endpoint. It works with Cursor, Windsurf, VS Code, Claude Code, and 19+ other IDEs.

What are the use cases for ml-api-endpoint?

Key use cases include: ステートレスな機械学習モデルをAPIとしてデプロイする, 成功とエラーのハンドリングのための統一されたレスポンス形式を実装する, 推論前に入力を検証してセキュアなAPIインタラクションを確保する.

Which IDEs are compatible with ml-api-endpoint?

This skill is compatible with Cursor, Windsurf, VS Code, Trae, Claude Code, OpenClaw, Aider, Codex, OpenCode, Goose, Cline, Roo Code, Kiro, Augment Code, Continue, GitHub Copilot, Sourcegraph Cody, and Amazon Q Developer. Use the Killer-Skills CLI for universal one-command installation.

Are there any limitations for ml-api-endpoint?

Python環境が必要. FastAPIとPydanticライブラリに依存している. ステートレス設計はすべての機械学習アプリケーションに適さない可能性がある.

How To Install

  1. 1. Open your terminal

    Open the terminal or command line in your project directory.

  2. 2. Run the install command

    Run: npx killer-skills add Nir-Bhay/markups/ml-api-endpoint. The CLI will automatically detect your IDE or AI agent and configure the skill.

  3. 3. Start using the skill

    The skill is now active. Your AI agent can use ml-api-endpoint immediately in the current project.

! Reference-Only Mode

This page remains useful for installation and reference, but Killer-Skills no longer treats it as a primary indexable landing page. Read the review above before relying on the upstream repository instructions.

Imported Repository Instructions

The section below is supporting source material from the upstream repository. Use the Killer-Skills review above as the primary decision layer.

Supporting Evidence

ml-api-endpoint

Install ml-api-endpoint, an AI agent skill for AI agent workflows and automation. Works with Claude Code, Cursor, and Windsurf with one-command setup.

SKILL.md
Readonly
Imported Repository Instructions
The section below is supporting source material from the upstream repository. Use the Killer-Skills review above as the primary decision layer.
Supporting Evidence

ML API Endpoint Expert

Expert in designing and deploying machine learning API endpoints.

Core Principles

API Design

  • Stateless Design: Each request contains all necessary information
  • Consistent Response Format: Standardize success/error structures
  • Versioning Strategy: Plan for model updates
  • Input Validation: Rigorous validation before inference

FastAPI Implementation

Basic ML Endpoint

python
1from fastapi import FastAPI, HTTPException 2from pydantic import BaseModel, validator 3import joblib 4import numpy as np 5 6app = FastAPI(title="ML Model API", version="1.0.0") 7 8model = None 9 10@app.on_event("startup") 11async def load_model(): 12 global model 13 model = joblib.load("model.pkl") 14 15class PredictionInput(BaseModel): 16 features: list[float] 17 18 @validator('features') 19 def validate_features(cls, v): 20 if len(v) != 10: 21 raise ValueError('Expected 10 features') 22 return v 23 24class PredictionResponse(BaseModel): 25 prediction: float 26 confidence: float | None = None 27 model_version: str 28 request_id: str 29 30@app.post("/predict", response_model=PredictionResponse) 31async def predict(input_data: PredictionInput): 32 features = np.array([input_data.features]) 33 prediction = model.predict(features)[0] 34 35 return PredictionResponse( 36 prediction=float(prediction), 37 model_version="v1", 38 request_id=generate_request_id() 39 )

Batch Prediction

python
1class BatchInput(BaseModel): 2 instances: list[list[float]] 3 4 @validator('instances') 5 def validate_batch_size(cls, v): 6 if len(v) > 100: 7 raise ValueError('Batch size cannot exceed 100') 8 return v 9 10@app.post("/predict/batch") 11async def batch_predict(input_data: BatchInput): 12 features = np.array(input_data.instances) 13 predictions = model.predict(features) 14 15 return { 16 "predictions": predictions.tolist(), 17 "count": len(predictions) 18 }

Performance Optimization

Model Caching

python
1class ModelCache: 2 def __init__(self, ttl_seconds=300): 3 self.cache = {} 4 self.ttl = ttl_seconds 5 6 def get(self, features): 7 key = hashlib.md5(str(features).encode()).hexdigest() 8 if key in self.cache: 9 result, timestamp = self.cache[key] 10 if time.time() - timestamp < self.ttl: 11 return result 12 return None 13 14 def set(self, features, prediction): 15 key = hashlib.md5(str(features).encode()).hexdigest() 16 self.cache[key] = (prediction, time.time())

Health Checks

python
1@app.get("/health") 2async def health_check(): 3 return { 4 "status": "healthy", 5 "model_loaded": model is not None 6 } 7 8@app.get("/metrics") 9async def get_metrics(): 10 return { 11 "requests_total": request_counter, 12 "prediction_latency_avg": avg_latency, 13 "error_rate": error_rate 14 }

Docker Deployment

dockerfile
1FROM python:3.9-slim 2 3WORKDIR /app 4COPY requirements.txt . 5RUN pip install --no-cache-dir -r requirements.txt 6 7COPY . . 8EXPOSE 8000 9 10CMD ["uvicorn", "main:app", "--host", "0.0.0.0", "--port", "8000", "--workers", "4"]

Best Practices

  • Use async/await for I/O operations
  • Validate data types, ranges, and business rules
  • Cache predictions for deterministic models
  • Handle model failures with fallback responses
  • Log predictions, latencies, and errors
  • Support multiple model versions
  • Set memory and CPU limits

関連スキル

Looking for an alternative to ml-api-endpoint or another community skill for your workflow? Explore these related open-source skills.

すべて表示

openclaw-release-maintainer

Logo of openclaw
openclaw

Your own personal AI assistant. Any OS. Any Platform. The lobster way. 🦞

333.8k
0
AI

widget-generator

Logo of f
f

カスタマイズ可能なウィジェットプラグインをprompts.chatのフィードシステム用に生成する

149.6k
0
AI

flags

Logo of vercel
vercel

React フレームワーク

138.4k
0
ブラウザ

pr-review

Logo of pytorch
pytorch

Pythonにおけるテンソルと動的ニューラルネットワーク(強力なGPUアクセラレーション)

98.6k
0
開発者