File size: 11,354 Bytes
1c3d615 121e50f 1c3d615 661788f 1c3d615 661788f 1c3d615 661788f 1c3d615 121e50f f0c04e9 1c3d615 121e50f 1c3d615 121e50f 1c3d615 121e50f 1c3d615 121e50f 1c3d615 661788f 1c3d615 661788f 1c3d615 661788f 1c3d615 661788f 1c3d615 121e50f 1c3d615 661788f 1c3d615 661788f 1c3d615 121e50f 1c3d615 661788f 1c3d615 121e50f 1c3d615 121e50f 1c3d615 121e50f 1c3d615 121e50f 1c3d615 121e50f 1c3d615 121e50f 1c3d615 661788f 1c3d615 121e50f 1c3d615 661788f 1c3d615 121e50f 1c3d615 661788f 121e50f 661788f 121e50f 1c3d615 661788f 1c3d615 121e50f 1c3d615 | 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 | import os
import json
import uuid
import secrets
from datetime import datetime, timedelta
from typing import List, Dict, Optional, Any
from fastapi import FastAPI, Depends, HTTPException, status, UploadFile, File, Query
from fastapi.security import OAuth2PasswordBearer, OAuth2PasswordRequestForm
from fastapi.staticfiles import StaticFiles
from fastapi.responses import FileResponse, RedirectResponse
from fastapi.middleware.cors import CORSMiddleware
from jose import JWTError, jwt
from passlib.context import CryptContext
from pydantic import BaseModel, Field
# --- Configuration ---
# In a real production app, use Hugging Face Space Secrets to set this!
JWT_SECRET_KEY = os.environ.get("JWT_SECRET_KEY", secrets.token_hex(32))
ALGORITHM = "HS256"
ACCESS_TOKEN_EXPIRE_MINUTES = 60 * 24 * 7 # 7 days
# --- Persistent Data Paths (Hugging Face Spaces use /data for persistent storage) ---
DATA_DIR = "data"
USERS_DB_FILE = os.path.join(DATA_DIR, "users.json")
UPLOAD_DIR = os.path.join(DATA_DIR, "uploads")
# Create persistent directories if they don't exist
os.makedirs(DATA_DIR, exist_ok=True)
os.makedirs(UPLOAD_DIR, exist_ok=True)
# --- Security & Hashing ---
pwd_context = CryptContext(schemes=["bcrypt"], deprecated="auto")
oauth2_scheme = OAuth2PasswordBearer(tokenUrl="token")
# --- Pydantic Models (Data Schemas) ---
class Token(BaseModel):
access_token: str
token_type: str
class TokenData(BaseModel):
username: Optional[str] = None
class WatchHistoryEntry(BaseModel):
show_id: str
show_title: str
season_number: int
episode_number: int
watch_timestamp: datetime
class UserBase(BaseModel):
username: str
class UserCreate(UserBase):
password: str
class UserInDB(UserBase):
hashed_password: str
profile_picture_url: Optional[str] = None
watch_history: List[Dict[str, Any]] = Field(default_factory=list)
class UserPublic(UserBase):
profile_picture_url: Optional[str] = None
watch_history_detailed: Dict[str, Any] = Field(default_factory=dict)
email: Optional[str] = None # Added for display on settings page
# NEW: Model for the password change request
class PasswordChange(BaseModel):
current_password: str
new_password: str
# --- Database Helper Functions (using JSON file) ---
def load_users() -> Dict[str, Dict]:
if not os.path.exists(USERS_DB_FILE):
return {}
try:
with open(USERS_DB_FILE, "r") as f:
return json.load(f)
except (json.JSONDecodeError, FileNotFoundError):
return {}
def save_users(users_db: Dict[str, Dict]):
def json_serializer(obj):
if isinstance(obj, datetime):
return obj.isoformat()
raise TypeError(f"Type {type(obj)} not serializable")
with open(USERS_DB_FILE, "w") as f:
json.dump(users_db, f, indent=4, default=json_serializer)
# --- Password & Token Functions ---
def verify_password(plain_password, hashed_password):
return pwd_context.verify(plain_password, hashed_password)
def get_password_hash(password):
return pwd_context.hash(password)
def create_access_token(data: dict, expires_delta: Optional[timedelta] = None):
to_encode = data.copy()
if expires_delta:
expire = datetime.utcnow() + expires_delta
else:
expire = datetime.utcnow() + timedelta(minutes=15)
to_encode.update({"exp": expire})
encoded_jwt = jwt.encode(to_encode, JWT_SECRET_KEY, algorithm=ALGORITHM)
return encoded_jwt
# --- Dependency to get current user ---
async def get_current_user(token: str = Depends(oauth2_scheme)) -> UserInDB:
credentials_exception = HTTPException(
status_code=status.HTTP_401_UNAUTHORIZED,
detail="Could not validate credentials",
headers={"WWW-Authenticate": "Bearer"},
)
try:
payload = jwt.decode(token, JWT_SECRET_KEY, algorithms=[ALGORITHM])
username: str = payload.get("sub")
if username is None:
raise credentials_exception
token_data = TokenData(username=username)
except JWTError:
raise credentials_exception
users_db = load_users()
user_data = users_db.get(token_data.username)
if user_data is None:
raise credentials_exception
return UserInDB(**user_data)
# --- FastAPI App Initialization ---
app = FastAPI(title="Media Auth API")
app.add_middleware(
CORSMiddleware,
allow_origins=["*"],
allow_credentials=True,
allow_methods=["*"],
allow_headers=["*"],
)
# --- Helper function to structure watch history ---
def structure_watch_history(history_list: List[Dict]) -> Dict:
structured = {}
sorted_history = sorted(history_list, key=lambda x: x.get("watch_timestamp", ""), reverse=True)
for item in sorted_history:
show_id = item.get("show_id")
show_title = item.get("show_title", "Unknown Show")
season_num = item.get("season_number")
episode_num = item.get("episode_number")
timestamp = item.get("watch_timestamp")
if not all([show_id, season_num is not None, episode_num is not None, timestamp]):
continue
if show_id not in structured:
structured[show_id] = {
"show_id": show_id,
"title": show_title,
"seasons": {}
}
if season_num not in structured[show_id]["seasons"]:
structured[show_id]["seasons"][season_num] = {
"season_number": season_num,
"episodes": {}
}
structured[show_id]["seasons"][season_num]["episodes"][episode_num] = timestamp
return structured
# --- API Endpoints ---
@app.post("/token", response_model=Token, tags=["Authentication"])
async def login_for_access_token(form_data: OAuth2PasswordRequestForm = Depends()):
users_db = load_users()
user_data = users_db.get(form_data.username)
if not user_data or not verify_password(form_data.password, user_data.get("hashed_password")):
raise HTTPException(
status_code=status.HTTP_401_UNAUTHORIZED,
detail="Incorrect username or password",
headers={"WWW-Authenticate": "Bearer"},
)
access_token_expires = timedelta(minutes=ACCESS_TOKEN_EXPIRE_MINUTES)
access_token = create_access_token(
data={"sub": user_data["username"]}, expires_delta=access_token_expires
)
return {"access_token": access_token, "token_type": "bearer"}
@app.post("/signup", status_code=status.HTTP_201_CREATED, tags=["Authentication"])
async def signup_user(user: UserCreate):
users_db = load_users()
if user.username in users_db:
raise HTTPException(
status_code=status.HTTP_400_BAD_REQUEST,
detail="Username already registered",
)
hashed_password = get_password_hash(user.password)
# Using UserInDB model ensures all default fields like watch_history are present
new_user = UserInDB(
username=user.username,
hashed_password=hashed_password,
profile_picture_url=None,
watch_history=[]
)
users_db[user.username] = new_user.dict()
save_users(users_db)
return {"message": "User created successfully. Please login."}
@app.get("/users/me", response_model=UserPublic, tags=["User"])
async def read_users_me(current_user: UserInDB = Depends(get_current_user)):
detailed_history = structure_watch_history(current_user.watch_history)
# We add the email field for the UI, which is the same as the username
user_public_data = UserPublic(
username=current_user.username,
email=current_user.username,
profile_picture_url=current_user.profile_picture_url,
watch_history_detailed=detailed_history
)
return user_public_data
@app.post("/users/me/profile-picture", response_model=UserPublic, tags=["User"])
async def upload_profile_picture(
file: UploadFile = File(...),
current_user: UserInDB = Depends(get_current_user)
):
file_extension = os.path.splitext(file.filename)[1].lower()
if file_extension not in ['.png', '.jpg', '.jpeg', '.gif', '.webp']:
raise HTTPException(status_code=400, detail="Invalid file type.")
unique_filename = f"{uuid.uuid4()}{file_extension}"
file_path = os.path.join(UPLOAD_DIR, unique_filename)
with open(file_path, "wb") as buffer:
buffer.write(await file.read())
profile_picture_url = f"/uploads/{unique_filename}"
users_db = load_users()
users_db[current_user.username]["profile_picture_url"] = profile_picture_url
save_users(users_db)
current_user.profile_picture_url = profile_picture_url
detailed_history = structure_watch_history(current_user.watch_history)
return UserPublic(
username=current_user.username,
email=current_user.username,
profile_picture_url=current_user.profile_picture_url,
watch_history_detailed=detailed_history
)
@app.get("/users/me/watch-history", status_code=status.HTTP_200_OK, tags=["User"])
async def update_watch_history(
show_id: str = Query(...),
show_title: str = Query(...),
season_number: int = Query(..., ge=0),
episode_number: int = Query(..., ge=1),
current_user: UserInDB = Depends(get_current_user)
):
users_db = load_users()
user_data = users_db[current_user.username]
episode_id = f"{show_id}_{season_number}_{episode_number}"
is_already_watched = any(
(f"{item.get('show_id')}_{item.get('season_number')}_{item.get('episode_number')}" == episode_id)
for item in user_data.get("watch_history", [])
)
if not is_already_watched:
new_entry = WatchHistoryEntry(
show_id=show_id,
show_title=show_title,
season_number=season_number,
episode_number=episode_number,
watch_timestamp=datetime.utcnow()
)
user_data.setdefault("watch_history", []).append(new_entry.dict())
save_users(users_db)
return {"message": "Watch history updated."}
return {"message": "Episode already in watch history."}
# NEW: Endpoint for changing the user's password
@app.post("/users/me/password", status_code=status.HTTP_200_OK, tags=["User"])
async def change_user_password(
password_data: PasswordChange,
current_user: UserInDB = Depends(get_current_user)
):
"""
Allows an authenticated user to change their password.
"""
users_db = load_users()
user_data = users_db[current_user.username]
# 1. Verify the current password is correct
if not verify_password(password_data.current_password, user_data["hashed_password"]):
raise HTTPException(
status_code=status.HTTP_400_BAD_REQUEST,
detail="Incorrect current password",
)
# 2. Hash the new password
new_hashed_password = get_password_hash(password_data.new_password)
# 3. Update the password in the database
user_data["hashed_password"] = new_hashed_password
save_users(users_db)
return {"message": "Password updated successfully"}
# --- Static File Serving ---
app.mount("/uploads", StaticFiles(directory=UPLOAD_DIR), name="uploads")
app.mount("/", StaticFiles(directory="static", html=True), name="static")
@app.get("/", include_in_schema=False)
def root():
return RedirectResponse(url="/login.html") |