2020-12-27 10:49:54 +00:00
|
|
|
# Copyright (C) 2020 by Animath
|
|
|
|
# SPDX-License-Identifier: GPL-3.0-or-later
|
|
|
|
|
|
|
|
from io import BytesIO
|
2021-01-22 08:40:28 +00:00
|
|
|
import os
|
2020-12-27 10:49:54 +00:00
|
|
|
from zipfile import ZipFile
|
|
|
|
|
2021-01-23 20:48:01 +00:00
|
|
|
from django.conf import settings
|
2020-12-27 10:49:54 +00:00
|
|
|
from django.contrib.auth.mixins import LoginRequiredMixin
|
|
|
|
from django.contrib.sites.models import Site
|
|
|
|
from django.core.exceptions import PermissionDenied
|
|
|
|
from django.core.mail import send_mail
|
|
|
|
from django.db import transaction
|
2021-01-22 08:40:28 +00:00
|
|
|
from django.http import FileResponse, Http404, HttpResponse
|
2020-12-27 10:49:54 +00:00
|
|
|
from django.shortcuts import redirect
|
|
|
|
from django.template.loader import render_to_string
|
|
|
|
from django.urls import reverse_lazy
|
2021-01-18 23:11:52 +00:00
|
|
|
from django.utils import timezone
|
2020-12-27 10:49:54 +00:00
|
|
|
from django.utils.translation import gettext_lazy as _
|
2021-01-22 08:40:28 +00:00
|
|
|
from django.views.generic import CreateView, DetailView, FormView, RedirectView, TemplateView, UpdateView, View
|
2020-12-27 10:49:54 +00:00
|
|
|
from django.views.generic.edit import FormMixin, ProcessFormView
|
|
|
|
from django_tables2 import SingleTableView
|
|
|
|
from magic import Magic
|
2021-01-23 20:48:01 +00:00
|
|
|
from registration.models import StudentRegistration
|
2020-12-28 18:19:01 +00:00
|
|
|
from tfjm.lists import get_sympa_client
|
|
|
|
from tfjm.matrix import Matrix
|
2021-01-17 11:40:23 +00:00
|
|
|
from tfjm.views import AdminMixin, VolunteerMixin
|
2020-12-27 10:49:54 +00:00
|
|
|
|
2021-01-22 08:40:28 +00:00
|
|
|
from .forms import JoinTeamForm, MotivationLetterForm, NoteForm, ParticipationForm, PassageForm, PoolForm, \
|
|
|
|
PoolTeamsForm, RequestValidationForm, SolutionForm, SynthesisForm, TeamForm, TournamentForm, \
|
|
|
|
ValidateParticipationForm
|
2021-01-17 15:23:48 +00:00
|
|
|
from .models import Note, Participation, Passage, Pool, Solution, Synthesis, Team, Tournament
|
|
|
|
from .tables import NoteTable, ParticipationTable, PassageTable, PoolTable, TeamTable, TournamentTable
|
2020-12-27 10:49:54 +00:00
|
|
|
|
|
|
|
|
|
|
|
class CreateTeamView(LoginRequiredMixin, CreateView):
|
|
|
|
"""
|
|
|
|
Display the page to create a team for new users.
|
|
|
|
"""
|
|
|
|
|
|
|
|
model = Team
|
|
|
|
form_class = TeamForm
|
|
|
|
extra_context = dict(title=_("Create team"))
|
|
|
|
template_name = "participation/create_team.html"
|
|
|
|
|
|
|
|
def dispatch(self, request, *args, **kwargs):
|
|
|
|
user = request.user
|
|
|
|
if not user.is_authenticated:
|
|
|
|
return super().handle_no_permission()
|
|
|
|
registration = user.registration
|
|
|
|
if not registration.participates:
|
|
|
|
raise PermissionDenied(_("You don't participate, so you can't create a team."))
|
|
|
|
elif registration.team:
|
|
|
|
raise PermissionDenied(_("You are already in a team."))
|
|
|
|
return super().dispatch(request, *args, **kwargs)
|
|
|
|
|
|
|
|
@transaction.atomic
|
|
|
|
def form_valid(self, form):
|
|
|
|
"""
|
|
|
|
When a team is about to be created, the user automatically
|
|
|
|
joins the team, a mailing list got created and the user is
|
|
|
|
automatically subscribed to this mailing list, and finally
|
|
|
|
a Matrix room is created and the user is invited in this room.
|
|
|
|
"""
|
|
|
|
ret = super().form_valid(form)
|
|
|
|
# The user joins the team
|
|
|
|
user = self.request.user
|
|
|
|
registration = user.registration
|
|
|
|
registration.team = form.instance
|
|
|
|
registration.save()
|
|
|
|
|
|
|
|
# Subscribe the user mail address to the team mailing list
|
|
|
|
get_sympa_client().subscribe(user.email, f"equipe-{form.instance.trigram.lower()}", False,
|
|
|
|
f"{user.first_name} {user.last_name}")
|
|
|
|
|
|
|
|
# Invite the user in the team Matrix room
|
|
|
|
Matrix.invite(f"#equipe-{form.instance.trigram.lower()}:tfjm.org",
|
|
|
|
f"@{user.registration.matrix_username}:tfjm.org")
|
|
|
|
return ret
|
|
|
|
|
|
|
|
|
|
|
|
class JoinTeamView(LoginRequiredMixin, FormView):
|
|
|
|
"""
|
|
|
|
Participants can join a team with the access code of the team.
|
|
|
|
"""
|
|
|
|
model = Team
|
|
|
|
form_class = JoinTeamForm
|
|
|
|
extra_context = dict(title=_("Join team"))
|
|
|
|
template_name = "participation/create_team.html"
|
|
|
|
|
|
|
|
def dispatch(self, request, *args, **kwargs):
|
|
|
|
user = request.user
|
|
|
|
if not user.is_authenticated:
|
|
|
|
return super().handle_no_permission()
|
|
|
|
registration = user.registration
|
|
|
|
if not registration.participates:
|
|
|
|
raise PermissionDenied(_("You don't participate, so you can't create a team."))
|
|
|
|
elif registration.team:
|
|
|
|
raise PermissionDenied(_("You are already in a team."))
|
|
|
|
return super().dispatch(request, *args, **kwargs)
|
|
|
|
|
|
|
|
@transaction.atomic
|
|
|
|
def form_valid(self, form):
|
|
|
|
"""
|
|
|
|
When a user joins a team, the user is automatically subscribed to
|
|
|
|
the team mailing list,the user is invited in the team Matrix room.
|
|
|
|
"""
|
|
|
|
self.object = form.instance
|
|
|
|
ret = super().form_valid(form)
|
|
|
|
|
|
|
|
# Join the team
|
|
|
|
user = self.request.user
|
|
|
|
registration = user.registration
|
|
|
|
registration.team = form.instance
|
|
|
|
registration.save()
|
|
|
|
|
|
|
|
# Subscribe to the team mailing list
|
|
|
|
get_sympa_client().subscribe(user.email, f"equipe-{form.instance.trigram.lower()}", False,
|
|
|
|
f"{user.first_name} {user.last_name}")
|
|
|
|
|
|
|
|
# Invite the user in the team Matrix room
|
|
|
|
Matrix.invite(f"#equipe-{form.instance.trigram.lower()}:tfjm.org",
|
|
|
|
f"@{user.registration.matrix_username}:tfjm.org")
|
|
|
|
return ret
|
|
|
|
|
|
|
|
def get_success_url(self):
|
|
|
|
return reverse_lazy("participation:team_detail", args=(self.object.pk,))
|
|
|
|
|
|
|
|
|
|
|
|
class TeamListView(AdminMixin, SingleTableView):
|
|
|
|
"""
|
|
|
|
Display the whole list of teams
|
|
|
|
"""
|
|
|
|
model = Team
|
|
|
|
table_class = TeamTable
|
2021-01-01 11:11:09 +00:00
|
|
|
ordering = ('trigram',)
|
2020-12-27 10:49:54 +00:00
|
|
|
|
|
|
|
|
|
|
|
class MyTeamDetailView(LoginRequiredMixin, RedirectView):
|
|
|
|
"""
|
|
|
|
Redirect to the detail of the team in which the user is.
|
|
|
|
"""
|
|
|
|
|
|
|
|
def get_redirect_url(self, *args, **kwargs):
|
|
|
|
user = self.request.user
|
|
|
|
registration = user.registration
|
|
|
|
if registration.participates:
|
|
|
|
if registration.team:
|
|
|
|
return reverse_lazy("participation:team_detail", args=(registration.team_id,))
|
|
|
|
raise PermissionDenied(_("You are not in a team."))
|
|
|
|
raise PermissionDenied(_("You don't participate, so you don't have any team."))
|
|
|
|
|
|
|
|
|
|
|
|
class TeamDetailView(LoginRequiredMixin, FormMixin, ProcessFormView, DetailView):
|
|
|
|
"""
|
|
|
|
Display the detail of a team.
|
|
|
|
"""
|
|
|
|
model = Team
|
|
|
|
|
|
|
|
def get(self, request, *args, **kwargs):
|
|
|
|
user = request.user
|
|
|
|
self.object = self.get_object()
|
2021-01-17 11:40:23 +00:00
|
|
|
# Ensure that the user is an admin or a volunteer or a member of the team
|
2020-12-27 10:49:54 +00:00
|
|
|
if user.registration.is_admin or user.registration.participates and \
|
2021-01-17 11:40:23 +00:00
|
|
|
user.registration.team and user.registration.team.pk == kwargs["pk"] \
|
|
|
|
or user.registration.is_volunteer \
|
|
|
|
and self.object.participation.tournament in user.registration.interesting_tournaments:
|
2020-12-27 10:49:54 +00:00
|
|
|
return super().get(request, *args, **kwargs)
|
|
|
|
raise PermissionDenied
|
|
|
|
|
|
|
|
def get_context_data(self, **kwargs):
|
|
|
|
context = super().get_context_data(**kwargs)
|
|
|
|
|
|
|
|
team = self.get_object()
|
|
|
|
context["title"] = _("Detail of team {trigram}").format(trigram=self.object.trigram)
|
|
|
|
context["request_validation_form"] = RequestValidationForm(self.request.POST or None)
|
|
|
|
context["validation_form"] = ValidateParticipationForm(self.request.POST or None)
|
2021-01-01 16:07:28 +00:00
|
|
|
# A team is complete when there are at least 4 members plus a coache that have sent their authorizations,
|
2020-12-28 22:59:21 +00:00
|
|
|
# their health sheet, they confirmed their email address and under-18 people sent their parental authorization.
|
2021-01-18 20:30:26 +00:00
|
|
|
context["can_validate"] = team.students.count() >= 4 and team.coaches.exists() and \
|
2021-01-23 18:57:25 +00:00
|
|
|
team.participation.tournament and \
|
2021-01-18 21:28:43 +00:00
|
|
|
all(r.photo_authorization for r in team.participants.all()) and \
|
2021-01-23 18:57:25 +00:00
|
|
|
(team.participation.tournament.remote
|
|
|
|
or all(r.health_sheet for r in team.students.all() if r.under_18)) and \
|
|
|
|
(team.participation.tournament.remote
|
|
|
|
or all(r.parental_authorization for r in team.students.all() if r.under_18)) and \
|
2021-01-22 08:40:28 +00:00
|
|
|
team.motivation_letter
|
2020-12-27 10:49:54 +00:00
|
|
|
|
|
|
|
return context
|
|
|
|
|
|
|
|
def get_form_class(self):
|
|
|
|
if not self.request.POST:
|
|
|
|
return RequestValidationForm
|
|
|
|
elif self.request.POST["_form_type"] == "RequestValidationForm":
|
|
|
|
return RequestValidationForm
|
|
|
|
elif self.request.POST["_form_type"] == "ValidateParticipationForm":
|
|
|
|
return ValidateParticipationForm
|
|
|
|
|
|
|
|
def form_valid(self, form):
|
|
|
|
self.object = self.get_object()
|
|
|
|
if isinstance(form, RequestValidationForm):
|
|
|
|
return self.handle_request_validation(form)
|
|
|
|
elif isinstance(form, ValidateParticipationForm):
|
|
|
|
return self.handle_validate_participation(form)
|
|
|
|
|
|
|
|
def handle_request_validation(self, form):
|
|
|
|
"""
|
|
|
|
A team requests to be validated
|
|
|
|
"""
|
|
|
|
if not self.request.user.registration.participates:
|
|
|
|
form.add_error(None, _("You don't participate, so you can't request the validation of the team."))
|
|
|
|
return self.form_invalid(form)
|
|
|
|
if self.object.participation.valid is not None:
|
|
|
|
form.add_error(None, _("The validation of the team is already done or pending."))
|
|
|
|
return self.form_invalid(form)
|
|
|
|
if not self.get_context_data()["can_validate"]:
|
|
|
|
form.add_error(None, _("The team can't be validated: missing email address confirmations, "
|
2021-01-22 08:40:28 +00:00
|
|
|
"authorizations, people, motivation letter or the tournament is not set."))
|
2020-12-27 10:49:54 +00:00
|
|
|
return self.form_invalid(form)
|
|
|
|
|
|
|
|
self.object.participation.valid = False
|
|
|
|
self.object.participation.save()
|
|
|
|
|
2021-01-23 20:48:01 +00:00
|
|
|
mail_context = dict(team=self.object, domain=Site.objects.first().domain)
|
|
|
|
mail_plain = render_to_string("participation/mails/request_validation.txt", mail_context)
|
|
|
|
mail_html = render_to_string("participation/mails/request_validation.html", mail_context)
|
2021-02-07 15:51:09 +00:00
|
|
|
send_mail("[TFJM²] Validation d'équipe", mail_plain, settings.DEFAULT_FROM_EMAIL,
|
2021-01-23 20:48:01 +00:00
|
|
|
[self.object.participation.tournament.organizers_email], html_message=mail_html)
|
|
|
|
|
2020-12-27 10:49:54 +00:00
|
|
|
return super().form_valid(form)
|
|
|
|
|
|
|
|
def handle_validate_participation(self, form):
|
|
|
|
"""
|
|
|
|
An admin validates the team (or not)
|
|
|
|
"""
|
2021-02-07 16:40:29 +00:00
|
|
|
if not self.request.user.registration.is_admin and \
|
2021-02-07 16:31:50 +00:00
|
|
|
(not self.object.participation.tournament
|
|
|
|
or self.request.user.registration not in self.object.participation.tournament.organizers.all()):
|
2021-01-23 20:48:01 +00:00
|
|
|
form.add_error(None, _("You are not an organizer of the tournament."))
|
2020-12-27 10:49:54 +00:00
|
|
|
return self.form_invalid(form)
|
|
|
|
elif self.object.participation.valid is not False:
|
|
|
|
form.add_error(None, _("This team has no pending validation."))
|
|
|
|
return self.form_invalid(form)
|
|
|
|
|
|
|
|
if "validate" in self.request.POST:
|
|
|
|
self.object.participation.valid = True
|
|
|
|
self.object.participation.save()
|
|
|
|
mail_context = dict(team=self.object, message=form.cleaned_data["message"])
|
|
|
|
mail_plain = render_to_string("participation/mails/team_validated.txt", mail_context)
|
|
|
|
mail_html = render_to_string("participation/mails/team_validated.html", mail_context)
|
2021-01-18 14:52:09 +00:00
|
|
|
send_mail("[TFJM²] Équipe validée", mail_plain, None, [self.object.email], html_message=mail_html)
|
2020-12-27 10:49:54 +00:00
|
|
|
|
2021-01-18 20:30:26 +00:00
|
|
|
if self.object.participation.tournament.price == 0:
|
|
|
|
for registration in self.object.participants.all():
|
|
|
|
registration.payment.type = "free"
|
|
|
|
registration.payment.valid = True
|
|
|
|
registration.payment.save()
|
|
|
|
else:
|
|
|
|
for coach in self.object.coaches.all():
|
|
|
|
coach.payment.type = "free"
|
|
|
|
coach.payment.valid = True
|
|
|
|
coach.payment.save()
|
2020-12-27 10:49:54 +00:00
|
|
|
elif "invalidate" in self.request.POST:
|
|
|
|
self.object.participation.valid = None
|
|
|
|
self.object.participation.save()
|
|
|
|
mail_context = dict(team=self.object, message=form.cleaned_data["message"])
|
|
|
|
mail_plain = render_to_string("participation/mails/team_not_validated.txt", mail_context)
|
|
|
|
mail_html = render_to_string("participation/mails/team_not_validated.html", mail_context)
|
2021-01-18 14:52:09 +00:00
|
|
|
send_mail("[TFJM²] Équipe non validée", mail_plain, None, [self.object.email],
|
2020-12-27 10:49:54 +00:00
|
|
|
html_message=mail_html)
|
|
|
|
else:
|
|
|
|
form.add_error(None, _("You must specify if you validate the registration or not."))
|
|
|
|
return self.form_invalid(form)
|
|
|
|
return super().form_valid(form)
|
|
|
|
|
|
|
|
def get_success_url(self):
|
|
|
|
return self.request.path
|
|
|
|
|
|
|
|
|
|
|
|
class TeamUpdateView(LoginRequiredMixin, UpdateView):
|
|
|
|
"""
|
|
|
|
Update the detail of a team
|
|
|
|
"""
|
|
|
|
model = Team
|
|
|
|
form_class = TeamForm
|
|
|
|
template_name = "participation/update_team.html"
|
|
|
|
|
|
|
|
def dispatch(self, request, *args, **kwargs):
|
|
|
|
user = request.user
|
|
|
|
if not user.is_authenticated:
|
|
|
|
return super().handle_no_permission()
|
|
|
|
if user.registration.is_admin or user.registration.participates and \
|
2021-01-17 11:40:23 +00:00
|
|
|
user.registration.team and user.registration.team.pk == kwargs["pk"] \
|
|
|
|
or user.registration.is_volunteer \
|
2021-03-14 17:57:51 +00:00
|
|
|
and self.get_object().participation.tournament in user.registration.interesting_tournaments:
|
2020-12-27 10:49:54 +00:00
|
|
|
return super().dispatch(request, *args, **kwargs)
|
|
|
|
raise PermissionDenied
|
|
|
|
|
|
|
|
def get_context_data(self, **kwargs):
|
|
|
|
context = super().get_context_data(**kwargs)
|
|
|
|
context["participation_form"] = ParticipationForm(data=self.request.POST or None,
|
|
|
|
instance=self.object.participation)
|
|
|
|
context["title"] = _("Update team {trigram}").format(trigram=self.object.trigram)
|
|
|
|
return context
|
|
|
|
|
|
|
|
@transaction.atomic
|
|
|
|
def form_valid(self, form):
|
|
|
|
participation_form = ParticipationForm(data=self.request.POST or None, instance=self.object.participation)
|
|
|
|
if not participation_form.is_valid():
|
|
|
|
return self.form_invalid(form)
|
|
|
|
|
|
|
|
participation_form.save()
|
|
|
|
return super().form_valid(form)
|
|
|
|
|
|
|
|
|
2021-01-22 08:40:28 +00:00
|
|
|
class TeamUploadMotivationLetterView(LoginRequiredMixin, UpdateView):
|
|
|
|
"""
|
|
|
|
A team can send its motivation letter.
|
|
|
|
"""
|
|
|
|
model = Team
|
|
|
|
form_class = MotivationLetterForm
|
|
|
|
template_name = "participation/upload_motivation_letter.html"
|
|
|
|
extra_context = dict(title=_("Upload motivation letter"))
|
|
|
|
|
|
|
|
def dispatch(self, request, *args, **kwargs):
|
|
|
|
if not self.request.user.is_authenticated or \
|
|
|
|
not self.request.user.registration.is_admin \
|
|
|
|
and self.request.user.registration.team != self.get_object():
|
|
|
|
return self.handle_no_permission()
|
|
|
|
return super().dispatch(request, *args, **kwargs)
|
|
|
|
|
|
|
|
@transaction.atomic
|
|
|
|
def form_valid(self, form):
|
|
|
|
old_instance = Team.objects.get(pk=self.object.pk)
|
|
|
|
if old_instance.motivation_letter:
|
|
|
|
old_instance.motivation_letter.delete()
|
|
|
|
old_instance.save()
|
|
|
|
return super().form_valid(form)
|
|
|
|
|
|
|
|
|
|
|
|
class MotivationLetterView(LoginRequiredMixin, View):
|
|
|
|
"""
|
|
|
|
Display the sent motivation letter.
|
|
|
|
"""
|
|
|
|
def get(self, request, *args, **kwargs):
|
|
|
|
filename = kwargs["filename"]
|
|
|
|
path = f"media/authorization/motivation_letters/{filename}"
|
|
|
|
if not os.path.exists(path):
|
|
|
|
raise Http404
|
|
|
|
team = Team.objects.get(motivation_letter__endswith=filename)
|
|
|
|
user = request.user
|
|
|
|
if not (user.registration in team.participants.all() or user.registration.is_admin
|
|
|
|
or user.registration.is_volunteer
|
|
|
|
and team.participation.tournament in user.registration.organized_tournaments.all()):
|
|
|
|
raise PermissionDenied
|
|
|
|
# Guess mime type of the file
|
|
|
|
mime = Magic(mime=True)
|
|
|
|
mime_type = mime.from_file(path)
|
|
|
|
ext = mime_type.split("/")[1].replace("jpeg", "jpg")
|
|
|
|
# Replace file name
|
|
|
|
true_file_name = _("Motivation letter of {team}.{ext}").format(team=str(team), ext=ext)
|
|
|
|
return FileResponse(open(path, "rb"), content_type=mime_type, filename=true_file_name)
|
|
|
|
|
|
|
|
|
2020-12-27 10:49:54 +00:00
|
|
|
class TeamAuthorizationsView(LoginRequiredMixin, DetailView):
|
|
|
|
"""
|
|
|
|
Get as a ZIP archive all the authorizations that are sent
|
|
|
|
"""
|
|
|
|
model = Team
|
|
|
|
|
|
|
|
def dispatch(self, request, *args, **kwargs):
|
|
|
|
user = request.user
|
|
|
|
if not user.is_authenticated:
|
|
|
|
return super().handle_no_permission()
|
2021-03-28 18:09:29 +00:00
|
|
|
if user.registration.is_admin or user.registration.is_volunteer \
|
2021-02-13 16:09:08 +00:00
|
|
|
and self.get_object().participation.tournament in user.registration.interesting_tournaments:
|
2020-12-27 10:49:54 +00:00
|
|
|
return super().dispatch(request, *args, **kwargs)
|
|
|
|
raise PermissionDenied
|
|
|
|
|
|
|
|
def get(self, request, *args, **kwargs):
|
|
|
|
team = self.get_object()
|
2021-01-22 08:40:28 +00:00
|
|
|
magic = Magic(mime=True)
|
2020-12-27 10:49:54 +00:00
|
|
|
output = BytesIO()
|
|
|
|
zf = ZipFile(output, "w")
|
2021-01-17 16:28:59 +00:00
|
|
|
for participant in team.participants.all():
|
|
|
|
if participant.photo_authorization:
|
|
|
|
mime_type = magic.from_file("media/" + participant.photo_authorization.name)
|
|
|
|
ext = mime_type.split("/")[1].replace("jpeg", "jpg")
|
|
|
|
zf.write("media/" + participant.photo_authorization.name,
|
|
|
|
_("Photo authorization of {participant}.{ext}").format(participant=str(participant), ext=ext))
|
|
|
|
|
|
|
|
if isinstance(participant, StudentRegistration) and participant.parental_authorization:
|
|
|
|
mime_type = magic.from_file("media/" + participant.parental_authorization.name)
|
|
|
|
ext = mime_type.split("/")[1].replace("jpeg", "jpg")
|
|
|
|
zf.write("media/" + participant.parental_authorization.name,
|
|
|
|
_("Parental authorization of {participant}.{ext}")
|
|
|
|
.format(participant=str(participant), ext=ext))
|
|
|
|
|
2021-01-23 13:27:21 +00:00
|
|
|
if isinstance(participant, StudentRegistration) and participant.health_sheet:
|
2021-01-17 16:28:59 +00:00
|
|
|
mime_type = magic.from_file("media/" + participant.health_sheet.name)
|
|
|
|
ext = mime_type.split("/")[1].replace("jpeg", "jpg")
|
|
|
|
zf.write("media/" + participant.health_sheet.name,
|
|
|
|
_("Health sheet of {participant}.{ext}").format(participant=str(participant), ext=ext))
|
2021-01-22 08:40:28 +00:00
|
|
|
|
|
|
|
if team.motivation_letter:
|
|
|
|
mime_type = magic.from_file("media/" + team.motivation_letter.name)
|
|
|
|
ext = mime_type.split("/")[1].replace("jpeg", "jpg")
|
|
|
|
zf.write("media/" + team.motivation_letter.name,
|
|
|
|
_("Motivation letter of {team}.{ext}").format(team=str(team), ext=ext))
|
2020-12-27 10:49:54 +00:00
|
|
|
zf.close()
|
|
|
|
response = HttpResponse(content_type="application/zip")
|
|
|
|
response["Content-Disposition"] = "attachment; filename=\"{filename}\"" \
|
|
|
|
.format(filename=_("Photo authorizations of team {trigram}.zip").format(trigram=team.trigram))
|
|
|
|
response.write(output.getvalue())
|
|
|
|
return response
|
|
|
|
|
|
|
|
|
|
|
|
class TeamLeaveView(LoginRequiredMixin, TemplateView):
|
|
|
|
"""
|
|
|
|
A team member leaves a team
|
|
|
|
"""
|
|
|
|
template_name = "participation/team_leave.html"
|
|
|
|
extra_context = dict(title=_("Leave team"))
|
|
|
|
|
|
|
|
def dispatch(self, request, *args, **kwargs):
|
|
|
|
if not request.user.is_authenticated:
|
|
|
|
return self.handle_no_permission()
|
|
|
|
if not request.user.registration.participates or not request.user.registration.team:
|
|
|
|
raise PermissionDenied(_("You are not in a team."))
|
|
|
|
if request.user.registration.team.participation.valid:
|
|
|
|
raise PermissionDenied(_("The team is already validated or the validation is pending."))
|
|
|
|
return super().dispatch(request, *args, **kwargs)
|
|
|
|
|
|
|
|
@transaction.atomic()
|
|
|
|
def post(self, request, *args, **kwargs):
|
|
|
|
"""
|
|
|
|
When the team is left, the user is unsubscribed from the team mailing list
|
|
|
|
and kicked from the team room.
|
|
|
|
"""
|
|
|
|
team = request.user.registration.team
|
|
|
|
request.user.registration.team = None
|
|
|
|
request.user.registration.save()
|
|
|
|
get_sympa_client().unsubscribe(request.user.email, f"equipe-{team.trigram.lower()}", False)
|
|
|
|
Matrix.kick(f"#equipe-{team.trigram.lower()}:tfjm.org",
|
|
|
|
f"@{request.user.registration.matrix_username}:tfjm.org",
|
|
|
|
"Équipe quittée")
|
2021-01-18 20:30:26 +00:00
|
|
|
if team.students.count() + team.coaches.count() == 0:
|
2020-12-27 10:49:54 +00:00
|
|
|
team.delete()
|
|
|
|
return redirect(reverse_lazy("index"))
|
|
|
|
|
|
|
|
|
|
|
|
class MyParticipationDetailView(LoginRequiredMixin, RedirectView):
|
|
|
|
"""
|
|
|
|
Redirects to the detail view of the participation of the team.
|
|
|
|
"""
|
|
|
|
def get_redirect_url(self, *args, **kwargs):
|
|
|
|
user = self.request.user
|
|
|
|
registration = user.registration
|
|
|
|
if registration.participates:
|
|
|
|
if registration.team:
|
|
|
|
return reverse_lazy("participation:participation_detail", args=(registration.team.participation.id,))
|
|
|
|
raise PermissionDenied(_("You are not in a team."))
|
|
|
|
raise PermissionDenied(_("You don't participate, so you don't have any team."))
|
|
|
|
|
|
|
|
|
|
|
|
class ParticipationDetailView(LoginRequiredMixin, DetailView):
|
|
|
|
"""
|
2021-01-12 14:42:32 +00:00
|
|
|
Display detail about the participation of a team, and manage the solution submission.
|
2020-12-27 10:49:54 +00:00
|
|
|
"""
|
|
|
|
model = Participation
|
|
|
|
|
|
|
|
def dispatch(self, request, *args, **kwargs):
|
|
|
|
user = request.user
|
|
|
|
if not user.is_authenticated:
|
|
|
|
return super().handle_no_permission()
|
|
|
|
if not self.get_object().valid:
|
|
|
|
raise PermissionDenied(_("The team is not validated yet."))
|
|
|
|
if user.registration.is_admin or user.registration.participates \
|
|
|
|
and user.registration.team.participation \
|
2021-01-17 11:40:23 +00:00
|
|
|
and user.registration.team.participation.pk == kwargs["pk"] \
|
|
|
|
or user.registration.is_volunteer \
|
2021-03-14 22:46:11 +00:00
|
|
|
and self.get_object().tournament in user.registration.interesting_tournaments:
|
2020-12-27 10:49:54 +00:00
|
|
|
return super().dispatch(request, *args, **kwargs)
|
|
|
|
raise PermissionDenied
|
|
|
|
|
|
|
|
def get_context_data(self, **kwargs):
|
|
|
|
context = super().get_context_data(**kwargs)
|
|
|
|
|
|
|
|
context["title"] = lambda: _("Participation of team {trigram}").format(trigram=self.object.team.trigram)
|
|
|
|
|
|
|
|
return context
|
2020-12-30 11:13:05 +00:00
|
|
|
|
|
|
|
|
|
|
|
class TournamentListView(SingleTableView):
|
2020-12-31 11:13:42 +00:00
|
|
|
"""
|
|
|
|
Display the list of all tournaments.
|
|
|
|
"""
|
2020-12-30 11:13:05 +00:00
|
|
|
model = Tournament
|
|
|
|
table_class = TournamentTable
|
2020-12-31 11:13:42 +00:00
|
|
|
|
|
|
|
|
|
|
|
class TournamentCreateView(AdminMixin, CreateView):
|
|
|
|
"""
|
|
|
|
Create a new tournament.
|
|
|
|
"""
|
|
|
|
model = Tournament
|
|
|
|
form_class = TournamentForm
|
|
|
|
|
|
|
|
def get_success_url(self):
|
|
|
|
return reverse_lazy("participation:tournament_detail", args=(self.object.pk,))
|
|
|
|
|
|
|
|
|
2021-01-17 11:40:23 +00:00
|
|
|
class TournamentUpdateView(VolunteerMixin, UpdateView):
|
2020-12-31 11:13:42 +00:00
|
|
|
"""
|
|
|
|
Update tournament detail.
|
|
|
|
"""
|
|
|
|
model = Tournament
|
|
|
|
form_class = TournamentForm
|
|
|
|
|
2021-01-17 11:40:23 +00:00
|
|
|
def dispatch(self, request, *args, **kwargs):
|
|
|
|
if not request.user.is_authenticated or not self.request.user.registration.is_admin \
|
|
|
|
and not (self.request.user.registration.is_volunteer
|
2021-01-17 15:23:48 +00:00
|
|
|
and self.request.user.registration.organized_tournaments.all()):
|
2021-01-17 11:40:23 +00:00
|
|
|
return self.handle_no_permission()
|
|
|
|
return super().dispatch(request, *args, **kwargs)
|
|
|
|
|
2020-12-31 11:13:42 +00:00
|
|
|
|
|
|
|
class TournamentDetailView(DetailView):
|
|
|
|
"""
|
|
|
|
Display tournament detail.
|
|
|
|
"""
|
|
|
|
model = Tournament
|
2021-01-01 11:11:09 +00:00
|
|
|
|
|
|
|
def get_context_data(self, **kwargs):
|
|
|
|
context = super().get_context_data(**kwargs)
|
|
|
|
context["teams"] = ParticipationTable(self.object.participations.all())
|
2021-01-13 15:22:26 +00:00
|
|
|
context["pools"] = PoolTable(self.object.pools.all())
|
2021-01-14 18:23:32 +00:00
|
|
|
|
|
|
|
notes = dict()
|
|
|
|
for participation in self.object.participations.all():
|
2021-01-18 15:54:57 +00:00
|
|
|
note = sum(pool.average(participation)
|
|
|
|
for pool in self.object.pools.filter(participations=participation).all())
|
|
|
|
if note:
|
|
|
|
notes[participation] = note
|
2021-01-14 18:23:32 +00:00
|
|
|
context["notes"] = sorted(notes.items(), key=lambda x: x[1], reverse=True)
|
|
|
|
|
2021-01-01 11:11:09 +00:00
|
|
|
return context
|
2021-01-12 16:24:46 +00:00
|
|
|
|
|
|
|
|
|
|
|
class SolutionUploadView(LoginRequiredMixin, FormView):
|
|
|
|
template_name = "participation/upload_solution.html"
|
|
|
|
form_class = SolutionForm
|
|
|
|
|
|
|
|
def dispatch(self, request, *args, **kwargs):
|
|
|
|
qs = Participation.objects.filter(pk=self.kwargs["pk"])
|
|
|
|
if not qs.exists():
|
|
|
|
raise Http404
|
|
|
|
self.participation = qs.get()
|
2021-01-17 11:40:23 +00:00
|
|
|
if not self.request.user.is_authenticated or not self.request.user.registration.is_admin \
|
|
|
|
and not (self.request.user.registration.participates
|
|
|
|
and self.request.user.registration.team == self.participation.team):
|
|
|
|
return self.handle_no_permission()
|
2021-01-12 16:24:46 +00:00
|
|
|
return super().dispatch(request, *args, **kwargs)
|
|
|
|
|
|
|
|
def form_valid(self, form):
|
|
|
|
"""
|
|
|
|
When a solution is submitted, it replaces a previous solution if existing,
|
|
|
|
otherwise it creates a new solution.
|
|
|
|
It is discriminating whenever the team is selected for the final tournament or not.
|
|
|
|
"""
|
|
|
|
form_sol = form.instance
|
2021-01-18 23:11:52 +00:00
|
|
|
sol_qs = Solution.objects.filter(participation=self.participation,
|
|
|
|
problem=form_sol.problem,
|
|
|
|
final_solution=self.participation.final)
|
|
|
|
|
2021-04-03 20:15:03 +00:00
|
|
|
tournament = Tournament.final_tournament() if self.participation.final else self.participation.tournament
|
2021-01-18 23:11:52 +00:00
|
|
|
if timezone.now() > tournament.solution_limit and sol_qs.exists():
|
|
|
|
form.add_error(None, _("You can't upload a solution after the deadline."))
|
|
|
|
return self.form_invalid(form)
|
|
|
|
|
2021-01-12 16:24:46 +00:00
|
|
|
# Drop previous solution if existing
|
2021-01-18 23:11:52 +00:00
|
|
|
for sol in sol_qs.all():
|
2021-01-14 16:26:08 +00:00
|
|
|
sol.file.delete()
|
2021-01-22 08:40:28 +00:00
|
|
|
sol.save()
|
2021-01-12 16:51:55 +00:00
|
|
|
sol.delete()
|
2021-01-12 16:24:46 +00:00
|
|
|
form_sol.participation = self.participation
|
|
|
|
form_sol.final = self.participation.final
|
|
|
|
form_sol.save()
|
|
|
|
return super().form_valid(form)
|
|
|
|
|
|
|
|
def get_success_url(self):
|
|
|
|
return reverse_lazy("participation:participation_detail", args=(self.participation.pk,))
|
2021-01-13 16:00:50 +00:00
|
|
|
|
|
|
|
|
|
|
|
class PoolCreateView(AdminMixin, CreateView):
|
|
|
|
model = Pool
|
|
|
|
form_class = PoolForm
|
|
|
|
|
|
|
|
|
2021-01-14 16:26:08 +00:00
|
|
|
class PoolDetailView(LoginRequiredMixin, DetailView):
|
2021-01-13 16:00:50 +00:00
|
|
|
model = Pool
|
|
|
|
|
2021-01-17 11:40:23 +00:00
|
|
|
def dispatch(self, request, *args, **kwargs):
|
|
|
|
if not request.user.is_authenticated:
|
|
|
|
return self.handle_no_permission()
|
|
|
|
if request.user.registration.is_admin or request.user.registration.participates \
|
|
|
|
and request.user.registration.team \
|
|
|
|
and request.user.registration.team.participation in self.get_object().participations.all() \
|
|
|
|
or request.user.registration.is_volunteer \
|
|
|
|
and self.get_object().tournament in request.user.registration.interesting_tournaments:
|
|
|
|
return super().dispatch(request, *args, **kwargs)
|
|
|
|
return self.handle_no_permission()
|
|
|
|
|
2021-01-14 18:23:32 +00:00
|
|
|
def get_context_data(self, **kwargs):
|
|
|
|
context = super().get_context_data(**kwargs)
|
|
|
|
|
2021-01-14 18:33:56 +00:00
|
|
|
context["passages"] = PassageTable(self.object.passages.all())
|
|
|
|
|
2021-01-14 18:23:32 +00:00
|
|
|
notes = dict()
|
|
|
|
for participation in self.object.participations.all():
|
2021-01-18 15:54:57 +00:00
|
|
|
note = self.object.average(participation)
|
|
|
|
if note:
|
|
|
|
notes[participation] = note
|
2021-01-14 18:23:32 +00:00
|
|
|
context["notes"] = sorted(notes.items(), key=lambda x: x[1], reverse=True)
|
|
|
|
|
|
|
|
return context
|
|
|
|
|
2021-01-13 16:00:50 +00:00
|
|
|
|
2021-01-17 11:40:23 +00:00
|
|
|
class PoolUpdateView(VolunteerMixin, UpdateView):
|
2021-01-13 16:00:50 +00:00
|
|
|
model = Pool
|
|
|
|
form_class = PoolForm
|
2021-01-14 13:44:12 +00:00
|
|
|
|
2021-01-17 11:40:23 +00:00
|
|
|
def dispatch(self, request, *args, **kwargs):
|
|
|
|
if not request.user.is_authenticated:
|
|
|
|
return self.handle_no_permission()
|
|
|
|
if request.user.registration.is_admin or request.user.registration.is_volunteer \
|
|
|
|
and (self.get_object().tournament in request.user.registration.organized_tournaments.all()
|
|
|
|
or request.user.registration in self.get_object().juries.all()):
|
|
|
|
return super().dispatch(request, *args, **kwargs)
|
|
|
|
return self.handle_no_permission()
|
|
|
|
|
2021-01-14 13:44:12 +00:00
|
|
|
|
2021-01-17 11:40:23 +00:00
|
|
|
class PoolUpdateTeamsView(VolunteerMixin, UpdateView):
|
2021-01-14 13:44:12 +00:00
|
|
|
model = Pool
|
|
|
|
form_class = PoolTeamsForm
|
2021-01-14 14:59:11 +00:00
|
|
|
|
2021-01-17 11:40:23 +00:00
|
|
|
def dispatch(self, request, *args, **kwargs):
|
|
|
|
if not request.user.is_authenticated:
|
|
|
|
return self.handle_no_permission()
|
|
|
|
if request.user.registration.is_admin or request.user.registration.is_volunteer \
|
|
|
|
and (self.get_object().tournament in request.user.registration.organized_tournaments.all()
|
|
|
|
or request.user.registration in self.get_object().juries.all()):
|
|
|
|
return super().dispatch(request, *args, **kwargs)
|
|
|
|
return self.handle_no_permission()
|
|
|
|
|
2021-01-14 14:59:11 +00:00
|
|
|
|
2021-01-17 11:40:23 +00:00
|
|
|
class PassageCreateView(VolunteerMixin, CreateView):
|
2021-01-14 14:59:11 +00:00
|
|
|
model = Passage
|
|
|
|
form_class = PassageForm
|
|
|
|
|
|
|
|
def dispatch(self, request, *args, **kwargs):
|
2021-01-17 11:40:23 +00:00
|
|
|
if not request.user.is_authenticated:
|
|
|
|
return self.handle_no_permission()
|
|
|
|
|
2021-01-14 14:59:11 +00:00
|
|
|
qs = Pool.objects.filter(pk=self.kwargs["pk"])
|
|
|
|
if not qs.exists():
|
|
|
|
raise Http404
|
|
|
|
self.pool = qs.get()
|
2021-01-17 11:40:23 +00:00
|
|
|
|
|
|
|
if request.user.registration.is_admin or request.user.registration.is_volunteer \
|
|
|
|
and (self.pool.tournament in request.user.registration.organized_tournaments.all()
|
|
|
|
or request.user.registration in self.pool.juries.all()):
|
|
|
|
return super().dispatch(request, *args, **kwargs)
|
|
|
|
|
|
|
|
return self.handle_no_permission()
|
2021-01-14 14:59:11 +00:00
|
|
|
|
|
|
|
def get_form(self, form_class=None):
|
|
|
|
form = super().get_form(form_class)
|
|
|
|
form.instance.pool = self.pool
|
2021-01-18 23:13:22 +00:00
|
|
|
form.fields["defender"].queryset = self.pool.participations.all()
|
2021-01-14 14:59:11 +00:00
|
|
|
form.fields["opponent"].queryset = self.pool.participations.all()
|
|
|
|
form.fields["reporter"].queryset = self.pool.participations.all()
|
|
|
|
return form
|
|
|
|
|
|
|
|
|
2021-01-14 16:26:08 +00:00
|
|
|
class PassageDetailView(LoginRequiredMixin, DetailView):
|
2021-01-14 14:59:11 +00:00
|
|
|
model = Passage
|
|
|
|
|
2021-01-17 11:40:23 +00:00
|
|
|
def dispatch(self, request, *args, **kwargs):
|
|
|
|
if not request.user.is_authenticated:
|
|
|
|
return self.handle_no_permission()
|
|
|
|
if request.user.registration.is_admin or request.user.registration.is_volunteer \
|
|
|
|
and (self.get_object().pool.tournament in request.user.registration.organized_tournaments.all()
|
|
|
|
or request.user.registration in self.get_object().pool.juries.all()) \
|
|
|
|
or request.user.registration.participates and request.user.registration.team \
|
|
|
|
and request.user.registration.team.participation in [self.get_object().defender,
|
|
|
|
self.get_object().opponent,
|
|
|
|
self.get_object().reporter]:
|
|
|
|
return super().dispatch(request, *args, **kwargs)
|
|
|
|
return self.handle_no_permission()
|
|
|
|
|
2021-01-14 17:21:22 +00:00
|
|
|
def get_context_data(self, **kwargs):
|
|
|
|
context = super().get_context_data(**kwargs)
|
|
|
|
if self.request.user.registration in self.object.pool.juries.all():
|
|
|
|
context["my_note"] = Note.objects.get(passage=self.object, jury=self.request.user.registration)
|
2021-01-14 17:43:53 +00:00
|
|
|
context["notes"] = NoteTable([note for note in self.object.notes.all() if note])
|
2021-01-14 17:21:22 +00:00
|
|
|
return context
|
|
|
|
|
2021-01-14 14:59:11 +00:00
|
|
|
|
2021-01-17 11:40:23 +00:00
|
|
|
class PassageUpdateView(VolunteerMixin, UpdateView):
|
2021-01-14 14:59:11 +00:00
|
|
|
model = Passage
|
|
|
|
form_class = PassageForm
|
|
|
|
|
2021-01-17 11:40:23 +00:00
|
|
|
def dispatch(self, request, *args, **kwargs):
|
|
|
|
if not request.user.is_authenticated:
|
|
|
|
return self.handle_no_permission()
|
|
|
|
|
|
|
|
if request.user.registration.is_admin or request.user.registration.is_volunteer \
|
|
|
|
and (self.get_object().pool.tournament in request.user.registration.organized_tournaments.all()
|
|
|
|
or request.user.registration in self.get_object().pool.juries.all()):
|
|
|
|
return super().dispatch(request, *args, **kwargs)
|
|
|
|
|
|
|
|
return self.handle_no_permission()
|
|
|
|
|
2021-01-14 16:26:08 +00:00
|
|
|
|
|
|
|
class SynthesisUploadView(LoginRequiredMixin, FormView):
|
|
|
|
template_name = "participation/upload_synthesis.html"
|
|
|
|
form_class = SynthesisForm
|
|
|
|
|
|
|
|
def dispatch(self, request, *args, **kwargs):
|
2021-01-17 11:40:23 +00:00
|
|
|
if not request.user.is_authenticated or not request.user.registration.participates:
|
|
|
|
return self.handle_no_permission()
|
|
|
|
|
2021-01-14 16:26:08 +00:00
|
|
|
qs = Passage.objects.filter(pk=self.kwargs["pk"])
|
|
|
|
if not qs.exists():
|
|
|
|
raise Http404
|
|
|
|
self.participation = self.request.user.registration.team.participation
|
|
|
|
self.passage = qs.get()
|
2021-01-17 11:40:23 +00:00
|
|
|
|
|
|
|
if self.participation not in [self.passage.defender, self.passage.opponent, self.passage.reporter]:
|
|
|
|
return self.handle_no_permission()
|
|
|
|
|
2021-01-14 16:26:08 +00:00
|
|
|
return super().dispatch(request, *args, **kwargs)
|
|
|
|
|
|
|
|
def form_valid(self, form):
|
|
|
|
"""
|
|
|
|
When a solution is submitted, it replaces a previous solution if existing,
|
|
|
|
otherwise it creates a new solution.
|
|
|
|
It is discriminating whenever the team is selected for the final tournament or not.
|
|
|
|
"""
|
|
|
|
form_syn = form.instance
|
2021-01-18 23:11:52 +00:00
|
|
|
syn_qs = Synthesis.objects.filter(participation=self.participation,
|
|
|
|
passage=self.passage,
|
|
|
|
type=form_syn.type).all()
|
|
|
|
|
|
|
|
deadline = self.passage.pool.tournament.syntheses_first_phase_limit if self.passage.pool.round == 1 \
|
|
|
|
else self.passage.pool.tournament.syntheses_second_phase_limit
|
|
|
|
if syn_qs.exists() and timezone.now() > deadline:
|
|
|
|
form.add_error(None, _("You can't upload a synthesis after the deadline."))
|
|
|
|
return self.form_invalid(form)
|
|
|
|
|
2021-01-14 16:26:08 +00:00
|
|
|
# Drop previous solution if existing
|
2021-01-18 23:11:52 +00:00
|
|
|
for syn in syn_qs.all():
|
2021-01-14 16:26:08 +00:00
|
|
|
syn.file.delete()
|
2021-01-22 08:40:28 +00:00
|
|
|
syn.save()
|
2021-01-14 16:26:08 +00:00
|
|
|
syn.delete()
|
|
|
|
form_syn.participation = self.participation
|
|
|
|
form_syn.passage = self.passage
|
|
|
|
form_syn.save()
|
|
|
|
return super().form_valid(form)
|
|
|
|
|
|
|
|
def get_success_url(self):
|
|
|
|
return reverse_lazy("participation:passage_detail", args=(self.passage.pk,))
|
2021-01-14 17:21:22 +00:00
|
|
|
|
|
|
|
|
2021-01-17 11:40:23 +00:00
|
|
|
class NoteUpdateView(VolunteerMixin, UpdateView):
|
2021-01-14 17:21:22 +00:00
|
|
|
model = Note
|
|
|
|
form_class = NoteForm
|
2021-01-17 11:40:23 +00:00
|
|
|
|
|
|
|
def dispatch(self, request, *args, **kwargs):
|
|
|
|
if not request.user.is_authenticated:
|
|
|
|
return self.handle_no_permission()
|
|
|
|
|
|
|
|
if request.user.registration.is_admin or request.user.registration.is_volunteer \
|
|
|
|
and self.get_object().jury == request.user.registration:
|
|
|
|
return super().dispatch(request, *args, **kwargs)
|
|
|
|
|
|
|
|
return self.handle_no_permission()
|