Skip to content
Snippets Groups Projects
Commit 30ed8eed authored by Andreas Ellewsen's avatar Andreas Ellewsen
Browse files

Merge branch 'GREG-65-notification-on-start' into 'master'

Greg 65 notification on start

See merge request !137
parents 55523d9c e47608f5
No related branches found
No related tags found
1 merge request!137Greg 65 notification on start
Pipeline #99998 passed
...@@ -5,6 +5,7 @@ from greg.models import ( ...@@ -5,6 +5,7 @@ from greg.models import (
OuIdentifier, OuIdentifier,
Invitation, Invitation,
InvitationLink, InvitationLink,
Notification,
Person, Person,
Role, Role,
RoleType, RoleType,
...@@ -133,6 +134,18 @@ class InvitationLinkAdmin(VersionAdmin): ...@@ -133,6 +134,18 @@ class InvitationLinkAdmin(VersionAdmin):
readonly_fields = ("uuid",) readonly_fields = ("uuid",)
class NotificationAdmin(VersionAdmin):
list_display = (
"id",
"object_type",
"identifier",
"operation",
"created",
"updated",
"issued_at",
)
admin.site.register(Person, PersonAdmin) admin.site.register(Person, PersonAdmin)
admin.site.register(Role, RoleAdmin) admin.site.register(Role, RoleAdmin)
admin.site.register(RoleType, RoleTypeAdmin) admin.site.register(RoleType, RoleTypeAdmin)
...@@ -145,3 +158,4 @@ admin.site.register(SponsorOrganizationalUnit, SponsorOrganizationalUnitAdmin) ...@@ -145,3 +158,4 @@ admin.site.register(SponsorOrganizationalUnit, SponsorOrganizationalUnitAdmin)
admin.site.register(Invitation, InvitationAdmin) admin.site.register(Invitation, InvitationAdmin)
admin.site.register(InvitationLink, InvitationLinkAdmin) admin.site.register(InvitationLink, InvitationLinkAdmin)
admin.site.register(OuIdentifier, IdentifierAdmin) admin.site.register(OuIdentifier, IdentifierAdmin)
admin.site.register(Notification, NotificationAdmin)
import logging
import logging.config
import time
from django.conf import settings
from django.core.management.base import BaseCommand
from greg.schedule import ExpiringRolesNotification
logging.config.dictConfig(settings.LOGGING)
logger = logging.getLogger(__name__)
class Command(BaseCommand):
"""
This command starts a basic task runner. All tasks it is supposed to
run are given explicitly in code
"""
help = "Start schedule task runner"
def handle(self, *args, **options):
logger.info("Task scheduler started")
# For now there is just one task, but the idea is that more can
# be added
expiring_role_notification_task = ExpiringRolesNotification()
while True:
expiring_role_notification_task.run()
# The single task is set up for far only needs to run once
# a day, but running every 6 hours just in case a run fails,
# it is up the task it self to figure out if needs to do
# something every time it is called
time.sleep(60 * 60 * 6)
# Generated by Django 3.2.8 on 2021-11-04 10:02
from django.db import migrations
class Migration(migrations.Migration):
dependencies = [
("greg", "0012_ou_identifiers"),
]
operations = [
migrations.DeleteModel(
name="ScheduleTask",
),
]
...@@ -477,20 +477,6 @@ class SponsorOrganizationalUnit(BaseModel): ...@@ -477,20 +477,6 @@ class SponsorOrganizationalUnit(BaseModel):
) )
class ScheduleTask(models.Model):
"""
Stores information about a task
"""
name = models.CharField(max_length=32)
last_completed = models.DateTimeField(null=True)
def __repr__(self):
return "{}(id={!r}, name={!r}, last_completed={!r})".format(
self.__class__.__name__, self.pk, self.name, self.last_completed
)
class InvitationLink(BaseModel): class InvitationLink(BaseModel):
""" """
Link to an invitation. Link to an invitation.
......
import time
from datetime import date, datetime, timedelta
from typing import Optional
from abc import ABC, abstractmethod
from django.utils import timezone
from greg.models import Role, Notification, ScheduleTask
class BaseSchedule(ABC):
"""
Provides common methods for tasks
"""
task_object: ScheduleTask
def __init__(self, name: str):
self.task_object = ScheduleTask.objects.get(name=name)
def run(self):
self._run_internal()
self.task_object.last_completed = timezone.now()
self.task_object.save()
@abstractmethod
def _run_internal(self):
pass
def get_last_run(self) -> Optional[datetime]:
self.task_object.refresh_from_db()
return self.task_object.last_completed
def _store_notification(
self, identifier, object_type, operation, **kwargs
) -> Notification:
return Notification.objects.create(
identifier=identifier,
object_type=object_type,
operation=operation,
issued_at=int(time.time()),
meta=kwargs,
)
class ExpiringRolesNotification(BaseSchedule):
"""
This task does a simple check for roles that will expire in 30 days
and creates entries in the notification table for them.
There should be an entry in the ScheduleTask-table with name role_expiration
before this task is run.
Some assumptions that are made:
- The task will be run every day, it does
not keep track of which roles it has or has not notified, it only
looks at which roles will expire in exactly 30 days
- If there are roles created that expire in less than 30 days, no
notification is necessary
"""
EXPIRATION_THRESHOLD_DAYS = 30
def __init__(self):
# Will raise exception if there is not exactly one result
super().__init__("role_expiration")
def _run_internal(self):
last_run = self.get_last_run()
# Only run once per day
if last_run is None or last_run.date() != date.today():
check_date = datetime.today() + timedelta(
days=self.EXPIRATION_THRESHOLD_DAYS
)
self.__get_roles_about_to_expire(check_date)
def __get_roles_about_to_expire(self, end_date: date):
roles_about_to_expire = Role.objects.filter(end_date=end_date)
for role in roles_about_to_expire:
meta = {"person_id": role.person.id, "type_id": role.type.id}
self._store_notification(
identifier=role.id,
object_type="PersonRole",
operation="expire_reminder",
**meta
)
import datetime
import time import time
import logging import logging
from typing import Dict, Union from typing import Dict, Union
from django.db import models from django.db import models
from django.dispatch import receiver from django.dispatch import receiver
from django_q.models import Schedule
from greg.models import ( from greg.models import (
Person, Person,
Role, Role,
...@@ -14,6 +15,7 @@ from greg.models import ( ...@@ -14,6 +15,7 @@ from greg.models import (
Consent, Consent,
ConsentType, ConsentType,
) )
from greg.utils import date_to_datetime_midnight
logger = logging.getLogger(__name__) logger = logging.getLogger(__name__)
...@@ -74,6 +76,37 @@ def _store_notification(identifier, object_type, operation, **kwargs): ...@@ -74,6 +76,37 @@ def _store_notification(identifier, object_type, operation, **kwargs):
) )
def _queue_role_notification(role_id: int, created: str, attrname: str):
"""Create a notification if the date in attrname of role is today"""
try:
instance = Role.objects.get(id=role_id)
except Role.DoesNotExist:
# Role was deleted, ignore it
return
if getattr(instance, attrname) != datetime.date.today():
# Date was changed after this task was queued, ignore it, the new one will take
# care of it
return
meta = _create_metadata(instance)
operation = "add" if created else "update"
_store_notification(
identifier=instance.id,
object_type=instance._meta.object_name,
operation=operation,
**meta,
)
def _queue_role_start_notification(role_id: int, created: str):
"""Create a notification for the role if start_date is today"""
_queue_role_notification(role_id, created, "start_date")
def _queue_role_end_notification(role_id: int, created: str):
"""Create a notification for the role if end_date is today"""
_queue_role_notification(role_id, created, "end_date")
@receiver(models.signals.pre_save, dispatch_uid="add_changed_fields_callback") @receiver(models.signals.pre_save, dispatch_uid="add_changed_fields_callback")
def add_changed_fields_callback(sender, instance, raw, *args, **kwargs): def add_changed_fields_callback(sender, instance, raw, *args, **kwargs):
""" """
...@@ -94,13 +127,32 @@ def add_changed_fields_callback(sender, instance, raw, *args, **kwargs): ...@@ -94,13 +127,32 @@ def add_changed_fields_callback(sender, instance, raw, *args, **kwargs):
def save_notification_callback(sender, instance, created, *args, **kwargs): def save_notification_callback(sender, instance, created, *args, **kwargs):
if not isinstance(instance, SUPPORTED_MODELS): if not isinstance(instance, SUPPORTED_MODELS):
return return
# Queue future notifications on start and end date for roles
if isinstance(instance, Role):
if (
"start_date" in instance._changed_fields # pylint: disable=protected-access
and instance.start_date
):
Schedule.objects.create(
func="greg.signals._queue_role_start_notification",
args=f"{instance.id},True",
next_run=date_to_datetime_midnight(instance.start_date),
schedule_type=Schedule.ONCE,
)
if "end_date" in instance._changed_fields: # pylint: disable=protected-access
Schedule.objects.create(
func="greg.signals._queue_role_end_notification",
args=f"{instance.id},True",
next_run=date_to_datetime_midnight(instance.end_date),
schedule_type=Schedule.ONCE,
)
meta = _create_metadata(instance) meta = _create_metadata(instance)
operation = "add" if created else "update" operation = "add" if created else "update"
_store_notification( _store_notification(
identifier=instance.id, identifier=instance.id,
object_type=instance._meta.object_name, object_type=instance._meta.object_name,
operation=operation, operation=operation,
**meta **meta,
) )
...@@ -113,7 +165,7 @@ def delete_notification_callback(sender, instance, *args, **kwargs): ...@@ -113,7 +165,7 @@ def delete_notification_callback(sender, instance, *args, **kwargs):
identifier=instance.id, identifier=instance.id,
object_type=instance._meta.object_name, object_type=instance._meta.object_name,
operation="delete", operation="delete",
**meta **meta,
) )
...@@ -146,7 +198,7 @@ def m2m_changed_notification_callback( ...@@ -146,7 +198,7 @@ def m2m_changed_notification_callback(
identifier=pc.id, identifier=pc.id,
object_type=Consent._meta.object_name, object_type=Consent._meta.object_name,
operation=operation, operation=operation,
**meta **meta,
) )
elif sender is Role: elif sender is Role:
roles = [] roles = []
...@@ -161,7 +213,7 @@ def m2m_changed_notification_callback( ...@@ -161,7 +213,7 @@ def m2m_changed_notification_callback(
identifier=pr.id, identifier=pr.id,
object_type=Role._meta.object_name, object_type=Role._meta.object_name,
operation=operation, operation=operation,
**meta **meta,
) )
......
import pytest
from greg.models import ScheduleTask
@pytest.fixture
def scheduletask():
ScheduleTask.objects.create(name="foo", last_completed="2020-10-15T23:04Z")
return ScheduleTask.objects.get(id=1)
@pytest.mark.django_db
def test_scheduletask_repr(scheduletask):
assert (
repr(scheduletask)
== "ScheduleTask(id=1, name='foo', last_completed=datetime.datetime(2020, 10, 15, 23, 4, tzinfo=<UTC>))"
)
from datetime import datetime, timedelta
import pytest
from django.db.models import Q
from django.utils import timezone
from greg.models import (
ScheduleTask,
RoleType,
Person,
OrganizationalUnit,
Role,
Notification,
Sponsor,
)
from greg.schedule import ExpiringRolesNotification
@pytest.fixture
def role_task():
ScheduleTask.objects.create(
name="role_expiration", last_completed=timezone.now() - timedelta(days=1)
)
@pytest.fixture
def role(
person: Person,
role_type_bar: RoleType,
unit_foo: OrganizationalUnit,
sponsor_guy: Sponsor,
) -> Role:
return Role.objects.create(
person=person,
type=role_type_bar,
orgunit=unit_foo,
start_date="2020-03-05",
end_date=datetime.today() + timedelta(days=30),
contact_person_unit="Contact Person",
available_in_search=True,
sponsor=sponsor_guy,
)
@pytest.mark.django_db
def test_role_picked_up(role_task: ScheduleTask, role: Role):
role_notification = ExpiringRolesNotification()
assert len(Notification.objects.filter(~Q(operation="add"))) == 0
role_notification.run()
notification = Notification.objects.get(operation="expire_reminder")
assert notification.identifier == role.id
role_notification.run()
notifications = Notification.objects.filter(operation="expire_reminder")
assert len(notifications) == 1
@pytest.mark.django_db
def test_no_notification_for_role_not_about_to_expire(
role_task: ScheduleTask, role: Role
):
role.end_date = datetime.today() + timedelta(days=31)
role.save()
role_notification = ExpiringRolesNotification()
assert len(Notification.objects.filter(operation="expire_reminder")) == 0
# Role should not be picked up since it expires in 31 days
role_notification.run()
notifications = Notification.objects.filter(operation="expire_reminder")
assert len(notifications) == 0
...@@ -15,22 +15,25 @@ from greg.models import ( ...@@ -15,22 +15,25 @@ from greg.models import (
@pytest.fixture @pytest.fixture
def org_unit_bar() -> OrganizationalUnit: def org_unit_bar() -> OrganizationalUnit:
return OrganizationalUnit.objects.create() org = OrganizationalUnit.objects.create()
return OrganizationalUnit.objects.get(pk=org.id)
@pytest.fixture @pytest.fixture
def sponsor() -> Sponsor: def sponsor() -> Sponsor:
return Sponsor.objects.create(feide_id="sponsor_id") sp = Sponsor.objects.create(feide_id="sponsor_id")
return Sponsor.objects.get(pk=sp.id)
@pytest.fixture @pytest.fixture
def identity(person: Person) -> Identity: def identity(person: Person) -> Identity:
return Identity.objects.create( ident = Identity.objects.create(
person=person, person=person,
type=Identity.IdentityType.PASSPORT_NUMBER, type=Identity.IdentityType.PASSPORT_NUMBER,
source="Test", source="Test",
value="12345678901", value="12345678901",
) )
return Identity.objects.get(pk=ident.id)
@pytest.mark.django_db @pytest.mark.django_db
......
import datetime
import pytest import pytest
from greg.models import Notification from greg.models import Notification, Role
from greg.signals import _queue_role_start_notification, _queue_role_end_notification
@pytest.fixture
def role_today(person, role_type_test_guest, sponsor_guy, unit_foo):
"""A test role with end and start date today."""
role = Role.objects.create(
person=person,
type=role_type_test_guest,
sponsor=sponsor_guy,
orgunit=unit_foo,
start_date=datetime.date.today(),
end_date=datetime.date.today(),
)
return Role.objects.get(pk=role.id)
@pytest.mark.django_db @pytest.mark.django_db
...@@ -17,3 +33,37 @@ def test_delete_signal_ou(unit_foo): ...@@ -17,3 +33,37 @@ def test_delete_signal_ou(unit_foo):
assert Notification.objects.count() == 0 assert Notification.objects.count() == 0
unit_foo.delete() unit_foo.delete()
assert Notification.objects.count() == 0 assert Notification.objects.count() == 0
@pytest.mark.django_db
def test_queue_role_start_notification(role_today):
"""Check that a notification is produced if the role starts today"""
assert Notification.objects.all().count() == 3
_queue_role_start_notification(role_today.id, True)
assert Notification.objects.all().count() == 4
@pytest.mark.django_db
def test_queue_role_end_notification(role_today):
"""Check that a notification is produced if the role ends today"""
assert Notification.objects.all().count() == 3
_queue_role_end_notification(role_today.id, True)
assert Notification.objects.all().count() == 4
@pytest.mark.django_db
def test_queue_role_end_notification_wrong_date(role_today):
"""Check that a notification is produced if the role ends today"""
role_today.end_date = datetime.date.today() - datetime.timedelta(days=2)
role_today.save()
assert Notification.objects.all().count() == 4
_queue_role_end_notification(role_today.id, True)
assert Notification.objects.all().count() == 4
@pytest.mark.django_db
def test_queue_role_end_notification_role_deleted():
"""Check that a notification is not produced if the role was deleted"""
assert Notification.objects.all().count() == 0
_queue_role_end_notification(10, True)
assert Notification.objects.all().count() == 0
import re import re
from datetime import date import typing
from datetime import date, datetime
from django.utils import timezone
def camel_to_snake(s: str) -> str: def camel_to_snake(s: str) -> str:
...@@ -90,3 +93,12 @@ def _compute_checksum(input_digits: str) -> bool: ...@@ -90,3 +93,12 @@ def _compute_checksum(input_digits: str) -> bool:
k2 = 0 k2 = 0
return k1 < 10 and k2 < 10 and k1 == d[9] and k2 == d[10] return k1 < 10 and k2 < 10 and k1 == d[9] and k2 == d[10]
def date_to_datetime_midnight(in_date: typing.Union[date, str]) -> datetime:
"""Convert a date or str object to a datetime object with timezone utc"""
start_date = (
datetime.strptime(in_date, "%Y-%M-%d") if isinstance(in_date, str) else in_date
)
start = datetime.combine(start_date, datetime.min.time(), tzinfo=timezone.utc)
return start
...@@ -20,6 +20,9 @@ ignore_missing_imports = True ...@@ -20,6 +20,9 @@ ignore_missing_imports = True
[mypy-django_extensions.db.fields] [mypy-django_extensions.db.fields]
ignore_missing_imports = True ignore_missing_imports = True
[mypy-django_q.*]
ignore_missing_imports = True
[mypy-django_filters.*] [mypy-django_filters.*]
ignore_missing_imports = True ignore_missing_imports = True
......
0% Loading or .
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment