Spaces:
Configuration error
Configuration error
File size: 1,617 Bytes
122f90e |
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 |
# src/llmguardian/api/security.py
from fastapi import HTTPException, Security
from fastapi.security import HTTPBearer, HTTPAuthorizationCredentials
import jwt
from datetime import datetime, timedelta
from typing import Optional
security = HTTPBearer()
class SecurityMiddleware:
def __init__(
self,
secret_key: str = "your-256-bit-secret",
algorithm: str = "HS256"
):
self.secret_key = secret_key
self.algorithm = algorithm
async def create_token(
self, 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})
return jwt.encode(
to_encode, self.secret_key, algorithm=self.algorithm
)
async def verify_token(
self,
credentials: HTTPAuthorizationCredentials = Security(security)
):
try:
payload = jwt.decode(
credentials.credentials,
self.secret_key,
algorithms=[self.algorithm]
)
return payload
except jwt.ExpiredSignatureError:
raise HTTPException(
status_code=401,
detail="Token has expired"
)
except jwt.JWTError:
raise HTTPException(
status_code=401,
detail="Could not validate credentials"
)
verify_token = SecurityMiddleware().verify_token |