Skip to content

Commit 3fe4670

Browse files
authored
docs: add swagger (#28)
1 parent d2a5e79 commit 3fe4670

25 files changed

+791
-16
lines changed

README.md

+8-2
Original file line numberDiff line numberDiff line change
@@ -1,9 +1,15 @@
11
# Motionberry
22

3-
A lightweight solution for motion detection and video streaming on Raspberry Pi, powered by [picamera2](https://github.com/raspberrypi/picamera2).
3+
A lightweight solution for motion detection and video streaming on Raspberry Pi, powered by picamera2
44

55
**Tested and optimized for Raspberry Pi Zero 2W with a Camera module v3**
66

7+
## Quick Links
8+
9+
- [API Documentation](https://j3ko.github.io/motionberry/)
10+
- [Configuration Options](https://github.com/j3ko/motionberry/blob/main/config.default.yml)
11+
- [Report Issues](https://github.com/j3ko/motionberry/issues)
12+
713
## Features v0.1.0
814

915
- Support for Dockerized or bare-metal deployments
@@ -12,7 +18,7 @@ A lightweight solution for motion detection and video streaming on Raspberry Pi,
1218
- Triggered snapshots (JPEG)
1319
- Triggered clip recording
1420
- Output in raw H.264 or MP4 format
15-
- RESTful API and webhook events
21+
- RESTful API and webhook events ([documentation](https://j3ko.github.io/motionberry/))
1622

1723
<div align="center">
1824
<img src="https://raw.githubusercontent.com/j3ko/motionberry/main/docs/screenshot.png" alt="Screenshot" style="width:100%; height:auto;">

app/__init__.py

+37-2
Original file line numberDiff line numberDiff line change
@@ -1,15 +1,16 @@
11
import logging
22
from flask.logging import default_handler
3-
from flask import Flask, current_app
3+
from flask import Flask
44
from app.api import api_bp
5+
from app.api.routes import *
56
from app.ui import ui_bp
67
from app.lib.camera.file_manager import FileManager
78
from app.lib.camera.video_processor import VideoProcessor
89
from app.lib.camera.camera_manager import CameraManager
910
from app.lib.camera.stream_manager import StreamManager
1011
from app.lib.camera.motion_detector import MotionDetector
1112
from app.lib.camera.status_manager import StatusManager
12-
from app.lib.notification.webhook_notifier import WebhookNotifier
13+
from app.lib.notification.webhook_notifier import WebhookNotifier, get_webhook_specs
1314
from app.lib.notification.logging_notifier import LoggingNotifier
1415
import yaml
1516
import json
@@ -37,6 +38,9 @@ def create_app(config_file=None):
3738
app.register_blueprint(api_bp, url_prefix="/api")
3839
app.register_blueprint(ui_bp)
3940

41+
if app.config.get("env", "prod") == "dev":
42+
register_openapi_spec(app, "docs/openapi.json")
43+
4044
app.logger.info("Application initialized successfully.")
4145
return app
4246

@@ -131,3 +135,34 @@ def configure_logging(app, config):
131135

132136
app.logger.setLevel(numeric_level)
133137
app.logger.info(f"Logging configured to {log_level} level.")
138+
139+
def register_openapi_spec(app, file_path):
140+
"""Registers API routes and generates the OpenAPI spec."""
141+
from apispec import APISpec
142+
from apispec.ext.marshmallow import MarshmallowPlugin
143+
from apispec_webframeworks.flask import FlaskPlugin
144+
145+
spec = APISpec(
146+
title="Motionberry API",
147+
version=__version__,
148+
openapi_version="3.0.3",
149+
plugins=[FlaskPlugin(), MarshmallowPlugin()],
150+
)
151+
webhook_specs = get_webhook_specs()
152+
153+
with app.app_context():
154+
spec.path(view=status)
155+
spec.path(view=enable_detection)
156+
spec.path(view=disable_detection)
157+
spec.path(view=list_captures)
158+
spec.path(view=download_capture)
159+
spec.path(view=take_snapshot)
160+
spec.path(view=record)
161+
162+
for webhook_spec in webhook_specs:
163+
for path, definition in webhook_spec.items():
164+
spec._paths[path] = definition
165+
166+
with open(file_path, "w") as f:
167+
json.dump(spec.to_dict(), f, indent=2)
168+
print("OpenAPI spec written to openapi.json")

app/api/routes.py

+189-8
Original file line numberDiff line numberDiff line change
@@ -1,20 +1,77 @@
1-
from flask import Blueprint, jsonify, Response, request, send_from_directory, current_app, stream_with_context
1+
from flask import jsonify, Response, request, send_from_directory, current_app, stream_with_context
22
from app.api import api_bp
3-
from pathlib import Path
43
import os
54
import queue
5+
from ..version import __version__
6+
67

78
@api_bp.route("/status", methods=["GET"])
89
def status():
10+
"""
11+
Returns the health status of the API.
12+
---
13+
get:
14+
summary: Check API health status
15+
description: Returns the current status of the API to indicate whether it is operational.
16+
tags: ["Incoming"]
17+
responses:
18+
200:
19+
description: API is operational.
20+
content:
21+
application/json:
22+
schema:
23+
type: object
24+
properties:
25+
status:
26+
type: string
27+
example: "ok"
28+
"""
929
return jsonify({"status": "ok"})
1030

31+
1132
@api_bp.route('/status_stream')
1233
def status_stream():
34+
"""
35+
Streams real-time status updates as server-sent events.
36+
---
37+
get:
38+
summary: Real-time status updates
39+
description: Streams real-time system status as server-sent events.
40+
tags: ["Incoming"]
41+
responses:
42+
200:
43+
description: Stream of status events.
44+
content:
45+
text/event-stream:
46+
schema:
47+
type: string
48+
"""
1349
status_manager = current_app.config["status_manager"]
1450
return Response(stream_with_context(status_manager.generate_status()), content_type="text/event-stream")
1551

52+
1653
@api_bp.route("/enable_detection", methods=["POST"])
17-
def start_motion_detection():
54+
def enable_detection():
55+
"""
56+
Enables motion detection.
57+
---
58+
post:
59+
summary: Enable motion detection
60+
description: Starts the motion detection process.
61+
tags: ["Incoming"]
62+
responses:
63+
200:
64+
description: Motion detection started successfully.
65+
content:
66+
application/json:
67+
schema:
68+
type: object
69+
properties:
70+
status:
71+
type: string
72+
500:
73+
description: Error enabling motion detection.
74+
"""
1875
motion_detector = current_app.config["motion_detector"]
1976
try:
2077
if not motion_detector.is_running:
@@ -24,9 +81,30 @@ def start_motion_detection():
2481
return jsonify({"status": "Motion detection is already running."})
2582
except Exception as e:
2683
return jsonify({"error": str(e)}), 500
27-
84+
85+
2886
@api_bp.route("/disable_detection", methods=["POST"])
29-
def stop_motion_detection():
87+
def disable_detection():
88+
"""
89+
Disables motion detection.
90+
---
91+
post:
92+
summary: Disable motion detection
93+
description: Stops the motion detection process.
94+
tags: ["Incoming"]
95+
responses:
96+
200:
97+
description: Motion detection stopped successfully.
98+
content:
99+
application/json:
100+
schema:
101+
type: object
102+
properties:
103+
status:
104+
type: string
105+
500:
106+
description: Error disabling motion detection.
107+
"""
30108
motion_detector = current_app.config["motion_detector"]
31109
try:
32110
if motion_detector.is_running:
@@ -37,17 +115,63 @@ def stop_motion_detection():
37115
except Exception as e:
38116
return jsonify({"error": str(e)}), 500
39117

118+
40119
@api_bp.route("/captures", methods=["GET"])
41120
def list_captures():
121+
"""
122+
Lists all captured files.
123+
---
124+
get:
125+
summary: List captured files
126+
description: Retrieves a list of all captured files in the output directory.
127+
tags: ["Incoming"]
128+
responses:
129+
200:
130+
description: List of captures.
131+
content:
132+
application/json:
133+
schema:
134+
type: object
135+
properties:
136+
captures:
137+
type: array
138+
items:
139+
type: string
140+
500:
141+
description: Error listing captures.
142+
"""
42143
file_manager = current_app.config["file_manager"]
43144
try:
44145
files = os.listdir(file_manager.output_dir)
45146
return jsonify({"captures": files})
46147
except Exception as e:
47148
return jsonify({"error": str(e)}), 500
48149

150+
49151
@api_bp.route("/captures/<path:input_path>", methods=["GET"])
50152
def download_capture(input_path):
153+
"""
154+
Downloads a specific captured file.
155+
---
156+
get:
157+
summary: Download a captured file
158+
description: Downloads a specific file from the output directory.
159+
tags: ["Incoming"]
160+
parameters:
161+
- in: path
162+
name: input_path
163+
required: true
164+
schema:
165+
type: string
166+
description: Path or filename of the capture to download.
167+
responses:
168+
200:
169+
description: File downloaded successfully.
170+
content:
171+
application/octet-stream: {}
172+
500:
173+
description: Error downloading file.
174+
"""
51175
file_manager = current_app.config["file_manager"]
52176
output_dir = file_manager.output_dir.resolve()
53177

@@ -62,18 +186,75 @@ def download_capture(input_path):
62186
return send_from_directory(output_dir, str(safe_relative_path))
63187
except Exception as e:
64188
return jsonify({"error": str(e)}), 500
65-
189+
190+
66191
@api_bp.route('/snapshot', methods=['POST'])
67192
def take_snapshot():
193+
"""
194+
Takes a snapshot using the camera.
195+
---
196+
post:
197+
summary: Take a snapshot
198+
description: Captures a still image using the camera.
199+
tags: ["Incoming"]
200+
responses:
201+
200:
202+
description: Snapshot taken successfully.
203+
content:
204+
application/json:
205+
schema:
206+
type: object
207+
properties:
208+
message:
209+
type: string
210+
filename:
211+
type: string
212+
500:
213+
description: Error taking snapshot.
214+
"""
68215
camera_manager = current_app.config["camera_manager"]
69216
try:
70217
full_path = camera_manager.take_snapshot()
71218
return jsonify({"message": "Snapshot taken.", "filename": str(full_path)})
72219
except Exception as e:
73220
return jsonify({"error": str(e)}), 500
74-
221+
222+
75223
@api_bp.route('/record', methods=['POST'])
76224
def record():
225+
"""
226+
Records a video for a specified duration.
227+
---
228+
post:
229+
summary: Record a video
230+
description: Starts a video recording for a given duration.
231+
tags: ["Incoming"]
232+
requestBody:
233+
required: true
234+
content:
235+
application/json:
236+
schema:
237+
type: object
238+
properties:
239+
duration:
240+
type: integer
241+
description: Recording duration in seconds.
242+
example: 10
243+
responses:
244+
200:
245+
description: Video recorded successfully.
246+
content:
247+
application/json:
248+
schema:
249+
type: object
250+
properties:
251+
filename:
252+
type: string
253+
400:
254+
description: Invalid input data.
255+
500:
256+
description: Error during recording.
257+
"""
77258
duration = request.json.get('duration', 0)
78259
if duration <= 0:
79260
return jsonify({"error": "Invalid duration"}), 400
@@ -90,4 +271,4 @@ def record():
90271
else:
91272
return jsonify({"error": "Recording failed or another recording is already in progress"}), 500
92273
except queue.Empty:
93-
return jsonify({"error": "Recording timed out"}), 500
274+
return jsonify({"error": "Recording timed out"}), 500

0 commit comments

Comments
 (0)