Spaces:
Runtime error
Runtime error
File size: 3,401 Bytes
3ec4ff0 ddca844 3ec4ff0 ddca844 4a485db 3ec4ff0 4a485db ddca844 3ec4ff0 4a485db 3ec4ff0 ddca844 3ec4ff0 ddca844 3ec4ff0 4a485db ddca844 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 |
"""API v1 route handlers."""
from fastapi import APIRouter, Response, File, UploadFile
import numpy as np
from fastapi.responses import StreamingResponse
from typing import Dict, List
from src.modules.transporter import add_to_queue
from src.modules.models.index import embed_text
import io
# Create v1 router
router = APIRouter(prefix='/v1', tags=['v1'])
import matplotlib.pyplot as plt
from src.modules.transporter.redis_client import pubsub
from src.modules.transporter.kafka import kafka_pubsub
@router.get("/hello")
async def hello_world():
"""Hello world endpoint."""
add_to_queue("hello-python", "Hello from FastAPI!")
await pubsub.publish('chat', "message")
await kafka_pubsub.publish('chat', "messagejbdjchsjdhcjsdchbsjdch")
return {"message": "Hello, reloaded!"}
@router.get("/health")
async def health_check(msg) -> Dict[str, str]:
print("[chat rehealthdis] Received: message")
"""Health check endpoint."""
return {"status": "healthy"}
@router.get("/metrics")
async def metrics() -> Dict[str, int]:
"""Application metrics endpoint."""
return {
"total_routes": len(router.routes),
"api_version": 1
}
@router.get("/plot")
async def get_plot():
# Tạo biểu đồ
plt.figure(figsize=(6, 4))
x = [1, 2, 3, 4, 5]
y = [i ** 2 for i in x]
plt.plot(x, y, label="y = x^2")
plt.title("Sample Plot")
plt.xlabel("x")
plt.ylabel("y")
plt.legend()
# Lưu vào buffer
buf = io.BytesIO()
plt.savefig(buf, format="png")
plt.close()
buf.seek(0)
# Trả về dưới dạng ảnh PNG
return Response(content=buf.getvalue(), media_type="image/png")
import cv2
@router.post("/edit-image/")
async def edit_image(file: UploadFile = File(...)):
import cv2
# Đọc file ảnh từ request
contents = await file.read()
nparr = np.frombuffer(contents, np.uint8)
img = cv2.imdecode(nparr, cv2.IMREAD_COLOR)
# Xử lý ảnh: ví dụ chuyển sang ảnh xám
gray = cv2.cvtColor(img, cv2.COLOR_BGR2GRAY)
# Chuyển lại thành ảnh màu để trả về (nếu cần)
result = cv2.cvtColor(gray, cv2.COLOR_GRAY2BGR)
# Encode ảnh thành bytes
_, img_encoded = cv2.imencode('.jpg', result)
return StreamingResponse(io.BytesIO(img_encoded.tobytes()), media_type="image/jpeg")
# Load bộ phân loại khuôn mặt Haar Cascade
face_cascade = cv2.CascadeClassifier(
cv2.data.haarcascades + "haarcascade_frontalface_default.xml"
)
@router.post("/detect-faces/")
async def detect_faces(file: UploadFile = File(...)):
# Đọc dữ liệu ảnh
contents = await file.read()
nparr = np.frombuffer(contents, np.uint8)
img = cv2.imdecode(nparr, cv2.IMREAD_COLOR)
# Chuyển sang ảnh xám để nhận diện
gray = cv2.cvtColor(img, cv2.COLOR_BGR2GRAY)
# Phát hiện khuôn mặt
faces = face_cascade.detectMultiScale(
gray,
scaleFactor=1.1,
minNeighbors=5,
minSize=(30, 30)
)
# Vẽ hình chữ nhật quanh khuôn mặt
for (x, y, w, h) in faces:
cv2.rectangle(img, (x, y), (x+w, y+h), (0, 255, 0), 2)
# Chuyển ảnh kết quả thành bytes
_, img_encoded = cv2.imencode('.jpg', img)
return StreamingResponse(
io.BytesIO(img_encoded.tobytes()),
media_type="image/jpeg"
) |