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

v1.0.0

Об этом навыке

Идеально для агентов ИИ, которым требуется безопасное и бессостояние развертывание конечных точек API машинного обучения с использованием FastAPI. Эксперт 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

Идеально для агентов ИИ, которым требуется безопасное и бессостояние развертывание конечных точек API машинного обучения с использованием FastAPI. Эксперт ML API. Используй для model serving, inference endpoints, FastAPI и ML deployment.

Зачем использовать этот навык

Позволяет агентам проектировать и развертывать версионированные API с тщательной проверкой ввода, стандартизируя форматы ответов об успехе и ошибке с использованием FastAPI и Pydantic, одновременно планируя обновления моделей с прочной стратегией версионирования.

Подходит лучше всего

Идеально для агентов ИИ, которым требуется безопасное и бессостояние развертывание конечных точек API машинного обучения с использованием FastAPI.

Реализуемые кейсы использования 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 imported from the upstream repository and should be treated as secondary evidence. Use the Killer-Skills review above as the primary layer for fit, risk, and installation decisions.

After The Review

Decide The Next Action Before You Keep Reading Repository Material

Killer-Skills should not stop at opening repository instructions. It should help you decide whether to install this skill, when to cross-check against trusted collections, and when to move into workflow rollout.

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?

Идеально для агентов ИИ, которым требуется безопасное и бессостояние развертывание конечных точек API машинного обучения с использованием FastAPI. Эксперт 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.

Upstream Repository Material

The section below is imported from the upstream repository and should be treated as secondary evidence. Use the Killer-Skills review above as the primary layer for fit, risk, and installation decisions.

Upstream Source

ml-api-endpoint

Install ml-api-endpoint, an AI agent skill for AI agent workflows and automation. Review the use cases, limitations, and setup path before rollout.

SKILL.md
Readonly
Upstream Repository Material
The section below is imported from the upstream repository and should be treated as secondary evidence. Use the Killer-Skills review above as the primary layer for fit, risk, and installation decisions.
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. 🦞

widget-generator

Logo of f
f

Создание настраиваемых плагинов виджетов для системы ленты новостей prompts.chat

flags

Logo of vercel
vercel

Фреймворк React

138.4k
0
Браузер

pr-review

Logo of pytorch
pytorch

Tensors and Dynamic neural networks in Python with strong GPU acceleration

98.6k
0
Разработчик