paasta-api-endpoint
Automates the creation of new PaaSTA API endpoints following established patterns
Install
mkdir -p .claude/skills/paasta-api-endpoint && curl -L -o skill.zip "https://mcp.directory/api/skills/download/2345" && unzip -o skill.zip -d .claude/skills/paasta-api-endpoint && rm skill.zipInstalls to .claude/skills/paasta-api-endpoint
About this skill
PaaSTA API Endpoint Generator
Description
Automates the creation of new PaaSTA API endpoints following established patterns. This skill guides you through adding a new endpoint to the PaaSTA API, including view function, route registration, Swagger/OpenAPI documentation, and comprehensive tests.
Usage
/paasta-api-endpoint
What This Skill Does
This skill will:
- Gather endpoint requirements interactively
- Generate a view function in
paasta_tools/api/views/ - Register the route in
paasta_tools/api/api.py - Add Swagger 2.0 documentation to
swagger.json - Add OpenAPI 3.0 documentation to
oapi.yaml - Generate unit tests following PaaSTA conventions
- Run the OpenAPI code generator
- Run tests to verify the implementation
When to Use This Skill
Use this skill when you need to:
- Add a new GET/POST/PUT/DELETE endpoint to the PaaSTA API
- Ensure consistency with existing API patterns
- Automatically generate boilerplate code and documentation
- Get comprehensive test coverage from the start
Instructions
When this skill is invoked, follow these steps:
Step 1: Gather Requirements
Ask the user the following questions (use AskUserQuestion tool for better UX):
- Endpoint purpose: What does this endpoint do? (brief description)
- HTTP method: GET, POST, PUT, or DELETE?
- URL pattern: What's the URL path? (e.g.,
/v1/services/{service}/instances/{instance}/status) - Path parameters: What path parameters are needed? (e.g., service, instance, deploy_group)
- Query parameters: Any query parameters? (optional)
- Request body: Does this endpoint accept a request body? If yes, what fields?
- Response structure: What does the response look like? (e.g.,
{"status": "running", "count": 5}) - Error cases: What error scenarios should be handled? (e.g., 404 not found, 500 config error)
- View file: Which view file should contain this endpoint?
- Use existing:
service.py,instance.py,autoscaler.py, etc. - Or create new: provide filename
- Use existing:
- Utility functions: What existing utility functions from
paasta_tools/utils.pywill be used?
Step 2: Generate View Function
Create the view function following this template:
@view_config(route_name="<route_name>", request_method="<METHOD>", renderer="json")
def <function_name>(request):
"""<Docstring describing what this endpoint does>."""
# Extract parameters from request
param1 = request.swagger_data.get("param1")
param2 = request.swagger_data.get("param2")
soa_dir = settings.soa_dir
try:
# Call utility functions to get data
result = some_utility_function(param1, param2, soa_dir=soa_dir)
# Build response
response_body = {"key": result}
return Response(json_body=response_body, status_code=200)
except SpecificException as e:
raise ApiFailure(str(e), 404)
except AnotherException as e:
raise ApiFailure(str(e), 500)
Important conventions:
- Import
Responsefrompyramid.responsefor explicit status codes - Import
ApiFailurefrompaasta_tools.api.views.exceptionfor error handling - All imports at the top of the file (no inline imports)
- Use
settings.soa_dirto get the SOA configuration directory - Return 200 for success, 404 for not found, 500 for server errors
- Always include proper error handling with try/except
Step 3: Register Route
Add route registration to paasta_tools/api/api.py:
config.add_route(
"<route_name>",
"<url_pattern>",
)
Find the appropriate location (routes are loosely grouped by functionality).
Step 4: Add Swagger 2.0 Documentation
Update paasta_tools/api/api_docs/swagger.json:
- Add endpoint definition to
"paths"section:
"/path/{param}": {
"get": {
"responses": {
"200": {
"description": "Success description",
"schema": {
"$ref": "#/definitions/ResponseSchema"
}
},
"404": {
"description": "Not found description"
}
},
"summary": "Brief summary",
"operationId": "operation_id",
"tags": ["service"],
"parameters": [
{
"in": "path",
"description": "Parameter description",
"name": "param",
"required": true,
"type": "string"
}
]
}
}
- Add response schema to
"definitions"section if needed:
"ResponseSchema": {
"description": "Schema description",
"type": "object",
"properties": {
"field": {
"type": "string",
"description": "Field description"
}
},
"required": ["field"]
}
Nullable fields in Swagger 2.0:
For fields that can be null, use the x-nullable extension:
"optional_field": {
"type": "string",
"description": "This field can be null",
"x-nullable": true
}
Step 5: Add OpenAPI 3.0 Documentation
Update paasta_tools/api/api_docs/oapi.yaml:
- Add schema to
components/schemassection:
ResponseSchema:
description: Schema description
type: object
properties:
field:
type: string
description: Field description
required:
- field
- Add endpoint to
pathssection:
/path/{param}:
get:
operationId: operation_id
parameters:
- description: Parameter description
in: path
name: param
required: true
schema:
type: string
responses:
"200":
content:
application/json:
schema:
$ref: '#/components/schemas/ResponseSchema'
description: Success description
"404":
description: Not found description
summary: Brief summary
tags:
- service
Nullable fields in OpenAPI 3.0:
For fields that can be null, use the nullable property:
optional_field:
type: string
description: This field can be null
nullable: true
Step 6: Generate Unit Tests
Create comprehensive unit tests in tests/api/test_<view_file>.py:
Test conventions:
- Use context manager form of mocking (
with mock.patch(...) as mock_name:) - Always use
autospec=Truefor patches - Use
spec=ClassNamefor Mock objects that represent class instances - Test success case (200 response)
- Test all error cases (404, 500, etc.)
- Use descriptive test names:
test_<function_name>_<scenario> - Use descriptive docstrings
Test template:
def test_endpoint_name_success():
"""Test successful response."""
with mock.patch(
"paasta_tools.api.views.<module>.<function>", autospec=True
) as mock_function:
mock_function.return_value = "expected_value"
request = testing.DummyRequest()
request.swagger_data = {"param": "value"}
response = endpoint_function(request)
assert response.status_code == 200
assert response.json_body == {"key": "expected_value"}
def test_endpoint_name_not_found():
"""Test 404 when resource not found."""
with mock.patch(
"paasta_tools.api.views.<module>.<function>", autospec=True
) as mock_function:
mock_function.side_effect = SomeException("not found")
request = testing.DummyRequest()
request.swagger_data = {"param": "value"}
with pytest.raises(ApiFailure) as exc_info:
endpoint_function(request)
assert exc_info.value.msg == "not found"
assert exc_info.value.err == 404
Step 7: Generate OpenAPI Client Code
Run the code generator:
make openapi-codegen
This regenerates the Python client code in paasta_tools/paastaapi/ based on the updated oapi.yaml.
Step 8: Run Tests and Validation
- Run the new tests:
.tox/py310-linux/bin/pytest tests/api/test_<view_file>.py::<test_name> -xvs
- Run mypy type checking:
.tox/py310-linux/bin/mypy paasta_tools/api/views/<view_file>.py
.tox/py310-linux/bin/mypy tests/api/test_<view_file>.py
- Run pre-commit checks:
.tox/py310-linux/bin/pre-commit run --files paasta_tools/api/views/<view_file>.py tests/api/test_<view_file>.py paasta_tools/api/api.py paasta_tools/api/api_docs/swagger.json paasta_tools/api/api_docs/oapi.yaml
- Stage the generated files:
git add paasta_tools/paastaapi/
Step 9: Summary
Provide a summary of:
- Files created/modified
- Endpoint URL and method
- Test coverage (number of tests added)
- Any manual steps needed
Example Reference
See the container image endpoint implementation as a reference:
- View:
paasta_tools/api/views/service.py:43-63 - Route:
paasta_tools/api/api.py:166-169 - Tests:
tests/api/test_service.py:63-143
Common Patterns
Error Handling
NoDeploymentsAvailable→ 404KeyErrorfor missing config fields → 500ValueErrorfor invalid input → 400- Generic exceptions → 500
Response Patterns
- Single value:
{"field_name": "value"} - List:
{"items": [...]} - Complex object: Use TypedDict schema
Utility Functions
Common utilities are usually found in paasta_tools/utils.py
Notes
- Atomic commits: Each endpoint should be a single, self-contained commit
- Bisectable history: All tests must pass after adding the endpoint
- Type safety: Use type hints and ensure mypy passes
- Documentation: Keep Swagger and OpenAPI docs in sync
- Testing: Aim for 100% coverage of the new endpoint
Skill Exit
After completing all steps successfully, provide the user with:
- Summary of changes
- Test results
- Verification that pre-commit checks pass
- Suggested commit message following PaaSTA conventions
You might also like
flutter-development
aj-geddes
Build beautiful cross-platform mobile apps with Flutter and Dart. Covers widgets, state management with Provider/BLoC, navigation, API integration, and material design.
drawio-diagrams-enhanced
jgtolentino
Create professional draw.io (diagrams.net) diagrams in XML format (.drawio files) with integrated PMP/PMBOK methodologies, extensive visual asset libraries, and industry-standard professional templates. Use this skill when users ask to create flowcharts, swimlane diagrams, cross-functional flowcharts, org charts, network diagrams, UML diagrams, BPMN, project management diagrams (WBS, Gantt, PERT, RACI), risk matrices, stakeholder maps, or any other visual diagram in draw.io format. This skill includes access to custom shape libraries for icons, clipart, and professional symbols.
ui-ux-pro-max
nextlevelbuilder
"UI/UX design intelligence. 50 styles, 21 palettes, 50 font pairings, 20 charts, 8 stacks (React, Next.js, Vue, Svelte, SwiftUI, React Native, Flutter, Tailwind). Actions: plan, build, create, design, implement, review, fix, improve, optimize, enhance, refactor, check UI/UX code. Projects: website, landing page, dashboard, admin panel, e-commerce, SaaS, portfolio, blog, mobile app, .html, .tsx, .vue, .svelte. Elements: button, modal, navbar, sidebar, card, table, form, chart. Styles: glassmorphism, claymorphism, minimalism, brutalism, neumorphism, bento grid, dark mode, responsive, skeuomorphism, flat design. Topics: color palette, accessibility, animation, layout, typography, font pairing, spacing, hover, shadow, gradient."
godot
bfollington
This skill should be used when working on Godot Engine projects. It provides specialized knowledge of Godot's file formats (.gd, .tscn, .tres), architecture patterns (component-based, signal-driven, resource-based), common pitfalls, validation tools, code templates, and CLI workflows. The `godot` command is available for running the game, validating scripts, importing resources, and exporting builds. Use this skill for tasks involving Godot game development, debugging scene/resource files, implementing game systems, or creating new Godot components.
nano-banana-pro
garg-aayush
Generate and edit images using Google's Nano Banana Pro (Gemini 3 Pro Image) API. Use when the user asks to generate, create, edit, modify, change, alter, or update images. Also use when user references an existing image file and asks to modify it in any way (e.g., "modify this image", "change the background", "replace X with Y"). Supports both text-to-image generation and image-to-image editing with configurable resolution (1K default, 2K, or 4K for high resolution). DO NOT read the image file first - use this skill directly with the --input-image parameter.
fastapi-templates
wshobson
Create production-ready FastAPI projects with async patterns, dependency injection, and comprehensive error handling. Use when building new FastAPI applications or setting up backend API projects.
Related MCP Servers
Browse all serversOpenDia is a web based diagram tool enabling real-time collaborative diagram creation and editing via easy-to-use web in
Automate Cypress test creation: analyze pages with Puppeteer to extract DOM elements and generate page object models, se
GraphQL Forge automates tool creation from any GraphQL API, offering seamless integration and intelligent caching for Gi
Automate GitHub Pages documentation with top static site generators like MkDocs. Generate, structure, and publish your d
WebScout automates chat API analysis using Selenium for software testing and packet analyzer tools to reveal hidden endp
Create perfect KakaoTalk emoticons fast — AI emoticon generator with validation tools and a Kakao emoticon maker workflo
Stay ahead of the MCP ecosystem
Get weekly updates on new skills and servers.