39 lines
1.3 KiB
Python
Executable File
39 lines
1.3 KiB
Python
Executable File
from fastapi import Depends, HTTPException, status
|
|
from fastapi.security import OAuth2PasswordBearer
|
|
from jose import jwt, JWTError
|
|
from sqlalchemy.ext.asyncio import AsyncSession
|
|
from sqlalchemy import select
|
|
import os
|
|
|
|
from app.db.session import get_db
|
|
from app.models.user import User
|
|
|
|
oauth2_scheme = OAuth2PasswordBearer(tokenUrl="api/v1/auth/login")
|
|
|
|
SECRET_KEY = os.getenv("SECRET_KEY")
|
|
ALGORITHM = os.getenv("ALGORITHM")
|
|
|
|
async def get_current_user(
|
|
db: AsyncSession = Depends(get_db),
|
|
token: str = Depends(oauth2_scheme)
|
|
) -> User:
|
|
credentials_exception = HTTPException(
|
|
status_code=status.HTTP_401_UNAUTHORIZED,
|
|
detail="Érvénytelen hitelesítő adatok",
|
|
headers={"WWW-Authenticate": "Bearer"},
|
|
)
|
|
try:
|
|
payload = jwt.decode(token, SECRET_KEY, algorithms=[ALGORITHM])
|
|
email: str = payload.get("sub")
|
|
if email is None:
|
|
raise credentials_exception
|
|
except JWTError:
|
|
raise credentials_exception
|
|
|
|
result = await db.execute(select(User).where(User.email == email))
|
|
user = result.scalars().first()
|
|
|
|
if user is None or not user.is_active:
|
|
raise HTTPException(status_code=403, detail="Felhasználó nem található vagy inaktív")
|
|
|
|
return user |