mirror of
https://github.com/QuivrHQ/quivr.git
synced 2024-12-15 09:32:22 +03:00
f48dab4a7d
# Description Please include a summary of the changes and the related issue. Please also include relevant motivation and context. ## Checklist before requesting a review Please delete options that are not relevant. - [ ] My code follows the style guidelines of this project - [ ] I have performed a self-review of my code - [ ] I have commented hard-to-understand areas - [ ] I have ideally added tests that prove my fix is effective or that my feature works - [ ] New and existing unit tests pass locally with my changes - [ ] Any dependent changes have been merged ## Screenshots (if appropriate):
63 lines
2.1 KiB
Python
63 lines
2.1 KiB
Python
import os
|
|
from typing import Optional
|
|
|
|
from fastapi import Depends, HTTPException, Request
|
|
from fastapi.security import HTTPAuthorizationCredentials, HTTPBearer
|
|
from middlewares.auth.jwt_token_handler import decode_access_token, verify_token
|
|
from modules.api_key.service.api_key_service import ApiKeyService
|
|
from modules.user.entity.user_identity import UserIdentity
|
|
|
|
api_key_service = ApiKeyService()
|
|
|
|
|
|
class AuthBearer(HTTPBearer):
|
|
def __init__(self, auto_error: bool = True):
|
|
super().__init__(auto_error=auto_error)
|
|
|
|
async def __call__(
|
|
self,
|
|
request: Request,
|
|
):
|
|
credentials: Optional[HTTPAuthorizationCredentials] = await super().__call__(
|
|
request
|
|
)
|
|
self.check_scheme(credentials)
|
|
token = credentials.credentials # pyright: ignore reportPrivateUsage=none
|
|
return await self.authenticate(
|
|
token,
|
|
)
|
|
|
|
def check_scheme(self, credentials):
|
|
if credentials and credentials.scheme != "Bearer":
|
|
raise HTTPException(status_code=401, detail="Token must be Bearer")
|
|
elif not credentials:
|
|
raise HTTPException(
|
|
status_code=403, detail="Authentication credentials missing"
|
|
)
|
|
|
|
async def authenticate(
|
|
self,
|
|
token: str,
|
|
) -> UserIdentity:
|
|
if os.environ.get("AUTHENTICATE") == "false":
|
|
return self.get_test_user()
|
|
elif verify_token(token):
|
|
return decode_access_token(token)
|
|
elif await api_key_service.verify_api_key(
|
|
token,
|
|
):
|
|
return await api_key_service.get_user_from_api_key(
|
|
token,
|
|
)
|
|
else:
|
|
raise HTTPException(status_code=401, detail="Invalid token or api key.")
|
|
|
|
def get_test_user(self) -> UserIdentity:
|
|
return UserIdentity(
|
|
email="test@example.com", id="XXXXXXXX-XXXX-XXXX-XXXX-XXXXXXXXXXXX" # type: ignore
|
|
) # replace with test user information
|
|
|
|
|
|
def get_current_user(user: UserIdentity = Depends(AuthBearer())) -> UserIdentity:
|
|
return user
|