34 lines
1.1 KiB
Python
34 lines
1.1 KiB
Python
from sqlalchemy.orm import Session
|
|
from fastapi import HTTPException, status
|
|
|
|
from app.models.user import User
|
|
from app.core.security import verify_password, create_token_pair
|
|
|
|
|
|
def authenticate_user(db: Session, username: str, password: str):
|
|
user = db.query(User).filter(User.username == username).first()
|
|
if not user:
|
|
return None
|
|
if not verify_password(password, user.hashed_password):
|
|
return None
|
|
if not user.is_active:
|
|
raise HTTPException(status_code=status.HTTP_403_FORBIDDEN, detail="用户已被禁用")
|
|
return user
|
|
|
|
|
|
def login(db: Session, username: str, password: str):
|
|
user = authenticate_user(db, username, password)
|
|
if not user:
|
|
raise HTTPException(
|
|
status_code=status.HTTP_401_UNAUTHORIZED,
|
|
detail="用户名或密码错误",
|
|
headers={"WWW-Authenticate": "Bearer"},
|
|
)
|
|
access_token, refresh_token = create_token_pair(user.id, user.username)
|
|
return {
|
|
"access_token": access_token,
|
|
"refresh_token": refresh_token,
|
|
"token_type": "bearer",
|
|
"expires_in": 30 * 60,
|
|
}
|