refactoring, datatable stage/apprentissage fiche entreprise

This commit is contained in:
Arthur ZHU 2022-03-28 23:44:57 +02:00
parent c52bb4e31c
commit dc0212b725
18 changed files with 603 additions and 400 deletions

View File

@ -34,7 +34,7 @@ from flask_login import current_user
from app.entreprises.models import ( from app.entreprises.models import (
Entreprise, Entreprise,
EntrepriseContact, EntrepriseCorrespondant,
EntrepriseOffre, EntrepriseOffre,
EntrepriseOffreDepartement, EntrepriseOffreDepartement,
EntreprisePreferences, EntreprisePreferences,
@ -85,7 +85,9 @@ def get_offre_files_and_depts(offre: EntrepriseOffre, depts: list):
Retourne l'offre, les fichiers attachés a l'offre et les département liés Retourne l'offre, les fichiers attachés a l'offre et les département liés
""" """
offre_depts = EntrepriseOffreDepartement.query.filter_by(offre_id=offre.id).all() offre_depts = EntrepriseOffreDepartement.query.filter_by(offre_id=offre.id).all()
contact = EntrepriseContact.query.filter_by(id=offre.contact_id).first() correspondant = EntrepriseCorrespondant.query.filter_by(
id=offre.correspondant_id
).first()
if not offre_depts or check_offre_depts(depts, offre_depts): if not offre_depts or check_offre_depts(depts, offre_depts):
files = [] files = []
path = os.path.join( path = os.path.join(
@ -101,12 +103,12 @@ def get_offre_files_and_depts(offre: EntrepriseOffre, depts: list):
for _file in glob.glob(f"{dir}/*"): for _file in glob.glob(f"{dir}/*"):
file = [os.path.basename(dir), os.path.basename(_file)] file = [os.path.basename(dir), os.path.basename(_file)]
files.append(file) files.append(file)
return [offre, files, offre_depts, contact] return [offre, files, offre_depts, correspondant]
return None return None
def send_email_notifications_entreprise( def send_email_notifications_entreprise(
subject, entreprise: Entreprise, contact: EntrepriseContact subject, entreprise: Entreprise, correspondant: EntrepriseCorrespondant
): ):
txt = [ txt = [
"Une entreprise est en attente de validation", "Une entreprise est en attente de validation",
@ -118,13 +120,13 @@ def send_email_notifications_entreprise(
f"\tville: {entreprise.ville}", f"\tville: {entreprise.ville}",
f"\tpays: {entreprise.pays}", f"\tpays: {entreprise.pays}",
"", "",
"Contact:", "Correspondant:",
f"nom: {contact.nom}", f"nom: {correspondant.nom}",
f"prenom: {contact.prenom}", f"prenom: {correspondant.prenom}",
f"telephone: {contact.telephone}", f"telephone: {correspondant.telephone}",
f"mail: {contact.mail}", f"mail: {correspondant.mail}",
f"poste: {contact.poste}", f"poste: {correspondant.poste}",
f"service: {contact.service}", f"service: {correspondant.service}",
] ]
txt = "\n".join(txt) txt = "\n".join(txt)
email.send_email( email.send_email(
@ -136,34 +138,42 @@ def send_email_notifications_entreprise(
return txt return txt
def verif_contact_data(contact_data): def verif_correspondant_data(correspondant_data):
""" """
Verifie les données d'une ligne Excel (contact) Verifie les données d'une ligne Excel (correspondant)
contact_data[0]: nom correspondant_data[0]: nom
contact_data[1]: prenom correspondant_data[1]: prenom
contact_data[2]: telephone correspondant_data[2]: telephone
contact_data[3]: mail correspondant_data[3]: mail
contact_data[4]: poste correspondant_data[4]: poste
contact_data[5]: service correspondant_data[5]: service
contact_data[6]: entreprise_id correspondant_data[6]: entreprise_id
""" """
# champs obligatoires # champs obligatoires
if contact_data[0] == "" or contact_data[1] == "" or contact_data[6] == "": if (
correspondant_data[0] == ""
or correspondant_data[1] == ""
or correspondant_data[6] == ""
):
return False return False
# entreprise_id existant # entreprise_id existant
entreprise = Entreprise.query.filter_by(siret=contact_data[6]).first() entreprise = Entreprise.query.filter_by(siret=correspondant_data[6]).first()
if entreprise is None: if entreprise is None:
return False return False
# contact possède le meme nom et prénom dans la meme entreprise # correspondant possède le meme nom et prénom dans la meme entreprise
contact = EntrepriseContact.query.filter_by( correspondant = EntrepriseCorrespondant.query.filter_by(
nom=contact_data[0], prenom=contact_data[1], entreprise_id=entreprise.id nom=correspondant_data[0],
prenom=correspondant_data[1],
entreprise_id=entreprise.id,
).first() ).first()
if contact is not None: if correspondant is not None:
return False return False
if contact_data[2] == "" and contact_data[3] == "": # 1 moyen de contact if (
correspondant_data[2] == "" and correspondant_data[3] == ""
): # 1 moyen de contact
return False return False
return True return True
@ -189,10 +199,10 @@ def verif_entreprise_data(entreprise_data):
req = requests.get( req = requests.get(
f"https://entreprise.data.gouv.fr/api/sirene/v1/siret/{siret}" f"https://entreprise.data.gouv.fr/api/sirene/v1/siret/{siret}"
) )
if req.status_code != 200:
return False
except requests.ConnectionError: except requests.ConnectionError:
print("no internet") print("no internet")
if req.status_code != 200:
return False
entreprise = Entreprise.query.filter_by(siret=siret).first() entreprise = Entreprise.query.filter_by(siret=siret).first()
if entreprise is not None: if entreprise is not None:
return False return False

View File

@ -44,7 +44,11 @@ from wtforms import (
from wtforms.validators import ValidationError, DataRequired, Email, Optional from wtforms.validators import ValidationError, DataRequired, Email, Optional
from wtforms.widgets import ListWidget, CheckboxInput from wtforms.widgets import ListWidget, CheckboxInput
from app.entreprises.models import Entreprise, EntrepriseContact, EntreprisePreferences from app.entreprises.models import (
Entreprise,
EntrepriseCorrespondant,
EntreprisePreferences,
)
from app.models import Identite, Departement from app.models import Identite, Departement
from app.auth.models import User from app.auth.models import User
@ -74,15 +78,15 @@ class EntrepriseCreationForm(FlaskForm):
ville = _build_string_field("Ville de l'entreprise (*)") ville = _build_string_field("Ville de l'entreprise (*)")
pays = _build_string_field("Pays de l'entreprise", required=False) pays = _build_string_field("Pays de l'entreprise", required=False)
nom_contact = _build_string_field("Nom du contact (*)") nom_correspondant = _build_string_field("Nom du correspondant (*)")
prenom_contact = _build_string_field("Prénom du contact (*)") prenom_correspondant = _build_string_field("Prénom du correspondant (*)")
telephone = _build_string_field("Téléphone du contact (*)", required=False) telephone = _build_string_field("Téléphone du correspondant (*)", required=False)
mail = StringField( mail = StringField(
"Mail du contact (*)", "Mail du correspondant (*)",
validators=[Optional(), Email(message="Adresse e-mail invalide")], validators=[Optional(), Email(message="Adresse e-mail invalide")],
) )
poste = _build_string_field("Poste du contact", required=False) poste = _build_string_field("Poste du correspondant", required=False)
service = _build_string_field("Service du contact", required=False) service = _build_string_field("Service du correspondant", required=False)
submit = SubmitField("Envoyer", render_kw=SUBMIT_MARGE) submit = SubmitField("Envoyer", render_kw=SUBMIT_MARGE)
def validate(self): def validate(self):
@ -108,10 +112,10 @@ class EntrepriseCreationForm(FlaskForm):
req = requests.get( req = requests.get(
f"https://entreprise.data.gouv.fr/api/sirene/v1/siret/{siret}" f"https://entreprise.data.gouv.fr/api/sirene/v1/siret/{siret}"
) )
if req.status_code != 200:
raise ValidationError("SIRET inexistant")
except requests.ConnectionError: except requests.ConnectionError:
print("no internet") print("no internet")
if req.status_code != 200:
raise ValidationError("SIRET inexistant")
entreprise = Entreprise.query.filter_by(siret=siret).first() entreprise = Entreprise.query.filter_by(siret=siret).first()
if entreprise is not None: if entreprise is not None:
lien = f'<a href="/ScoDoc/entreprises/fiche_entreprise/{entreprise.id}">ici</a>' lien = f'<a href="/ScoDoc/entreprises/fiche_entreprise/{entreprise.id}">ici</a>'
@ -160,15 +164,15 @@ class OffreCreationForm(FlaskForm):
duree = _build_string_field("Durée (*)") duree = _build_string_field("Durée (*)")
depts = MultiCheckboxField("Départements", validators=[Optional()], coerce=int) depts = MultiCheckboxField("Départements", validators=[Optional()], coerce=int)
expiration_date = DateField("Date expiration", validators=[Optional()]) expiration_date = DateField("Date expiration", validators=[Optional()])
contact = SelectField("Contact à contacté (*)", validators=[Optional()]) correspondant = SelectField("Correspondant à contacté (*)", validators=[Optional()])
submit = SubmitField("Envoyer", render_kw=SUBMIT_MARGE) submit = SubmitField("Envoyer", render_kw=SUBMIT_MARGE)
def __init__(self, *args, **kwargs): def __init__(self, *args, **kwargs):
super().__init__(*args, **kwargs) super().__init__(*args, **kwargs)
self.contact.choices = [ self.correspondant.choices = [
(contact.id, f"{contact.nom} {contact.prenom}") (correspondant.id, f"{correspondant.nom} {correspondant.prenom}")
for contact in EntrepriseContact.query.filter_by( for correspondant in EntrepriseCorrespondant.query.filter_by(
entreprise_id=self.hidden_entreprise_id.data entreprise_id=self.hidden_entreprise_id.data
) )
] ]
@ -195,15 +199,15 @@ class OffreModificationForm(FlaskForm):
duree = _build_string_field("Durée (*)") duree = _build_string_field("Durée (*)")
depts = MultiCheckboxField("Départements", validators=[Optional()], coerce=int) depts = MultiCheckboxField("Départements", validators=[Optional()], coerce=int)
expiration_date = DateField("Date expiration", validators=[Optional()]) expiration_date = DateField("Date expiration", validators=[Optional()])
contact = SelectField("Contact à contacté (*)", validators=[Optional()]) correspondant = SelectField("Correspondant à contacté (*)", validators=[Optional()])
submit = SubmitField("Modifier", render_kw=SUBMIT_MARGE) submit = SubmitField("Modifier", render_kw=SUBMIT_MARGE)
def __init__(self, *args, **kwargs): def __init__(self, *args, **kwargs):
super().__init__(*args, **kwargs) super().__init__(*args, **kwargs)
self.contact.choices = [ self.correspondant.choices = [
(contact.id, f"{contact.nom} {contact.prenom}") (correspondant.id, f"{correspondant.nom} {correspondant.prenom}")
for contact in EntrepriseContact.query.filter_by( for correspondant in EntrepriseCorrespondant.query.filter_by(
entreprise_id=self.hidden_entreprise_id.data entreprise_id=self.hidden_entreprise_id.data
) )
] ]
@ -213,7 +217,7 @@ class OffreModificationForm(FlaskForm):
] ]
class ContactCreationForm(FlaskForm): class CorrespondantCreationForm(FlaskForm):
hidden_entreprise_id = HiddenField() hidden_entreprise_id = HiddenField()
nom = _build_string_field("Nom (*)") nom = _build_string_field("Nom (*)")
prenom = _build_string_field("Prénom (*)") prenom = _build_string_field("Prénom (*)")
@ -239,13 +243,13 @@ class ContactCreationForm(FlaskForm):
if not FlaskForm.validate(self): if not FlaskForm.validate(self):
validate = False validate = False
contact = EntrepriseContact.query.filter_by( correspondant = EntrepriseCorrespondant.query.filter_by(
entreprise_id=self.hidden_entreprise_id.data, entreprise_id=self.hidden_entreprise_id.data,
nom=self.nom.data, nom=self.nom.data,
prenom=self.prenom.data, prenom=self.prenom.data,
).first() ).first()
if contact is not None: if correspondant is not None:
self.nom.errors.append("Ce contact existe déjà (même nom et prénom)") self.nom.errors.append("Ce correspondant existe déjà (même nom et prénom)")
self.prenom.errors.append("") self.prenom.errors.append("")
validate = False validate = False
@ -259,8 +263,8 @@ class ContactCreationForm(FlaskForm):
return validate return validate
class ContactModificationForm(FlaskForm): class CorrespondantModificationForm(FlaskForm):
hidden_contact_id = HiddenField() hidden_correspondant_id = HiddenField()
hidden_entreprise_id = HiddenField() hidden_entreprise_id = HiddenField()
nom = _build_string_field("Nom (*)") nom = _build_string_field("Nom (*)")
prenom = _build_string_field("Prénom (*)") prenom = _build_string_field("Prénom (*)")
@ -286,14 +290,14 @@ class ContactModificationForm(FlaskForm):
if not FlaskForm.validate(self): if not FlaskForm.validate(self):
validate = False validate = False
contact = EntrepriseContact.query.filter( correspondant = EntrepriseCorrespondant.query.filter(
EntrepriseContact.id != self.hidden_contact_id.data, EntrepriseCorrespondant.id != self.hidden_correspondant_id.data,
EntrepriseContact.entreprise_id == self.hidden_entreprise_id.data, EntrepriseCorrespondant.entreprise_id == self.hidden_entreprise_id.data,
EntrepriseContact.nom == self.nom.data, EntrepriseCorrespondant.nom == self.nom.data,
EntrepriseContact.prenom == self.prenom.data, EntrepriseCorrespondant.prenom == self.prenom.data,
).first() ).first()
if contact is not None: if correspondant is not None:
self.nom.errors.append("Ce contact existe déjà (même nom et prénom)") self.nom.errors.append("Ce correspondant existe déjà (même nom et prénom)")
self.prenom.errors.append("") self.prenom.errors.append("")
validate = False validate = False
@ -307,7 +311,7 @@ class ContactModificationForm(FlaskForm):
return validate return validate
class HistoriqueCreationForm(FlaskForm): class StageApprentissageCreationForm(FlaskForm):
etudiant = _build_string_field( etudiant = _build_string_field(
"Étudiant (*)", "Étudiant (*)",
render_kw={"placeholder": "Tapez le nom de l'étudiant"}, render_kw={"placeholder": "Tapez le nom de l'étudiant"},
@ -353,6 +357,52 @@ class HistoriqueCreationForm(FlaskForm):
raise ValidationError("Champ incorrect (selectionnez dans la liste)") raise ValidationError("Champ incorrect (selectionnez dans la liste)")
class StageApprentissageModificationForm(FlaskForm):
etudiant = _build_string_field(
"Étudiant (*)",
render_kw={"placeholder": "Tapez le nom de l'étudiant"},
)
type_offre = SelectField(
"Type de l'offre (*)",
choices=[("Stage"), ("Alternance")],
validators=[DataRequired(message=CHAMP_REQUIS)],
)
date_debut = DateField(
"Date début (*)", validators=[DataRequired(message=CHAMP_REQUIS)]
)
date_fin = DateField(
"Date fin (*)", validators=[DataRequired(message=CHAMP_REQUIS)]
)
submit = SubmitField("Modifier", render_kw=SUBMIT_MARGE)
def validate(self):
validate = True
if not FlaskForm.validate(self):
validate = False
if (
self.date_debut.data
and self.date_fin.data
and self.date_debut.data > self.date_fin.data
):
self.date_debut.errors.append("Les dates sont incompatibles")
self.date_fin.errors.append("Les dates sont incompatibles")
validate = False
return validate
def validate_etudiant(self, etudiant):
etudiant_data = etudiant.data.upper().strip()
stm = text(
"SELECT id, CONCAT(nom, ' ', prenom) as nom_prenom FROM Identite WHERE CONCAT(nom, ' ', prenom)=:nom_prenom"
)
etudiant = (
Identite.query.from_statement(stm).params(nom_prenom=etudiant_data).first()
)
if etudiant is None:
raise ValidationError("Champ incorrect (selectionnez dans la liste)")
class EnvoiOffreForm(FlaskForm): class EnvoiOffreForm(FlaskForm):
responsable = _build_string_field( responsable = _build_string_field(
"Responsable de formation (*)", "Responsable de formation (*)",

View File

@ -11,8 +11,8 @@ class Entreprise(db.Model):
ville = db.Column(db.Text) ville = db.Column(db.Text)
pays = db.Column(db.Text, default="FRANCE") pays = db.Column(db.Text, default="FRANCE")
visible = db.Column(db.Boolean, default=False) visible = db.Column(db.Boolean, default=False)
contacts = db.relationship( correspondants = db.relationship(
"EntrepriseContact", "EntrepriseCorrespondant",
backref="entreprise", backref="entreprise",
lazy="dynamic", lazy="dynamic",
cascade="all, delete-orphan", cascade="all, delete-orphan",
@ -35,8 +35,8 @@ class Entreprise(db.Model):
} }
class EntrepriseContact(db.Model): class EntrepriseCorrespondant(db.Model):
__tablename__ = "are_contacts" __tablename__ = "are_correspondants"
id = db.Column(db.Integer, primary_key=True) id = db.Column(db.Integer, primary_key=True)
entreprise_id = db.Column( entreprise_id = db.Column(
db.Integer, db.ForeignKey("are_entreprises.id", ondelete="cascade") db.Integer, db.ForeignKey("are_entreprises.id", ondelete="cascade")
@ -75,8 +75,8 @@ class EntrepriseOffre(db.Model):
duree = db.Column(db.Text) duree = db.Column(db.Text)
expiration_date = db.Column(db.Date) expiration_date = db.Column(db.Date)
expired = db.Column(db.Boolean, default=False) expired = db.Column(db.Boolean, default=False)
contact_id = db.Column( correspondant_id = db.Column(
db.Integer, db.ForeignKey("are_contacts.id", ondelete="cascade") db.Integer, db.ForeignKey("are_correspondants.id", ondelete="cascade")
) )
def to_dict(self): def to_dict(self):
@ -98,8 +98,8 @@ class EntrepriseLog(db.Model):
text = db.Column(db.Text) text = db.Column(db.Text)
class EntrepriseEtudiant(db.Model): class EntrepriseStageApprentissage(db.Model):
__tablename__ = "are_etudiants" __tablename__ = "are_stages_apprentissages"
id = db.Column(db.Integer, primary_key=True) id = db.Column(db.Integer, primary_key=True)
entreprise_id = db.Column( entreprise_id = db.Column(
db.Integer, db.ForeignKey("are_entreprises.id", ondelete="cascade") db.Integer, db.ForeignKey("are_entreprises.id", ondelete="cascade")
@ -139,11 +139,11 @@ class EntrepriseOffreDepartement(db.Model):
dept_id = db.Column(db.Integer, db.ForeignKey("departement.id", ondelete="cascade")) dept_id = db.Column(db.Integer, db.ForeignKey("departement.id", ondelete="cascade"))
# class EntrepriseContactDepartement(db.Model): # class EntrepriseCorrespondantDepartement(db.Model):
# __tablename__ = "are_contact_departement" # __tablename__ = "are_correspondant_departement"
# id = db.Column(db.Integer, primary_key=True) # id = db.Column(db.Integer, primary_key=True)
# contact_id = db.Column( # correspondant_id = db.Column(
# db.Integer, db.ForeignKey("are_contacts.id", ondelete="cascade") # db.Integer, db.ForeignKey("are_correspondants.id", ondelete="cascade")
# ) # )
# dept_id = db.Column(db.Integer, db.ForeignKey("departement.id", ondelete="cascade")) # dept_id = db.Column(db.Integer, db.ForeignKey("departement.id", ondelete="cascade"))

View File

@ -17,9 +17,10 @@ from app.entreprises.forms import (
SuppressionConfirmationForm, SuppressionConfirmationForm,
OffreCreationForm, OffreCreationForm,
OffreModificationForm, OffreModificationForm,
ContactCreationForm, CorrespondantCreationForm,
ContactModificationForm, CorrespondantModificationForm,
HistoriqueCreationForm, StageApprentissageCreationForm,
StageApprentissageModificationForm,
EnvoiOffreForm, EnvoiOffreForm,
AjoutFichierForm, AjoutFichierForm,
ValidationConfirmationForm, ValidationConfirmationForm,
@ -30,9 +31,9 @@ from app.entreprises import bp
from app.entreprises.models import ( from app.entreprises.models import (
Entreprise, Entreprise,
EntrepriseOffre, EntrepriseOffre,
EntrepriseContact, EntrepriseCorrespondant,
EntrepriseLog, EntrepriseLog,
EntrepriseEtudiant, EntrepriseStageApprentissage,
EntrepriseEnvoiOffre, EntrepriseEnvoiOffre,
EntrepriseOffreDepartement, EntrepriseOffreDepartement,
EntreprisePreferences, EntreprisePreferences,
@ -96,22 +97,22 @@ def validation():
) )
@bp.route("/contacts", methods=["GET"]) @bp.route("/correspondants", methods=["GET"])
@permission_required(Permission.RelationsEntreprisesView) @permission_required(Permission.RelationsEntreprisesView)
def contacts(): def correspondants():
""" """
Permet d'afficher une page avec la liste des contacts des entreprises visibles et une liste des dernières opérations Permet d'afficher une page avec la liste des correspondants des entreprises visibles et une liste des dernières opérations
""" """
contacts = ( correspondants = (
db.session.query(EntrepriseContact, Entreprise) db.session.query(EntrepriseCorrespondant, Entreprise)
.join(Entreprise, EntrepriseContact.entreprise_id == Entreprise.id) .join(Entreprise, EntrepriseCorrespondant.entreprise_id == Entreprise.id)
.filter_by(visible=True) .filter_by(visible=True)
) )
logs = EntrepriseLog.query.order_by(EntrepriseLog.date.desc()).limit(LOGS_LEN).all() logs = EntrepriseLog.query.order_by(EntrepriseLog.date.desc()).limit(LOGS_LEN).all()
return render_template( return render_template(
"entreprises/contacts.html", "entreprises/correspondants.html",
title="Contacts", title="Correspondants",
contacts=contacts, correspondants=correspondants,
logs=logs, logs=logs,
) )
@ -122,7 +123,7 @@ def fiche_entreprise(id):
""" """
Permet d'afficher la fiche entreprise d'une entreprise avec une liste des dernières opérations et Permet d'afficher la fiche entreprise d'une entreprise avec une liste des dernières opérations et
l'historique des étudiants ayant réaliser un stage ou une alternance dans cette entreprise. l'historique des étudiants ayant réaliser un stage ou une alternance dans cette entreprise.
La fiche entreprise comporte les informations de l'entreprise, les contacts de l'entreprise et La fiche entreprise comporte les informations de l'entreprise, les correspondants de l'entreprise et
les offres de l'entreprise. les offres de l'entreprise.
""" """
entreprise = Entreprise.query.filter_by(id=id, visible=True).first_or_404( entreprise = Entreprise.query.filter_by(id=id, visible=True).first_or_404(
@ -141,28 +142,28 @@ def fiche_entreprise(id):
offre_with_files = are.get_offre_files_and_depts(offre, depts) offre_with_files = are.get_offre_files_and_depts(offre, depts)
if offre_with_files is not None: if offre_with_files is not None:
offres_with_files.append(offre_with_files) offres_with_files.append(offre_with_files)
contacts = entreprise.contacts[:] correspondants = entreprise.correspondants[:]
logs = ( logs = (
EntrepriseLog.query.order_by(EntrepriseLog.date.desc()) EntrepriseLog.query.order_by(EntrepriseLog.date.desc())
.filter_by(object=id) .filter_by(object=id)
.limit(LOGS_LEN) .limit(LOGS_LEN)
.all() .all()
) )
historique = ( stages_apprentissages = (
db.session.query(EntrepriseEtudiant, Identite) db.session.query(EntrepriseStageApprentissage, Identite)
.order_by(EntrepriseEtudiant.date_debut.desc()) .order_by(EntrepriseStageApprentissage.date_debut.desc())
.filter(EntrepriseEtudiant.entreprise_id == id) .filter(EntrepriseStageApprentissage.entreprise_id == id)
.join(Identite, Identite.id == EntrepriseEtudiant.etudid) .join(Identite, Identite.id == EntrepriseStageApprentissage.etudid)
.all() .all()
) )
return render_template( return render_template(
"entreprises/fiche_entreprise.html", "entreprises/fiche_entreprise.html",
title="Fiche entreprise", title="Fiche entreprise",
entreprise=entreprise, entreprise=entreprise,
contacts=contacts, correspondants=correspondants,
offres=offres_with_files, offres=offres_with_files,
logs=logs, logs=logs,
historique=historique, stages_apprentissages=stages_apprentissages,
) )
@ -198,12 +199,12 @@ def fiche_entreprise_validation(id):
entreprise = Entreprise.query.filter_by(id=id, visible=False).first_or_404( entreprise = Entreprise.query.filter_by(id=id, visible=False).first_or_404(
description=f"fiche entreprise (validation) {id} inconnue" description=f"fiche entreprise (validation) {id} inconnue"
) )
contacts = entreprise.contacts correspondants = entreprise.correspondants
return render_template( return render_template(
"entreprises/fiche_entreprise_validation.html", "entreprises/fiche_entreprise_validation.html",
title="Validation fiche entreprise", title="Validation fiche entreprise",
entreprise=entreprise, entreprise=entreprise,
contacts=contacts, correspondants=correspondants,
) )
@ -221,7 +222,9 @@ def offres_recues():
) )
offres_recues_with_files = [] offres_recues_with_files = []
for offre in offres_recues: for offre in offres_recues:
contact = EntrepriseContact.query.filter_by(id=offre[1].contact_id).first() correspondant = EntrepriseCorrespondant.query.filter_by(
id=offre[1].correspondant_id
).first()
files = [] files = []
path = os.path.join( path = os.path.join(
Config.SCODOC_VAR_DIR, Config.SCODOC_VAR_DIR,
@ -236,7 +239,7 @@ def offres_recues():
for file in glob.glob(f"{dir}/*"): for file in glob.glob(f"{dir}/*"):
file = [os.path.basename(dir), os.path.basename(file)] file = [os.path.basename(dir), os.path.basename(file)]
files.append(file) files.append(file)
offres_recues_with_files.append([offre[0], offre[1], files, contact]) offres_recues_with_files.append([offre[0], offre[1], files, correspondant])
return render_template( return render_template(
"entreprises/offres_recues.html", "entreprises/offres_recues.html",
title="Offres reçues", title="Offres reçues",
@ -289,22 +292,22 @@ def add_entreprise():
db.session.add(entreprise) db.session.add(entreprise)
db.session.commit() db.session.commit()
db.session.refresh(entreprise) db.session.refresh(entreprise)
contact = EntrepriseContact( correspondant = EntrepriseCorrespondant(
entreprise_id=entreprise.id, entreprise_id=entreprise.id,
nom=form.nom_contact.data.strip(), nom=form.nom_correspondant.data.strip(),
prenom=form.prenom_contact.data.strip(), prenom=form.prenom_correspondant.data.strip(),
telephone=form.telephone.data.strip(), telephone=form.telephone.data.strip(),
mail=form.mail.data.strip(), mail=form.mail.data.strip(),
poste=form.poste.data.strip(), poste=form.poste.data.strip(),
service=form.service.data.strip(), service=form.service.data.strip(),
) )
db.session.add(contact) db.session.add(correspondant)
if current_user.has_permission(Permission.RelationsEntreprisesValidate, None): if current_user.has_permission(Permission.RelationsEntreprisesValidate, None):
entreprise.visible = True entreprise.visible = True
nom_entreprise = f"<a href=/ScoDoc/entreprises/fiche_entreprise/{entreprise.id}>{entreprise.nom}</a>" nom_entreprise = f"<a href=/ScoDoc/entreprises/fiche_entreprise/{entreprise.id}>{entreprise.nom}</a>"
log = EntrepriseLog( log = EntrepriseLog(
authenticated_user=current_user.user_name, authenticated_user=current_user.user_name,
text=f"{nom_entreprise} - Création de la fiche entreprise ({entreprise.nom}) avec un contact", text=f"{nom_entreprise} - Création de la fiche entreprise ({entreprise.nom}) avec un correspondant",
) )
db.session.add(log) db.session.add(log)
db.session.commit() db.session.commit()
@ -315,13 +318,13 @@ def add_entreprise():
db.session.commit() db.session.commit()
if EntreprisePreferences.get_email_notifications(): if EntreprisePreferences.get_email_notifications():
are.send_email_notifications_entreprise( are.send_email_notifications_entreprise(
"entreprise en attente de validation", entreprise, contact "entreprise en attente de validation", entreprise, correspondant
) )
flash("L'entreprise a été ajouté à la liste pour la validation.") flash("L'entreprise a été ajouté à la liste pour la validation.")
return redirect(url_for("entreprises.index")) return redirect(url_for("entreprises.index"))
return render_template( return render_template(
"entreprises/ajout_entreprise.html", "entreprises/ajout_entreprise.html",
title="Ajout entreprise avec contact", title="Ajout entreprise avec correspondant",
form=form, form=form,
) )
@ -448,7 +451,7 @@ def validate_entreprise(id):
nom_entreprise = f"<a href=/ScoDoc/entreprises/fiche_entreprise/{entreprise.id}>{entreprise.nom}</a>" nom_entreprise = f"<a href=/ScoDoc/entreprises/fiche_entreprise/{entreprise.id}>{entreprise.nom}</a>"
log = EntrepriseLog( log = EntrepriseLog(
authenticated_user=current_user.user_name, authenticated_user=current_user.user_name,
text=f"{nom_entreprise} - Validation de la fiche entreprise ({entreprise.nom}) avec un contact", text=f"{nom_entreprise} - Validation de la fiche entreprise ({entreprise.nom}) avec un correspondant",
) )
db.session.add(log) db.session.add(log)
db.session.commit() db.session.commit()
@ -502,7 +505,7 @@ def add_offre(id):
missions=form.missions.data.strip(), missions=form.missions.data.strip(),
duree=form.duree.data.strip(), duree=form.duree.data.strip(),
expiration_date=form.expiration_date.data, expiration_date=form.expiration_date.data,
contact_id=form.contact.data, correspondant_id=form.correspondant.data,
) )
db.session.add(offre) db.session.add(offre)
db.session.commit() db.session.commit()
@ -540,18 +543,17 @@ def edit_offre(id):
) )
offre_depts = EntrepriseOffreDepartement.query.filter_by(offre_id=offre.id).all() offre_depts = EntrepriseOffreDepartement.query.filter_by(offre_id=offre.id).all()
form = OffreModificationForm( form = OffreModificationForm(
hidden_entreprise_id=offre.entreprise_id, contact=offre.contact_id hidden_entreprise_id=offre.entreprise_id, correspondant=offre.correspondant_id
) )
offre_depts_list = [(offre_dept.dept_id) for offre_dept in offre_depts] offre_depts_list = [(offre_dept.dept_id) for offre_dept in offre_depts]
if form.validate_on_submit(): if form.validate_on_submit():
print(form.contact.data)
offre.intitule = form.intitule.data.strip() offre.intitule = form.intitule.data.strip()
offre.description = form.description.data.strip() offre.description = form.description.data.strip()
offre.type_offre = form.type_offre.data.strip() offre.type_offre = form.type_offre.data.strip()
offre.missions = form.missions.data.strip() offre.missions = form.missions.data.strip()
offre.duree = form.duree.data.strip() offre.duree = form.duree.data.strip()
offre.expiration_date = form.expiration_date.data offre.expiration_date = form.expiration_date.data
offre.contact_id = form.contact.data offre.correspondant_id = form.correspondant.data
if offre_depts_list != form.depts.data: if offre_depts_list != form.depts.data:
for dept in form.depts.data: for dept in form.depts.data:
if dept not in offre_depts_list: if dept not in offre_depts_list:
@ -659,18 +661,18 @@ def expired(id):
return redirect(url_for("entreprises.fiche_entreprise", id=offre.entreprise_id)) return redirect(url_for("entreprises.fiche_entreprise", id=offre.entreprise_id))
@bp.route("/add_contact/<int:id>", methods=["GET", "POST"]) @bp.route("/add_correspondant/<int:id>", methods=["GET", "POST"])
@permission_required(Permission.RelationsEntreprisesChange) @permission_required(Permission.RelationsEntreprisesChange)
def add_contact(id): def add_correspondant(id):
""" """
Permet d'ajouter un contact a une entreprise Permet d'ajouter un correspondant a une entreprise
""" """
entreprise = Entreprise.query.filter_by(id=id, visible=True).first_or_404( entreprise = Entreprise.query.filter_by(id=id, visible=True).first_or_404(
description=f"entreprise {id} inconnue" description=f"entreprise {id} inconnue"
) )
form = ContactCreationForm(hidden_entreprise_id=entreprise.id) form = CorrespondantCreationForm(hidden_entreprise_id=entreprise.id)
if form.validate_on_submit(): if form.validate_on_submit():
contact = EntrepriseContact( correspondant = EntrepriseCorrespondant(
entreprise_id=entreprise.id, entreprise_id=entreprise.id,
nom=form.nom.data.strip(), nom=form.nom.data.strip(),
prenom=form.prenom.data.strip(), prenom=form.prenom.data.strip(),
@ -682,116 +684,116 @@ def add_contact(id):
log = EntrepriseLog( log = EntrepriseLog(
authenticated_user=current_user.user_name, authenticated_user=current_user.user_name,
object=entreprise.id, object=entreprise.id,
text="Création d'un contact", text="Création d'un correspondant",
) )
db.session.add(log) db.session.add(log)
db.session.add(contact) db.session.add(correspondant)
db.session.commit() db.session.commit()
flash("Le contact a été ajouté à la fiche entreprise.") flash("Le correspondant a été ajouté à la fiche entreprise.")
return redirect(url_for("entreprises.fiche_entreprise", id=entreprise.id)) return redirect(url_for("entreprises.fiche_entreprise", id=entreprise.id))
return render_template( return render_template(
"entreprises/form.html", "entreprises/form.html",
title="Ajout contact", title="Ajout correspondant",
form=form, form=form,
) )
@bp.route("/edit_contact/<int:id>", methods=["GET", "POST"]) @bp.route("/edit_correspondant/<int:id>", methods=["GET", "POST"])
@permission_required(Permission.RelationsEntreprisesChange) @permission_required(Permission.RelationsEntreprisesChange)
def edit_contact(id): def edit_correspondant(id):
""" """
Permet de modifier un contact Permet de modifier un correspondant
""" """
contact = EntrepriseContact.query.filter_by(id=id).first_or_404( correspondant = EntrepriseCorrespondant.query.filter_by(id=id).first_or_404(
description=f"contact {id} inconnu" description=f"correspondant {id} inconnu"
) )
form = ContactModificationForm( form = CorrespondantModificationForm(
hidden_entreprise_id=contact.entreprise_id, hidden_entreprise_id=correspondant.entreprise_id,
hidden_contact_id=contact.id, hidden_correspondant_id=correspondant.id,
) )
if form.validate_on_submit(): if form.validate_on_submit():
contact.nom = form.nom.data.strip() correspondant.nom = form.nom.data.strip()
contact.prenom = form.prenom.data.strip() correspondant.prenom = form.prenom.data.strip()
contact.telephone = form.telephone.data.strip() correspondant.telephone = form.telephone.data.strip()
contact.mail = form.mail.data.strip() correspondant.mail = form.mail.data.strip()
contact.poste = form.poste.data.strip() correspondant.poste = form.poste.data.strip()
contact.service = form.service.data.strip() correspondant.service = form.service.data.strip()
log = EntrepriseLog( log = EntrepriseLog(
authenticated_user=current_user.user_name, authenticated_user=current_user.user_name,
object=contact.entreprise_id, object=correspondant.entreprise_id,
text="Modification d'un contact", text="Modification d'un correspondant",
) )
db.session.add(log) db.session.add(log)
db.session.commit() db.session.commit()
flash("Le contact a été modifié.") flash("Le correspondant a été modifié.")
return redirect( return redirect(
url_for("entreprises.fiche_entreprise", id=contact.entreprise.id) url_for("entreprises.fiche_entreprise", id=correspondant.entreprise.id)
) )
elif request.method == "GET": elif request.method == "GET":
form.nom.data = contact.nom form.nom.data = correspondant.nom
form.prenom.data = contact.prenom form.prenom.data = correspondant.prenom
form.telephone.data = contact.telephone form.telephone.data = correspondant.telephone
form.mail.data = contact.mail form.mail.data = correspondant.mail
form.poste.data = contact.poste form.poste.data = correspondant.poste
form.service.data = contact.service form.service.data = correspondant.service
return render_template( return render_template(
"entreprises/form.html", "entreprises/form.html",
title="Modification contact", title="Modification correspondant",
form=form, form=form,
) )
@bp.route("/delete_contact/<int:id>", methods=["GET", "POST"]) @bp.route("/delete_correspondant/<int:id>", methods=["GET", "POST"])
@permission_required(Permission.RelationsEntreprisesChange) @permission_required(Permission.RelationsEntreprisesChange)
def delete_contact(id): def delete_correspondant(id):
""" """
Permet de supprimer un contact Permet de supprimer un correspondant
""" """
contact = EntrepriseContact.query.filter_by(id=id).first_or_404( correspondant = EntrepriseCorrespondant.query.filter_by(id=id).first_or_404(
description=f"contact {id} inconnu" description=f"correspondant {id} inconnu"
) )
form = SuppressionConfirmationForm() form = SuppressionConfirmationForm()
if form.validate_on_submit(): if form.validate_on_submit():
contact_count = EntrepriseContact.query.filter_by( correspondant_count = EntrepriseCorrespondant.query.filter_by(
entreprise_id=contact.entreprise_id entreprise_id=correspondant.entreprise_id
).count() ).count()
if contact_count == 1: if correspondant_count == 1:
flash( flash(
"Le contact n'a pas été supprimé de la fiche entreprise. (1 contact minimum)" "Le correspondant n'a pas été supprimé de la fiche entreprise. (1 correspondant minimum)"
) )
return redirect( return redirect(
url_for("entreprises.fiche_entreprise", id=contact.entreprise_id) url_for("entreprises.fiche_entreprise", id=correspondant.entreprise_id)
) )
else: else:
db.session.delete(contact) db.session.delete(correspondant)
log = EntrepriseLog( log = EntrepriseLog(
authenticated_user=current_user.user_name, authenticated_user=current_user.user_name,
object=contact.entreprise_id, object=correspondant.entreprise_id,
text="Suppression d'un contact", text="Suppression d'un correspondant",
) )
db.session.add(log) db.session.add(log)
db.session.commit() db.session.commit()
flash("Le contact a été supprimé de la fiche entreprise.") flash("Le correspondant a été supprimé de la fiche entreprise.")
return redirect( return redirect(
url_for("entreprises.fiche_entreprise", id=contact.entreprise_id) url_for("entreprises.fiche_entreprise", id=correspondant.entreprise_id)
) )
return render_template( return render_template(
"entreprises/delete_confirmation.html", "entreprises/delete_confirmation.html",
title="Supression contact", title="Supression correspondant",
form=form, form=form,
) )
@bp.route("/add_historique/<int:id>", methods=["GET", "POST"]) @bp.route("/add_stages_apprentissages/<int:id>", methods=["GET", "POST"])
@permission_required(Permission.RelationsEntreprisesChange) @permission_required(Permission.RelationsEntreprisesChange)
def add_historique(id): def add_stages_apprentissages(id):
""" """
Permet d'ajouter un étudiant ayant réalisé un stage ou une alternance sur la fiche entreprise de l'entreprise Permet d'ajouter un étudiant ayant réalisé un stage ou une alternance sur la fiche entreprise de l'entreprise
""" """
entreprise = Entreprise.query.filter_by(id=id, visible=True).first_or_404( entreprise = Entreprise.query.filter_by(id=id, visible=True).first_or_404(
description=f"entreprise {id} inconnue" description=f"entreprise {id} inconnue"
) )
form = HistoriqueCreationForm() form = StageApprentissageCreationForm()
if form.validate_on_submit(): if form.validate_on_submit():
etudiant_nomcomplet = form.etudiant.data.upper().strip() etudiant_nomcomplet = form.etudiant.data.upper().strip()
stm = text( stm = text(
@ -805,7 +807,7 @@ def add_historique(id):
formation = etudiant.inscription_courante_date( formation = etudiant.inscription_courante_date(
form.date_debut.data, form.date_fin.data form.date_debut.data, form.date_fin.data
) )
historique = EntrepriseEtudiant( stage_apprentissage = EntrepriseStageApprentissage(
entreprise_id=entreprise.id, entreprise_id=entreprise.id,
etudid=etudiant.id, etudid=etudiant.id,
type_offre=form.type_offre.data.strip(), type_offre=form.type_offre.data.strip(),
@ -816,13 +818,64 @@ def add_historique(id):
if formation if formation
else None, else None,
) )
db.session.add(historique) db.session.add(stage_apprentissage)
db.session.commit() db.session.commit()
flash("L'étudiant a été ajouté sur la fiche entreprise.") flash("L'étudiant a été ajouté sur la fiche entreprise.")
return redirect(url_for("entreprises.fiche_entreprise", id=entreprise.id)) return redirect(url_for("entreprises.fiche_entreprise", id=entreprise.id))
return render_template( return render_template(
"entreprises/ajout_historique.html", "entreprises/ajout_stage_apprentissage.html",
title="Ajout historique", title="Ajout stage / apprentissage",
form=form,
)
@bp.route("/edit_stages_apprentissages/<int:id>", methods=["GET", "POST"])
@permission_required(Permission.RelationsEntreprisesChange)
def edit_stages_apprentissages(id):
stage_apprentissage = EntrepriseStageApprentissage.query.filter_by(
id=id
).first_or_404(description=f"stage_apprentissage {id} inconnue")
etudiant = Identite.query.filter_by(id=stage_apprentissage.etudid).first_or_404(
description=f"etudiant {id} inconnue"
)
form = StageApprentissageModificationForm()
if form.validate_on_submit():
etudiant_nomcomplet = form.etudiant.data.upper().strip()
stm = text(
"SELECT id, CONCAT(nom, ' ', prenom) as nom_prenom FROM Identite WHERE CONCAT(nom, ' ', prenom)=:nom_prenom"
)
etudiant = (
Identite.query.from_statement(stm)
.params(nom_prenom=etudiant_nomcomplet)
.first()
)
formation = etudiant.inscription_courante_date(
form.date_debut.data, form.date_fin.data
)
stage_apprentissage.etudid = etudiant.id
stage_apprentissage.type_offre = form.type_offre.data.strip()
stage_apprentissage.date_debut = (form.date_debut.data,)
stage_apprentissage.date_fin = (form.date_fin.data,)
stage_apprentissage.formation_text = (
formation.formsemestre.titre if formation else None,
)
stage_apprentissage.formation_scodoc = (
formation.formsemestre.formsemestre_id if formation else None,
)
db.session.commit()
return redirect(
url_for(
"entreprises.fiche_entreprise", id=stage_apprentissage.entreprise_id
)
)
elif request.method == "GET":
form.etudiant.data = f"{sco_etud.format_nom(etudiant.nom)} {sco_etud.format_prenom(etudiant.prenom)}"
form.type_offre.data = stage_apprentissage.type_offre
form.date_debut.data = stage_apprentissage.date_debut
form.date_fin.data = stage_apprentissage.date_fin
return render_template(
"entreprises/ajout_stage_apprentissage.html",
title="Modification stage / apprentissage",
form=form, form=form,
) )
@ -1032,19 +1085,19 @@ def import_entreprises():
) )
@bp.route("/export_contacts") @bp.route("/export_correspondants")
@permission_required(Permission.RelationsEntreprisesExport) @permission_required(Permission.RelationsEntreprisesExport)
def export_contacts(): def export_correspondants():
""" """
Permet d'exporter la liste des contacts sous format excel (.xlsx) Permet d'exporter la liste des correspondants sous format excel (.xlsx)
""" """
contacts = ( correspondants = (
db.session.query(EntrepriseContact) db.session.query(EntrepriseCorrespondant)
.join(Entreprise, EntrepriseContact.entreprise_id == Entreprise.id) .join(Entreprise, EntrepriseCorrespondant.entreprise_id == Entreprise.id)
.filter_by(visible=True) .filter_by(visible=True)
.all() .all()
) )
if contacts: if correspondants:
keys = [ keys = [
"nom", "nom",
"prenom", "prenom",
@ -1055,8 +1108,11 @@ def export_contacts():
"entreprise_siret", "entreprise_siret",
] ]
titles = keys[:] titles = keys[:]
L = [[contact.to_dict().get(k, "") for k in keys] for contact in contacts] L = [
title = "Contacts" [correspondant.to_dict().get(k, "") for k in keys]
for correspondant in correspondants
]
title = "Correspondants"
xlsx = sco_excel.excel_simple_table(titles=titles, lines=L, sheet_name=title) xlsx = sco_excel.excel_simple_table(titles=titles, lines=L, sheet_name=title)
filename = title filename = title
return scu.send_file(xlsx, filename, scu.XLSX_SUFFIX, scu.XLSX_MIMETYPE) return scu.send_file(xlsx, filename, scu.XLSX_SUFFIX, scu.XLSX_MIMETYPE)
@ -1064,11 +1120,11 @@ def export_contacts():
abort(404) abort(404)
@bp.route("/get_import_contacts_file_sample") @bp.route("/get_import_correspondants_file_sample")
@permission_required(Permission.RelationsEntreprisesExport) @permission_required(Permission.RelationsEntreprisesExport)
def get_import_contacts_file_sample(): def get_import_correspondants_file_sample():
""" """
Permet de récupérer un fichier exemple vide pour pouvoir importer des contacts Permet de récupérer un fichier exemple vide pour pouvoir importer des correspondants
""" """
keys = [ keys = [
"nom", "nom",
@ -1080,17 +1136,17 @@ def get_import_contacts_file_sample():
"entreprise_siret", "entreprise_siret",
] ]
titles = keys[:] titles = keys[:]
title = "ImportContacts" title = "ImportCorrespondants"
xlsx = sco_excel.excel_simple_table(titles=titles, sheet_name="Contacts") xlsx = sco_excel.excel_simple_table(titles=titles, sheet_name="Correspondants")
filename = title filename = title
return scu.send_file(xlsx, filename, scu.XLSX_SUFFIX, scu.XLSX_MIMETYPE) return scu.send_file(xlsx, filename, scu.XLSX_SUFFIX, scu.XLSX_MIMETYPE)
@bp.route("/import_contacts", methods=["GET", "POST"]) @bp.route("/import_correspondants", methods=["GET", "POST"])
@permission_required(Permission.RelationsEntreprisesExport) @permission_required(Permission.RelationsEntreprisesExport)
def import_contacts(): def import_correspondants():
""" """
Permet d'importer des contacts a l'aide d'un fichier excel (.xlsx) Permet d'importer des correspondants a l'aide d'un fichier excel (.xlsx)
""" """
form = ImportForm() form = ImportForm()
if form.validate_on_submit(): if form.validate_on_submit():
@ -1101,8 +1157,8 @@ def import_contacts():
file.save(file_path) file.save(file_path)
data = sco_excel.excel_file_to_list(file_path) data = sco_excel.excel_file_to_list(file_path)
os.remove(file_path) os.remove(file_path)
contacts_import = [] correspondants_import = []
contact_list = [] correspondant_list = []
ligne = 0 ligne = 0
titles = [ titles = [
"nom", "nom",
@ -1116,57 +1172,69 @@ def import_contacts():
if data[1][0] != titles: if data[1][0] != titles:
flash("Veuillez utilisez la feuille excel à remplir") flash("Veuillez utilisez la feuille excel à remplir")
return render_template( return render_template(
"entreprises/import_contacts.html", "entreprises/import_correspondants.html",
title="Importation contacts", title="Importation correspondants",
form=form, form=form,
) )
for contact_data in data[1][1:]: for correspondant_data in data[1][1:]:
ligne += 1 ligne += 1
if ( if (
are.verif_contact_data(contact_data) are.verif_correspondant_data(correspondant_data)
and (contact_data[0], contact_data[1], contact_data[6]) and (
not in contact_list correspondant_data[0],
): correspondant_data[1],
contact_list.append((contact_data[0], contact_data[1], contact_data[6])) correspondant_data[6],
contact = EntrepriseContact(
nom=contact_data[0],
prenom=contact_data[1],
telephone=contact_data[2],
mail=contact_data[3],
poste=contact_data[4],
service=contact_data[5],
entreprise_id=contact_data[6],
) )
contacts_import.append(contact) not in correspondant_list
):
correspondant_list.append(
(
correspondant_data[0],
correspondant_data[1],
correspondant_data[6],
)
)
correspondant = EntrepriseCorrespondant(
nom=correspondant_data[0],
prenom=correspondant_data[1],
telephone=correspondant_data[2],
mail=correspondant_data[3],
poste=correspondant_data[4],
service=correspondant_data[5],
entreprise_id=correspondant_data[6],
)
correspondants_import.append(correspondant)
else: else:
flash(f"Erreur lors de l'importation (ligne {ligne})") flash(f"Erreur lors de l'importation (ligne {ligne})")
return render_template( return render_template(
"entreprises/import_contacts.html", "entreprises/import_correspondants.html",
title="Importation contacts", title="Importation correspondants",
form=form, form=form,
) )
if len(contacts_import) > 0: if len(correspondants_import) > 0:
for contact in contacts_import: for correspondant in correspondants_import:
db.session.add(contact) db.session.add(correspondant)
log = EntrepriseLog( log = EntrepriseLog(
authenticated_user=current_user.user_name, authenticated_user=current_user.user_name,
text=f"Importation de {len(contacts_import)} contact(s)", text=f"Importation de {len(correspondants_import)} correspondant(s)",
) )
db.session.add(log) db.session.add(log)
db.session.commit() db.session.commit()
flash(f"Importation réussie de {len(contacts_import)} contact(s)") flash(
f"Importation réussie de {len(correspondants_import)} correspondant(s)"
)
return render_template( return render_template(
"entreprises/import_contacts.html", "entreprises/import_correspondants.html",
title="Importation Contacts", title="Importation correspondants",
form=form, form=form,
contacts_import=contacts_import, correspondants_import=correspondants_import,
) )
else: else:
flash('Feuille "Contacts" vide') flash('Feuille "Correspondants" vide')
return render_template( return render_template(
"entreprises/import_contacts.html", "entreprises/import_correspondants.html",
title="Importation contacts", title="Importation correspondants",
form=form, form=form,
) )

View File

@ -50,23 +50,23 @@
margin-bottom: -5px; margin-bottom: -5px;
} }
.entreprise, .contact, .offre { .entreprise, .correspondant, .offre {
border: solid 2px; border: solid 2px;
border-radius: 10px; border-radius: 10px;
padding: 10px; padding: 10px;
margin-bottom: 10px; margin-bottom: 10px;
} }
.contacts-et-offres { .correspondants-et-offres {
display: flex; display: flex;
justify-content: space-between; justify-content: space-between;
} }
.contacts-et-offres > div { .correspondants-et-offres > div {
flex: 1 0 0; flex: 1 0 0;
} }
.contacts-et-offres > div:nth-child(2) { .correspondants-et-offres > div:nth-child(2) {
margin-left: 20px; margin-left: 20px;
} }

View File

@ -1,26 +0,0 @@
{# -*- mode: jinja-html -*- #}
<div class="contact">
<div>
Nom : {{ contact.nom }}<br>
Prénom : {{ contact.prenom }}<br>
{% if contact.telephone %}
Téléphone : {{ contact.telephone }}<br>
{% endif %}
{% if contact.mail %}
Mail : {{ contact.mail }}<br>
{% endif %}
{% if contact.poste %}
Poste : {{ contact.poste }}<br>
{% endif %}
{% if contact.service %}
Service : {{ contact.service }}<br>
{% endif %}
</div>
{% if current_user.has_permission(current_user.Permission.RelationsEntreprisesChange, None) %}
<div class="parent-btn">
<a class="btn btn-primary" href="{{ url_for('entreprises.edit_contact', id=contact.id) }}">Modifier contact</a>
<a class="btn btn-danger" href="{{ url_for('entreprises.delete_contact', id=contact.id) }}">Supprimer contact</a>
</div>
{% endif %}
</div>

View File

@ -0,0 +1,26 @@
{# -*- mode: jinja-html -*- #}
<div class="correspondant">
<div>
Nom : {{ correspondant.nom }}<br>
Prénom : {{ correspondant.prenom }}<br>
{% if correspondant.telephone %}
Téléphone : {{ correspondant.telephone }}<br>
{% endif %}
{% if correspondant.mail %}
Mail : {{ correspondant.mail }}<br>
{% endif %}
{% if correspondant.poste %}
Poste : {{ correspondant.poste }}<br>
{% endif %}
{% if correspondant.service %}
Service : {{ correspondant.service }}<br>
{% endif %}
</div>
{% if current_user.has_permission(current_user.Permission.RelationsEntreprisesChange, None) %}
<div class="parent-btn">
<a class="btn btn-primary" href="{{ url_for('entreprises.edit_correspondant', id=correspondant.id) }}">Modifier correspondant</a>
<a class="btn btn-danger" href="{{ url_for('entreprises.delete_correspondant', id=correspondant.id) }}">Supprimer correspondant</a>
</div>
{% endif %}
</div>

View File

@ -10,7 +10,7 @@
Département(s) : {% for offre_dept in offre[2] %} <div class="offre-depts">{{ offre_dept.dept_id|get_dept_acronym }}</div> {% endfor %}<br> Département(s) : {% for offre_dept in offre[2] %} <div class="offre-depts">{{ offre_dept.dept_id|get_dept_acronym }}</div> {% endfor %}<br>
{% endif %} {% endif %}
{% if offre[0].contact_id %} {% if offre[0].correspondant_id %}
Contacté {{ offre[3].nom }} {{ offre[3].prenom }} Contacté {{ offre[3].nom }} {{ offre[3].prenom }}
{% if offre[3].mail and offre[3].telephone %} {% if offre[3].mail and offre[3].telephone %}
({{ offre[3].mail }} - {{ offre[3].telephone }})<br> ({{ offre[3].mail }} - {{ offre[3].telephone }})<br>

View File

@ -3,7 +3,7 @@
{% import 'bootstrap/wtf.html' as wtf %} {% import 'bootstrap/wtf.html' as wtf %}
{% block app_content %} {% block app_content %}
<h1>Ajout entreprise avec contact</h1> <h1>Ajout entreprise avec correspondant</h1>
<br> <br>
<div class="row"> <div class="row">
<div class="col-md-4"> <div class="col-md-4">

View File

@ -9,7 +9,7 @@
{% endblock %} {% endblock %}
{% block app_content %} {% block app_content %}
<h1>Ajout historique</h1> <h1>{{ title }}</h1>
<br> <br>
<div class="row"> <div class="row">
<div class="col-md-4"> <div class="col-md-4">

View File

@ -24,16 +24,16 @@
<div class="container boutons"> <div class="container boutons">
{% if current_user.has_permission(current_user.Permission.RelationsEntreprisesExport, None) %} {% if current_user.has_permission(current_user.Permission.RelationsEntreprisesExport, None) %}
<a class="btn btn-default" href="{{ url_for('entreprises.import_contacts') }}">Importer des contacts</a> <a class="btn btn-default" href="{{ url_for('entreprises.import_correspondants') }}">Importer des correspondants</a>
{% endif %} {% endif %}
{% if current_user.has_permission(current_user.Permission.RelationsEntreprisesExport, None) and contacts %} {% if current_user.has_permission(current_user.Permission.RelationsEntreprisesExport, None) and correspondants %}
<a class="btn btn-default" href="{{ url_for('entreprises.export_contacts') }}">Exporter la liste des contacts</a> <a class="btn btn-default" href="{{ url_for('entreprises.export_correspondants') }}">Exporter la liste des correspondants</a>
{% endif %} {% endif %}
</div> </div>
<div class="container" style="margin-bottom: 10px;"> <div class="container" style="margin-bottom: 10px;">
<h1>Liste des contacts</h1> <h1>Liste des correspondants</h1>
<table id="table-contacts"> <table id="table-correspondants">
<thead> <thead>
<tr> <tr>
<td data-priority="1">Nom</td> <td data-priority="1">Nom</td>
@ -46,15 +46,15 @@
</tr> </tr>
</thead> </thead>
<tbody> <tbody>
{% for contact in contacts %} {% for correspondant in correspondants %}
<tr> <tr>
<td>{{ contact[0].nom }}</td> <td>{{ correspondant[0].nom }}</td>
<td>{{ contact[0].prenom }}</td> <td>{{ correspondant[0].prenom }}</td>
<td>{{ contact[0].telephone }}</td> <td>{{ correspondant[0].telephone }}</td>
<td>{{ contact[0].mail }}</td> <td>{{ correspondant[0].mail }}</td>
<td>{{ contact[0].poste}}</td> <td>{{ correspondant[0].poste}}</td>
<td>{{ contact[0].service}}</td> <td>{{ correspondant[0].service}}</td>
<td><a href="{{ url_for('entreprises.fiche_entreprise', id=contact[1].id) }}">{{ contact[1].nom }}</a></td> <td><a href="{{ url_for('entreprises.fiche_entreprise', id=correspondant[1].id) }}">{{ correspondant[1].nom }}</a></td>
</tr> </tr>
{% endfor %} {% endfor %}
</tbody> </tbody>
@ -74,7 +74,7 @@
<script> <script>
document.addEventListener('DOMContentLoaded', function () { document.addEventListener('DOMContentLoaded', function () {
let table = new DataTable('#table-contacts', let table = new DataTable('#table-correspondants',
{ {
"autoWidth": false, "autoWidth": false,
"responsive": { "responsive": {

View File

@ -1,6 +1,13 @@
{# -*- mode: jinja-html -*- #} {# -*- mode: jinja-html -*- #}
{% extends 'base.html' %} {% extends 'base.html' %}
{% block styles %}
{{super()}}
<script src="/ScoDoc/static/jQuery/jquery-1.12.4.min.js"></script>
<link rel="stylesheet" type="text/css" href="/ScoDoc/static/DataTables/datatables.min.css">
<script type="text/javascript" charset="utf8" src="/ScoDoc/static/DataTables/datatables.min.js"></script>
{% endblock %}
{% block app_content %} {% block app_content %}
{% if logs %} {% if logs %}
<div class="container"> <div class="container">
@ -15,24 +22,6 @@
</ul> </ul>
</div> </div>
{% endif %} {% endif %}
{% if historique %}
<div class="container">
<h3>Historique</h3>
<ul>
{% for data in historique %}
<li>
<span style="margin-right: 10px;">{{ data[0].date_debut.strftime('%d/%m/%Y') }} - {{
data[0].date_fin.strftime('%d/%m/%Y') }}</span>
<span style="margin-right: 10px;">
{{ data[0].type_offre }} réalisé par {{ data[1].nom|format_nom }} {{ data[1].prenom|format_prenom }}
{% if data[0].formation_text %} en {{ data[0].formation_text }}{% endif %}
</span>
</li>
{% endfor %}
</ul>
</div>
{% endif %}
<div class="container fiche-entreprise"> <div class="container fiche-entreprise">
<h2>Fiche entreprise - {{ entreprise.nom }} ({{ entreprise.siret }})</h2> <h2>Fiche entreprise - {{ entreprise.nom }} ({{ entreprise.siret }})</h2>
@ -53,20 +42,18 @@
<a class="btn btn-primary" href="{{ url_for('entreprises.edit_entreprise', id=entreprise.id) }}">Modifier</a> <a class="btn btn-primary" href="{{ url_for('entreprises.edit_entreprise', id=entreprise.id) }}">Modifier</a>
<a class="btn btn-danger" href="{{ url_for('entreprises.delete_entreprise', id=entreprise.id) }}">Supprimer</a> <a class="btn btn-danger" href="{{ url_for('entreprises.delete_entreprise', id=entreprise.id) }}">Supprimer</a>
<a class="btn btn-primary" href="{{ url_for('entreprises.add_offre', id=entreprise.id) }}">Ajouter offre</a> <a class="btn btn-primary" href="{{ url_for('entreprises.add_offre', id=entreprise.id) }}">Ajouter offre</a>
<a class="btn btn-primary" href="{{ url_for('entreprises.add_contact', id=entreprise.id) }}">Ajouter contact</a> <a class="btn btn-primary" href="{{ url_for('entreprises.add_correspondant', id=entreprise.id) }}">Ajouter correspondant</a>
<a class="btn btn-primary" href="{{ url_for('entreprises.add_historique', id=entreprise.id) }}">Ajouter
historique</a>
{% endif %} {% endif %}
<a class="btn btn-primary" href="{{ url_for('entreprises.offres_expirees', id=entreprise.id) }}">Voir les offres expirées</a> <a class="btn btn-primary" href="{{ url_for('entreprises.offres_expirees', id=entreprise.id) }}">Voir les offres expirées</a>
<div> <div>
<div class="contacts-et-offres"> <div class="correspondants-et-offres">
{% if contacts %} {% if correspondants %}
<div> <div>
<h3>Contacts</h3> <h3>Correspondants</h3>
{% for contact in contacts %} {% for correspondant in correspondants %}
{% include 'entreprises/_contact.html' %} {% include 'entreprises/_correspondant.html' %}
{% endfor %} {% endfor %}
</div> </div>
{% endif %} {% endif %}
@ -81,4 +68,92 @@
{% endif %} {% endif %}
</div> </div>
</div> </div>
<div style="margin-bottom: 10px;">
{% if current_user.has_permission(current_user.Permission.RelationsEntreprisesChange, None) %}
<a class="btn btn-primary" href="{{ url_for('entreprises.add_stages_apprentissages', id=entreprise.id) }}">Ajouter stages ou apprentissages</a>
{% endif %}
<h3>Liste des stages et apprentissages réalisés au sein de l'entreprise</h3>
<table id="table-stages-apprentissages">
<thead>
<tr>
<td data-priority="">Date début</td>
<td data-priority="">Date fin</td>
<td data-priority="">Durée</td>
<td data-priority="">Type</td>
<td data-priority="">Étudiant</td>
<td data-priority="">Formation</td>
{% if current_user.has_permission(current_user.Permission.RelationsEntreprisesChange, None) %}
<td data-priority="3">Action</td>
{% endif %}
</tr>
</thead>
<tbody>
{% for data in stages_apprentissages %}
<tr>
<td>{{ data[0].date_debut.strftime('%d/%m/%Y') }}</td>
<td>{{ data[0].date_fin.strftime('%d/%m/%Y') }}</td>
<td>{{(data[0].date_fin-data[0].date_debut).days//7}} semaines</td>
<td>{{ data[0].type_offre }}</td>
<td>{{ data[1].nom|format_nom }} {{ data[1].prenom|format_prenom }}</td>
<td>{% if data[0].formation_text %}{{ data[0].formation_text }}{% endif %}</td>
{% if current_user.has_permission(current_user.Permission.RelationsEntreprisesChange, None) %}
<td>
<div class="btn-group">
<a class="btn btn-default dropdown-toggle" data-toggle="dropdown" href="#">Action
<span class="caret"></span>
</a>
<ul class="dropdown-menu pull-left">
<li><a href="{{ url_for('entreprises.edit_stages_apprentissages', id=data[0].id) }}">Modifier</a></li>
<li><a href="{{ url_for('entreprises.delete_entreprise', id=entreprise.id) }}" style="color:red">Supprimer</a></li>
</ul>
</div>
</td>
{% endif %}
</tr>
{% endfor %}
</tbody>
<tfoot>
<tr>
<td data-priority="">Date début</td>
<td data-priority="">Date fin</td>
<td data-priority="">Durée</td>
<td data-priority="">Type</td>
<td data-priority="">Étudiant</td>
<td data-priority="">Formation</td>
{% if current_user.has_permission(current_user.Permission.RelationsEntreprisesChange, None) %}
<td>Action</td>
{% endif %}
</tr>
</tfoot>
</table>
</div>
<script>
document.addEventListener('DOMContentLoaded', function () {
let table = new DataTable('#table-stages-apprentissages',
{
"autoWidth": false,
"responsive": {
"details": true
},
"pageLength": 10,
"language": {
"emptyTable": "Aucune donnée disponible dans le tableau",
"info": "Affichage de _START_ à _END_ sur _TOTAL_ entrées",
"infoEmpty": "Affichage de 0 à 0 sur 0 entrées",
"infoFiltered": "(filtrées depuis un total de _MAX_ entrées)",
"lengthMenu": "Afficher _MENU_ entrées",
"loadingRecords": "Chargement...",
"processing": "Traitement...",
"search": "Rechercher:",
"zeroRecords": "Aucune entrée correspondante trouvée",
"paginate": {
"next": "Suivante",
"previous": "Précédente"
}
}
});
});
</script>
{% endblock %} {% endblock %}

View File

@ -16,25 +16,25 @@
</div> </div>
</div> </div>
{% if contacts %} {% if correspondants %}
<div> <div>
{% for contact in contacts %} {% for correspondant in correspondants %}
<div> <div>
<h3>Contact</h3> <h3>Correspondant</h3>
<div class="contact"> <div class="correspondant">
Nom : {{ contact.nom }}<br> Nom : {{ correspondant.nom }}<br>
Prénom : {{ contact.prenom }}<br> Prénom : {{ correspondant.prenom }}<br>
{% if contact.telephone %} {% if correspondant.telephone %}
Téléphone : {{ contact.telephone }}<br> Téléphone : {{ correspondant.telephone }}<br>
{% endif %} {% endif %}
{% if contact.mail %} {% if correspondant.mail %}
Mail : {{ contact.mail }}<br> Mail : {{ correspondant.mail }}<br>
{% endif %} {% endif %}
{% if contact.poste %} {% if correspondant.poste %}
Poste : {{ contact.poste }}<br> Poste : {{ correspondant.poste }}<br>
{% endif %} {% endif %}
{% if contact.service %} {% if correspondant.service %}
Service : {{ contact.service }}<br> Service : {{ correspondant.service }}<br>
{% endif %} {% endif %}
</div> </div>
</div> </div>

View File

@ -1,62 +0,0 @@
{# -*- mode: jinja-html -*- #}
{% extends 'base.html' %}
{% import 'bootstrap/wtf.html' as wtf %}
{% block styles %}
{{super()}}
{% endblock %}
{% block app_content %}
<h1>Importation contacts</h1>
<br>
<div>
<a href="{{ url_for('entreprises.get_import_contacts_file_sample') }}">Obtenir la feuille excel à remplir</a>
</div>
<br>
<div class="row">
<div class="col-md-4">
<p>
(*) champs requis
</p>
{{ wtf.quick_form(form, novalidate=True) }}
</div>
</div>
{% if not contacts_import %}
<table class="table">
<thead><tr><td><b>Attribut</b></td><td><b>Type</b></td><td><b>Description</b></td></tr></thead>
<tr><td>nom</td><td>text</td><td>nom du contact</td></tr>
<tr><td>prenom</td><td>text</td><td>prenom du contact</td></tr>
<tr><td>telephone</td><td>text</td><td>telephone du contact</td></tr>
<tr><td>mail</td><td>text</td><td>mail du contact</td></tr>
<tr><td>poste</td><td>text</td><td>poste du contact</td></tr>
<tr><td>service</td><td>text</td><td>service dans lequel travaille le contact</td></tr>
<tr><td>entreprise_siret</td><td>integer</td><td>SIRET de l'entreprise</td></tr>
</table>
{% endif %}
{% if contacts_import %}
<br><div>Importation de {{ contacts_import|length }} contact(s)</div>
{% for contact in contacts_import %}
<div class="contact">
<div>
Nom : {{ contact.nom }}<br>
Prénom : {{ contact.prenom }}<br>
{% if contact.telephone %}
Téléphone : {{ contact.telephone }}<br>
{% endif %}
{% if contact.mail %}
Mail : {{ contact.mail }}<br>
{% endif %}
{% if contact.poste %}
Poste : {{ contact.poste }}<br>
{% endif %}
{% if contact.service %}
Service : {{ contact.service }}<br>
{% endif %}
<a href="{{ url_for('entreprises.fiche_entreprise', id=contact.entreprise_id )}}">lien vers l'entreprise</a>
</div>
</div>
{% endfor %}
{% endif %}
{% endblock %}

View File

@ -0,0 +1,62 @@
{# -*- mode: jinja-html -*- #}
{% extends 'base.html' %}
{% import 'bootstrap/wtf.html' as wtf %}
{% block styles %}
{{super()}}
{% endblock %}
{% block app_content %}
<h1>Importation correspondants</h1>
<br>
<div>
<a href="{{ url_for('entreprises.get_import_correspondants_file_sample') }}">Obtenir la feuille excel à remplir</a>
</div>
<br>
<div class="row">
<div class="col-md-4">
<p>
(*) champs requis
</p>
{{ wtf.quick_form(form, novalidate=True) }}
</div>
</div>
{% if not correspondants_import %}
<table class="table">
<thead><tr><td><b>Attribut</b></td><td><b>Type</b></td><td><b>Description</b></td></tr></thead>
<tr><td>nom</td><td>text</td><td>nom du correspondant</td></tr>
<tr><td>prenom</td><td>text</td><td>prenom du correspondant</td></tr>
<tr><td>telephone</td><td>text</td><td>telephone du correspondant</td></tr>
<tr><td>mail</td><td>text</td><td>mail du correspondant</td></tr>
<tr><td>poste</td><td>text</td><td>poste du correspondant</td></tr>
<tr><td>service</td><td>text</td><td>service dans lequel travaille le correspondant</td></tr>
<tr><td>entreprise_siret</td><td>integer</td><td>SIRET de l'entreprise</td></tr>
</table>
{% endif %}
{% if correspondants_import %}
<br><div>Importation de {{ correspondants_import|length }} correspondant(s)</div>
{% for correspondant in correspondants_import %}
<div class="correspondant">
<div>
Nom : {{ correspondant.nom }}<br>
Prénom : {{ correspondant.prenom }}<br>
{% if correspondant.telephone %}
Téléphone : {{ correspondant.telephone }}<br>
{% endif %}
{% if correspondant.mail %}
Mail : {{ correspondant.mail }}<br>
{% endif %}
{% if correspondant.poste %}
Poste : {{ correspondant.poste }}<br>
{% endif %}
{% if correspondant.service %}
Service : {{ correspondant.service }}<br>
{% endif %}
<a href="{{ url_for('entreprises.fiche_entreprise', id=correspondant.entreprise_id )}}">lien vers l'entreprise</a>
</div>
</div>
{% endfor %}
{% endif %}
{% endblock %}

View File

@ -2,7 +2,7 @@
<nav class="nav-entreprise"> <nav class="nav-entreprise">
<ul> <ul>
<li><a href="{{ url_for('entreprises.index') }}">Entreprises</a></li> <li><a href="{{ url_for('entreprises.index') }}">Entreprises</a></li>
<li><a href="{{ url_for('entreprises.contacts') }}">Contacts</a></li> <li><a href="{{ url_for('entreprises.correspondants') }}">Correspondants</a></li>
<li><a href="{{ url_for('entreprises.offres_recues') }}">Offres reçues</a></li> <li><a href="{{ url_for('entreprises.offres_recues') }}">Offres reçues</a></li>
{% if current_user.has_permission(current_user.Permission.RelationsEntreprisesValidate, None) %} {% if current_user.has_permission(current_user.Permission.RelationsEntreprisesValidate, None) %}
<li><a href="{{ url_for('entreprises.validation') }}">Entreprises à valider</a></li> <li><a href="{{ url_for('entreprises.validation') }}">Entreprises à valider</a></li>

View File

@ -17,7 +17,7 @@
Missions : {{ offre[1].missions }}<br> Missions : {{ offre[1].missions }}<br>
Durée : {{ offre[1].duree }}<br> Durée : {{ offre[1].duree }}<br>
{% if offre[1].contact_id %} {% if offre[1].correspondant_id %}
Contacté {{ offre[3].nom }} {{ offre[3].prenom }} Contacté {{ offre[3].nom }} {{ offre[3].prenom }}
{% if offre[3].mail and offre[3].telephone %} {% if offre[3].mail and offre[3].telephone %}
({{ offre[3].mail }} - {{ offre[3].telephone }})<br> ({{ offre[3].mail }} - {{ offre[3].telephone }})<br>

View File

@ -1,8 +1,8 @@
"""tables module gestion relations entreprises """tables module gestion relations entreprises
Revision ID: 40ece1f74b7a Revision ID: 72ae180645e5
Revises: b9aadc10227f Revises: b9aadc10227f
Create Date: 2022-03-04 16:06:28.163870 Create Date: 2022-03-28 21:40:35.426046
""" """
from alembic import op from alembic import op
@ -10,7 +10,7 @@ import sqlalchemy as sa
from sqlalchemy.dialects import postgresql from sqlalchemy.dialects import postgresql
# revision identifiers, used by Alembic. # revision identifiers, used by Alembic.
revision = "40ece1f74b7a" revision = "72ae180645e5"
down_revision = "b9aadc10227f" down_revision = "b9aadc10227f"
branch_labels = None branch_labels = None
depends_on = None depends_on = None
@ -52,7 +52,7 @@ def upgrade():
sa.PrimaryKeyConstraint("id"), sa.PrimaryKeyConstraint("id"),
) )
op.create_table( op.create_table(
"are_contacts", "are_correspondants",
sa.Column("id", sa.Integer(), nullable=False), sa.Column("id", sa.Integer(), nullable=False),
sa.Column("entreprise_id", sa.Integer(), nullable=True), sa.Column("entreprise_id", sa.Integer(), nullable=True),
sa.Column("nom", sa.Text(), nullable=True), sa.Column("nom", sa.Text(), nullable=True),
@ -67,7 +67,7 @@ def upgrade():
sa.PrimaryKeyConstraint("id"), sa.PrimaryKeyConstraint("id"),
) )
op.create_table( op.create_table(
"are_etudiants", "are_stages_apprentissages",
sa.Column("id", sa.Integer(), nullable=False), sa.Column("id", sa.Integer(), nullable=False),
sa.Column("entreprise_id", sa.Integer(), nullable=True), sa.Column("entreprise_id", sa.Integer(), nullable=True),
sa.Column("etudid", sa.Integer(), nullable=True), sa.Column("etudid", sa.Integer(), nullable=True),
@ -98,9 +98,9 @@ def upgrade():
sa.Column("duree", sa.Text(), nullable=True), sa.Column("duree", sa.Text(), nullable=True),
sa.Column("expiration_date", sa.Date(), nullable=True), sa.Column("expiration_date", sa.Date(), nullable=True),
sa.Column("expired", sa.Boolean(), nullable=True), sa.Column("expired", sa.Boolean(), nullable=True),
sa.Column("contact_id", sa.Integer(), nullable=True), sa.Column("correspondant_id", sa.Integer(), nullable=True),
sa.ForeignKeyConstraint( sa.ForeignKeyConstraint(
["contact_id"], ["are_contacts.id"], ondelete="cascade" ["correspondant_id"], ["are_correspondants.id"], ondelete="cascade"
), ),
sa.ForeignKeyConstraint( sa.ForeignKeyConstraint(
["entreprise_id"], ["are_entreprises.id"], ondelete="cascade" ["entreprise_id"], ["are_entreprises.id"], ondelete="cascade"
@ -194,28 +194,7 @@ def downgrade():
sa.PrimaryKeyConstraint("id", name="entreprises_pkey"), sa.PrimaryKeyConstraint("id", name="entreprises_pkey"),
postgresql_ignore_search_path=False, postgresql_ignore_search_path=False,
) )
op.create_table( op.create_index("ix_entreprises_dept_id", "entreprises", ["dept_id"], unique=False)
"entreprise_correspondant",
sa.Column("id", sa.INTEGER(), autoincrement=True, nullable=False),
sa.Column("entreprise_id", sa.INTEGER(), autoincrement=False, nullable=True),
sa.Column("nom", sa.TEXT(), autoincrement=False, nullable=True),
sa.Column("prenom", sa.TEXT(), autoincrement=False, nullable=True),
sa.Column("civilite", sa.TEXT(), autoincrement=False, nullable=True),
sa.Column("fonction", sa.TEXT(), autoincrement=False, nullable=True),
sa.Column("phone1", sa.TEXT(), autoincrement=False, nullable=True),
sa.Column("phone2", sa.TEXT(), autoincrement=False, nullable=True),
sa.Column("mobile", sa.TEXT(), autoincrement=False, nullable=True),
sa.Column("mail1", sa.TEXT(), autoincrement=False, nullable=True),
sa.Column("mail2", sa.TEXT(), autoincrement=False, nullable=True),
sa.Column("fax", sa.TEXT(), autoincrement=False, nullable=True),
sa.Column("note", sa.TEXT(), autoincrement=False, nullable=True),
sa.ForeignKeyConstraint(
["entreprise_id"],
["entreprises.id"],
name="entreprise_correspondant_entreprise_id_fkey",
),
sa.PrimaryKeyConstraint("id", name="entreprise_correspondant_pkey"),
)
op.create_table( op.create_table(
"entreprise_contact", "entreprise_contact",
sa.Column("id", sa.INTEGER(), autoincrement=True, nullable=False), sa.Column("id", sa.INTEGER(), autoincrement=True, nullable=False),
@ -245,13 +224,34 @@ def downgrade():
), ),
sa.PrimaryKeyConstraint("id", name="entreprise_contact_pkey"), sa.PrimaryKeyConstraint("id", name="entreprise_contact_pkey"),
) )
op.create_index("ix_entreprises_dept_id", "entreprises", ["dept_id"], unique=False) op.create_table(
"entreprise_correspondant",
sa.Column("id", sa.INTEGER(), autoincrement=True, nullable=False),
sa.Column("entreprise_id", sa.INTEGER(), autoincrement=False, nullable=True),
sa.Column("nom", sa.TEXT(), autoincrement=False, nullable=True),
sa.Column("prenom", sa.TEXT(), autoincrement=False, nullable=True),
sa.Column("civilite", sa.TEXT(), autoincrement=False, nullable=True),
sa.Column("fonction", sa.TEXT(), autoincrement=False, nullable=True),
sa.Column("phone1", sa.TEXT(), autoincrement=False, nullable=True),
sa.Column("phone2", sa.TEXT(), autoincrement=False, nullable=True),
sa.Column("mobile", sa.TEXT(), autoincrement=False, nullable=True),
sa.Column("mail1", sa.TEXT(), autoincrement=False, nullable=True),
sa.Column("mail2", sa.TEXT(), autoincrement=False, nullable=True),
sa.Column("fax", sa.TEXT(), autoincrement=False, nullable=True),
sa.Column("note", sa.TEXT(), autoincrement=False, nullable=True),
sa.ForeignKeyConstraint(
["entreprise_id"],
["entreprises.id"],
name="entreprise_correspondant_entreprise_id_fkey",
),
sa.PrimaryKeyConstraint("id", name="entreprise_correspondant_pkey"),
)
op.drop_table("are_offre_departement") op.drop_table("are_offre_departement")
op.drop_table("are_envoi_offre_etudiant") op.drop_table("are_envoi_offre_etudiant")
op.drop_table("are_envoi_offre") op.drop_table("are_envoi_offre")
op.drop_table("are_offres") op.drop_table("are_offres")
op.drop_table("are_etudiants") op.drop_table("are_stages_apprentissages")
op.drop_table("are_contacts") op.drop_table("are_correspondants")
op.drop_table("are_preferences") op.drop_table("are_preferences")
op.drop_table("are_logs") op.drop_table("are_logs")
op.drop_table("are_entreprises") op.drop_table("are_entreprises")