Files
notifications-api/app/dao/api_key_dao.py

99 lines
2.4 KiB
Python
Raw Permalink Normal View History

import uuid
2024-05-23 13:59:51 -07:00
from datetime import timedelta
2024-11-15 08:50:01 -08:00
from sqlalchemy import func, or_, select
2021-03-10 13:55:06 +00:00
from app import db
from app.dao.dao_utils import autocommit, version_class
from app.models import ApiKey
2024-05-23 13:59:51 -07:00
from app.utils import utc_now
@autocommit
@version_class(ApiKey)
def save_model_api_key(api_key):
if not api_key.id:
2023-08-29 14:54:30 -07:00
api_key.id = (
uuid.uuid4()
) # must be set now so version history model can use same id
api_key.secret = uuid.uuid4()
db.session.add(api_key)
@autocommit
@version_class(ApiKey)
def expire_api_key(service_id, api_key_id):
2024-11-15 08:50:01 -08:00
api_key = (
db.session.execute(
2024-12-19 07:29:37 -08:00
select(ApiKey).where(
ApiKey.id == api_key_id, ApiKey.service_id == service_id
)
2024-11-15 08:50:01 -08:00
)
2024-12-19 07:46:14 -08:00
.scalars()
2024-11-15 08:50:01 -08:00
.one()
)
2024-05-23 13:59:51 -07:00
api_key.expiry_date = utc_now()
db.session.add(api_key)
def get_model_api_keys(service_id, id=None):
if id:
2024-12-19 07:26:05 -08:00
return (
db.session.execute(
2024-12-19 07:29:37 -08:00
select(ApiKey).where(
ApiKey.id == id,
ApiKey.service_id == service_id,
2024-12-19 11:10:03 -08:00
ApiKey.expiry_date == None, # noqa
2024-12-19 07:29:37 -08:00
)
2024-12-19 07:26:05 -08:00
)
2024-12-19 07:37:22 -08:00
.scalars()
2024-12-19 07:26:05 -08:00
.one()
)
2024-05-23 13:59:51 -07:00
seven_days_ago = utc_now() - timedelta(days=7)
2024-11-18 11:36:20 -08:00
return (
db.session.execute(
select(ApiKey).where(
or_(
ApiKey.expiry_date == None, # noqa
func.date(ApiKey.expiry_date) > seven_days_ago, # noqa
),
ApiKey.service_id == service_id,
)
)
.scalars()
.all()
)
def get_unsigned_secrets(service_id):
"""
This method can only be exposed to the Authentication of the api calls.
"""
2024-12-19 07:26:05 -08:00
api_keys = (
db.session.execute(
2024-12-19 07:29:37 -08:00
select(ApiKey).where(
ApiKey.service_id == service_id, ApiKey.expiry_date == None # noqa
)
2024-12-19 07:26:05 -08:00
)
2024-12-19 07:37:22 -08:00
.scalars()
2024-12-19 07:26:05 -08:00
.all()
)
keys = [x.secret for x in api_keys]
return keys
def get_unsigned_secret(key_id):
"""
This method can only be exposed to the Authentication of the api calls.
"""
2024-12-19 07:26:05 -08:00
api_key = (
2024-12-19 07:29:37 -08:00
db.session.execute(
2024-12-19 11:10:03 -08:00
select(ApiKey).where(
ApiKey.id == key_id, ApiKey.expiry_date == None # noqa
)
2024-12-19 07:29:37 -08:00
)
2024-12-19 07:37:22 -08:00
.scalars()
2024-12-19 07:26:05 -08:00
.one()
)
return api_key.secret