40 lines
1.3 KiB
Python
Executable File
40 lines
1.3 KiB
Python
Executable File
from typing import Generator
|
|
from fastapi import Depends, HTTPException, status
|
|
from fastapi.security import OAuth2PasswordBearer
|
|
from jose import JWTError
|
|
from sqlalchemy.ext.asyncio import AsyncSession
|
|
from sqlalchemy import select
|
|
|
|
from app.db.session import SessionLocal
|
|
from app.core.security import decode_token
|
|
from app.models.user import User
|
|
|
|
reusable_oauth2 = OAuth2PasswordBearer(tokenUrl="/api/v2/auth/login")
|
|
|
|
async def get_db() -> Generator:
|
|
async with SessionLocal() as session:
|
|
yield session
|
|
|
|
async def get_current_user(
|
|
db: AsyncSession = Depends(get_db),
|
|
token: str = Depends(reusable_oauth2),
|
|
) -> User:
|
|
try:
|
|
payload = decode_token(token)
|
|
user_id = payload.get("sub")
|
|
if not user_id:
|
|
raise HTTPException(status_code=status.HTTP_401_UNAUTHORIZED, detail="Token error")
|
|
except JWTError:
|
|
raise HTTPException(status_code=status.HTTP_401_UNAUTHORIZED, detail="Invalid token")
|
|
|
|
res = await db.execute(select(User).where(User.id == int(user_id)))
|
|
user = res.scalars().first()
|
|
|
|
if not user:
|
|
raise HTTPException(status_code=status.HTTP_404_NOT_FOUND, detail="User not found")
|
|
|
|
if not user.is_active:
|
|
raise HTTPException(status_code=status.HTTP_403_FORBIDDEN, detail="Fiók nem aktív.")
|
|
|
|
return user
|