lesClients = new ArrayList<>();
+
+ try {
+ Statement stmt = theConnection.createStatement();
+ ResultSet resultQ = null;
+ resultQ = stmt.executeQuery("SELECT * FROM client");
+ while (resultQ.next()) {
+ unClient = new Pompier(resultQ.getInt("id"),
+ resultQ.getString("civilite"),
+ resultQ.getString("nom"),
+ resultQ.getString("prenom"),
+ resultQ.getString("mdp"),
+ resultQ.getInt("adrno"),
+ resultQ.getString("adrrue"),
+ resultQ.getString("adrville"),
+ resultQ.getString("adrcp"),
+ resultQ.getString("adrmail"),
+ resultQ.getString("tel"),
+ resultQ.getString("dateNais"));
+ lesClients.add(unClient);
+ }
+ resultQ.close();
+ stmt.close();
+ //theConnection.close();
+ } catch (SQLException ex) {
+ System.out.println("SQLException : " + ex.getMessage());
+ System.out.println("SQLState : " + ex.getSQLState());
+ System.out.println("Code erreur : " + ex.getErrorCode());
+ }
+
+ return lesClients;
+ }
+
+ /**
+ * Creation du client passé en paramètre dans la table client
+ * Requête non préparée
+ * @param c objet de type Pompier (sans identifiant)
+ * @return int : id du client créé
+ */
+ public int create(Pompier c) {
+ int id = -1;
+ try {
+ Statement stmt = theConnection.createStatement();
+ int status = stmt.executeUpdate(
+ "INSERT INTO client (civilite, nom, prenom, mdp, adrno, adrrue, adrville, adrcp, adrmail, tel, dateNais) "
+ + "VALUES ('" + c.getCivilite() + "', '"
+ + c.getNom() + "', '"
+ + c.getPrenom() + "', '"
+ + c.getMdp() + "', "
+ + c.getAdrNo() + ", '"
+ + c.getAdrRue() + "', '"
+ + c.getAdrCP() + "', '"
+ + c.getAdrVille() + "', '"
+ + c.getAdrmail()+ "', '"
+ + c.getTel()+ "', '"
+ + c.getDateNais() + "');",
+ Statement.RETURN_GENERATED_KEYS);
+
+ // Recherche de l'identifiant du client créé
+ if (status > 0) {
+ ResultSet result = stmt.getGeneratedKeys();
+ if (result.first()) {
+ id = result.getInt(1);
+ }
+ }
+ } catch (SQLException ex) {
+ System.out.println("SQLException : " + ex.getMessage());
+ System.out.println("SQLState : " + ex.getSQLState());
+ System.out.println("Code erreur : " + ex.getErrorCode());
+ }
+ return id;
+ }
+
+ /**
+ * Creation du client passé en paramètre dans la table client
+ * Requête préparée
+ * @param c objet de type Pompier (sans identifiant)
+ * @return int : id du client créé
+ */
+ public int createRP(Pompier c) {
+ int id = -1;
+ try {
+ PreparedStatement stmt = null;
+ String sql = "INSERT INTO client (civilite, nom, prenom, mdp, adrno, adrrue, adrville, adrcp, adrmail, tel, dateNais) "
+ + "VALUES (?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?);";
+ stmt = theConnection.prepareStatement(sql, Statement.RETURN_GENERATED_KEYS);
+ stmt.setString(1, c.getCivilite());
+ stmt.setString(2, c.getNom());
+ stmt.setString(3, c.getPrenom());
+ stmt.setString(4, c.getMdp());
+ stmt.setInt(5, c.getAdrNo());
+ stmt.setString(6, c.getAdrRue());
+ stmt.setString(7, c.getAdrCP());
+ stmt.setString(8, c.getAdrVille());
+ stmt.setString(9, c.getAdrmail());
+ stmt.setString(10, c.getTel());
+ stmt.setString(11, c.getDateNais());
+ System.out.println("Requête : " + stmt.toString());
+ int status = stmt.executeUpdate();
+
+
+ // Recherche de l'identifiant du client créé
+ if (status > 0) {
+ ResultSet result = stmt.getGeneratedKeys();
+ if (result.first()) {
+ id = result.getInt(1);
+ }
+ }
+ } catch (SQLException ex) {
+ System.out.println("SQLException : " + ex.getMessage());
+ System.out.println("SQLState : " + ex.getSQLState());
+ System.out.println("Code erreur : " + ex.getErrorCode());
+ }
+ return id;
+ }
+}
diff --git a/src/java/bdd/Connexion.java b/src/java/bdd/Connexion.java
new file mode 100644
index 0000000..3c01e7c
--- /dev/null
+++ b/src/java/bdd/Connexion.java
@@ -0,0 +1,62 @@
+package bdd;
+/*
+Connexion.java
+Classe permettant d'établir une connexion avec une base de données mySQL
+*/
+import java.sql.Connection;
+import java.sql.DriverManager;
+
+public class Connexion {
+ private static Connection connect; // Variable de connexion
+
+ /**
+ * Constructeur
+ * @param serveur nom du serveur, localhost si local
+ * @param bdd nom de la base de données
+ * @param nomUtil nom utilisateur
+ * @param mdp mot de passe lié à l'utilisateur
+ */
+ private Connexion(String serveur, String bdd, String nomUtil, String mdp) {
+ try {
+ // 1. Chargement du driver
+ //Class.forName("com.mysql.jdbc.Driver");
+ Class.forName("com.mysql.cj.jdbc.Driver");
+ System.out.println("Driver accessible");
+
+ // 2. Initialisation des paramètres de connexion
+ String host = serveur; // Serveur de bd
+ String dbname = bdd; // Nom bd
+ String url = "jdbc:mysql://" + host + "/" + dbname; // url de connexion
+ //url += "?autoReconnect=true"; // Ajout 26/09/2021
+ System.out.println("url : "+url);
+ String user = nomUtil; // nom du user
+ System.out.println("nomUtil : "+nomUtil);
+ String passwd = mdp; // mot de passe
+ System.out.println("mdp : "+mdp);
+
+ // 3. Connexion
+ connect = (Connection) DriverManager.getConnection(url, user, passwd);
+ System.out.println("Connexion réussie !");
+
+ } catch (Exception e) {
+ e.printStackTrace();
+ }
+ }
+
+ /**
+ * Retourne la connection établie (Création d'une connection si elle n'existe pas)
+ * @param serveur nom du serveur, localhost si local
+ * @param bdd nom de la base de données
+ * @param nomUtil nom utilisateur
+ * @param mdp mot de passe lié à l'utilisateur
+ * @return connection établie
+ */
+ public static Connection getConnect(String serveur, String bdd, String nomUtil, String mdp) {
+ System.out.println("getConnect");
+ if (connect == null) {
+ new Connexion(serveur, bdd, nomUtil, mdp);
+ }
+ return connect;
+ }
+
+}
diff --git a/src/java/com/test/beans/Pompier.java b/src/java/com/test/beans/Pompier.java
new file mode 100644
index 0000000..3c4a7d5
--- /dev/null
+++ b/src/java/com/test/beans/Pompier.java
@@ -0,0 +1,291 @@
+/*
+ * Bean Pompier
+ */
+package com.test.beans;
+
+import java.util.Objects;
+
+/**
+ *
+ * @author Clément B
+ */
+public class Pompier {
+ private int id;
+ private int idCaserne;
+ private String nom;
+ private String prenom;
+ private String statut;
+ private int typePers;
+ private String mail;
+ private String login;
+ private String mdp;
+ private String adresse;
+ private String cp;
+ private String ville;
+ private int bip;
+ private int nbGardes;
+ private int grade;
+ private String commentaire;
+ private String dateEnreg;
+ private String dateModif;
+ private int idEquipe;
+
+ public Pompier() {
+ }
+
+ public int getId() {
+ return id;
+ }
+
+ public void setId(int id) {
+ this.id = id;
+ }
+
+ public int getIdCaserne() {
+ return idCaserne;
+ }
+
+ public void setIdCaserne(int idCaserne) {
+ this.idCaserne = idCaserne;
+ }
+
+ public String getNom() {
+ return nom;
+ }
+
+ public void setNom(String nom) {
+ this.nom = nom;
+ }
+
+ public String getPrenom() {
+ return prenom;
+ }
+
+ public void setPrenom(String prenom) {
+ this.prenom = prenom;
+ }
+
+ public String getStatut() {
+ return statut;
+ }
+
+ public void setStatut(String statut) {
+ this.statut = statut;
+ }
+
+ public int getTypePers() {
+ return typePers;
+ }
+
+ public void setTypePers(int typePers) {
+ this.typePers = typePers;
+ }
+
+ public String getMail() {
+ return mail;
+ }
+
+ public void setMail(String mail) {
+ this.mail = mail;
+ }
+
+ public String getLogin() {
+ return login;
+ }
+
+ public void setLogin(String login) {
+ this.login = login;
+ }
+
+ public String getMdp() {
+ return mdp;
+ }
+
+ public void setMdp(String mdp) {
+ this.mdp = mdp;
+ }
+
+ public String getAdresse() {
+ return adresse;
+ }
+
+ public void setAdresse(String adresse) {
+ this.adresse = adresse;
+ }
+
+ public String getCp() {
+ return cp;
+ }
+
+ public void setCp(String cp) {
+ this.cp = cp;
+ }
+
+ public String getVille() {
+ return ville;
+ }
+
+ public void setVille(String dateNais) {
+ this.ville = dateNais;
+ }
+
+ public int getBip() {
+ return bip;
+ }
+
+ public void setBip(int bip) {
+ this.bip = bip;
+ }
+
+ public int getNbGardes() {
+ return nbGardes;
+ }
+
+ public void setNbGardes(int nbGardes) {
+ this.nbGardes = nbGardes;
+ }
+
+ public int getGrade() {
+ return grade;
+ }
+
+ public void setGrade(int grade) {
+ this.grade = grade;
+ }
+
+ public String getCommentaire() {
+ return commentaire;
+ }
+
+ public void setCommentaire(String commentaire) {
+ this.commentaire = commentaire;
+ }
+
+ public String getDateEnreg() {
+ return dateEnreg;
+ }
+
+ public void setDateEnreg(String dateEnreg) {
+ this.dateEnreg = dateEnreg;
+ }
+
+ public String getDateModif() {
+ return dateModif;
+ }
+
+ public void setDateModif(String dateModif) {
+ this.dateModif = dateModif;
+ }
+
+ public int getIdEquipe() {
+ return idEquipe;
+ }
+
+ public void setIdEquipe(int idEquipe) {
+ this.idEquipe = idEquipe;
+ }
+
+ @Override
+ public int hashCode() {
+ int hash = 7;
+ hash = 59 * hash + this.id;
+ hash = 59 * hash + Objects.hashCode(this.idCaserne);
+ hash = 59 * hash + Objects.hashCode(this.nom);
+ hash = 59 * hash + Objects.hashCode(this.prenom);
+ hash = 59 * hash + Objects.hashCode(this.statut);
+ hash = 59 * hash + this.typePers;
+ hash = 59 * hash + Objects.hashCode(this.mail);
+ hash = 59 * hash + Objects.hashCode(this.login);
+ hash = 59 * hash + Objects.hashCode(this.mdp);
+ hash = 59 * hash + Objects.hashCode(this.adresse);
+ hash = 59 * hash + Objects.hashCode(this.cp);
+ hash = 59 * hash + Objects.hashCode(this.ville);
+ hash = 59 * hash + Objects.hashCode(this.bip);
+ hash = 59 * hash + this.nbGardes;
+ hash = 59 * hash + this.grade;
+ hash = 59 * hash + Objects.hashCode(this.commentaire);
+ hash = 59 * hash + Objects.hashCode(this.dateEnreg);
+ hash = 59 * hash + Objects.hashCode(this.dateModif);
+ hash = 59 * hash + this.idEquipe;
+ return hash;
+ }
+
+ @Override
+ public boolean equals(Object obj) {
+ if (this == obj) {
+ return true;
+ }
+ if (obj == null) {
+ return false;
+ }
+ if (getClass() != obj.getClass()) {
+ return false;
+ }
+ final Pompier other = (Pompier) obj;
+ if (this.id != other.id) {
+ return false;
+ }
+ if (this.typePers != other.typePers) {
+ return false;
+ }
+ if (this.nbGardes != other.nbGardes) {
+ return false;
+ }
+ if (this.grade != other.grade) {
+ return false;
+ }
+ if (this.idEquipe != other.idEquipe) {
+ return false;
+ }
+ if (!Objects.equals(this.idCaserne, other.idCaserne)) {
+ return false;
+ }
+ if (!Objects.equals(this.nom, other.nom)) {
+ return false;
+ }
+ if (!Objects.equals(this.prenom, other.prenom)) {
+ return false;
+ }
+ if (!Objects.equals(this.statut, other.statut)) {
+ return false;
+ }
+ if (!Objects.equals(this.mail, other.mail)) {
+ return false;
+ }
+ if (!Objects.equals(this.login, other.login)) {
+ return false;
+ }
+ if (!Objects.equals(this.mdp, other.mdp)) {
+ return false;
+ }
+ if (!Objects.equals(this.adresse, other.adresse)) {
+ return false;
+ }
+ if (!Objects.equals(this.cp, other.cp)) {
+ return false;
+ }
+ if (!Objects.equals(this.ville, other.ville)) {
+ return false;
+ }
+ if (!Objects.equals(this.bip, other.bip)) {
+ return false;
+ }
+ if (!Objects.equals(this.commentaire, other.commentaire)) {
+ return false;
+ }
+ if (!Objects.equals(this.dateEnreg, other.dateEnreg)) {
+ return false;
+ }
+ if (!Objects.equals(this.dateModif, other.dateModif)) {
+ return false;
+ }
+ return true;
+ }
+
+ @Override
+ public String toString() {
+ return "Pompier{" + "id=" + id + ", idCaserne=" + idCaserne + ", nom=" + nom + ", prenom=" + prenom + ", statut=" + statut + ", typePers=" + typePers + ", mail=" + mail + ", login=" + login + ", mdp=" + mdp + ", adresse=" + adresse + ", cp=" + cp + ", ville=" + ville + ", bip=" + bip + ", nbGardes=" + nbGardes + ", grade=" + grade + ", commentaire=" + commentaire + ", dateEnreg=" + dateEnreg + ", dateModif=" + dateModif + ", idEquipe=" + idEquipe + '}';
+ }
+
+
+}
diff --git a/src/java/com/test/beans/User.java b/src/java/com/test/beans/User.java
new file mode 100644
index 0000000..d73e844
--- /dev/null
+++ b/src/java/com/test/beans/User.java
@@ -0,0 +1,70 @@
+/*
+ * To change this license header, choose License Headers in Project Properties.
+ * To change this template file, choose Tools | Templates
+ * and open the template in the editor.
+ */
+package com.test.beans;
+
+import java.util.Objects;
+
+/**
+ *
+ * @author Dominique_2
+ */
+public class User {
+ private String pseudo;
+ private String mdp;
+
+ public User(String pseudo, String mdp) {
+ this.pseudo = pseudo;
+ this.mdp = mdp;
+ }
+
+ public String getPseudo() {
+ return pseudo;
+ }
+
+ public void setPseudo(String pseudo) {
+ this.pseudo = pseudo;
+ }
+
+ public String getMdp() {
+ return mdp;
+ }
+
+ public void setMdp(String mdp) {
+ this.mdp = mdp;
+ }
+
+ @Override
+ public int hashCode() {
+ int hash = 7;
+ hash = 67 * hash + Objects.hashCode(this.pseudo);
+ hash = 67 * hash + Objects.hashCode(this.mdp);
+ return hash;
+ }
+
+ @Override
+ public boolean equals(Object obj) {
+ if (this == obj) {
+ return true;
+ }
+ if (obj == null) {
+ return false;
+ }
+ if (getClass() != obj.getClass()) {
+ return false;
+ }
+ final User other = (User) obj;
+ if (!Objects.equals(this.pseudo, other.pseudo)) {
+ return false;
+ }
+ if (!Objects.equals(this.mdp, other.mdp)) {
+ return false;
+ }
+ return true;
+ }
+
+
+
+}
diff --git a/src/java/com/test/filter/AuthentifFiltrer.java b/src/java/com/test/filter/AuthentifFiltrer.java
new file mode 100644
index 0000000..037437e
--- /dev/null
+++ b/src/java/com/test/filter/AuthentifFiltrer.java
@@ -0,0 +1,259 @@
+/*
+ * To change this license header, choose License Headers in Project Properties.
+ * To change this template file, choose Tools | Templates
+ * and open the template in the editor.
+ */
+package com.test.filter;
+
+import jakarta.servlet.http.HttpServletRequest;
+import jakarta.servlet.http.HttpSession;
+import java.io.IOException;
+import java.io.PrintStream;
+import java.io.PrintWriter;
+import java.io.StringWriter;
+import jakarta.servlet.Filter;
+import jakarta.servlet.FilterChain;
+import jakarta.servlet.FilterConfig;
+import jakarta.servlet.ServletException;
+import jakarta.servlet.ServletRequest;
+import jakarta.servlet.ServletResponse;
+
+/**
+ *
+ * @author nathan.balducci
+ */
+public class AuthentifFiltrer implements Filter {
+
+ private static final boolean debug = true;
+
+ // The filter configuration object we are associated with. If
+ // this value is null, this filter instance is not currently
+ // configured.
+ private FilterConfig filterConfig = null;
+
+ public AuthentifFiltrer() {
+ }
+
+ private void doBeforeProcessing(ServletRequest request, ServletResponse response)
+ throws IOException, ServletException {
+ if (debug) {
+ log("AuthentifFiltrer:DoBeforeProcessing");
+ }
+
+ // Write code here to process the request and/or response before
+ // the rest of the filter chain is invoked.
+ // For example, a logging filter might log items on the request object,
+ // such as the parameters.
+ /*
+ for (Enumeration en = request.getParameterNames(); en.hasMoreElements(); ) {
+ String name = (String)en.nextElement();
+ String values[] = request.getParameterValues(name);
+ int n = values.length;
+ StringBuffer buf = new StringBuffer();
+ buf.append(name);
+ buf.append("=");
+ for(int i=0; i < n; i++) {
+ buf.append(values[i]);
+ if (i < n-1)
+ buf.append(",");
+ }
+ log(buf.toString());
+ }
+ */
+ }
+
+ private void doAfterProcessing(ServletRequest request, ServletResponse response)
+ throws IOException, ServletException {
+ if (debug) {
+ log("AuthentifFiltrer:DoAfterProcessing");
+ }
+
+ // Write code here to process the request and/or response after
+ // the rest of the filter chain is invoked.
+ // For example, a logging filter might log the attributes on the
+ // request object after the request has been processed.
+ /*
+ for (Enumeration en = request.getAttributeNames(); en.hasMoreElements(); ) {
+ String name = (String)en.nextElement();
+ Object value = request.getAttribute(name);
+ log("attribute: " + name + "=" + value.toString());
+
+ }
+ */
+ // For example, a filter might append something to the response.
+ /*
+ PrintWriter respOut = new PrintWriter(response.getWriter());
+ respOut.println("This has been appended by an intrusive filter.");
+ */
+ }
+
+ /**
+ *
+ * @param request The servlet request we are processing
+ * @param response The servlet response we are creating
+ * @param chain The filter chain we are processing
+ *
+ * @exception IOException if an input/output error occurs
+ * @exception ServletException if a servlet error occurs
+ */
+ public void doFilter(ServletRequest request, ServletResponse response,
+ FilterChain chain)
+ throws IOException, ServletException {
+//
+// if (debug) {
+// log("AuthentifFiltrer:doFilter()");
+// }
+//
+// doBeforeProcessing(request, response);
+//
+// Throwable problem = null;
+// try {
+// chain.doFilter(request, response);
+// } catch (Throwable t) {
+// // If an exception is thrown somewhere down the filter chain,
+// // we still want to execute our after processing, and then
+// // rethrow the problem after that.
+// problem = t;
+// t.printStackTrace();
+// }
+//
+// doAfterProcessing(request, response);
+//
+// // If there was a problem, we want to rethrow it if it is
+// // a known type, otherwise log it.
+// if (problem != null) {
+// if (problem instanceof ServletException) {
+// throw (ServletException) problem;
+// }
+// if (problem instanceof IOException) {
+// throw (IOException) problem;
+// }
+// sendProcessingError(problem, response);
+// }
+
+ // Cast de l'objet request
+HttpServletRequest requete = (HttpServletRequest) request;
+// Pas de filtrage des css, des images, des js
+String chemin =
+requete.getRequestURI().substring(requete.getContextPath().length());
+if (chemin.startsWith("/css") || chemin.startsWith("/images") ||
+chemin.startsWith("/js")) {
+chain.doFilter(request, response);
+return;
+}
+// Récupération de la session
+HttpSession maSession = requete.getSession();
+// Récupération du booléen d'authentification
+boolean authentificationOK = false;
+if (maSession.getAttribute("isAuthentified") != null) {
+
+authentificationOK = (boolean)
+maSession.getAttribute("isAuthentified");
+}
+if (authentificationOK) {
+// Poursuite sans problème
+chain.doFilter(request, response);
+} else {
+// retour vers la page d'authentification
+request.getRequestDispatcher("Accueil").forward(request, response);
+}
+
+ }
+
+ /**
+ * Return the filter configuration object for this filter.
+ */
+ public FilterConfig getFilterConfig() {
+ return (this.filterConfig);
+ }
+
+ /**
+ * Set the filter configuration object for this filter.
+ *
+ * @param filterConfig The filter configuration object
+ */
+ public void setFilterConfig(FilterConfig filterConfig) {
+ this.filterConfig = filterConfig;
+ }
+
+ /**
+ * Destroy method for this filter
+ */
+ public void destroy() {
+ }
+
+ /**
+ * Init method for this filter
+ */
+ public void init(FilterConfig filterConfig) {
+ this.filterConfig = filterConfig;
+ if (filterConfig != null) {
+ if (debug) {
+ log("AuthentifFiltrer:Initializing filter");
+ }
+ }
+ }
+
+ /**
+ * Return a String representation of this object.
+ */
+ @Override
+ public String toString() {
+ if (filterConfig == null) {
+ return ("AuthentifFiltrer()");
+ }
+ StringBuffer sb = new StringBuffer("AuthentifFiltrer(");
+ sb.append(filterConfig);
+ sb.append(")");
+ return (sb.toString());
+ }
+
+ private void sendProcessingError(Throwable t, ServletResponse response) {
+ String stackTrace = getStackTrace(t);
+
+ if (stackTrace != null && !stackTrace.equals("")) {
+ try {
+ response.setContentType("text/html");
+ PrintStream ps = new PrintStream(response.getOutputStream());
+ PrintWriter pw = new PrintWriter(ps);
+ pw.print("\n
\nError\n\n\n"); //NOI18N
+
+ // PENDING! Localize this for next official release
+ pw.print("The resource did not process correctly
\n\n");
+ pw.print(stackTrace);
+ pw.print("
\n"); //NOI18N
+ pw.close();
+ ps.close();
+ response.getOutputStream().close();
+ } catch (Exception ex) {
+ }
+ } else {
+ try {
+ PrintStream ps = new PrintStream(response.getOutputStream());
+ t.printStackTrace(ps);
+ ps.close();
+ response.getOutputStream().close();
+ } catch (Exception ex) {
+ }
+ }
+ }
+
+ public static String getStackTrace(Throwable t) {
+ String stackTrace = null;
+ try {
+ StringWriter sw = new StringWriter();
+ PrintWriter pw = new PrintWriter(sw);
+ t.printStackTrace(pw);
+ pw.close();
+ sw.close();
+ stackTrace = sw.getBuffer().toString();
+ } catch (Exception ex) {
+ }
+ return stackTrace;
+ }
+
+ public void log(String msg) {
+ filterConfig.getServletContext().log(msg);
+ }
+
+}
diff --git a/src/java/com/test/forms/AuthentifForm.java b/src/java/com/test/forms/AuthentifForm.java
new file mode 100644
index 0000000..1628ddf
--- /dev/null
+++ b/src/java/com/test/forms/AuthentifForm.java
@@ -0,0 +1,57 @@
+/*
+ * To change this license header, choose License Headers in Project Properties.
+ * To change this template file, choose Tools | Templates
+ * and open the template in the editor.
+ */
+package com.test.forms;
+
+import com.test.beans.User;
+import jakarta.servlet.http.HttpServletRequest;
+import java.sql.Connection;
+import java.sql.ResultSet;
+import java.sql.SQLException;
+import java.sql.Statement;
+import java.util.ArrayList;
+import java.util.logging.Level;
+import java.util.logging.Logger;
+//import java.sql.Connection;
+
+/**
+ *
+ * @author Dominique_2
+ */
+public class AuthentifForm {
+
+ private String resultat;
+
+ public String getResultat() {
+ return resultat;
+ }
+
+ public void setResultat(String resultat) {
+ this.resultat = resultat;
+ }
+
+ /**
+ * Contôle si les paramètres ztPseudo et ztMDP passé dans request
+ * correspondent à ceux de l'addministrateur Mise à jour de l'attribut
+ * resultat
+ *
+ * @param request
+ * @return true is ok, false sinon
+ */
+ public boolean controlerAdmin(HttpServletRequest request) {
+ /* Comparaison entre l'utilisateur admin et un utilisateur créé
+ avec le pseudo et le mdp saisi */
+ User admin = new User("Lovelace", "Ada");
+ User userSaisi = new User( request.getParameter("ztPseudo"),
+ request.getParameter("ztMDP"));
+ boolean isAdmin = userSaisi.equals(admin);
+
+ // Mise à jour de l'attribut resultat
+ setResultat(isAdmin ? "Vous êtes administrateur" : "Vous n'êtes pas administrateur");
+
+ return isAdmin;
+ }
+
+}
diff --git a/src/java/com/test/forms/NouveauPompierForm.java b/src/java/com/test/forms/NouveauPompierForm.java
new file mode 100644
index 0000000..a80c2c8
--- /dev/null
+++ b/src/java/com/test/forms/NouveauPompierForm.java
@@ -0,0 +1,70 @@
+/*
+ * NouveauPompierForm.java
+ */
+package com.test.forms;
+
+import bdd.ClientMysql;
+import com.mysql.cj.util.StringUtils;
+import com.test.beans.Pompier;
+import jakarta.servlet.http.HttpServletRequest;
+import java.util.Enumeration;
+
+/**
+ *
+ * @author domin
+ */
+public class NouveauPompierForm {
+
+ String message="";
+
+ public int verifNouveauClient(HttpServletRequest request) {
+
+ // Contrôle du no de rue qui doit être numérique
+ String noRueString = request.getParameter("ztNoRue");
+ boolean isNumeric = StringUtils.isStrictlyNumeric(noRueString);
+ if (!isNumeric) {
+ message = "Le no de rue doit être numérique";
+ return -1;
+ }
+ int noRue = Integer.parseInt(noRueString);
+
+ // Contrôle car "<" dans les zones de texte
+ //String [] lesSaisies = request.getParameterValues(noRueString); // Valeurs saisies
+ Enumeration lesNoms = request.getParameterNames();
+ int erreur = 0;
+ while (erreur ==0 && lesNoms.hasMoreElements()) {
+ Object paramObjet=lesNoms.nextElement();
+ String param=(String)paramObjet;
+ String value=request.getParameter(param);
+ if (value.contains("<")) {
+ message = "Veullez recommencer votre saisie, une anomalie sur une zone de saisie a été détectée ";
+ erreur=1;
+ }
+ }
+ if (erreur > 0) return -1;
+
+// Creation d'un objet de type Pompier avec les données transmises
+ Pompier unClient = new Pompier(request.getParameter("btrCivilite"),
+ request.getParameter("ztNom"),
+ request.getParameter("ztPrenom"),
+ request.getParameter("ztPwd"),
+ noRue,
+ request.getParameter("ztRue"),
+ request.getParameter("ztCP"),
+ request.getParameter("ztVille"),
+ request.getParameter("ztMail"),
+ request.getParameter("ztTel"),
+ request.getParameter("ztDateNais"));
+ ClientMysql cm = new ClientMysql();
+ int idClient = cm.createRP(unClient); // Requête préparée
+ if (idClient == -1) {
+ message = "Erreur lors de la création du client";
+ }
+ return idClient;
+
+ }
+
+ public String getMessage() {
+ return message;
+ }
+}
diff --git a/src/java/com/test/servlets/AccueilServlet.java b/src/java/com/test/servlets/AccueilServlet.java
new file mode 100644
index 0000000..5ce53bc
--- /dev/null
+++ b/src/java/com/test/servlets/AccueilServlet.java
@@ -0,0 +1,105 @@
+/*
+ * To change this license header, choose License Headers in Project Properties.
+ * To change this template file, choose Tools | Templates
+ * and open the template in the editor.
+ */
+package com.test.servlets;
+
+import com.test.forms.AuthentifForm;
+import java.io.IOException;
+import java.io.PrintWriter;
+import jakarta.servlet.ServletException;
+import jakarta.servlet.http.HttpServlet;
+import jakarta.servlet.http.HttpServletRequest;
+import jakarta.servlet.http.HttpServletResponse;
+import jakarta.servlet.http.HttpSession;
+
+/**
+ *
+ * @author Dominique_2
+ */
+public class AccueilServlet extends HttpServlet {
+
+ /**
+ * Processes requests for both HTTP GET
and POST
+ * methods.
+ *
+ * @param request servlet request
+ * @param response servlet response
+ * @throws ServletException if a servlet-specific error occurs
+ * @throws IOException if an I/O error occurs
+ */
+ protected void processRequest(HttpServletRequest request, HttpServletResponse response)
+ throws ServletException, IOException {
+ response.setContentType("text/html;charset=UTF-8");
+ try ( PrintWriter out = response.getWriter()) {
+ /* TODO output your page here. You may use following sample code. */
+ out.println("");
+ out.println("");
+ out.println("");
+ out.println("Servlet AccueilServlet");
+ out.println("");
+ out.println("");
+ out.println("Servlet AccueilServlet at " + request.getContextPath() + "
");
+ out.println("");
+ out.println("");
+ }
+ }
+
+ //
+ /**
+ * Handles the HTTP GET
method.
+ *
+ * @param request servlet request
+ * @param response servlet response
+ * @throws ServletException if a servlet-specific error occurs
+ * @throws IOException if an I/O error occurs
+ */
+ @Override
+ protected void doGet(HttpServletRequest request, HttpServletResponse response)
+ throws ServletException, IOException {
+ //processRequest(request, response);
+ HttpSession maSession = request.getSession();
+ maSession.removeAttribute("isAuthentified");
+ System.out.println("****blablabla****");
+ getServletContext().getRequestDispatcher("/WEB-INF/accueilJSP.jsp").forward(request, response);
+ }
+
+ /**
+ * Handles the HTTP POST
method.
+ *
+ * @param request servlet request
+ * @param response servlet response
+ * @throws ServletException if a servlet-specific error occurs
+ * @throws IOException if an I/O error occurs
+ */
+ @Override
+ protected void doPost(HttpServletRequest request, HttpServletResponse response)
+ throws ServletException, IOException {
+ // Création de l'objet leControle de type AuthentifForm
+ AuthentifForm leControle = new AuthentifForm();
+ // Appel de la méthode controlerAdmin
+ boolean isAdmin = leControle.controlerAdmin(request);
+ // Création de 2 attributs de requête (isAdmin et leControle)
+ request.setAttribute("isAdmin", isAdmin);
+ request.setAttribute("controlForm", leControle);
+
+ HttpSession maSession = request.getSession();
+ maSession.setAttribute("isAuthentified", true);
+
+ // Affichage de la JSP
+ getServletContext().getRequestDispatcher("/WEB-INF/accueilJSP.jsp")
+ .forward(request, response);
+ }
+
+ /**
+ * Returns a short description of the servlet.
+ *
+ * @return a String containing servlet description
+ */
+ @Override
+ public String getServletInfo() {
+ return "Short description";
+ }//
+
+}
diff --git a/src/java/com/test/servlets/ListeServlet.java b/src/java/com/test/servlets/ListeServlet.java
new file mode 100644
index 0000000..d1844cb
--- /dev/null
+++ b/src/java/com/test/servlets/ListeServlet.java
@@ -0,0 +1,94 @@
+/*
+ * To change this license header, choose License Headers in Project Properties.
+ * To change this template file, choose Tools | Templates
+ * and open the template in the editor.
+ */
+package com.test.servlets;
+
+import bdd.ClientMysql;
+import java.io.IOException;
+import java.io.PrintWriter;
+import jakarta.servlet.ServletException;
+import jakarta.servlet.annotation.WebServlet;
+import jakarta.servlet.http.HttpServlet;
+import jakarta.servlet.http.HttpServletRequest;
+import jakarta.servlet.http.HttpServletResponse;
+
+/**
+ *
+ * @author Dominique_2
+ */
+@WebServlet(name = "ListeServlet", urlPatterns = {"/ListeClients"})
+public class ListeServlet extends HttpServlet {
+
+ /**
+ * Processes requests for both HTTP GET
and POST
+ * methods.
+ *
+ * @param request servlet request
+ * @param response servlet response
+ * @throws ServletException if a servlet-specific error occurs
+ * @throws IOException if an I/O error occurs
+ */
+ protected void processRequest(HttpServletRequest request, HttpServletResponse response)
+ throws ServletException, IOException {
+ response.setContentType("text/html;charset=UTF-8");
+ try ( PrintWriter out = response.getWriter()) {
+ /* TODO output your page here. You may use following sample code. */
+ out.println("");
+ out.println("");
+ out.println("");
+ out.println("Servlet ListeServlet");
+ out.println("");
+ out.println("");
+ out.println("Servlet ListeServlet at " + request.getContextPath() + "
");
+ out.println("");
+ out.println("");
+ }
+ }
+
+ //
+ /**
+ * Handles the HTTP GET
method.
+ *
+ * @param request servlet request
+ * @param response servlet response
+ * @throws ServletException if a servlet-specific error occurs
+ * @throws IOException if an I/O error occurs
+ */
+ @Override
+ protected void doGet(HttpServletRequest request, HttpServletResponse response)
+ throws ServletException, IOException {
+ //processRequest(request, response);
+
+ // Recherche de tous les clients et ajout dans un attribut de l'objet request
+ ClientMysql clientMs = new ClientMysql();
+ request.setAttribute("lesClients", clientMs.readAll());
+ getServletContext().getRequestDispatcher("/WEB-INF/listeJSP.jsp").forward(request, response);
+ }
+
+ /**
+ * Handles the HTTP POST
method.
+ *
+ * @param request servlet request
+ * @param response servlet response
+ * @throws ServletException if a servlet-specific error occurs
+ * @throws IOException if an I/O error occurs
+ */
+ @Override
+ protected void doPost(HttpServletRequest request, HttpServletResponse response)
+ throws ServletException, IOException {
+ processRequest(request, response);
+ }
+
+ /**
+ * Returns a short description of the servlet.
+ *
+ * @return a String containing servlet description
+ */
+ @Override
+ public String getServletInfo() {
+ return "Short description";
+ }//
+
+}
diff --git a/src/java/com/test/servlets/NouveauServlet.java b/src/java/com/test/servlets/NouveauServlet.java
new file mode 100644
index 0000000..1061fb1
--- /dev/null
+++ b/src/java/com/test/servlets/NouveauServlet.java
@@ -0,0 +1,115 @@
+/*
+ * To change this license header, choose License Headers in Project Properties.
+ * To change this template file, choose Tools | Templates
+ * and open the template in the editor.
+ */
+package com.test.servlets;
+
+import com.test.forms.NouveauPompierForm;
+import java.io.IOException;
+import java.io.PrintWriter;
+import jakarta.servlet.ServletException;
+import jakarta.servlet.http.HttpServlet;
+import jakarta.servlet.http.HttpServletRequest;
+import jakarta.servlet.http.HttpServletResponse;
+import jakarta.servlet.http.HttpSession;
+import java.util.ArrayList;
+
+/**
+ *
+ * @author Dominique_2
+ */
+public class NouveauServlet extends HttpServlet {
+
+ /**
+ * Processes requests for both HTTP GET
and POST
+ * methods.
+ *
+ * @param request servlet request
+ * @param response servlet response
+ * @throws ServletException if a servlet-specific error occurs
+ * @throws IOException if an I/O error occurs
+ */
+ protected void processRequest(HttpServletRequest request, HttpServletResponse response)
+ throws ServletException, IOException {
+ response.setContentType("text/html;charset=UTF-8");
+ try ( PrintWriter out = response.getWriter()) {
+ /* TODO output your page here. You may use following sample code. */
+ out.println("");
+ out.println("");
+ out.println("");
+ out.println("Servlet NouveauServlet");
+ out.println("");
+ out.println("");
+ out.println("Servlet NouveauServlet at " + request.getContextPath() + "
");
+ out.println("");
+ out.println("");
+ }
+ }
+
+ //
+ /**
+ * Handles the HTTP GET
method.
+ *
+ * @param request servlet request
+ * @param response servlet response
+ * @throws ServletException if a servlet-specific error occurs
+ * @throws IOException if an I/O error occurs
+ */
+ @Override
+ protected void doGet(HttpServletRequest request, HttpServletResponse response)
+ throws ServletException, IOException {
+ //processRequest(request, response);
+ getServletContext().getRequestDispatcher("/WEB-INF/nouveauJSP.jsp").forward(request, response);
+ }
+
+ /**
+ * Handles the HTTP POST
method.
+ *
+ * @param request servlet request
+ * @param response servlet response
+ * @throws ServletException if a servlet-specific error occurs
+ * @throws IOException if an I/O error occurs
+ */
+ @Override
+ protected void doPost(HttpServletRequest request, HttpServletResponse response)
+ throws ServletException, IOException {
+
+ NouveauPompierForm nvf = new NouveauPompierForm();
+ int idClient = nvf.verifNouveauClient(request);
+ request.setAttribute("idClient", idClient);
+ request.setAttribute("message", nvf.getMessage());
+ if(idClient != -1) {
+ //Ajout du no du client créé, dans une collection d'entiers stockée en session
+ //1, Récupération de la session :
+ HttpSession maSession = request.getSession();
+ //2, Récupération de la collection des clients si elle existe, création sinon :
+ ArrayList lesNouveauxClients = (ArrayList)
+ maSession.getAttribute("lesNvxClients");
+ if(lesNouveauxClients == null) {
+ lesNouveauxClients = new ArrayList<>();
+ }
+ //3, Ajout du no du client créé dans la collection :
+ lesNouveauxClients.add(idClient);
+ //4, MAJ de la session
+ maSession.setAttribute("lesNvxClients", lesNouveauxClients);
+ }
+ getServletContext().getRequestDispatcher("/WEB-INF/nouveauJSP.jsp").forward(request, response);
+ HttpSession maSession = request.getSession();
+// String maChaine = null;
+// if(maSession.getAttribute("monAttribut" != null) {
+// String maChaine = (String) maSession.getAttribute("monAttribut");
+// }
+ }
+
+ /**
+ * Returns a short description of the servlet.
+ *
+ * @return a String containing servlet description
+ */
+ @Override
+ public String getServletInfo() {
+ return "Short description";
+ }//
+
+}
diff --git a/web/META-INF/context.xml b/web/META-INF/context.xml
new file mode 100644
index 0000000..fc7e5a6
--- /dev/null
+++ b/web/META-INF/context.xml
@@ -0,0 +1,2 @@
+
+
diff --git a/web/WEB-INF/accueilJSP.jsp b/web/WEB-INF/accueilJSP.jsp
new file mode 100644
index 0000000..fd2939d
--- /dev/null
+++ b/web/WEB-INF/accueilJSP.jsp
@@ -0,0 +1,79 @@
+<%@include file = "jspf/enteteJSPF.jspf" %>
+<%@ taglib prefix="c" uri="http://java.sun.com/jsp/jstl/core" %>
+<%@page import="com.test.forms.AuthentifForm" %>
+
+
+Bienvenue sur la nouvelle application de gestion des clients
+${empty param.ztPseudo ? "Veuillez vous authentifier" : "Authentification réussie"}
+
+
+
+
+
+
+
+
+ ${controlForm.getResultat()}
+
+
+
+
+
+<%@include file="jspf/menuJSPF.jspf" %>
+
+
+
+
+Tests divers
F
+${ 10 / 4}
+Test avec EL et JSTL
+ztPseudo : ${param.ztPseudo}
+
+isAdmin : ${isAdmin}
+Message reçu : ${controlForm.getResultat()}
+
+
+
+ Je ne sais pas encore si vous êtes administrateur
+
+
+
+Voici le message : ${message}
+
+ Test sur controlForm :
+${empty controlForm.getResultat() ? "" : controlForm.getResultat()}
+
+
+
+
+
+
+Langue : ${langue}
+
+
+ Test positif
+
+ Résultat du test : ${resultatTest}
+
+
+ Instructions à répéter (html, ou jstl)- ${i}
+
+
+ Voici les controles :
+
+
+ ${unControle.toString()}
+
+
+
+
+