ScoDoc/app/scodoc/sco_find_etud.py

392 lines
13 KiB
Python
Raw Normal View History

2020-09-26 16:19:37 +02:00
# -*- mode: python -*-
# -*- coding: utf-8 -*-
##############################################################################
#
# Gestion scolarite IUT
#
2023-12-31 23:04:06 +01:00
# Copyright (c) 1999 - 2024 Emmanuel Viennet. All rights reserved.
2020-09-26 16:19:37 +02:00
#
# This program is free software; you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation; either version 2 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program; if not, write to the Free Software
# Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
#
# Emmanuel Viennet emmanuel.viennet@viennet.net
#
##############################################################################
"""Recherche d'étudiants
"""
2021-08-01 10:16:16 +02:00
import flask
from flask import url_for, g, render_template, request
2021-07-28 09:51:18 +02:00
from flask_login import current_user
import sqlalchemy as sa
2020-09-26 16:19:37 +02:00
from app import db
2024-05-20 15:51:33 +02:00
from app.models import Departement, Identite
import app.scodoc.notesdb as ndb
from app.scodoc.gen_tables import GenTable
from app.scodoc import html_sco_header
from app.scodoc import sco_etud
from app.scodoc import sco_groups
2022-02-26 20:11:22 +01:00
from app.scodoc.sco_exceptions import ScoException
from app.scodoc.sco_permissions import Permission
from app.scodoc import sco_preferences
from app.scodoc import sco_utils as scu
2020-09-26 16:19:37 +02:00
def form_search_etud(
dest_url=None,
parameters=None,
parameters_keys=None,
2021-08-13 00:34:58 +02:00
title="Rechercher un étudiant par nom : ",
2020-09-26 16:19:37 +02:00
add_headers=False, # complete page
):
"form recherche par nom"
H = []
H.append(
2024-05-20 15:51:33 +02:00
f"""<form action="{
url_for("scolar.search_etud_in_dept", scodoc_dept=g.scodoc_dept)
}" method="POST">
2021-07-13 14:53:14 +02:00
<b>{title}</b>
<input type="text" name="expnom" class="in-expnom" width="12" spellcheck="false" value="">
2020-09-26 16:19:37 +02:00
<input type="submit" value="Chercher">
<br>(entrer une partie du nom)
2020-09-26 16:19:37 +02:00
"""
)
if dest_url:
H.append('<input type="hidden" name="dest_url" value="%s"/>' % dest_url)
if parameters:
for param in parameters.keys():
H.append(
'<input type="hidden" name="%s" value="%s"/>'
% (param, parameters[param])
)
H.append(
'<input type="hidden" name="parameters_keys" value="%s"/>'
% (",".join(parameters.keys()))
)
elif parameters_keys:
2021-08-22 14:23:58 +02:00
if request.method == "POST":
vals = request.form
elif request.method == "GET":
vals = request.args
else:
vals = {}
2020-09-26 16:19:37 +02:00
for key in parameters_keys.split(","):
2021-08-22 13:24:36 +02:00
v = vals.get(key, False)
2020-09-26 16:19:37 +02:00
if v:
H.append('<input type="hidden" name="%s" value="%s"/>' % (key, v))
H.append(
'<input type="hidden" name="parameters_keys" value="%s"/>' % parameters_keys
)
H.append("</form>")
if add_headers:
return (
html_sco_header.sco_header(page_title="Choix d'un étudiant")
2020-09-26 16:19:37 +02:00
+ "\n".join(H)
+ html_sco_header.sco_footer()
2020-09-26 16:19:37 +02:00
)
else:
return "\n".join(H)
def search_etuds_infos_from_exp(
expnom: str = "", dept_id: int | None = None
) -> list[Identite]:
2023-10-23 23:50:13 +02:00
"""Cherche étudiants, expnom peut être, dans cet ordre:
2024-05-20 15:51:33 +02:00
un etudid (int), un code NIP, ou une partie d'un nom (case insensitive).
Si dept_id est None, cherche dans le dept courant, sinon cherche dans le dept indiqué.
2023-10-23 23:50:13 +02:00
"""
if not isinstance(expnom, int) and len(expnom) <= 1:
return [] # si expnom est trop court, n'affiche rien
try:
etudid = int(expnom)
except ValueError:
etudid = None
dept_id = g.scodoc_dept_id if dept_id is None else dept_id
2023-10-23 23:50:13 +02:00
if etudid is not None:
etud = Identite.query.filter_by(dept_id=dept_id, id=etudid).first()
2024-05-20 15:51:33 +02:00
if etud:
return [etud]
2023-10-23 23:50:13 +02:00
expnom_str = str(expnom)
if scu.is_valid_code_nip(expnom_str):
etuds = sorted(
Identite.query.filter_by(dept_id=dept_id, code_nip=expnom_str).all(),
key=lambda e: e.sort_key,
)
2024-05-20 15:51:33 +02:00
if etuds:
return etuds
try:
return sorted(
Identite.query.filter_by(dept_id=dept_id)
.filter(
Identite.nom.op("~*")(expnom_str)
) # ~* matches regular expression, case-insensitive
.all(),
key=lambda e: e.sort_key,
)
except sa.exc.DataError:
db.session.rollback()
return []
2023-10-23 23:50:13 +02:00
2021-08-22 14:23:58 +02:00
def search_etud_in_dept(expnom=""):
2021-02-18 08:07:21 +01:00
"""Page recherche d'un etudiant.
2020-09-26 16:19:37 +02:00
2021-07-28 09:51:18 +02:00
Affiche la fiche de l'étudiant, ou, si la recherche donne plusieurs résultats,
la liste des étudiants correspondants.
2021-08-22 14:23:58 +02:00
Appelée par:
- boite de recherche barre latérale gauche.
- choix d'un étudiant à inscrire (en POST avec dest_url et parameters_keys)
2020-09-26 16:19:37 +02:00
2021-02-18 08:07:21 +01:00
Args:
expnom: string, regexp sur le nom ou un code_nip ou un etudid
"""
2023-10-23 23:50:13 +02:00
etuds = search_etuds_infos_from_exp(expnom)
2021-02-18 08:07:21 +01:00
2021-08-22 14:23:58 +02:00
if request.method == "POST":
vals = request.form
elif request.method == "GET":
vals = request.args
else:
vals = {}
url_args = {"scodoc_dept": g.scodoc_dept}
if "dest_url" in vals:
endpoint = vals["dest_url"]
2021-08-22 14:23:58 +02:00
else:
endpoint = "scolar.fiche_etud"
if "parameters_keys" in vals:
2021-08-22 14:23:58 +02:00
for key in vals["parameters_keys"].split(","):
url_args[key] = vals[key]
2020-09-26 16:19:37 +02:00
if len(etuds) == 1:
2021-06-14 18:08:52 +02:00
# va directement a la fiche
2024-05-20 15:51:33 +02:00
url_args["etudid"] = etuds[0].id
2021-08-22 14:23:58 +02:00
return flask.redirect(url_for(endpoint, **url_args))
2021-02-18 08:07:21 +01:00
H = []
2021-08-22 14:23:58 +02:00
if len(etuds) == 0 and len(etuds) <= 1:
H.append("""<h2>chercher un étudiant:</h2>""")
else:
H.append(
f"""<h2>{len(etuds)} résultats pour "<tt>{expnom}</tt>": choisissez un étudiant:</h2>"""
)
H.append(
2021-02-18 08:07:21 +01:00
form_search_etud(
2021-08-22 14:23:58 +02:00
dest_url=endpoint,
parameters=vals.get("parameters"),
parameters_keys=vals.get("parameters_keys"),
2021-02-18 08:07:21 +01:00
title="Autre recherche",
2021-08-22 14:23:58 +02:00
)
)
2020-09-26 16:19:37 +02:00
if len(etuds) > 0:
# Choix dans la liste des résultats:
2024-05-20 15:51:33 +02:00
rows = []
e: Identite
for e in sorted(etuds, key=lambda e: e.sort_key):
2024-05-20 15:51:33 +02:00
url_args["etudid"] = e.id
2021-08-22 14:23:58 +02:00
target = url_for(endpoint, **url_args)
2024-05-20 15:51:33 +02:00
cur_inscription = e.inscription_courante()
inscription = (
e.inscription_descr().get("inscription_str", "")
if cur_inscription
else ""
)
groupes = (
", ".join(
gr.group_name
for gr in sco_groups.get_etud_formsemestre_groups(
e, cur_inscription.formsemestre
)
)
if cur_inscription
else ""
)
rows.append(
{
"code_nip": e.code_nip or "",
"etudid": e.id,
"inscription": inscription,
"inscription_target": target,
"groupes": groupes,
"nomprenom": e.nomprenom,
"_nomprenom_order": e.sort_key,
2024-05-20 15:51:33 +02:00
"_nomprenom_target": target,
"_nomprenom_td_attrs": f'id="{e.id}" class="etudinfo"',
}
2022-03-05 12:47:08 +01:00
)
2020-09-26 16:19:37 +02:00
tab = GenTable(
columns_ids=("nomprenom", "code_nip", "inscription", "groupes"),
titles={
"nomprenom": "Étudiant",
2020-09-26 16:19:37 +02:00
"code_nip": "NIP",
"inscription": "Inscription",
"groupes": "Groupes",
},
2024-05-20 15:51:33 +02:00
rows=rows,
2020-09-26 16:19:37 +02:00
html_sortable=True,
html_class="table_leftalign",
preferences=sco_preferences.SemPreferences(),
table_id="search_etud_in_dept",
2020-09-26 16:19:37 +02:00
)
H.append(tab.html())
if len(etuds) > 20: # si la page est grande
H.append(
form_search_etud(
2021-08-22 14:23:58 +02:00
dest_url=endpoint,
parameters=vals.get("parameters"),
parameters_keys=vals.get("parameters_keys"),
2020-09-26 16:19:37 +02:00
title="Autre recherche",
)
)
else:
2024-05-20 15:51:33 +02:00
H.append(f'<h2 style="color: red;">Aucun résultat pour "{expnom}".</h2>')
2020-09-26 16:19:37 +02:00
H.append(
2024-05-20 15:51:33 +02:00
"""<p class="help">La recherche porte sur tout ou partie du NOM ou du NIP
de l'étudiant. Saisir au moins deux caractères.</p>"""
2020-09-26 16:19:37 +02:00
)
return render_template(
"sco_page_dept.j2", title="Recherche d'un étudiant", content="\n".join(H)
)
2020-09-26 16:19:37 +02:00
2024-05-20 15:51:33 +02:00
def search_etuds_infos(expnom=None, code_nip=None) -> list[dict]:
2020-09-26 16:19:37 +02:00
"""recherche les étudiants correspondants à expnom ou au code_nip
2021-01-01 18:40:47 +01:00
et ramene liste de mappings utilisables en DTML.
2020-09-26 16:19:37 +02:00
"""
2021-02-04 20:02:44 +01:00
may_be_nip = scu.is_valid_code_nip(expnom)
2021-06-15 13:59:56 +02:00
cnx = ndb.GetDBConnexion()
2020-09-26 16:19:37 +02:00
if expnom and not may_be_nip:
expnom = expnom.upper() # les noms dans la BD sont en uppercase
2022-02-26 20:11:22 +01:00
try:
etuds = sco_etud.etudident_list(cnx, args={"nom": expnom}, test="~")
except ScoException:
etuds = []
2020-09-26 16:19:37 +02:00
else:
code_nip = code_nip or expnom
if code_nip:
etuds = sco_etud.etudident_list(cnx, args={"code_nip": str(code_nip)})
2020-09-26 16:19:37 +02:00
else:
etuds = []
sco_etud.fill_etuds_info(etuds)
2020-09-26 16:19:37 +02:00
return etuds
2021-08-31 08:21:30 +02:00
def search_etud_by_name(term: str) -> list:
2020-09-26 16:19:37 +02:00
"""Recherche noms étudiants par début du nom, pour autocomplete
Accepte aussi un début de code NIP (au moins 6 caractères)
2021-08-31 08:21:30 +02:00
Renvoie une liste de dicts
{ "label" : "<nip> <nom> <prenom>", "value" : etudid }
2020-09-26 16:19:37 +02:00
"""
2021-02-04 20:02:44 +01:00
may_be_nip = scu.is_valid_code_nip(term)
etuds = search_etuds_infos_from_exp(term)
return [
{
2024-07-04 09:53:31 +02:00
"label": f"""{(etud.code_nip+' ') if (etud.code_nip and may_be_nip) else ""}{
etud.nom_prenom()}""",
"value": etud.id,
}
for etud in etuds
]
2020-09-26 16:19:37 +02:00
# ---------- Recherche sur plusieurs département
2024-08-18 18:40:11 +02:00
def search_etuds_in_accessible_depts(
expnom=None,
) -> tuple[list[list[Identite]], list[str]]:
2020-09-26 16:19:37 +02:00
"""
result: list of (sorted) etuds, one list per dept.
accessible_depts: list of dept acronyms
2020-09-26 16:19:37 +02:00
"""
result = []
accessible_depts = []
depts = Departement.query.filter_by(visible=True).all()
2021-06-21 11:22:55 +02:00
for dept in depts:
if current_user.has_permission(Permission.ScoView, dept=dept.acronym):
if expnom:
accessible_depts.append(dept.acronym)
etuds = search_etuds_infos_from_exp(expnom=expnom, dept_id=dept.id)
2020-09-26 16:19:37 +02:00
else:
etuds = []
result.append(etuds)
return result, accessible_depts
2024-08-18 18:40:11 +02:00
def table_etuds_in_accessible_depts(expnom=None):
2020-09-26 16:19:37 +02:00
"""
Page avec table étudiants trouvés, dans tous les departements.
Attention: nous sommes ici au niveau de ScoDoc, pas dans un département
"""
2024-08-18 18:40:11 +02:00
result, accessible_depts = search_etuds_in_accessible_depts(expnom=expnom)
2020-09-26 16:19:37 +02:00
H = [
2024-08-18 18:40:11 +02:00
f"""<div class="table_etuds_in_accessible_depts">
<h3>Recherche multi-département de "<tt>{expnom}</tt>"</h3>
""",
2020-09-26 16:19:37 +02:00
]
for etuds in result:
if etuds:
dept = etuds[0].departement
rows = [
{
"nomprenom": etud.nom_prenom(),
"_nomprenom_target": url_for(
"scolar.fiche_etud", scodoc_dept=dept.acronym, etudid=etud.id
),
"_nomprenom_td_attrs": f"""id="{etud.id}" class="etudinfo" """,
"_nomprenom_order": etud.sort_key,
}
for etud in etuds
]
2020-09-26 16:19:37 +02:00
tab = GenTable(
titles={"nomprenom": "Étudiants en " + dept.acronym},
2020-09-26 16:19:37 +02:00
columns_ids=("nomprenom",),
rows=rows,
2020-09-26 16:19:37 +02:00
html_sortable=True,
html_class="table_leftalign",
2024-08-18 18:40:11 +02:00
table_id="etuds_in_accessible_depts",
2020-09-26 16:19:37 +02:00
)
H.append('<div class="table_etud_in_dept">')
H.append(tab.html())
H.append("</div>")
if len(accessible_depts) > 1:
ss = "s"
else:
ss = ""
H.append(
2023-10-23 23:50:13 +02:00
f"""<p>(recherche menée dans le{ss} département{ss}:
2021-07-28 09:51:18 +02:00
{", ".join(accessible_depts)})
</p>
<p>
<a href="{url_for("scodoc.index")}" class="stdlink">Retour à l'accueil</a>
</p>
</div>
"""
2020-09-26 16:19:37 +02:00
)
2024-08-18 18:40:11 +02:00
return render_template(
"base.j2",
title="Choix d'un étudiant",
content="\n".join(H),
javascripts=["DataTables/datatables.min.js"],
cssstyles=["DataTables/datatables.min.css"],
2020-09-26 16:19:37 +02:00
)