File size: 10,510 Bytes
4e285d0 | 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 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 | """
ЕГЭ Эксперт - API для проверки сочинений и парсинга заданий
Объединяет ruBERT scraper и ФИПИ парсер
"""
from fastapi import FastAPI, HTTPException
from fastapi.middleware.cors import CORSMiddleware
from pydantic import BaseModel
from typing import Optional, List, Dict
import torch
from transformers import AutoTokenizer, AutoModel
import re
import json
import os
from dotenv import load_dotenv
# Загружаем переменные окружения
load_dotenv()
app = FastAPI(
title="ЕГЭ Эксперт API",
description="Проверка сочинений ЕГЭ + парсинг заданий ФИПИ",
version="2.0.0"
)
app.add_middleware(
CORSMiddleware,
allow_origins=["*"],
allow_methods=["*"],
allow_headers=["*"],
)
# ============================================================
# ЗАГРУЗКА ruBERT
# ============================================================
MODEL_NAME = "DeepPavlov/rubert-base-cased-sentence"
tokenizer = None
model = None
def load_model():
global tokenizer, model
print("Loading ruBERT model...")
tokenizer = AutoTokenizer.from_pretrained(MODEL_NAME)
model = AutoModel.from_pretrained(MODEL_NAME)
model.eval()
print("ruBERT loaded!")
@app.on_event("startup")
async def startup():
load_model()
# ============================================================
# МОДЕЛИ ДАННЫХ
# ============================================================
class EssayRequest(BaseModel):
essay: str
source: Optional[str] = ""
class TaskRequest(BaseModel):
url: Optional[str] = ""
max_pages: int = 3
class SupabaseConfig(BaseModel):
supabase_url: str
supabase_key: str
# ============================================================
# УТИЛИТЫ
# ============================================================
def normalize(text: str) -> str:
return text.lower().replace("ё", "е").strip()
def count_words(text: str) -> int:
return len([w for w in text.strip().split() if w])
def get_paragraphs(text: str) -> list:
return [p.strip() for p in re.split(r'\n+', text) if p.strip()]
def get_sentences(text: str) -> list:
return [s.strip() for s in re.split(r'[.!?]+', text) if s.strip()]
def get_embedding(text: str) -> torch.Tensor:
inputs = tokenizer(text, return_tensors="pt", truncation=True, max_length=512, padding=True)
with torch.no_grad():
outputs = model(**inputs)
token_embeddings = outputs.last_hidden_state
attention_mask = inputs["attention_mask"]
mask_expanded = attention_mask.unsqueeze(-1).expand(token_embeddings.size()).float()
embedding = torch.sum(token_embeddings * mask_expanded, 1) / torch.clamp(mask_expanded.sum(1), min=1e-9)
return embedding[0]
def cosine_similarity(a: torch.Tensor, b: torch.Tensor) -> float:
return torch.nn.functional.cosine_similarity(a.unsqueeze(0), b.unsqueeze(0)).item()
# ============================================================
# КРИТЕРИИ ЕГЭ
# ============================================================
K1_PHRASES = ["проблем", "автор поднимает", "автор рассматривает", "текст посвящен"]
K2_EXAMPLE_PHRASES = ["например", "автор пишет", "автор описывает", "в тексте"]
K2_LINK_PHRASES = ["таким образом", "следовательно", "оба примера", "кроме того"]
K3_OPINION_PHRASES = ["я считаю", "я думаю", "по моему мнению", "я согласен"]
K3_ARG_PHRASES = ["потому что", "так как", "литература", "в романе", "в повести"]
def check_k1(essay: str, has_source: bool, relevance: float = 0.5) -> dict:
n = normalize(essay)
found = [p for p in K1_PHRASES if p in n]
if has_source:
if len(found) >= 1 or relevance > 0.4:
return {"score": 1, "comment": "Позиция автора сформулирована."}
return {"score": 0, "comment": "Позиция автора не сформулирована."}
else:
if len(found) >= 1:
return {"score": 1, "comment": "Проблема сформулирована."}
return {"score": 0, "comment": "Проблема не сформулирована."}
def check_k2(essay: str, has_source: bool) -> dict:
n = normalize(essay)
sentences = get_sentences(essay)
example_sentences = [s for s in sentences if any(p in normalize(s) for p in K2_EXAMPLE_PHRASES)]
has_link = any(p in n for p in K2_LINK_PHRASES)
if len(example_sentences) >= 2 and has_link:
return {"score": 3, "comment": "Два примера с пояснением и связью."}
elif len(example_sentences) >= 2:
return {"score": 2, "comment": "Два примера без связи."}
elif len(example_sentences) >= 1:
return {"score": 1, "comment": "Один пример."}
return {"score": 0, "comment": "Нет примеров."}
def check_k3(essay: str) -> dict:
n = normalize(essay)
has_opinion = any(p in n for p in K3_OPINION_PHRASES)
has_arg = any(p in n for p in K3_ARG_PHRASES)
if has_opinion and has_arg:
return {"score": 2, "comment": "Позиция выражена и обоснована."}
elif has_opinion:
return {"score": 1, "comment": "Позиция выражена."}
return {"score": 0, "comment": "Позиция не выражена."}
def check_k4(essay: str) -> dict:
if count_words(essay) < 50:
return {"score": 0, "comment": "Текст слишком короткий."}
return {"score": 1, "comment": "Ошибок нет."}
def check_k5(essay: str) -> dict:
paragraphs = get_paragraphs(essay)
if len(paragraphs) >= 5:
return {"score": 2, "comment": "Структура соблюдена."}
elif len(paragraphs) >= 3:
return {"score": 1, "comment": "Структура частична."}
return {"score": 0, "comment": "Нет абзацев."}
# ============================================================
# API ЭНДПОИНТЫ
# ============================================================
@app.get("/")
async def root():
return {
"message": "ЕГЭ Эксперт API",
"version": "2.0.0",
"endpoints": [
"POST /grade - Проверка сочинения",
"GET /tasks - Получить задания из БД",
"POST /parse - Запустить парсер"
]
}
@app.post("/grade")
async def grade_essay(request: EssayRequest):
"""Проверка сочинения ЕГЭ"""
essay = request.essay
source = request.source or ""
has_source = len(source) > 10
# Семантическая близость
relevance = 0.5
if has_source:
try:
emb_essay = get_embedding(essay[:512])
emb_source = get_embedding(source[:512])
relevance = cosine_similarity(emb_essay, emb_source)
except:
pass
# Проверка по критериям
k1 = check_k1(essay, has_source, relevance)
k2 = check_k2(essay, has_source)
k3 = check_k3(essay)
k4 = check_k4(essay)
k5 = check_k5(essay)
total = k1["score"] + k2["score"] + k3["score"] + k4["score"] + k5["score"]
max_score = 9
return {
"total_score": total,
"max_score": max_score,
"percentage": round(total / max_score * 100),
"criteria": {
"k1": k1,
"k2": k2,
"k3": k3,
"k4": k4,
"k5": k5
},
"stats": {
"words": count_words(essay),
"paragraphs": len(get_paragraphs(essay)),
"sentences": len(get_sentences(essay))
}
}
@app.get("/tasks")
async def get_tasks():
"""Получить задания из Supabase"""
supabase_url = os.getenv("SUPABASE_URL")
supabase_key = os.getenv("SUPABASE_KEY")
if not supabase_url or not supabase_key:
return {"error": "Supabase не настроен", "tasks": []}
try:
import requests
response = requests.get(
f"{supabase_url}/rest/v1/tasks?limit=100",
headers={
"apikey": supabase_key,
"Authorization": f"Bearer {supabase_key}"
},
timeout=10
)
if response.status_code == 200:
tasks = response.json()
return {"count": len(tasks), "tasks": tasks}
else:
return {"error": f"Ошибка {response.status_code}", "tasks": []}
except Exception as e:
return {"error": str(e), "tasks": []}
@app.post("/parse")
async def parse_tasks(request: TaskRequest):
"""Запустить парсер заданий"""
supabase_url = os.getenv("SUPABASE_URL")
supabase_key = os.getenv("SUPABASE_KEY")
if not supabase_url or not supabase_key:
return {"error": "Supabase не настроен"}
# Импортируем парсер
try:
from fipi_ai_scraper import parse_all_sources
tasks = parse_all_sources(max_pages=request.max_pages)
# Сохраняем в Supabase
if tasks:
import requests
saved = 0
for task in tasks:
resp = requests.post(
f"{supabase_url}/rest/v1/tasks",
headers={
"apikey": supabase_key,
"Authorization": f"Bearer {supabase_key}",
"Content-Type": "application/json"
},
json=task,
timeout=10
)
if resp.status_code in [200, 201]:
saved += 1
return {"message": f"Сохранено {saved} заданий", "count": saved}
return {"message": "Задания не найдены"}
except Exception as e:
return {"error": str(e)}
# ============================================================
# ЗАПУСК
# ============================================================
if __name__ == "__main__":
import uvicorn
uvicorn.run(app, host="0.0.0.0", port=7860)
|