File size: 6,363 Bytes
9d278fe 96eebcf 9d278fe cc80c84 96eebcf 9d278fe 96eebcf 9d278fe 96eebcf 9d278fe 96eebcf 9d278fe cc80c84 9d278fe cc80c84 9d278fe cc80c84 9d278fe | 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 | """
JWT Utilities
This module provides functions for creating and validating JWT tokens
for authentication and authorization.
"""
import os
import hashlib
from datetime import datetime, timedelta
from typing import Optional, Dict, Any
from jose import JWTError, jwt
from passlib.context import CryptContext
from src.config import get_settings
# Password hashing context
pwd_context = CryptContext(schemes=["bcrypt"], deprecated="auto")
def _get_settings():
"""Get settings (lazy initialization)."""
return get_settings()
def _prehash_password(password: str) -> str:
"""
Pre-hash password with SHA-256 to avoid bcrypt 72-byte limit.
This is a common pattern that doesn't reduce security because:
- SHA-256 is a one-way hash
- Bcrypt is still used for the final hash with salt
- The combination is actually more secure against brute force
Args:
password: Plain text password
Returns:
str: Hex-encoded SHA-256 hash (always 64 chars, safe for bcrypt)
"""
return hashlib.sha256(password.encode('utf-8')).hexdigest()
def verify_password(plain_password: str, hashed_password: str) -> bool:
"""
Verify a password against a hashed password.
Args:
plain_password: Plain text password from user input
hashed_password: Bcrypt hashed password from database
Returns:
bool: True if password matches, False otherwise
"""
# Pre-hash to match the hashing process
prehashed = _prehash_password(plain_password)
return pwd_context.verify(prehashed, hashed_password)
def get_password_hash(password: str) -> str:
"""
Hash a password using bcrypt.
Args:
password: Plain text password
Returns:
str: Bcrypt hashed password
Security:
- Uses bcrypt with cost factor 12 (automatic)
- Password pre-hashed with SHA-256 to avoid 72-byte limit
- Password should be validated before hashing
"""
# Pre-hash to avoid bcrypt's 72-byte limit
prehashed = _prehash_password(password)
return pwd_context.hash(prehashed)
def create_access_token(data: Dict[str, Any], expires_delta: Optional[timedelta] = None) -> str:
"""
Create a JWT access token.
Args:
data: Payload data to encode (typically user_id, email, role)
expires_delta: Custom expiration time (optional, defaults to config)
Returns:
str: Encoded JWT access token
Example:
token = create_access_token(
data={"sub": user_id, "email": email, "role": "user"}
)
"""
to_encode = data.copy()
# Set expiration time
settings = _get_settings()
if expires_delta:
expire = datetime.utcnow() + expires_delta
else:
expire = datetime.utcnow() + timedelta(minutes=settings.access_token_expire_minutes)
to_encode.update({
"exp": expire,
"iat": datetime.utcnow(),
"type": "access"
})
# Encode token
encoded_jwt = jwt.encode(
to_encode,
settings.jwt_secret_key,
algorithm=settings.jwt_algorithm
)
return encoded_jwt
def create_refresh_token(data: Dict[str, Any], expires_delta: Optional[timedelta] = None) -> str:
"""
Create a JWT refresh token.
Args:
data: Payload data to encode (typically user_id, token_id)
expires_delta: Custom expiration time (optional, defaults to 7 days)
Returns:
str: Encoded JWT refresh token
Example:
token = create_refresh_token(
data={"sub": user_id, "token_id": str(uuid4())}
)
"""
to_encode = data.copy()
# Set expiration time
settings = _get_settings()
if expires_delta:
expire = datetime.utcnow() + expires_delta
else:
expire = datetime.utcnow() + timedelta(days=settings.refresh_token_expire_days)
to_encode.update({
"exp": expire,
"iat": datetime.utcnow(),
"type": "refresh"
})
# Encode token
encoded_jwt = jwt.encode(
to_encode,
settings.jwt_secret_key,
algorithm=settings.jwt_algorithm
)
return encoded_jwt
def decode_token(token: str) -> Dict[str, Any]:
"""
Decode and validate a JWT token.
Args:
token: JWT token to decode
Returns:
dict: Decoded token payload
Raises:
JWTError: If token is invalid or expired
"""
settings = _get_settings()
try:
payload = jwt.decode(
token,
settings.jwt_secret_key,
algorithms=[settings.jwt_algorithm]
)
return payload
except JWTError as e:
raise JWTError(f"Invalid token: {str(e)}")
def verify_access_token(token: str) -> Dict[str, Any]:
"""
Verify an access token and return the payload.
Args:
token: JWT access token
Returns:
dict: Token payload with user data
Raises:
JWTError: If token is invalid, expired, or not an access token
"""
payload = decode_token(token)
# Verify it's an access token
if payload.get("type") != "access":
raise JWTError("Invalid token type: expected 'access'")
return payload
def verify_refresh_token(token: str) -> Dict[str, Any]:
"""
Verify a refresh token and return the payload.
Args:
token: JWT refresh token
Returns:
dict: Token payload with user data
Raises:
JWTError: If token is invalid, expired, or not a refresh token
"""
payload = decode_token(token)
# Verify it's a refresh token
if payload.get("type") != "refresh":
raise JWTError("Invalid token type: expected 'refresh'")
return payload
def get_token_expiry(token: str) -> Optional[datetime]:
"""
Get the expiration datetime from a token without full validation.
Args:
token: JWT token
Returns:
datetime: Token expiration time, or None if invalid
Note:
This does NOT verify the signature, only decodes the payload.
Use verify_access_token() or verify_refresh_token() for validation.
"""
try:
payload = jwt.get_unverified_claims(token)
exp_timestamp = payload.get("exp")
if exp_timestamp:
return datetime.utcfromtimestamp(exp_timestamp)
return None
except Exception:
return None
|