-
Notifications
You must be signed in to change notification settings - Fork 51
/
Copy pathadmin.py
200 lines (165 loc) · 6.31 KB
/
admin.py
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
import logging
from django import forms
from django.contrib import admin
from django.core.exceptions import ValidationError
from django.db.models import Count, F
from django.utils import timezone
from django.utils.html import format_html, mark_safe
from django.utils.translation import gettext_lazy as _
from organizations.admin import MembershipFieldListFilter, MembershipFilteredAdmin
from . import models
from .fields import FormattedModelChoiceIteratorFactory
logger = logging.getLogger(__name__)
def facility_mismatch_error_message(obj, facility):
title = _("Facilities do not match.")
text = _(
f'"{obj.name}" belongs to facility "{obj.facility.name}", but shift \
takes place at "{facility.name}".'
)
return f"{title} {text}"
class FormattedModelChoiceFieldAdminMixin:
fk_label_formats = None
def formfield_for_foreignkey(self, db_field, request, **kwargs):
field = super().formfield_for_foreignkey(db_field, request, **kwargs)
if self.fk_label_formats and db_field.name in self.fk_label_formats:
field.iterator = FormattedModelChoiceIteratorFactory(
label_format=self.fk_label_formats[db_field.name]
)
return field
class ShiftAdminForm(forms.ModelForm):
class Meta:
model = models.Shift
fields = [
"facility",
"slots",
"task",
"workplace",
"starting_time",
"ending_time",
"members_only",
]
def __init__(self, *args, **kwargs):
super(ShiftAdminForm, self).__init__(*args, **kwargs)
if self.instance and hasattr(self.instance, "facility"):
facility = self.instance.facility
self.fields["task"].queryset = self.fields["task"].queryset.filter(
facility=facility
)
self.fields["workplace"].queryset = self.fields[
"workplace"
].queryset.filter(facility=facility)
def clean(self):
"""Validation of shift data, to prevent non-sense values to be entered"""
# Check start and end times to be reasonable
start = self.cleaned_data.get("starting_time")
end = self.cleaned_data.get("ending_time")
facility = self.cleaned_data.get("facility") or self.instance.facility
if facility:
task = self.cleaned_data.get("task")
if task and task.facility != facility:
self.add_error(
"task",
ValidationError(facility_mismatch_error_message(task, facility)),
)
workplace = self.cleaned_data.get("workplace")
if workplace and workplace.facility != facility:
self.add_error(
"workplace",
ValidationError(
facility_mismatch_error_message(workplace, facility)
),
)
# No times, no joy
if not start:
self.add_error("starting_time", ValidationError(_("No start time given.")))
if not end:
self.add_error("ending_time", ValidationError(_("No end time given.")))
# There is no known reason to modify shifts in the past
if start:
now = timezone.now()
if start < now:
self.add_error(
"starting_time", ValidationError(_("Start time in the past."))
)
if end and not end > start:
self.add_error(
"ending_time", ValidationError(_("Shift ends before it starts."))
)
return self.cleaned_data
@admin.register(models.Shift)
class ShiftAdmin(FormattedModelChoiceFieldAdminMixin, MembershipFilteredAdmin):
form = ShiftAdminForm
fk_label_formats = {
"task": "{obj.name} ({obj.facility.name})",
"workplace": "{obj.name} ({obj.facility.name})",
}
def get_queryset(self, request):
qs = super(ShiftAdmin, self).get_queryset(request)
qs = qs.annotate(volunteer_count=Count("helpers"))
qs = qs.select_related("facility", "task", "workplace")
qs = qs.prefetch_related("helpers", "helpers__user")
return qs
def get_volunteer_count(self, obj):
return obj.volunteer_count
get_volunteer_count.short_description = _("number of volunteers")
get_volunteer_count.admin_order_field = "volunteer_count"
def get_volunteer_names(self, obj):
def _format_username(user):
full_name = user.get_full_name()
username = format_html("<strong>{}</strong>", user.username)
if full_name:
username = format_html("{} ({})", full_name, username)
return format_html("<li>{}</li>", username)
return format_html(
"<ul>{}</ul>",
mark_safe(
"\n".join(
_format_username(volunteer.user) for volunteer in obj.helpers.all()
)
),
)
get_volunteer_names.short_description = _("volunteers")
get_volunteer_names.allow_tags = True
@admin.display(ordering=F("task").desc(nulls_last=True), description=_("task"))
def get_task(self, obj):
return obj.task
@admin.display(
ordering=F("workplace").desc(nulls_last=True),
description=_("workplace"),
)
def get_workplace(self, obj):
return obj.workplace
list_display = (
"get_task",
"get_workplace",
"facility",
"starting_time",
"ending_time",
"members_only",
"slots",
"get_volunteer_count",
"get_volunteer_names",
)
search_fields = (
"id",
"task__name",
)
list_filter = (
("facility", MembershipFieldListFilter),
"members_only",
"starting_time",
"ending_time",
)
@admin.register(models.ShiftHelper)
class ShiftHelperAdmin(MembershipFilteredAdmin):
list_display = ("id", "user_account", "shift", "joined_shift_at")
list_filter = ("joined_shift_at",)
raw_id_fields = ("user_account", "shift")
@admin.register(models.ShiftMessageToHelpers)
class ShiftMessageToHelpersAdmin(admin.ModelAdmin):
list_display = (
"shift",
"send_date",
)
ordering = ("-send_date",)
readonly_fields = ["sender", "recipients", "shift", "message", "send_date"]