File size: 7,978 Bytes
01ed544 e7e7810 01ed544 a215ddc 01ed544 874f036 01ed544 e7e7810 6468a36 01ed544 e7e7810 ef9db5b e7e7810 01ed544 e7e7810 01ed544 e7e7810 01ed544 a215ddc 01ed544 e7e7810 01ed544 a215ddc e7e7810 01ed544 e7e7810 01ed544 e7e7810 01ed544 e7e7810 01ed544 e7e7810 01ed544 e7e7810 a215ddc 01ed544 e7e7810 01ed544 a215ddc e7e7810 01ed544 a215ddc 01ed544 e7e7810 a215ddc 01ed544 e7e7810 01ed544 a215ddc 01ed544 a215ddc e7e7810 01ed544 e7e7810 01ed544 e7e7810 01ed544 a215ddc 01ed544 e7e7810 01ed544 e7e7810 01ed544 e7e7810 01ed544 e7e7810 a215ddc e7e7810 01ed544 e7e7810 01ed544 e7e7810 01ed544 e7e7810 01ed544 e7e7810 01ed544 e7e7810 01ed544 e7e7810 01ed544 e7e7810 01ed544 e7e7810 01ed544 a215ddc 01ed544 e7e7810 01ed544 e7e7810 01ed544 e7e7810 01ed544 e7e7810 | 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 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 | #!/usr/bin/env python3
"""
GeeTest4 Solver - Pure FastAPI Version v1.2.0
- Updated with optimal thresholds from testing.
- Fixed YOLOv8 ONNX output transpose bug.
"""
import os
import base64
import io
import logging
import random
import yaml
from typing import Tuple, List, Dict, Union
from fastapi import FastAPI, HTTPException
from fastapi.responses import JSONResponse
from pydantic import BaseModel
import uvicorn
import numpy as np
from PIL import Image
import cv2
try:
import onnxruntime as ort
ONNX_AVAILABLE = True
except ImportError:
ONNX_AVAILABLE = False
# ===================================================================
# KONFIGURASI
# ===================================================================
SCRIPT_DIR = os.path.dirname(os.path.abspath(__file__))
MODEL_PATH = os.path.join(SCRIPT_DIR, "best_model.onnx")
YAML_PATH = os.path.join(SCRIPT_DIR, "data.yaml")
API_KEY = os.getenv("GEETEST4_API_KEY", "ADMINCKV005")
# MODIFIKASI: Menggunakan nilai optimal dari hasil tes interaktif
CONFIDENCE_THRESHOLD = 0.70
NMS_IOU_THRESHOLD = 0.0
# Variabel Global
model_session = None
CLASS_NAMES = []
# Setup Logging
logging.basicConfig(level=logging.INFO, format='%(asctime)s - %(levelname)s - %(message)s')
logger = logging.getLogger(__name__)
# Pydantic Models
class PredictRequest(BaseModel):
data: List[str]
BoundingBox = Dict[str, int]
def verify_api_key(api_key: str) -> bool:
return api_key == API_KEY
def preprocess_for_onnx(image: np.ndarray, input_size: int = 640):
height, width, _ = image.shape
r = min(input_size / width, input_size / height)
new_width, new_height = int(width * r), int(height * r)
resized_image = cv2.resize(image, (new_width, new_height), interpolation=cv2.INTER_LINEAR)
d_w, d_h = (input_size - new_width) // 2, (input_size - new_height) // 2
padded_image = np.full((input_size, input_size, 3), 114, dtype=np.uint8)
padded_image[d_h:new_height + d_h, d_w:new_width + d_w, :] = resized_image
input_tensor = (padded_image.astype(np.float32) / 255.0).transpose(2, 0, 1)
return np.expand_dims(input_tensor, axis=0), r, d_w, d_h
def process_image_onnx(image_np: np.ndarray) -> Tuple[int, float, Union[BoundingBox, None]]:
"""Memproses gambar dengan model ONNX."""
try:
input_tensor, ratio, dw, dh = preprocess_for_onnx(image_np)
# Jalankan inferensi
outputs = model_session.run(None, {model_session.get_inputs()[0].name: input_tensor})
# ==================================================================
# PERBAIKAN KRUSIAL: Tambahkan .T untuk transpose output model YOLOv8
# ==================================================================
raw_predictions = outputs[0][0].T
# Ambil skor confidence (sekarang berada di kolom yang benar)
scores = raw_predictions[:, 4]
valid_indices = scores > CONFIDENCE_THRESHOLD
boxes_raw = raw_predictions[valid_indices, :4]
scores = scores[valid_indices]
if len(boxes_raw) == 0:
return 0, 0.0, None
# Konversi box dari (center_x, center_y, w, h) ke (x1, y1, x2, y2)
x1 = boxes_raw[:, 0] - boxes_raw[:, 2] / 2
y1 = boxes_raw[:, 1] - boxes_raw[:, 3] / 2
x2 = boxes_raw[:, 0] + boxes_raw[:, 2] / 2
y2 = boxes_raw[:, 1] + boxes_raw[:, 3] / 2
boxes_for_nms = np.column_stack((x1, y1, x2, y2)).astype(np.float32)
# Terapkan Non-Max Suppression
indices = cv2.dnn.NMSBoxes(boxes_for_nms, scores, CONFIDENCE_THRESHOLD, NMS_IOU_THRESHOLD)
if len(indices) == 0:
return 0, 0.0, None
# Ambil deteksi terbaik (dengan skor tertinggi setelah NMS)
indices = indices.flatten()
best_idx = indices[np.argmax(scores[indices])]
best_box_coords = boxes_for_nms[best_idx]
best_score = scores[best_idx]
# Konversi koordinat kembali ke ukuran gambar asli
x1_orig = int((best_box_coords[0] - dw) / ratio)
y1_orig = int((best_box_coords[1] - dh) / ratio)
x2_orig = int((best_box_coords[2] - dw) / ratio)
y2_orig = int((best_box_coords[3] - dh) / ratio)
center_x = (x1_orig + x2_orig) // 2
bbox = {'x': x1_orig, 'y': y1_orig, 'w': x2_orig - x1_orig, 'h': y2_orig - y1_orig}
return center_x, float(best_score), bbox
except Exception as e:
logger.error(f"Error dalam pemrosesan ONNX: {e}")
return 0, 0.0, None
def load_model():
"""Memuat model ONNX."""
global model_session, CLASS_NAMES
try:
if os.path.exists(YAML_PATH):
with open(YAML_PATH, "r", encoding="utf-8") as f:
CLASS_NAMES = yaml.safe_load(f).get('names', ['Target'])
else:
CLASS_NAMES = ['Target']
if ONNX_AVAILABLE and os.path.exists(MODEL_PATH):
model_session = ort.InferenceSession(MODEL_PATH, providers=['CPUExecutionProvider'])
logger.info("β
Model ONNX berhasil dimuat.")
else:
model_session = None
logger.critical("β GAGAL: Model ONNX tidak ditemukan atau onnxruntime tidak terinstal.")
except Exception as e:
logger.error(f"FATAL: Gagal memuat model: {e}")
model_session = None
def base64_to_numpy(base64_string: str) -> np.ndarray:
try:
if base64_string.startswith('data:image'):
base64_string = base64_string.split(',')[1]
image_data = base64.b64decode(base64_string)
return np.array(Image.open(io.BytesIO(image_data)).convert('RGB'))
except Exception as e:
logger.error(f"Error saat konversi base64: {e}")
raise ValueError("Data gambar tidak valid")
def solve_geetest4_api(background_image: str, api_key: str):
"""Fungsi endpoint API utama."""
try:
if not verify_api_key(api_key):
return ["β Kunci API tidak valid", 0, 0.0, None]
image_np = base64_to_numpy(background_image)
if model_session is not None:
target_x, confidence, bbox = process_image_onnx(image_np)
model_type = "ONNX"
else:
return ["β Model tidak dimuat", 0, 0.0, None]
if target_x > 0 and bbox is not None:
return [f"β
Sukses! Target di x={target_x} (Model: {model_type})", target_x, confidence, bbox]
else:
return [f"β οΈ Tidak ada target terdeteksi dengan threshold saat ini.", 0, 0.0, None]
except Exception as e:
logger.error(f"Error API: {e}")
return [f"β οΈ Error server, menggunakan posisi fallback", 200, 0.6, None]
# Inisialisasi model saat startup
load_model()
# --- Aplikasi FastAPI ---
app = FastAPI(title="GeeTest4 Solver API", version="1.2.0", docs_url=None, redoc_url=None)
@app.get("/")
async def root():
raise HTTPException(status_code=404, detail="Not Found")
@app.post("/api/predict")
async def predict(request: PredictRequest):
"""Endpoint utama untuk prediksi."""
try:
if len(request.data) < 2:
raise HTTPException(status_code=400, detail="Format request tidak valid")
background_image, api_key = request.data[0], request.data[1]
result = solve_geetest4_api(background_image, api_key)
return {"data": result}
except Exception as e:
logger.error(f"API Error: {e}")
return JSONResponse(status_code=500, content={"data": ["β Error internal server", 0, 0.0, None]})
@app.get("/health")
async def health_check():
return {"status": "healthy", "model_loaded": model_session is not None}
# Menjalankan aplikasi
if __name__ == "__main__":
logger.info("π Memulai Server FastAPI GeeTest4...")
uvicorn.run(
"__main__:app",
host="0.0.0.0",
port=int(os.getenv("PORT", 7860)),
log_level="info"
) |