2020-12-23 11:19:30 +01:00
|
|
|
import csv
|
|
|
|
import io
|
2020-12-24 00:41:29 +01:00
|
|
|
import random
|
2020-12-23 11:19:30 +01:00
|
|
|
|
2021-04-04 23:38:21 +02:00
|
|
|
import networkx as nx
|
2021-03-29 18:04:54 +02:00
|
|
|
import numpy as np
|
2021-04-04 23:38:21 +02:00
|
|
|
from networkx.algorithms.dag import ancestors, descendants
|
2021-03-29 18:04:54 +02:00
|
|
|
|
2020-12-24 00:41:29 +01:00
|
|
|
from django.contrib.auth.hashers import make_password
|
2020-12-23 16:28:38 +01:00
|
|
|
from django.core.exceptions import ValidationError
|
2020-12-24 00:41:29 +01:00
|
|
|
from django.core.mail import EmailMessage, get_connection
|
2020-12-23 16:28:38 +01:00
|
|
|
from django.core.validators import validate_email
|
2021-03-29 20:35:34 +02:00
|
|
|
from django.template.loader import render_to_string
|
2020-12-23 16:28:38 +01:00
|
|
|
from django.utils.translation import gettext_lazy as _
|
|
|
|
|
2021-03-19 16:10:25 +01:00
|
|
|
# #############################################################################
|
|
|
|
# Fonctions universelles
|
|
|
|
# #############################################################################
|
|
|
|
|
2021-03-19 11:48:38 +01:00
|
|
|
|
|
|
|
def choices_length(choices):
|
|
|
|
"""Renvoie la longueur maximale des choix de choices"""
|
|
|
|
m = 0
|
|
|
|
for c in choices:
|
|
|
|
m = max(m, len(c[0]))
|
|
|
|
return m
|
2020-12-24 00:41:29 +01:00
|
|
|
|
2020-12-23 11:19:30 +01:00
|
|
|
|
2021-03-19 16:10:25 +01:00
|
|
|
# #############################################################################
|
|
|
|
# Classes pour différencier les différents types de questions
|
|
|
|
# #############################################################################
|
|
|
|
|
|
|
|
|
2021-03-19 14:25:13 +01:00
|
|
|
class CastFunctions:
|
|
|
|
"""Classe pour enregistrer les votes"""
|
|
|
|
|
|
|
|
def cast_select(user, vote_form):
|
2021-03-19 16:08:02 +01:00
|
|
|
"""On enregistre un vote classique"""
|
2021-03-19 14:25:13 +01:00
|
|
|
selected, n_selected = [], []
|
|
|
|
for v in vote_form:
|
|
|
|
if v.cleaned_data["selected"]:
|
|
|
|
selected.append(v.instance)
|
|
|
|
else:
|
|
|
|
n_selected.append(v.instance)
|
|
|
|
|
|
|
|
user.votes.add(*selected)
|
|
|
|
user.votes.remove(*n_selected)
|
|
|
|
|
2021-03-29 12:42:34 +02:00
|
|
|
def cast_rank(user, vote_form):
|
|
|
|
"""On enregistre un vote par classement"""
|
|
|
|
from .models import Rank, Vote
|
|
|
|
|
|
|
|
# On enregistre les votes pour pouvoir créér les classements
|
|
|
|
options = [v.instance for v in vote_form]
|
|
|
|
user.votes.add(*options)
|
|
|
|
|
|
|
|
votes = {
|
|
|
|
v.option: v for v in Vote.objects.filter(user=user, option__in=options)
|
|
|
|
}
|
|
|
|
ranks_create = []
|
|
|
|
ranks_update = []
|
|
|
|
|
|
|
|
for v in vote_form:
|
|
|
|
vote = votes[v.instance]
|
|
|
|
if hasattr(vote, "rank"):
|
|
|
|
vote.rank.rank = v.cleaned_data["rank"]
|
|
|
|
ranks_update.append(vote.rank)
|
|
|
|
else:
|
|
|
|
ranks_create.append(Rank(vote=vote, rank=v.cleaned_data["rank"]))
|
|
|
|
|
|
|
|
Rank.objects.bulk_update(ranks_update, ["rank"])
|
|
|
|
Rank.objects.bulk_create(ranks_create)
|
|
|
|
|
2021-03-19 14:25:13 +01:00
|
|
|
|
2021-03-19 16:08:02 +01:00
|
|
|
class TallyFunctions:
|
|
|
|
"""Classe pour gérer les dépouillements"""
|
|
|
|
|
|
|
|
def tally_select(question):
|
|
|
|
"""On dépouille un vote classique"""
|
|
|
|
from .models import Option
|
|
|
|
|
|
|
|
max_votes = 0
|
|
|
|
options = []
|
|
|
|
|
|
|
|
for o in question.options.prefetch_related("voters").all():
|
|
|
|
o.nb_votes = o.voters.count()
|
|
|
|
max_votes = max(max_votes, o.nb_votes)
|
|
|
|
options.append(o)
|
|
|
|
|
2021-04-04 23:38:21 +02:00
|
|
|
for o in options:
|
|
|
|
o.winner = o.nb_votes == max_votes
|
|
|
|
|
2021-03-19 16:08:02 +01:00
|
|
|
question.max_votes = max_votes
|
|
|
|
question.save()
|
|
|
|
|
2021-04-04 23:38:21 +02:00
|
|
|
Option.objects.bulk_update(options, ["nb_votes", "winner"])
|
2021-03-19 16:08:02 +01:00
|
|
|
|
2021-04-04 23:54:48 +02:00
|
|
|
def tally_schultze(question):
|
2021-03-29 18:04:54 +02:00
|
|
|
"""On dépouille un vote par classement et on crée la matrice des duels"""
|
2021-04-04 23:38:21 +02:00
|
|
|
from .models import Duel, Option, Rank
|
2021-03-29 18:04:54 +02:00
|
|
|
|
|
|
|
def duel(a, b):
|
|
|
|
# Renvoie 1 si a est classé avant b, -1 si c'est l'inverse et
|
|
|
|
# 0 si a et b ont le même rang, ce qui permet d'avoir directement
|
|
|
|
# le graphe des duels en faisant le max avec la matrice nulle
|
|
|
|
return (a.rank < b.rank) - (a.rank > b.rank)
|
|
|
|
|
|
|
|
options = list(question.options.all())
|
|
|
|
ranks = Rank.objects.select_related("vote").filter(vote__option__in=options)
|
|
|
|
ranks_by_user = {}
|
|
|
|
|
|
|
|
for r in ranks:
|
|
|
|
user = r.vote.user
|
|
|
|
if user in ranks_by_user:
|
|
|
|
ranks_by_user[user].append(r)
|
|
|
|
else:
|
|
|
|
ranks_by_user[user] = [r]
|
|
|
|
|
|
|
|
ballots = []
|
|
|
|
|
|
|
|
# Pour chaque votant·e, on regarde son classement
|
|
|
|
for user in ranks_by_user:
|
|
|
|
votes = ranks_by_user[user]
|
|
|
|
ballots.append(np.array([[duel(x, y) for x in votes] for y in votes]))
|
|
|
|
|
2021-04-04 23:38:21 +02:00
|
|
|
if ballots != []:
|
|
|
|
# On additionne les classements de tout le monde pour avoir la matrice
|
|
|
|
# des duels
|
|
|
|
duels = np.maximum(sum(ballots), 0)
|
|
|
|
|
|
|
|
# Configuration du graphe
|
|
|
|
graph = nx.DiGraph()
|
|
|
|
|
|
|
|
graph.add_nodes_from(options)
|
|
|
|
|
|
|
|
cells = []
|
|
|
|
|
|
|
|
# On enregistre la matrice
|
|
|
|
for i, line in enumerate(duels):
|
|
|
|
for j, cell in enumerate(line):
|
|
|
|
if cell > 0:
|
|
|
|
graph.add_edge(options[j], options[i], weight=cell)
|
|
|
|
cells.append(
|
|
|
|
Duel(
|
|
|
|
question=question,
|
|
|
|
winner=options[j],
|
|
|
|
loser=options[i],
|
|
|
|
amount=cell,
|
|
|
|
)
|
2021-03-29 18:04:54 +02:00
|
|
|
)
|
2021-04-04 23:38:21 +02:00
|
|
|
Duel.objects.bulk_create(cells)
|
|
|
|
|
|
|
|
# On utilise la méthode de schwartz pour trouver les options gagnantes
|
|
|
|
while graph.edges():
|
|
|
|
losers = set() # Les options qui se font battre strictement
|
|
|
|
for n in graph.nodes():
|
|
|
|
losers |= set(descendants(graph, n)) - set(ancestors(graph, n))
|
|
|
|
|
|
|
|
if losers:
|
|
|
|
# On supprime les options perdantes
|
|
|
|
for n in losers:
|
|
|
|
graph.remove_node(n)
|
|
|
|
|
|
|
|
else:
|
|
|
|
# On n'a pas d'options perdantes, on supprime les arêtes de poids
|
|
|
|
# le plus faible
|
|
|
|
min_weight = min(nx.get_edge_attributes(graph, "weight").values())
|
|
|
|
min_edges = []
|
|
|
|
for (u, v) in graph.edges():
|
|
|
|
if graph[u][v]["weight"] == min_weight:
|
|
|
|
min_edges.append((u, v))
|
|
|
|
|
|
|
|
for (u, v) in min_edges:
|
|
|
|
graph.remove_edge(u, v)
|
|
|
|
|
|
|
|
# Les options gagnantes sont celles encore présentes dans le graphe
|
|
|
|
winners = graph.nodes()
|
|
|
|
for o in options:
|
|
|
|
o.winner = o in winners
|
|
|
|
|
|
|
|
Option.objects.bulk_update(options, ["winner"])
|
2021-03-29 18:04:54 +02:00
|
|
|
|
2021-03-19 16:08:02 +01:00
|
|
|
|
2021-03-19 22:24:27 +01:00
|
|
|
class ValidateFunctions:
|
|
|
|
"""Classe pour valider les formsets selon le type de question"""
|
|
|
|
|
|
|
|
def always_true(vote_form):
|
|
|
|
"""Retourne True pour les votes sans validation particulière"""
|
|
|
|
return True
|
|
|
|
|
|
|
|
def unique_selected(vote_form):
|
|
|
|
"""Vérifie qu'une seule option est choisie"""
|
|
|
|
nb_selected = 0
|
|
|
|
for v in vote_form:
|
|
|
|
nb_selected += v.cleaned_data["selected"]
|
|
|
|
|
|
|
|
if nb_selected == 0:
|
|
|
|
vote_form._non_form_errors.append(
|
|
|
|
ValidationError(_("Vous devez sélectionnner une option."))
|
|
|
|
)
|
|
|
|
return False
|
|
|
|
elif nb_selected > 1:
|
|
|
|
vote_form._non_form_errors.append(
|
|
|
|
ValidationError(_("Vous ne pouvez pas sélectionner plus d'une option."))
|
|
|
|
)
|
|
|
|
return False
|
|
|
|
return True
|
|
|
|
|
2021-03-29 12:42:34 +02:00
|
|
|
def limit_ranks(vote_form):
|
|
|
|
"""Limite le classement au nombre d'options"""
|
|
|
|
nb_options = len(vote_form)
|
|
|
|
valid = True
|
|
|
|
|
|
|
|
for v in vote_form:
|
|
|
|
rank = v.cleaned_data["rank"]
|
|
|
|
if rank is None:
|
|
|
|
rank = nb_options
|
|
|
|
|
|
|
|
if rank > nb_options:
|
|
|
|
v.add_error(
|
|
|
|
"rank", _("Le classement maximal est {}.").format(nb_options)
|
|
|
|
)
|
|
|
|
valid = False
|
|
|
|
elif rank < 1:
|
|
|
|
v.add_error("rank", _("Le classement minimal est 1."))
|
|
|
|
valid = False
|
|
|
|
v.cleaned_data["rank"] = rank # On ajoute le défaut
|
|
|
|
|
|
|
|
return valid
|
|
|
|
|
2021-03-19 22:24:27 +01:00
|
|
|
|
2021-03-29 20:35:34 +02:00
|
|
|
class ResultsData:
|
|
|
|
"""Classe pour afficher des informations supplémentaires après la fin d'une élection"""
|
|
|
|
|
|
|
|
def select(question):
|
|
|
|
"""On renvoie l'explication des couleurs"""
|
|
|
|
return render_to_string("elections/results/select.html")
|
|
|
|
|
|
|
|
def rank(question):
|
|
|
|
"""On récupère la matrice des résultats et on l'affiche"""
|
|
|
|
duels = question.duels.all()
|
|
|
|
options = list(question.options.all())
|
|
|
|
n = len(options)
|
|
|
|
|
|
|
|
matrix = np.zeros((n, n), dtype=int)
|
|
|
|
|
|
|
|
for d in duels:
|
|
|
|
i, j = options.index(d.winner), options.index(d.loser)
|
|
|
|
matrix[i, j] = d.amount
|
|
|
|
print(matrix)
|
|
|
|
return render_to_string(
|
|
|
|
"elections/results/rank.html",
|
|
|
|
{"q": question, "matrix": matrix, "range": range(1, n + 1)},
|
|
|
|
)
|
|
|
|
|
|
|
|
|
2021-03-19 16:10:25 +01:00
|
|
|
# #############################################################################
|
|
|
|
# Fonctions pour importer une liste de votant·e·s
|
|
|
|
# #############################################################################
|
|
|
|
|
|
|
|
|
2020-12-23 11:19:30 +01:00
|
|
|
def create_users(election, csv_file):
|
|
|
|
"""Crée les votant·e·s pour l'élection donnée, en remplissant les champs
|
|
|
|
`username`, `election` et `full_name`.
|
|
|
|
"""
|
2020-12-23 17:08:43 +01:00
|
|
|
dialect = csv.Sniffer().sniff(csv_file.readline().decode("utf-8"))
|
2020-12-23 11:19:30 +01:00
|
|
|
csv_file.seek(0)
|
|
|
|
reader = csv.reader(io.StringIO(csv_file.read().decode("utf-8")), dialect)
|
|
|
|
for (username, full_name, email) in reader:
|
|
|
|
election.registered_voters.create(
|
2020-12-23 18:04:39 +01:00
|
|
|
username=f"{election.id}__{username}", email=email, full_name=full_name
|
2020-12-23 11:19:30 +01:00
|
|
|
)
|
2020-12-23 16:28:38 +01:00
|
|
|
|
|
|
|
|
|
|
|
def check_csv(csv_file):
|
|
|
|
"""Vérifie que le fichier donnant la liste de votant·e·s est bien formé"""
|
|
|
|
try:
|
2020-12-23 17:08:43 +01:00
|
|
|
dialect = csv.Sniffer().sniff(csv_file.readline().decode("utf-8"))
|
2020-12-23 16:28:38 +01:00
|
|
|
except csv.Error:
|
|
|
|
return [
|
|
|
|
_(
|
|
|
|
"Format invalide. Vérifiez que le fichier est bien formé (i.e. "
|
|
|
|
"chaque ligne de la forme 'login,nom,email')."
|
|
|
|
)
|
|
|
|
]
|
|
|
|
csv_file.seek(0)
|
|
|
|
reader = csv.reader(io.StringIO(csv_file.read().decode("utf-8")), dialect)
|
|
|
|
|
|
|
|
errors = []
|
2020-12-23 17:08:43 +01:00
|
|
|
users = {}
|
2020-12-23 16:28:38 +01:00
|
|
|
line_nb = 0
|
|
|
|
for line in reader:
|
|
|
|
line_nb += 1
|
|
|
|
if len(line) != 3:
|
|
|
|
errors.append(
|
|
|
|
_("La ligne {} n'a pas le bon nombre d'éléments.").format(line_nb)
|
|
|
|
)
|
|
|
|
else:
|
2020-12-23 17:08:43 +01:00
|
|
|
if line[0] == "":
|
2020-12-23 16:28:38 +01:00
|
|
|
errors.append(
|
2020-12-23 17:08:43 +01:00
|
|
|
_("Valeur manquante dans la ligne {} : 'login'.").format(line_nb)
|
|
|
|
)
|
|
|
|
else:
|
|
|
|
if line[0] in users:
|
|
|
|
errors.append(
|
|
|
|
_("Doublon dans les logins : lignes {} et {}.").format(
|
|
|
|
line_nb, users[line[0]]
|
|
|
|
)
|
2020-12-23 16:28:38 +01:00
|
|
|
)
|
2020-12-23 17:08:43 +01:00
|
|
|
else:
|
|
|
|
users[line[0]] = line_nb
|
|
|
|
if line[1] == "":
|
|
|
|
errors.append(
|
|
|
|
_("Valeur manquante dans la ligne {} : 'nom'.").format(line_nb)
|
2020-12-23 16:28:38 +01:00
|
|
|
)
|
|
|
|
try:
|
|
|
|
validate_email(line[2])
|
|
|
|
except ValidationError:
|
|
|
|
errors.append(
|
|
|
|
_("Adresse mail invalide à la ligne {} : '{}'.").format(
|
|
|
|
line_nb, line[2]
|
|
|
|
)
|
|
|
|
)
|
|
|
|
|
|
|
|
return errors
|
|
|
|
|
|
|
|
|
2020-12-24 00:41:29 +01:00
|
|
|
def generate_password():
|
|
|
|
random.seed()
|
|
|
|
alphabet = "abcdefghjkmnopqrstuvwxyzABCDEFGHJKLMNPQRSTUVWXYZ23456789"
|
|
|
|
password = ""
|
|
|
|
for i in range(15):
|
|
|
|
password += random.choice(alphabet)
|
|
|
|
|
|
|
|
return password
|
|
|
|
|
|
|
|
|
|
|
|
def send_mail(election, mail_form):
|
2020-12-23 16:28:38 +01:00
|
|
|
"""Envoie le mail d'annonce de l'élection avec identifiants et mot de passe
|
|
|
|
aux votant·e·s, le mdp est généré en même temps que le mail est envoyé.
|
|
|
|
"""
|
2021-03-19 11:48:38 +01:00
|
|
|
from .models import User
|
|
|
|
|
2020-12-24 00:41:29 +01:00
|
|
|
voters = list(election.registered_voters.all())
|
|
|
|
url = f"https://kadenios.eleves.ens.fr/elections/view/{election.id}"
|
|
|
|
messages = []
|
|
|
|
for v in voters:
|
|
|
|
password = generate_password()
|
|
|
|
v.password = make_password(password)
|
|
|
|
messages.append(
|
|
|
|
EmailMessage(
|
|
|
|
subject=mail_form.cleaned_data["objet"],
|
|
|
|
body=mail_form.cleaned_data["message"].format(
|
|
|
|
full_name=v.full_name,
|
|
|
|
election_url=url,
|
2021-03-25 09:31:52 +01:00
|
|
|
username=v.get_username(),
|
2020-12-24 00:41:29 +01:00
|
|
|
password=password,
|
|
|
|
),
|
|
|
|
to=[v.email],
|
|
|
|
)
|
|
|
|
)
|
|
|
|
get_connection(fail_silently=False).send_messages(messages)
|
|
|
|
User.objects.bulk_update(voters, ["password"])
|