Spaces:
Running
Running
File size: 16,667 Bytes
ce4cf4a |
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 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 |
import datetime
import os
import threading
import time
from fastapi import Depends, FastAPI, File, Form, HTTPException, Request, UploadFile
from fastapi.responses import HTMLResponse, JSONResponse
from fastapi.staticfiles import StaticFiles
from fastapi.templating import Jinja2Templates
from huggingface_hub import hf_hub_download
from huggingface_hub.utils import disable_progress_bars
from huggingface_hub.utils._errors import EntryNotFoundError
from loguru import logger
from pydantic import BaseModel
from requests.exceptions import RequestException
from competitions import __version__, utils
from competitions.errors import AuthenticationError, PastDeadlineError, SubmissionError, SubmissionLimitError
from competitions.info import CompetitionInfo
from competitions.leaderboard import Leaderboard
from competitions.oauth import attach_oauth
from competitions.runner import JobRunner
from competitions.submissions import Submissions
from competitions.text import SUBMISSION_SELECTION_TEXT, SUBMISSION_TEXT
HF_TOKEN = os.environ.get("HF_TOKEN", None)
BASE_DIR = os.path.dirname(os.path.abspath(__file__))
COMPETITION_ID = os.environ.get("COMPETITION_ID")
OUTPUT_PATH = os.environ.get("OUTPUT_PATH", "/tmp/model")
START_DATE = os.environ.get("START_DATE", "2000-12-31")
DISABLE_PUBLIC_LB = int(os.environ.get("DISABLE_PUBLIC_LB", 0))
disable_progress_bars()
try:
REQUIREMENTS_FNAME = hf_hub_download(
repo_id=COMPETITION_ID,
filename="requirements.txt",
token=HF_TOKEN,
repo_type="dataset",
)
except EntryNotFoundError:
REQUIREMENTS_FNAME = None
if REQUIREMENTS_FNAME:
logger.info("Uninstalling and installing requirements")
utils.uninstall_requirements(REQUIREMENTS_FNAME)
utils.install_requirements(REQUIREMENTS_FNAME)
class LeaderboardRequest(BaseModel):
lb: str
class UpdateSelectedSubmissionsRequest(BaseModel):
submission_ids: str
class UpdateTeamNameRequest(BaseModel):
new_team_name: str
def run_job_runner():
job_runner = JobRunner(
competition_id=COMPETITION_ID,
token=HF_TOKEN,
output_path=OUTPUT_PATH,
)
job_runner.run()
def start_job_runner_thread():
thread = threading.Thread(target=run_job_runner)
# thread.daemon = True
thread.start()
return thread
def watchdog(job_runner_thread):
while True:
if not job_runner_thread.is_alive():
logger.warning("Job runner thread stopped. Restarting...")
job_runner_thread = start_job_runner_thread()
time.sleep(10)
job_runner_thread = start_job_runner_thread()
watchdog_thread = threading.Thread(target=watchdog, args=(job_runner_thread,))
watchdog_thread.daemon = True
watchdog_thread.start()
app = FastAPI()
attach_oauth(app)
static_path = os.path.join(BASE_DIR, "static")
app.mount("/static", StaticFiles(directory=static_path), name="static")
templates_path = os.path.join(BASE_DIR, "templates")
templates = Jinja2Templates(directory=templates_path)
@app.get("/", response_class=HTMLResponse)
async def read_form(request: Request):
"""
This function is used to render the HTML file
:param request:
:return:
"""
if HF_TOKEN is None:
return HTTPException(status_code=500, detail="HF_TOKEN is not set.")
competition_info = CompetitionInfo(competition_id=COMPETITION_ID, autotrain_token=HF_TOKEN)
context = {
"request": request,
"logo": competition_info.logo_url,
"competition_type": competition_info.competition_type,
"version": __version__,
"rules_available": competition_info.rules is not None,
}
return templates.TemplateResponse("index.html", context)
@app.get("/login_status", response_class=JSONResponse)
async def use_oauth(request: Request, user_token: str = Depends(utils.user_authentication)):
if user_token:
return {"response": 2}
return {"response": 1}
@app.get("/logout", response_class=HTMLResponse)
async def user_logout(request: Request):
"""Endpoint that logs out the user (e.g. delete cookie session)."""
if "oauth_info" in request.session:
request.session.pop("oauth_info", None)
competition_info = CompetitionInfo(competition_id=COMPETITION_ID, autotrain_token=HF_TOKEN)
context = {
"request": request,
"logo": competition_info.logo_url,
"competition_type": competition_info.competition_type,
"__version__": __version__,
"rules_available": competition_info.rules is not None,
}
return templates.TemplateResponse("index.html", context)
@app.get("/competition_info", response_class=JSONResponse)
async def get_comp_info(request: Request):
competition_info = CompetitionInfo(competition_id=COMPETITION_ID, autotrain_token=HF_TOKEN)
info = competition_info.competition_desc
resp = {"response": info}
return resp
@app.get("/dataset_info", response_class=JSONResponse)
async def get_dataset_info(request: Request):
competition_info = CompetitionInfo(competition_id=COMPETITION_ID, autotrain_token=HF_TOKEN)
info = competition_info.dataset_desc
resp = {"response": info}
return resp
@app.get("/rules", response_class=JSONResponse)
async def get_rules(request: Request):
competition_info = CompetitionInfo(competition_id=COMPETITION_ID, autotrain_token=HF_TOKEN)
if competition_info.rules is not None:
return {"response": competition_info.rules}
return {"response": "No rules available."}
@app.get("/submission_info", response_class=JSONResponse)
async def get_submission_info(request: Request):
competition_info = CompetitionInfo(competition_id=COMPETITION_ID, autotrain_token=HF_TOKEN)
info = competition_info.submission_desc
resp = {"response": info}
return resp
@app.post("/leaderboard", response_class=JSONResponse)
async def fetch_leaderboard(
request: Request, body: LeaderboardRequest, user_token: str = Depends(utils.user_authentication)
):
lb = body.lb
comp_org = COMPETITION_ID.split("/")[0]
if user_token is not None:
is_user_admin = utils.is_user_admin(user_token, comp_org)
else:
is_user_admin = False
if DISABLE_PUBLIC_LB == 1 and lb == "public" and not is_user_admin:
return {"response": "Public leaderboard is disabled by the competition host."}
competition_info = CompetitionInfo(competition_id=COMPETITION_ID, autotrain_token=HF_TOKEN)
leaderboard = Leaderboard(
end_date=competition_info.end_date,
eval_higher_is_better=competition_info.eval_higher_is_better,
max_selected_submissions=competition_info.selection_limit,
competition_id=COMPETITION_ID,
token=HF_TOKEN,
scoring_metric=competition_info.scoring_metric,
)
if lb == "private":
current_utc_time = datetime.datetime.now()
if current_utc_time < competition_info.end_date and not is_user_admin:
return {"response": f"Private leaderboard will be available on {competition_info.end_date} UTC."}
df = leaderboard.fetch(private=lb == "private")
if len(df) == 0:
return {"response": "No teams yet. Why not make a submission?"}
resp = {"response": df.to_markdown(index=False)}
return resp
@app.post("/my_submissions", response_class=JSONResponse)
async def my_submissions(request: Request, user_token: str = Depends(utils.user_authentication)):
competition_info = CompetitionInfo(competition_id=COMPETITION_ID, autotrain_token=HF_TOKEN)
if user_token is None:
return {
"response": {
"submissions": "",
"submission_text": SUBMISSION_TEXT.format(competition_info.submission_limit),
"error": "**Invalid token. Please login.**",
"team_name": "",
}
}
sub = Submissions(
end_date=competition_info.end_date,
submission_limit=competition_info.submission_limit,
competition_id=COMPETITION_ID,
token=HF_TOKEN,
competition_type=competition_info.competition_type,
hardware=competition_info.hardware,
)
try:
subs = sub.my_submissions(user_token)
except AuthenticationError:
return {
"response": {
"submissions": "",
"submission_text": SUBMISSION_TEXT.format(competition_info.submission_limit),
"error": "**Invalid token. Please login.**",
"team_name": "",
}
}
subs = subs.to_dict(orient="records")
error = ""
if len(subs) == 0:
error = "**You have not made any submissions yet.**"
subs = ""
submission_text = SUBMISSION_TEXT.format(competition_info.submission_limit)
submission_selection_text = SUBMISSION_SELECTION_TEXT.format(competition_info.selection_limit)
team_name = utils.get_team_name(user_token, COMPETITION_ID, HF_TOKEN)
resp = {
"response": {
"submissions": subs,
"submission_text": submission_text + submission_selection_text,
"error": error,
"team_name": team_name,
}
}
return resp
@app.post("/new_submission", response_class=JSONResponse)
async def new_submission(
request: Request,
submission_file: UploadFile = File(None),
hub_model: str = Form(...),
submission_comment: str = Form(None),
user_token: str = Depends(utils.user_authentication),
):
if submission_comment is None:
submission_comment = ""
if user_token is None:
return {"response": "Invalid token. Please login."}
todays_date = datetime.datetime.now()
start_date = datetime.datetime.strptime(START_DATE, "%Y-%m-%d")
if todays_date < start_date:
comp_org = COMPETITION_ID.split("/")[0]
if not utils.is_user_admin(user_token, comp_org):
return {"response": "Competition has not started yet!"}
competition_info = CompetitionInfo(competition_id=COMPETITION_ID, autotrain_token=HF_TOKEN)
sub = Submissions(
end_date=competition_info.end_date,
submission_limit=competition_info.submission_limit,
competition_id=COMPETITION_ID,
token=HF_TOKEN,
competition_type=competition_info.competition_type,
hardware=competition_info.hardware,
)
try:
if competition_info.competition_type == "generic":
resp = sub.new_submission(user_token, submission_file, submission_comment)
return {"response": f"Success! You have {resp} submissions remaining today."}
if competition_info.competition_type == "script":
resp = sub.new_submission(user_token, hub_model, submission_comment)
return {"response": f"Success! You have {resp} submissions remaining today."}
except RequestException as e:
logger.error(f"Request Exception: {e}")
today = todays_date.strftime("%Y-%m-%d %H:%M:%S")
print(f"[{today}] Request Exception: {e}") # for the host to check detailed error in the space log
if e.response.status_code == 404:
return {"response": "Repository not found. Please ensure that the repository submitted is a model repository and that your current account has access to it."}
return {"response": "Hugging Face Hub is unreachable, please try again later"}
except AuthenticationError:
return {"response": "Invalid token"}
except PastDeadlineError:
return {"response": "Competition has ended"}
except SubmissionError:
return {"response": "Invalid submission file"}
except SubmissionLimitError:
return {"response": "Submission limit reached"}
return {"response": "Invalid competition type"}
@app.post("/update_selected_submissions", response_class=JSONResponse)
def update_selected_submissions(
request: Request, body: UpdateSelectedSubmissionsRequest, user_token: str = Depends(utils.user_authentication)
):
submission_ids = body.submission_ids
if user_token is None:
return {"success": False, "error": "Invalid token, please login."}
competition_info = CompetitionInfo(competition_id=COMPETITION_ID, autotrain_token=HF_TOKEN)
sub = Submissions(
end_date=competition_info.end_date,
submission_limit=competition_info.submission_limit,
competition_id=COMPETITION_ID,
token=HF_TOKEN,
competition_type=competition_info.competition_type,
hardware=competition_info.hardware,
)
submission_ids = submission_ids.split(",")
submission_ids = [s.strip() for s in submission_ids]
if len(submission_ids) > competition_info.selection_limit:
return {
"success": False,
"error": f"Please select at most {competition_info.selection_limit} submissions.",
}
sub.update_selected_submissions(user_token=user_token, selected_submission_ids=submission_ids)
return {"success": True, "error": ""}
@app.post("/update_team_name", response_class=JSONResponse)
def update_team_name(
request: Request, body: UpdateTeamNameRequest, user_token: str = Depends(utils.user_authentication)
):
new_team_name = body.new_team_name
if user_token is None:
return {"success": False, "error": "Invalid token. Please login."}
if str(new_team_name).strip() == "":
return {"success": False, "error": "Team name cannot be empty."}
try:
utils.update_team_name(user_token, new_team_name, COMPETITION_ID, HF_TOKEN)
return {"success": True, "error": ""}
except Exception as e:
return {"success": False, "error": str(e)}
@app.post("/admin/comp_info", response_class=JSONResponse)
async def admin_comp_info(request: Request, user_token: str = Depends(utils.user_authentication)):
comp_org = COMPETITION_ID.split("/")[0]
user_is_admin = utils.is_user_admin(user_token, comp_org)
if not user_is_admin:
return {"response": "You are not an admin."}, 403
competition_info = CompetitionInfo(competition_id=COMPETITION_ID, autotrain_token=HF_TOKEN)
markdowns = {
"competition_desc": competition_info.competition_desc,
"rules": competition_info.rules,
"submission_desc": competition_info.submission_desc,
"dataset_desc": competition_info.dataset_desc,
}
if markdowns["rules"] is None:
markdowns["rules"] = "No rules available."
config = {
"SUBMISSION_LIMIT": competition_info.submission_limit,
"SELECTION_LIMIT": competition_info.selection_limit,
"END_DATE": competition_info.end_date.strftime("%Y-%m-%d"),
"EVAL_HIGHER_IS_BETTER": competition_info.eval_higher_is_better,
"SUBMISSION_COLUMNS": competition_info.submission_columns_raw,
"SUBMISSION_ID_COLUMN": competition_info.submission_id_col,
"LOGO": competition_info.logo_url,
"COMPETITION_TYPE": competition_info.competition_type,
"EVAL_METRIC": competition_info.metric,
"SUBMISSION_ROWS": competition_info.submission_rows,
"TIME_LIMIT": competition_info.time_limit,
"DATASET": competition_info.dataset,
"SUBMISSION_FILENAMES": competition_info.submission_filenames,
"SCORING_METRIC": competition_info.scoring_metric,
"HARDWARE": competition_info.hardware,
}
return {"response": {"config": config, "markdowns": markdowns}}
@app.post("/admin/update_comp_info", response_class=JSONResponse)
async def update_comp_info(request: Request, user_token: str = Depends(utils.user_authentication)):
comp_org = COMPETITION_ID.split("/")[0]
user_is_admin = utils.is_user_admin(user_token, comp_org)
if not user_is_admin:
return {"response": "You are not an admin."}, 403
competition_info = CompetitionInfo(competition_id=COMPETITION_ID, autotrain_token=HF_TOKEN)
data = await request.json()
config = data["config"]
markdowns = data["markdowns"]
valid_keys = [
"SUBMISSION_LIMIT",
"SELECTION_LIMIT",
"END_DATE",
"EVAL_HIGHER_IS_BETTER",
"SUBMISSION_COLUMNS",
"SUBMISSION_ID_COLUMN",
"LOGO",
"COMPETITION_TYPE",
"EVAL_METRIC",
"SUBMISSION_ROWS",
"TIME_LIMIT",
"DATASET",
"SUBMISSION_FILENAMES",
"SCORING_METRIC",
"HARDWARE",
]
for key in config:
if key not in valid_keys:
return {"success": False, "error": f"Invalid key: {key}"}
try:
competition_info.update_competition_info(config, markdowns, HF_TOKEN)
except Exception as e:
logger.error(e)
return {"success": False}, 500
return {"success": True}
|