A multipurpose python flask API server and administration SPA
You can not select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
|
|
"""Service to handle user operations.""" import logging from datetime import datetime from typing import Optional
from corvus.db import db from corvus.model import User from corvus.utility import authentication_utility
LOGGER = logging.getLogger(__name__)
def register(name: str, password: str, role: str) -> User: """
Register a new user.
:param name: Desired user name. Must be unique and not already registered :param password: Password to be hashed and stored for the user :param role: Role to assign the user [ROLE_USER, ROLE_ADMIN] :return: """
pw_hash, pw_revision = authentication_utility.get_password_hash(password)
new_user = User( name=name, role=role, password_hash=pw_hash, password_revision=pw_revision, creation_time=datetime.now(), version=0) db.session.add(new_user) db.session.commit()
LOGGER.info('Registered new user: %s with role: %s', name, role) return new_user
def delete(user: User) -> bool: """
Delete a user.
:param user: :return: """
existing_user = db.session.delete(user) if existing_user is None: db.session.commit() return True return False
def update_last_login_time(user: User) -> None: """
Bump the last login time for the user.
:param user: :return: """
if user is not None: user.last_login_time = datetime.now() db.session.commit()
def update_password(user: User, password: str) -> None: """
Change the user password.
:param user: :param password: :return: """
pw_hash, pw_revision = authentication_utility.get_password_hash( password) user.password_hash = pw_hash user.password_revision = pw_revision db.session.commit()
def find_by_name(name: str) -> Optional[User]: """
Find a user by name.
:param name: :return: """
return User.query.filter_by(name=name).first()
|