SlideShare une entreprise Scribd logo
CLUB FUTUR ENTREPRENEUR EN MULTIMEDIA




           Développement des
         applications Web avec
           Spring, hibernate et
                     Richfaces.
                 Rédigé par DGHAIES Jihed
   Ingénieur en informatique, technologie web et multémidia




                                                                                     2010
Ce tutoriel a pour but de développer une application web CRUD à trois couches
(présentation, métier, accès aux données) avec la plateforme JEE (Java Enterprise
Edition) que nous construisons avec les technologies suivantes :

- JavaServer Faces(JSF) et RichFaces : pour les interfaces web,
- Java Beans: pour la couche métier
- Hibernate, Spring : pour la couche d'accès aux données.

L'application sera développée avec l'éditeur netbeans 6.5.1 et sera déployé sur le
serveur apache tomcat 6.0.18.

Le document contient beaucoup de code rendant possible le copier / coller.


     1          Dghaies jihed – Tutoriel développement des applications web J2EE
                                       http://cfem.ifrance.com
Sommaire
    I.     But de Tutoriel ............................................................................................................................ 3
    II. Structure de la base de données ................................................................................................ 3
    III. Création du Projet ...................................................................................................................... 4
    IV. Création des Interfaces Graphiques ........................................................................................... 8
        1. Page Authentification .............................................................................................................. 8
        2. Page entête ............................................................................................................................. 9
        3. Page Menu............................................................................................................................. 10
        4. Page Services ......................................................................................................................... 11
        5. Page Personnel ...................................................................................................................... 13
        6. Page Equipement .................................................................................................................. 15
        7. Page interventions................................................................................................................. 17
    V. Génération des fichiers de mapping ........................................................................................ 19
    VI. Intégration de Spring ................................................................................................................ 26
        1. Ajout de la librairie Spring ..................................................................................................... 26
        2. Création du fichier de configuration ..................................................................................... 27
        3. Création de la couche Service et la couche DAO................................................................... 30
    VII. Création des « managed Beans » ............................................................................................. 37
        1. Managed Bean pour la Classe Service ................................................................................... 37
        2. Liaison avec la page Service .................................................................................................. 40
        3. Managed Bean pour la Classe Personnel .............................................................................. 42
        4. Liaison avec la page Personnel .............................................................................................. 45
        5. Managed Bean pour la Classe Equipement ........................................................................... 47
        6. Liaison avec la page Equipement .......................................................................................... 50
        7. Managed Bean pour la Classe Interventions ......................................................................... 52
        8. Liaison avec la page Interventions ........................................................................................ 56
        9. Fichier de confiuration « Faces-config »................................................................................ 58
        10. Diagramme de l’aplication .................................................................................................... 59
    VIII. Gestion de l’accés à l’aplication ............................................................................................... 60
        1. Changement de la page d’aceuil ........................................................................................... 60
        2. Création du bean «AuthenticationBean » ............................................................................. 61
        3. Liaison avec la page Authentification ................................................................................... 63
        4. Ajout des « navigation rules » ............................................................................................... 64
        5. Changement de la page entete ............................................................................................. 65
    IX. Deploiement de l’application ................................................................................................... 66
        1. Création du fichier war .......................................................................................................... 66
        2. Déployer l'application............................................................................................................ 66




2              Dghaies jihed – Tutoriel développement des applications web J2EE
I.    But de Tutoriel
Le but de ce tutoriel est de créer une application web pour la gestion d’un parc informatique en
utilisant la plateforme J2EE avec les frameworks JSF, Richfaces, Hibernate et Spring.

Les interfaces graphiques (couche présentation) seront crées avec JSF et RichFaces, la couche métier
et la couche accès au données seront crées avec Spring et Hibernate.

La base de données étant une base MySQL composée de 4 tables : équipement, intervention,
personnel et service.

    II.    Structure de la base de données




-- Base de données: `gestion_parc`
-- Structure de la table `service`
CREATE TABLE `service` (
  `serv_code` char(3) NOT NULL default '',
  `serv_lib` varchar(25) NOT NULL default '',
  `serv_descr` text,
  PRIMARY KEY (`serv_code`)
) ENGINE=InnoDB DEFAULT CHARSET=latin1;

-- Structure de la table `equipement`
CREATE TABLE `equipement` (
 `eq_id` int(3) NOT NULL auto_increment,

  `eq_lib` varchar(25) NOT NULL default '',
  `eq_etat` varchar(12) default NULL,
  `eq_descr` text,
  `eq_serv` char(3) NOT NULL default '',
  PRIMARY KEY (`eq_id`),
  KEY `eq_serv` (`eq_serv`)
) ENGINE=InnoDB DEFAULT CHARSET=latin1 AUTO_INCREMENT=1 ;
-- Structure de la table `personnel`
CREATE TABLE `personnel` (
  `pers_id` int(3) NOT NULL auto_increment,

3             Dghaies jihed – Tutoriel développement des applications web J2EE
`pers_nom` varchar(15) NOT NULL default '',
  `pers_prenom` varchar(15) NOT NULL default '',
  `pers_login` varchar(8) NOT NULL default '',
  `pers_password` varchar(6) NOT NULL default '',
  `pers_droit` varchar(5) NOT NULL default '',
  `pers_serv` char(3) NOT NULL default '',
  PRIMARY KEY (`pers_id`),
  KEY `pers_serv` (`pers_serv`)
) ENGINE=InnoDB DEFAULT CHARSET=latin1 AUTO_INCREMENT=1 ;
-- Structure de la table `interventions`
CREATE TABLE `interventions` (
  `interv_id` int(3) NOT NULL auto_increment,
  `interv_date` date NOT NULL default '0000-00-00',
  `interv_pers` int(3) NOT NULL default '0',
  `interv_eq` int(3) NOT NULL default '0',
  PRIMARY KEY (`interv_id`),
  KEY `interv_eq` (`interv_eq`),
  KEY `interv_pers` (`interv_pers`)
) ENGINE=InnoDB DEFAULT CHARSET=latin1 AUTO_INCREMENT=1 ;
-- Contraintes pour les tables exportées
-- Contraintes pour la table `equipement`
ALTER TABLE `equipement`
  ADD CONSTRAINT `equipement_ibfk_1` FOREIGN KEY (`eq_serv`) REFERENCES `service` (`serv_code`);
-- Contraintes pour la table `interventions`
ALTER TABLE `interventions`
  ADD CONSTRAINT `interventions_ibfk_2` FOREIGN KEY (`interv_eq`) REFERENCES `equipement` (`eq_id`),
  ADD CONSTRAINT `interventions_ibfk_1` FOREIGN KEY (`interv_pers`) REFERENCES `personnel` (`pers_id`);
-- Contraintes pour la table `personnel`
ALTER TABLE `personnel`
  ADD CONSTRAINT `personnel_ibfk_1` FOREIGN KEY (`pers_serv`) REFERENCES `service` (`serv_code`);


III.      Création du Projet
Pour pouvoir utiliser RichFaces il faut ajouter ce plugin à NetBeans
   1) Télécharger le plugin RichFaces pour NetBeans à partir de cette adresse:
       http://plugins.netbeans.org/PluginPortal/faces/PluginDetailPage.jsp?pluginid=8934
       Le fichier téléchargé est un fichier ZIP qui contient 2 fichiers .nbm (module pour NetBeans)




     2) Décompresser l’archive zip pour extraire ces 2 fichiers.
     3) Ouvrir NetBeans puis dans l’onglet « tools » choisir « plugins ».




4            Dghaies jihed – Tutoriel développement des applications web J2EE
4) Dans l’onglet « downloaded » cliquer sur « add plugin » et spécifier le chemin des 2 fichiers
       qu’on a décompressé dans l’étape 2 puis cliquer sur « Install ».




    5) Télécharger la dernière version stable de RichFaces (RichFaces 3.3.2.SR1) à partir de cette
       adresse : http://www.jboss.org/richfaces/download/stable.html. Le fichier téléchargé est un
       fichier zip qui contient la documentation technique de l’api ainsi que les librairies RichFaces
       (3 fichier .jar dans le dossier lib).




        Créer un nouveau projet : Choisir java webweb application




                                        Donner un nom à votre projet.
5         Dghaies jihed – Tutoriel développement des applications web J2EE
Spécifier le serveur à utiliser (Apache tomcat) et la version de JAVA EE (JAVA EE 5).




                Choisir les Framework JSF et Richfaces puis cliquer sur « Finish »




6   Dghaies jihed – Tutoriel développement des applications web J2EE
Maintenant vous avez crée votre premier projet Web. Pour le moment on va utiliser
    seulement les frameworks JSF/Richfaces pour concevoir les interfaces graphiques de notre
    application. Si vous ouvrez le fichier web.xml et le fichier faces-config.xml vous constatez que
    netbeans à généré automatiquement les configurations nécessaires pour que notre
    application web supporte JSF et il a créé aussi une page « welcomeJSF.jsp » et un package
    « org.my.richfaces » contenant un managed bean appelé « RichFacesBean».
    Le plugin richfaces qu’on a installé ne contient pas les 3 jars nécessaires pour faire
    fonctionner les pages RichFaces donc on doit les ajouter manuellement. Dans les propriétés
    du projet (bouton droitpropriétés) on choisit « Libraries ». Dans cet onglet on trouve les
    libraries utilisées dans notre projet on sélectionne la librairie RichFaces puis on clique sur
    « edit ».




7     Dghaies jihed – Tutoriel développement des applications web J2EE
Clique ensuite sur « add jar/folder » et choisir les 3 fichiers .jar contenu dans le fichier ZIP
          qu’on a téléchargé dans l’étape 5.




IV.       Création des Interfaces Graphiques
Cette application sera constituée de 7 pages Web :

          - Page Authentification
          - Page entête
          - page Menu
          - page Service
          - page Personnel
          - page équipement
          - page personnel

     1. Page Authentification


                                                                      h:inputText

                  Rich :panel
                                                                    h:inputSecret

                                h:outputText
                                                       a4j:commandButtonnp
                                                       utSecret


Code de la page

<%--
  Document : Authentification
  Created on : 25 janv. 2010, 21:30:57
  Author : jihed
--%>

8             Dghaies jihed – Tutoriel développement des applications web J2EE
<%@taglib uri="http://richfaces.org/a4j" prefix="a4j"%>
<%@taglib uri="http://richfaces.org/rich" prefix="rich"%>
<%@taglib prefix="f" uri="http://java.sun.com/jsf/core"%>
<%@taglib prefix="h" uri="http://java.sun.com/jsf/html"%>
<%@page contentType="text/html" pageEncoding="UTF-8"%>
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN"
"http://www.w3.org/TR/html4/loose.dtd">
<f:view>
  <html>
     <head>
       <meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
       <title>Authentification</title>
     </head>
     <body >
       <rich:spacer height="200px"></rich:spacer>
       <center >
         <rich:panel style="background-image:url(#{facesContext.externalContext.requestContextPath}/images/ajax/userauth.png);
                 background-repeat:no-repeat;background-position:-35px -15px;
                 ;width:400px;" header="Authentification" styleClass="panel_3">
            <h:panelGrid columns="3">
              <h:outputText value="Login:" />
              <h:inputText id="log" value="" required="true" requiredMessage="champs obligatoire" />
              <rich:message for="log" style="color: red"/>
              <h:outputText value="Mot de passe :" />
              <h:inputSecret id="mdp" value="" required="true" requiredMessage="champs obligatoire" />
              <rich:message for="mdp" style="color: red"/>
            </h:panelGrid>
            <rich:spacer height="30px"></rich:spacer>
            <a4j:commandButton value ="Connexion" />
         </rich:panel>
       </center>
     </body>
  </html>
</f:view>


     2. Page entête
La page entête sera inclut dans les Pages : service, interventions, équipement et personnel

Code de la page

<%--
  Document : Entete
  Created on : 25 janv. 2010, 21:47:07
  Author : jihed
--%>
<%@taglib uri="http://richfaces.org/a4j" prefix="a4j"%>
<%@taglib uri="http://richfaces.org/rich" prefix="rich"%>
<%@taglib prefix="f" uri="http://java.sun.com/jsf/core"%>
<%@taglib prefix="h" uri="http://java.sun.com/jsf/html"%>
<%@page contentType="text/html" pageEncoding="UTF-8"%>
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN"
"http://www.w3.org/TR/html4/loose.dtd">
<h:panelGrid columns="10" >
  <h:outputText id="dtjr" value="" styleClass="titre_gris"/>
  <rich:spacer width="275px"/>
  <h:outputText id="cnum" value="" styleClass="titre_bleu"/>
  <rich:spacer width="6px"/>
  <h:outputText value=" | " styleClass="titre2"/>
  <rich:spacer width="6px"/>
  <h:outputText id="nomuser" value="" styleClass="titre_bleu"/>
  <rich:spacer width="275px"/>
  <h:outputText value="" styleClass="titre_gris"/>
  <h:form>
    <h:panelGrid columns="3">
       <a4j:commandButton image="/images/ajax/home.gif">
         <rich:toolTip showDelay="500">
           Acceuil
         </rich:toolTip>
       </a4j:commandButton>


9            Dghaies jihed – Tutoriel développement des applications web J2EE
<rich:spacer width="2px"/>
      <a4j:commandButton id="dec_btn" image="/images/ajax/lock.gif">
         <rich:toolTip showDelay="500">
           Déconnexion
         </rich:toolTip>
      </a4j:commandButton>
    </h:panelGrid>
  </h:form>
</h:panelGrid>

    3. Page Menu
La page entête sera inclut dans les Pages : service, interventions, équipement et personnel

Code de la page

<%@page contentType="text/html"%>
<%@page pageEncoding="UTF-8"%>
<%@taglib uri="http://richfaces.org/a4j" prefix="a4j"%>
<%@taglib uri="http://richfaces.org/rich" prefix="rich"%>
<%@taglib prefix="f" uri="http://java.sun.com/jsf/core"%>
<%@taglib prefix="h" uri="http://java.sun.com/jsf/html"%>
<rich:toolBar itemSeparator="line" height="20px">
  <rich:dropDownMenu>
     <f:facet name="label">
       <h:panelGrid cellpadding="0" cellspacing="0" columns="5"
               style="vertical-align:middle">
          <h:outputText value="Services"/>
       </h:panelGrid>
     </f:facet>
     <rich:menuItem submitMode="none" value="Gestion service"
     onclick="document.location.href='/TP-JSF/faces/Service.jsp'"/>
  </rich:dropDownMenu>
  <rich:dropDownMenu>
     <f:facet name="label">
       <h:panelGrid cellpadding="0" cellspacing="0" columns="5"
               style="vertical-align:middle">
          <h:outputText value="Personnel" />
       </h:panelGrid>
     </f:facet>
     <rich:menuItem submitMode="none" value="Gestion Personnel"
     onclick="document.location.href='/TP-JSF/faces/Personnel.jsp'"/>
  </rich:dropDownMenu>
  <rich:dropDownMenu>
     <f:facet name="label">
       <h:panelGrid cellpadding="0" cellspacing="0" columns="5"
               style="vertical-align:middle">
          <h:outputText value="Equipements" />
       </h:panelGrid>
     </f:facet>
     <rich:menuItem submitMode="none" value="Gestion Equipements"
     onclick="document.location.href='/TP-JSF/faces/Equipement.jsp'"/>
  </rich:dropDownMenu>
  <rich:dropDownMenu>
     <f:facet name="label">
       <h:panelGrid cellpadding="0" cellspacing="0" columns="1"
               style="vertical-align:middle">
          <h:outputText value="Interventions" />
       </h:panelGrid>
     </f:facet>
     <rich:menuItem submitMode="none" value="Gestion Interventions"
     onclick="document.location.href='/TP-JSF/faces/Interventions.jsp'"/>
  </rich:dropDownMenu>
</rich:toolBar>




10            Dghaies jihed – Tutoriel développement des applications web J2EE
4. Page Services




                                                                                                rich :dataTable




Code de la page

<%--
  Document : Service
  Created on : 12 déc. 2009, 23:46:35
  Author : jihed
--%>
<%@taglib uri="http://richfaces.org/a4j" prefix="a4j"%>
<%@taglib uri="http://richfaces.org/rich" prefix="rich"%>
<%@taglib prefix="f" uri="http://java.sun.com/jsf/core"%>
<%@taglib prefix="h" uri="http://java.sun.com/jsf/html"%>
<%@page contentType="text/html" pageEncoding="UTF-8"%>
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN"
"http://www.w3.org/TR/html4/loose.dtd">
<f:view>
<html>
  <head>
     <meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
     <LINK rel="stylesheet" type="text/css" href="commun_styles.css"/>
     <title>Service</title>
  </head>
  <body>
     <h:form id="formservice">
     <a4j:include viewId="Entete.jsp"/>
     <a4j:include viewId="menu.jsp"/>
     <rich:spacer height="50px" />
     <h:outputText id="infomsg" value="" styleClass="valid_message"/>
     <center>
       <rich:tabPanel style="width:500px;">
       <rich:tab label="Services">
       <h:panelGrid width="450px" columns="1">
       <rich:panel header="Liste Services" >
          <rich:dataTable
            onRowMouseOver="this.style.backgroundColor='#B5CEFD'"
            onRowMouseOut="this.style.backgroundColor='#{org.richfaces.SKIN.tableBackgroundColor}'"
            onRowClick="this.style.backgroundColor='#F1F1F1'"
            rows="8" width="100%" id="tbl" value="" var="serv">
          <rich:column>
            <f:facet name="header">
               <h:outputText value="Code" />

11           Dghaies jihed – Tutoriel développement des applications web J2EE
</f:facet>
            <h:outputText value="" />
         </rich:column>
         <rich:column width="230px">
            <f:facet name="header">
              <h:outputText value="Libellé" />
            </f:facet>
            <h:outputText value="" />
         </rich:column>
         <rich:column style="text-align:center">
            <f:facet name="header">
              <h:outputText value="Modifier" />
            </f:facet>
            <a4j:commandLink >
              <h:graphicImage style="border:0"url="/images/ajax/edit16.png" />
            </a4j:commandLink>
         </rich:column>
         <rich:column style="text-align:center">
            <f:facet name="header">
              <h:outputText value="Supprimer" />
            </f:facet>
            <a4j:commandLink onclick="if(confirm('Voulez vous confirmer la suppression?') == false ) return false;" >
              <h:graphicImage style="border:0" url="/images/ajax/delete16.png" />
            </a4j:commandLink>
         </rich:column>
         <f:facet name="footer">
            <rich:datascroller />
         </f:facet>
         </rich:dataTable>
       </rich:panel>
       <rich:panel header="Informations générales">
         <h:panelGrid columns="2" width="350" >
            <h:outputText value="Code Service : " />
            <h:inputText id="codserv" value=""size="25" maxlength="30">
            </h:inputText>
            <h:outputText value="Libellé : " />
            <h:inputText value="" id="libserv" size="25" maxlength="30" />
            <h:outputText value="Description : " />
            <h:inputText id="descrserv" value="" size="25" maxlength="50" />
         </h:panelGrid>
       </rich:panel>
       </h:panelGrid>
       <h:panelGrid id="crud_panel" columns="5">
         <a4j:commandButton id="nouvserv" value="Nouveau" style="width:85px"/>
         <a4j:commandButton id="modifserv" value="Modifier" style="width:85px"/>
         <a4j:commandButton id="suppserv" value="Supprimer" style="width:85px"/>
         <a4j:commandButton id="validserv" value="Valider" style="width:85px"/>
         <a4j:commandButton id="annulserv" value="Annuler" style="width:85px"/>
       </h:panelGrid>
       </rich:tab>
       </rich:tabPanel>
     </center>
     </h:form>
  </body>
</html>
</f:view>




12            Dghaies jihed – Tutoriel développement des applications web J2EE
5. Page Personnel




                                                                           h:selectOneRadio
                          rich:comboBox




Code de la page

<%--
  Document : Personnel
  Created on : 25 janv. 2010, 23:50:10
  Author : jihed
--%>
<%@taglib uri="http://richfaces.org/a4j" prefix="a4j"%>
<%@taglib uri="http://richfaces.org/rich" prefix="rich"%>
<%@taglib prefix="f" uri="http://java.sun.com/jsf/core"%>
<%@taglib prefix="h" uri="http://java.sun.com/jsf/html"%>
<%@page contentType="text/html" pageEncoding="UTF-8"%>
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN"
"http://www.w3.org/TR/html4/loose.dtd">
<f:view>
<html>
  <head>
     <meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
     <LINK rel="stylesheet" type="text/css" href="commun_styles.css"/>
     <title>Personnel</title>
  </head>
  <body>
     <h:form id="formpersonnel">
     <a4j:include viewId="Entete.jsp"/>
     <a4j:include viewId="menu.jsp"/>
     <rich:spacer height="50px" />
     <h:outputText id="infomsg" value="" styleClass="valid_message"/>
     <center>
       <rich:tabPanel style="width:500px;">
       <rich:tab label="Personnel">
       <h:panelGrid width="450px" columns="1">
       <rich:panel header="Liste Personnel" >
          <rich:dataTable
            onRowMouseOver="this.style.backgroundColor='#B5CEFD'"
            onRowMouseOut="this.style.backgroundColor='#{org.richfaces.SKIN.tableBackgroundColor}'"
            onRowClick="this.style.backgroundColor='#F1F1F1'"
            rows="8" width="100%" id="tbl" value="" var="pers">
          <rich:column>
            <f:facet name="header">


13           Dghaies jihed – Tutoriel développement des applications web J2EE
<h:outputText value="Nom" />
          </f:facet>
          <h:outputText value="" />
       </rich:column>
       <rich:column >
          <f:facet name="header">
            <h:outputText value="Prénom" />
          </f:facet>
          <h:outputText value="" />
       </rich:column>
       <rich:column >
          <f:facet name="header">
            <h:outputText value="Login" />
          </f:facet>
          <h:outputText value="" />
       </rich:column>
       <rich:column >
          <f:facet name="header">
            <h:outputText value="Droit" />
          </f:facet>
          <h:outputText value="" />
       </rich:column>
       <rich:column style="text-align:center">
          <f:facet name="header">
            <h:outputText value="Modifier" />
          </f:facet>
          <a4j:commandLink >
            <h:graphicImage style="border:0"url="/images/ajax/edit16.png" />
          </a4j:commandLink>
       </rich:column>
       <rich:column style="text-align:center">
          <f:facet name="header">
            <h:outputText value="Supprimer" />
          </f:facet>
          <a4j:commandLink onclick="if(confirm('Voulez vous confirmer la suppression?') == false ) return false;" >
            <h:graphicImage style="border:0" url="/images/ajax/delete16.png" />
          </a4j:commandLink>
       </rich:column>
       <f:facet name="footer">
          <rich:datascroller />
       </f:facet>
       </rich:dataTable>
     </rich:panel>
     <rich:panel header="Informations générales">
       <h:panelGrid columns="2" width="350" >
          <h:outputText value="Nom : " />
          <h:inputText id="nompers" value="" size="25" maxlength="30">
          </h:inputText>
          <h:outputText value="Prénom : " />
          <h:inputText value="" id="prepers" size="25" maxlength="30" />
          <h:outputText value="Login : " />
          <h:inputText id="logpers" value="" size="25" maxlength="50" />
          <h:outputText value="Password : " />
          <h:inputSecret id="pwdpers" value="" size="25" maxlength="50" />
          <h:outputText value="Droit : " />
          <h:selectOneRadio id="drpers" value="" disabled="">
            <f:selectItem itemLabel="Utilisateur" itemValue="user" />
            <f:selectItem itemLabel="Administrateur" itemValue="admin" />
          </h:selectOneRadio>
          <h:outputText value="Service : " />
          <rich:comboBox id="servpers" defaultLabel="Entrez une valeur"
                   value="" required="true">
          </rich:comboBox>
       </h:panelGrid>
     </rich:panel>
     </h:panelGrid>
     <h:panelGrid id="crud_panel" columns="5">
       <a4j:commandButton id="nouvpers" value="Nouveau" style="width:85px"/>
       <a4j:commandButton id="modifpers" value="Modifier" style="width:85px"/>
       <a4j:commandButton id="supppers" value="Supprimer" style="width:85px"/>
       <a4j:commandButton id="validpers" value="Valider" style="width:85px"/>


14          Dghaies jihed – Tutoriel développement des applications web J2EE
<a4j:commandButton id="annulpers" value="Annuler" style="width:85px"/>
       </h:panelGrid>
       </rich:tab>
       </rich:tabPanel>
     </center>
     </h:form>
  </body>
</html>
</f:view>

     6. Page Equipement




                                                                             h: inputTextarea




Code de la page

<%--
  Document : Equipement
  Created on : 25 janv. 2010, 23:50:10
  Author : jihed
--%>
<%@taglib uri="http://richfaces.org/a4j" prefix="a4j"%>
<%@taglib uri="http://richfaces.org/rich" prefix="rich"%>
<%@taglib prefix="f" uri="http://java.sun.com/jsf/core"%>
<%@taglib prefix="h" uri="http://java.sun.com/jsf/html"%>
<%@page contentType="text/html" pageEncoding="UTF-8"%>
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN"
"http://www.w3.org/TR/html4/loose.dtd">
<f:view>
<html>
  <head>
     <meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
     <LINK rel="stylesheet" type="text/css" href="commun_styles.css"/>
     <title>Equipement</title>
  </head>
  <body>
     <h:form id="formequipement">
     <a4j:include viewId="Entete.jsp"/>
     <a4j:include viewId="menu.jsp"/>
     <rich:spacer height="50px" />
     <h:outputText id="infomsg" value="" styleClass="valid_message"/>
     <center>
       <rich:tabPanel style="width:500px;">
       <rich:tab label="Equipement">
       <h:panelGrid width="450px" columns="1">
       <rich:panel header="Liste Equipement" >

15           Dghaies jihed – Tutoriel développement des applications web J2EE
<rich:dataTable
          onRowMouseOver="this.style.backgroundColor='#B5CEFD'"
          onRowMouseOut="this.style.backgroundColor='#{org.richfaces.SKIN.tableBackgroundColor}'"
          onRowClick="this.style.backgroundColor='#F1F1F1'"
          rows="8" width="100%" id="tbl" value="" var="equip">
       <rich:column>
          <f:facet name="header">
            <h:outputText value="Libellé" />
          </f:facet>
          <h:outputText value="" />
       </rich:column>
       <rich:column >
          <f:facet name="header">
            <h:outputText value="Etat" />
          </f:facet>
          <h:outputText value="" />
       </rich:column>
       <rich:column >
          <f:facet name="header">
            <h:outputText value="Service" />
          </f:facet>
          <h:outputText value="" />
       </rich:column>
       <rich:column style="text-align:center">
          <f:facet name="header">
            <h:outputText value="Modifier" />
          </f:facet>
          <a4j:commandLink >
            <h:graphicImage style="border:0"url="/images/ajax/edit16.png" />
          </a4j:commandLink>
       </rich:column>
       <rich:column style="text-align:center">
          <f:facet name="header">
            <h:outputText value="Supprimer" />
          </f:facet>
          <a4j:commandLink onclick="if(confirm('Voulez vous confirmer la suppression?') == false ) return false;" >
            <h:graphicImage style="border:0" url="/images/ajax/delete16.png" />
          </a4j:commandLink>
       </rich:column>
       <f:facet name="footer">
          <rich:datascroller />
       </f:facet>
       </rich:dataTable>
     </rich:panel>
     <rich:panel header="Informations générales">
       <h:panelGrid columns="2" width="350" >
          <h:outputText value="Libellé : " />
          <h:inputText id="libquip" value="" size="25" maxlength="30">
          </h:inputText>
          <h:outputText value="Description : " />
          <h:inputTextarea value="" id="descrequip" rows="3" />
          <h:outputText value="Etat : " />
          <h:selectOneRadio id="etatequip" value="" >
            <f:selectItem itemLabel="Fonctionnel" itemValue="1" />
            <f:selectItem itemLabel="En Panne" itemValue="0" />
          </h:selectOneRadio>
          <h:outputText value="Service : " />
          <rich:comboBox id="servequip" defaultLabel="Entrez une valeur"
                   value="" required="true">
          </rich:comboBox>
       </h:panelGrid>
     </rich:panel>
     </h:panelGrid>
     <h:panelGrid id="crud_panel" columns="5">
       <a4j:commandButton id="nouvequip" value="Nouveau" style="width:85px"/>
       <a4j:commandButton id="modifequip" value="Modifier" style="width:85px"/>
       <a4j:commandButton id="suppequip" value="Supprimer" style="width:85px"/>
       <a4j:commandButton id="validequip" value="Valider" style="width:85px"/>
       <a4j:commandButton id="annulequip" value="Annuler" style="width:85px"/>
     </h:panelGrid>
     </rich:tab>


16          Dghaies jihed – Tutoriel développement des applications web J2EE
</rich:tabPanel>
     </center>
     </h:form>
  </body>
</html>
</f:view>

     7. Page interventions




                                                                                      rich : calendar




Code de la page

<%--
  Document : Intervention
  Created on : 25 janv. 2010, 23:50:10
  Author : jihed
--%>
<%@taglib uri="http://richfaces.org/a4j" prefix="a4j"%>
<%@taglib uri="http://richfaces.org/rich" prefix="rich"%>
<%@taglib prefix="f" uri="http://java.sun.com/jsf/core"%>
<%@taglib prefix="h" uri="http://java.sun.com/jsf/html"%>
<%@page contentType="text/html" pageEncoding="UTF-8"%>
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN"
"http://www.w3.org/TR/html4/loose.dtd">
<f:view>
<html>
  <head>
     <meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
     <LINK rel="stylesheet" type="text/css" href="commun_styles.css"/>
     <title>Intervention</title>
  </head>
  <body>
     <h:form id="formintervention">
     <a4j:include viewId="Entete.jsp"/>
     <a4j:include viewId="menu.jsp"/>
     <rich:spacer height="50px" />
     <h:outputText id="infomsg" value="" styleClass="valid_message"/>
     <center>
       <rich:tabPanel style="width:500px;">
       <rich:tab label="Intervention">
       <h:panelGrid width="450px" columns="1">
       <rich:panel header="Liste Interventions" >
          <rich:dataTable
            onRowMouseOver="this.style.backgroundColor='#B5CEFD'"
            onRowMouseOut="this.style.backgroundColor='#{org.richfaces.SKIN.tableBackgroundColor}'"
            onRowClick="this.style.backgroundColor='#F1F1F1'"
            rows="8" width="100%" id="tbl" value="" var="interv">
          <rich:column>


17            Dghaies jihed – Tutoriel développement des applications web J2EE
<f:facet name="header">
              <h:outputText value="Equipement" />
            </f:facet>
            <h:outputText value="" />
         </rich:column>
         <rich:column >
            <f:facet name="header">
              <h:outputText value="Intervenant" />
            </f:facet>
            <h:outputText value="" />
         </rich:column>
         <rich:column >
            <f:facet name="header">
              <h:outputText value="Date" />
            </f:facet>
            <h:outputText value="" >
              <f:convertDateTime pattern="dd/MM/yyyy" />
            </h:outputText>
         </rich:column>
         <rich:column style="text-align:center">
            <f:facet name="header">
              <h:outputText value="Modifier" />
            </f:facet>
            <a4j:commandLink >
              <h:graphicImage style="border:0"url="/images/ajax/edit16.png" />
            </a4j:commandLink>
         </rich:column>
         <rich:column style="text-align:center">
            <f:facet name="header">
              <h:outputText value="Supprimer" />
            </f:facet>
            <a4j:commandLink onclick="if(confirm('Voulez vous confirmer la suppression?') == false ) return false;" >
              <h:graphicImage style="border:0" url="/images/ajax/delete16.png" />
            </a4j:commandLink>
         </rich:column>
         <f:facet name="footer">
            <rich:datascroller />
         </f:facet>
         </rich:dataTable>
       </rich:panel>
       <rich:panel header="Informations générales">
         <h:panelGrid columns="2" width="350" >
            <h:outputText value="Equipement : " />
            <rich:comboBox id="eqpinterv" defaultLabel="Entrez une valeur" value="" required="true">
            </rich:comboBox>
            <h:outputText value="Intervenant : " />
            <rich:comboBox id="persinterv" defaultLabel="Entrez une valeur" value="" required="true">
            </rich:comboBox>
            <h:outputText value="Date intervention : " />
            <rich:calendar id="foFiscal" value="" popup="true" datePattern="dd/MM/yyyy"
                     cellWidth="24px" cellHeight="22px" />
         </h:panelGrid>
       </rich:panel>
       </h:panelGrid>
       <h:panelGrid id="crud_panel" columns="5">
         <a4j:commandButton id="nouvinterv" value="Nouveau" style="width:85px"/>
         <a4j:commandButton id="modifinterv" value="Modifier" style="width:85px"/>
         <a4j:commandButton id="suppinterv" value="Supprimer" style="width:85px"/>
         <a4j:commandButton id="validinterv" value="Valider" style="width:85px"/>
         <a4j:commandButton id="annulinterv" value="Annuler" style="width:85px"/>
       </h:panelGrid>
       </rich:tab>
       </rich:tabPanel>
     </center>
     </h:form>
  </body>
</html>
</f:view>




18            Dghaies jihed – Tutoriel développement des applications web J2EE
V.     Génération des fichiers de mapping
Après avoir crée les interfaces graphiques de notre application on va générer les fichiers de mapping
et les classes entité de notre projet.

On commencera par la création de fichier de configuration d’Hibernate « hibernate.cfg.xml »




19        Dghaies jihed – Tutoriel développement des applications web J2EE
20   Dghaies jihed – Tutoriel développement des applications web J2EE
Si on clique sur « ok » le fichier « hibernate.cfg.xml » sera crée dans le package par défaut « default
package » ce fichier contient les paramètres de connexion à la base(dialecte, pilote de la base de
données , url ,utilisateur, mot de passe)




 Les librairies de Hibernate ainsi que le driver de MySQL seront ajoutées automatiquement dans la
configuration de notre projet.




21        Dghaies jihed – Tutoriel développement des applications web J2EE
Pour créer les fichiers de mapping et les classes entités on clique sur :

« new »  « other » « hibernate » « hibernate Mapping File and pojo from database»




22        Dghaies jihed – Tutoriel développement des applications web J2EE
23   Dghaies jihed – Tutoriel développement des applications web J2EE
Si vous cliquez sur « finish » les fichiers de mapping et les classes représentant les tables de la base
seront crées automatiquement dans le package mapping qu’on spécifié à l’étape précédente.

La validation de cette étape génère un fichier « hibernate.reveng.xml »




La liste des fichiers de mapping crées seront ajoutés dans le fichier « hibernate.cfg.xml »




24        Dghaies jihed – Tutoriel développement des applications web J2EE
On va créer un autre package qu’on l’appellera « Entity » et on va déplacer les fichiers « .java »
générés dans ce package.




                                            On sélectionne les fichiers à déplacer et on fait drag and
                                            drop dans le package Entity.




On valide le déplacement des fichiers en cliquant sur « Refactor ».




Arborescence des classes du projet.


25        Dghaies jihed – Tutoriel développement des applications web J2EE
VI.     Intégration de Spring

     1. Ajout de la librairie Spring
La p emiére étape pour intégrer spring dans notre application web consiste à ajouter le librarairie de
spring dans notre projet.




                                                    On clique sur « add library »




On clique sur « Import »

On choisit le « Spring Framework 2.5 »puis on clique
sur « import Library »



26        Dghaies jihed – Tutoriel développement des applications web J2EE
On valide par « add library »




     2. Création du fichier de configuration
Maintenant on passe à la création de fichier de configuration de Spring « applicationContext » ce
fichier contient tous les beans qui seront gérés par Spring.




27        Dghaies jihed – Tutoriel développement des applications web J2EE
Le fichier doit être crée dans le dossier « WEB-INF »




28        Dghaies jihed – Tutoriel développement des applications web J2EE
On va commencer par définir les paramètres de connexion à notre base de données. En effet le
fichier de configuration de Spring contient les mêmes informations qui se trouvent dans le fichier
« hibernate.cfg.xml » ce qui rend ce fichier inutile et on pourra ainsi le supprimer.




Ensuite on spécifie les paramètres de générateur de session « session factory ». Cette configuration
consiste à spécifier les paramètres d’Hibernate, les fichiers de mapping utilisées et la classe
responsable de la gestion de la session.




On va déclarer aussi le Bean de gestion des erreurs liées aux exceptions SQL.




29        Dghaies jihed – Tutoriel développement des applications web J2EE
On déclare le Bean HibernateTemplate. La classe HibernateTemplate fournit des méthodes pour
assurer la persistance des objets dans la base de données en utilisant Hibernate.




On déclare le gestionnaire de transaction pour hibernate.




Après avoir effectué les configurations de base dans le fichier « applicationContext » on déclare dans
le descripteur de déploiement « web.xml » les configurations liées à l’utilisation de Spring.




On ajoute aussi dans le fichier « faces-config.xml » la déclaration de l’utilisation de Spring. Cette
déclaration permet à JSF de voir les beans déclarés dans le fichier de configuration de Spring.




     3. Création de la couche Service et la couche DAO
On passe maintenant à la création de la couche Service et la couche DAO.

On crée un nouveau package qu’on l’appellera « Interfaces » et on crée dedans deux interfaces
« interfaceDAO » et « interfaceService ». Les interfaces DAO et Service contiennet la définition des
méthodes qu’on va utiliser. Dans notre exemple on va utiliser seulement 4 méthodes :

        Save : pour enregistrer les objets dans la base.
        Modify : pour modifier un enregistrement existant.
        Delete : pour supprimer un enregistrement.
        Findall : pour récupérer la liste des enregistrements dans la base.

30        Dghaies jihed – Tutoriel développement des applications web J2EE
InterfaceDAO

package Interfaces;
import java.util.List;
/**
* @author Jihed
 */
public interface InterfaceDAO {
  public void save(Object inst);
  public void modify(Object inst);
  public void delete(Object inst);
  public List findAll();
}
InterfaceService

package Interfaces;
import java.util.List;
/**
* @author Jihed
 */
public interface InterfaceService {
  public void save(Object inst);
  public void modify(Object inst);
  public void delete(Object inst);
  public List findAll();
}
On crée deux autres package « Implementation.service » et « implementation.dao »

Dans le package « implementation.dao » on va implémenter l’interface DAO pour chaque classe de
notre application.

ServiceDaoImpl

package Implementation.dao;
import Entity.Service;
import Interfaces.InterfaceDAO;
import java.util.List;
import org.springframework.orm.hibernate3.support.HibernateDaoSupport;
public class ServiceDaoImpl extends HibernateDaoSupport implements InterfaceDAO {
  @Override
  public void save(Object inst) {
   Service serv = (Service) inst;
   this.getHibernateTemplate().save(serv); }
  @Override
  public void modify(Object inst) {
   Service serv = (Service) inst;
   this.getHibernateTemplate().update(serv); }
  @Override
  public void delete(Object inst) {
   Service serv = (Service) inst;
   this.getHibernateTemplate().delete(serv); }
  public List findAll() {
   return (List) this.getHibernateTemplate().loadAll(Service.class); }
}
PersonnelDaoImpl

package Implementation.dao;
import Entity.Personnel;
import Interfaces.InterfaceDAO;
import java.util.List;
import org.springframework.orm.hibernate3.support.HibernateDaoSupport;
public class PersonnelDaoImpl extends HibernateDaoSupport implements InterfaceDAO {
 @Override
 public void save(Object inst) {
  Personnel pers = (Personnel) inst;
  this.getHibernateTemplate().save(pers); }


31            Dghaies jihed – Tutoriel développement des applications web J2EE
@Override
    public void modify(Object inst) {
     Personnel pers = (Personnel) inst;
     this.getHibernateTemplate().update(pers); }
    @Override
    public void delete(Object inst) {
     Personnel pers = (Personnel) inst;
     this.getHibernateTemplate().delete(pers); }
    public List findAll() {
     return (List) this.getHibernateTemplate().loadAll(Personnel.class); }
}
EquipementDaoImpl

package Implementation.dao;
import Entity.Equipement;
import Interfaces.InterfaceDAO;
import java.util.List;
import org.springframework.orm.hibernate3.support.HibernateDaoSupport;
public class EquipementDaoImpl extends HibernateDaoSupport implements InterfaceDAO {
  @Override
  public void save(Object inst) {
    Equipement equip = (Equipement) inst;
    this.getHibernateTemplate().save(equip);
  }
  @Override
  public void modify(Object inst) {
    Equipement equip = (Equipement) inst;
    this.getHibernateTemplate().update(equip);
  }
  @Override
  public void delete(Object inst) {
    Equipement equip = (Equipement) inst;
    this.getHibernateTemplate().delete(equip);
  }
  public List findAll() {
    return (List) this.getHibernateTemplate().loadAll(Equipement.class);
  }
}
InterventionsDaoImpl

package Implementation.dao;
import Entity.Interventions;
import Interfaces.InterfaceDAO;
import java.util.List;
import org.springframework.orm.hibernate3.support.HibernateDaoSupport;
public class InterventionsDaoImpl extends HibernateDaoSupport implements InterfaceDAO {
  @Override
  public void save(Object inst) {
   Interventions interv = (Interventions) inst;
   this.getHibernateTemplate().save(interv); }
  @Override
  public void modify(Object inst) {
   Interventions interv = (Interventions) inst;
   this.getHibernateTemplate().update(interv); }
  @Override
  public void delete(Object inst) {
   Interventions interv = (Interventions) inst;
   this.getHibernateTemplate().delete(interv); }
  public List findAll() {
   return (List) this.getHibernateTemplate().loadAll(Interventions.class); }
}



Après avoir créé la couche DAO on va passer à la création de la couche service. Celle-ci fait appel à la
couche DAO.

ServiceServiceImpl

32               Dghaies jihed – Tutoriel développement des applications web J2EE
package Implementation.service;
import Entity.Service;
import Interfaces.InterfaceDAO;
import Interfaces.InterfaceService;
import java.util.List;
public class ServiceServiceImpl implements InterfaceService {
  private InterfaceDAO serviceDao;
  public void save(Object instance) {
    Service serv = (Service) instance;
    serviceDao.save(serv); }
  public void modify(Object instance) {
    Service serv = (Service) instance;
    serviceDao.modify(serv); }
  public void delete(Object instance) {
    Service serv = (Service) instance;
    serviceDao.delete(serv); }
  public List findAll() {
    return serviceDao.findAll(); }
  public InterfaceDAO getServiceDao() {
    return serviceDao; }
  public void setServiceDao(InterfaceDAO serviceDao) {
    this.serviceDao = serviceDao; }
}
PersonenlServiceImpl

package Implementation.service;
import Entity.Personnel;
import Interfaces.InterfaceDAO;
import Interfaces.InterfaceService;
import java.util.List;
public class PersonnelServiceImpl implements InterfaceService {
  private InterfaceDAO personnelDao;
  public void save(Object instance) {
    Personnel pers = (Personnel) instance;
    personnelDao.save(pers); }
  public void modify(Object instance) {
    Personnel pers = (Personnel) instance;
    personnelDao.modify(pers); }
  public void delete(Object instance) {
    Personnel pers = (Personnel) instance;
    personnelDao.delete(pers); }

    public List findAll() {
      return personnelDao.findAll(); }
    public InterfaceDAO getPersonnelDao() {
      return personnelDao; }
    public void setPersonnelDao(InterfaceDAO personnelDao) {
      this.personnelDao = personnelDao; }
}
EquipementlServiceImpl

package Implementation.service;
import Entity.Equipement;
import Interfaces.InterfaceDAO;
import Interfaces.InterfaceService;
import java.util.List;
public class EquipementServiceImpl implements InterfaceService {
  private InterfaceDAO equipDao;
  public void save(Object instance) {
    Equipement equip = (Equipement) instance;
    equipDao.save(equip); }
  public void modify(Object instance) {
    Equipement equip = (Equipement) instance;
    equipDao.modify(equip); }

    public void delete(Object instance) {
      Equipement equip = (Equipement) instance;
      equipDao.delete(equip); }
    public List findAll() {
      return equipDao.findAll(); }

33             Dghaies jihed – Tutoriel développement des applications web J2EE
public InterfaceDAO getEquipDao() {
      return equipDao; }
    public void setEquipDao(InterfaceDAO equipDao) {
      this.equipDao = equipDao; }
}
InterventionsServiceImpl

package Implementation.service;
import Entity.Interventions;
import Interfaces.InterfaceDAO;
import Interfaces.InterfaceService;
import java.util.List;
public class InterventionsServiceImpl implements InterfaceService {
  private InterfaceDAO intervDao;
  public void save(Object instance) {
    Interventions interv = (Interventions) instance;
    intervDao.save(interv); }
  public void modify(Object instance) {
    Interventions interv = (Interventions) instance;
    intervDao.modify(interv);
  }
  public void delete(Object instance) {
    Interventions interv = (Interventions) instance;
    intervDao.delete(interv); }
  public List findAll() {
    return intervDao.findAll(); }
  public InterfaceDAO getIntervDao() {
    return intervDao; }
  public void setIntervDao(InterfaceDAO intervDao) {
    this.intervDao = intervDao; }
}



Après avoir crée ces classes on va les déclarer dans le fichier de configuration de Spring.




34             Dghaies jihed – Tutoriel développement des applications web J2EE
Les beans DAO font référence au Bean hibernatetemplate tant disque les Beans services font
références aux beans DAO associés.La déclaration des beans au niveau du fichier de configuration de
Spring est terminé.

applicationContext

<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans"
    xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
    xmlns:aop="http://www.springframework.org/schema/aop"
    xmlns:tx="http://www.springframework.org/schema/tx"
    xmlns:p="http://www.springframework.org/schema/p"
    xsi:schemaLocation="http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans-
2.5.xsd
    http://www.springframework.org/schema/aop http://www.springframework.org/schema/aop/spring-aop-2.5.xsd
    http://www.springframework.org/schema/tx http://www.springframework.org/schema/tx/spring-tx-2.5.xsd">
  <!--Data Source Definition-->
  <bean id="dataSource" class="org.springframework.jdbc.datasource.DriverManagerDataSource">
     <property name="driverClassName">
       <value>com.mysql.jdbc.Driver</value>
     </property>
     <property name="url">
       <value>jdbc:mysql://localhost:3306/gestion_parc</value>
     </property>
     <property name="username">
       <value>root</value>
     </property>
     <property name="password">
       <value>diag2000</value>
     </property>
  </bean>
            <!--Hibernate Session Factory Definition-->
  <bean id="sessionFactory" class="org.springframework.orm.hibernate3.LocalSessionFactoryBean">
     <property name="mappingResources">
       <list>
          <value>Mapping/Equipement.hbm.xml</value>
          <value>Mapping/Interventions.hbm.xml</value>
          <value>Mapping/Personnel.hbm.xml</value>
          <value>Mapping/Service.hbm.xml</value>
       </list>
     </property>
     <property name="hibernateProperties">
       <props>
          <prop key="hibernate.dialect">org.hibernate.dialect.MySQLDialect</prop>
          <prop key="hibernate.show_sql">true</prop>
          <prop key="hibernate.cglib.use_reflection_optimizer">true</prop>
          <prop key="hibernate.cache.provider_class">org.hibernate.cache.HashtableCacheProvider</prop>
       </props>
     </property>
     <property name="dataSource">
       <ref bean="dataSource"/>
     </property>
  </bean>
            <!--Spring Data Access Exception Translator Defintion-->
  <bean id="jdbcExceptionTranslator" class="org.springframework.jdbc.support.SQLErrorCodeSQLExceptionTranslator">
     <property name="dataSource">
       <ref bean="dataSource"/>
     </property>
  </bean>
            <!--Hibernate Template Defintion-->
  <bean id="hibernateTemplate" class="org.springframework.orm.hibernate3.HibernateTemplate">
     <property name="sessionFactory">
       <ref bean="sessionFactory"/>
     </property>
     <property name="jdbcExceptionTranslator">
       <ref bean="jdbcExceptionTranslator"/>
     </property>
  </bean>


35          Dghaies jihed – Tutoriel développement des applications web J2EE
<!--Hibernate Transaction Manager Definition-->
  <bean id="transactionManager" class="org.springframework.orm.hibernate3.HibernateTransactionManager">
    <property name="sessionFactory">
       <ref local="sessionFactory"/>
    </property>
  </bean>
  <!--========================= Start of DAO BEANS DEFINITIONS =========================-->
  <bean id="serviceDao" class="Implementation.dao.ServiceDaoImpl">
    <property name="hibernateTemplate" ref="hibernateTemplate"/>
  </bean>
  <bean id="persDao" class="Implementation.dao.PersonnelDaoImpl">
    <property name="hibernateTemplate" ref="hibernateTemplate"/>
  </bean>
  <bean id="equipDao" class="Implementation.dao.EquipementDaoImpl">
    <property name="hibernateTemplate" ref="hibernateTemplate"/>
  </bean>
  <bean id="intervDao" class="Implementation.dao.InterventionsDaoImpl">
    <property name="hibernateTemplate" ref="hibernateTemplate"/>
  </bean>
  <!--========================= Start of SERVICE BEANS DEFINITIONS =========================-->
  <bean id="servService" class="Implementation.service.ServiceServiceImpl">
    <property name="serviceDao" ref="serviceDao"/>
  </bean>
  <bean id="persService" class="Implementation.service.PersonnelServiceImpl">
    <property name="personnelDao" ref="persDao"/>
  </bean>
  <bean id="equipService" class="Implementation.service.EquipementServiceImpl">
    <property name="equipDao" ref="equipDao"/>
  </bean>
  <bean id="intervService" class="Implementation.service.InterventionsServiceImpl">
    <property name="intervDao" ref="intervDao"/>
  </bean>
</beans>
Voici un shéma qui explique la relation entre les différents beans déclarés dans le fichier
« applicationContext ».




36           Dghaies jihed – Tutoriel développement des applications web J2EE
VII.      Création des « managed Beans »
    1. Managed Bean pour la Classe Service
On va maintenant créer nos « managed Beans » ( Beans gérés par JSF). On crée un nouveau package
qu’on l’appelle Beans. Puis on crée un Managed Bean pour chaque Classe Entity. Les Managed Bean
vont hériter d’une classe qu’on l’appellera mesageBean et qui contiendra les messages à afficher
dans l’application.

MessageBean

package Beans;
import java.io.Serializable;
/**
* @author Jihed
 */
public class messageBean implements Serializable {
  protected boolean etat = true;
  protected boolean invetat = false;
  protected static String mess_modif_true = "Modification effectuée avec succès";
  protected static String mess_insert_true = "Ajout effectué avec succès";
  protected static String mess_op_false = "Opération échouée";
  protected static String mess_del_true = "Suppression effectuée avec succès";
  protected String style_message;
  public void chageretat() {
    this.invetat = this.etat;
    this.etat = !this.etat;
  }
//getters and setters
}
On passe maintenant à la création des managed Bean




37            Dghaies jihed – Tutoriel développement des applications web J2EE
Si on valide, le Bean crée sera automatiquement déclaré dans le fichier « faces-config.xml ».




ServiceBean

package Beans;
/**
 * @author Jihed
 */
import Entity.Service;
import Interfaces.InterfaceService;
import java.io.Serializable;
import java.util.ArrayList;
import java.util.List;
import org.ajax4jsf.model.KeepAlive;
import org.richfaces.component.UIDataTable;
public class ServiceBean extends messageBean implements Serializable {
   private Service serv;
   private InterfaceService servService;
   private boolean init;
   private Integer index = 0;
   private List service_list = new ArrayList();
   private String message;
   private boolean nouveau;
   private UIDataTable dataTable;
   public void viderchamps() {
     message = "";
     changeretat();
     this.serv = new Service();
     nouveau = true; }
   public void annuler() {
     message = "";
     service_list = (List) getService_list();
     serv = (Service) service_list.get(index);
     changeretat(); }
   public boolean isInit() {

     message = "";

38            Dghaies jihed – Tutoriel développement des applications web J2EE
getService_list();
   if (!(service_list.isEmpty())) {
      service_list = (List) getService_list();
      serv = (Service) service_list.get(0);    }
   etat = true;
   invetat = !etat;
   return init; }
 public void setInit(boolean init) {
   this.init = init; }
 public ServiceBean() {
   serv = new Service(); }
 public void create() {
   if (nouveau) {
      try {
         this.servService.save(this.serv);
         message = mess_insert_true;
         style_message = "valid_message";
      } catch (Exception hx) {
         hx.printStackTrace();
         message = mess_op_false;
         style_message = "err_message";            }
   } else {
      try {
         this.servService.modify(serv);
         message = mess_modif_true;
         style_message = "valid_message";
      } catch (Exception hx) {
         hx.printStackTrace();
         message = mess_op_false;
         style_message = "err_message";            }   }
   changeretat(); }
 public void modifierligne() {
   this.serv = (Service) dataTable.getRowData();
   message = "";
   nouveau = false;
   changeretat(); }
 public void modifier() {
   message = "";
   nouveau = false;
   changeretat(); }
 public void supprimer() {
   try {
      this.servService.delete(serv);
      message = mess_del_true;
      style_message = "valid_message";
      if (index > 0) {
         index--;         }
      service_list = (List) getService_list();
      if (!service_list.isEmpty()) {
         serv = (Service) service_list.get(index);
      } else {
         viderchamps();
         changeretat();         }
   } catch (Exception hx) {
      hx.printStackTrace();
      message = mess_op_false;          } }
 public Integer getIndex() {
   return index; }
 public void setIndex(Integer index) {
   this.index = index; }
 public String getMessage() {
   return message; }
 public void setMessage(String message) {
   this.message = message; }
 public boolean isNouveau() {
   return nouveau; }
 public void setNouveau(boolean nouveau) {
   this.nouveau = nouveau; }
 public Service getServ() {

     return serv; }


39            Dghaies jihed – Tutoriel développement des applications web J2EE
public void setServ(Service serv) {
      this.serv = serv; }
    public InterfaceService getServService() {
      return this.servService; }
    public void setServService(InterfaceService servService) {
      this.servService = servService; }
    public List getService_list() {
      service_list = this.servService.findAll();
      return service_list; }
    public void setService_list(List service_list) {
      this.service_list = service_list; }
    public UIDataTable getDataTable() {
      return dataTable; }
    public void setDataTable(UIDataTable dataTable) {
      this.dataTable = dataTable; }
}
Dans le Bean « ServiceBean » on a déclaré un attribut de type « InterfaceService » donc on doit
préciser la classe qui va implémenter cette interface. Or dans le fichier de configuration de spring on
a spécifié les classes implémentant l’interface « InterfaceService » donc on ajoute une propriété à la
déclaration du « ServiceBean » dans le fichier de configuration « faces-config.xml ». Le nom de la
propriété est le même nom que l’attribut de type « InterfaceService » déclaré Dans le Bean
« ServiceBean » et sa valeur est l’id du bean déclaré dans le fichier de configuration de spring.




    2. Liaison avec la page Service
Maintenant on va lier nos interfaces graphiques avec les Beans crées. On commence par la page
service. On lie chaque input texte avec l’attribut de l’objet correspondant. Pour chaque inputText on
ajoute l’attribut « disabled » cet attribut permet de définir l’état du champ de saisie (actif ou grisé).




Pour les boutons on ajoute les méthodes qu’on va exécuter (attribut action) et les champs qu’on va
actualiser après l’exécution de ces méthodes (attribut reRender qui reçoit les identifiants des
composants à rafraichir comme paramètres).




40              Dghaies jihed – Tutoriel développement des applications web J2EE
Code de la page Service :

<%--
  Document : Service
  Created on : 12 déc. 2009, 23:46:35
  Author : jihed
--%>
<%@taglib uri="http://richfaces.org/a4j" prefix="a4j"%>
<%@taglib uri="http://richfaces.org/rich" prefix="rich"%>
<%@taglib prefix="f" uri="http://java.sun.com/jsf/core"%>
<%@taglib prefix="h" uri="http://java.sun.com/jsf/html"%>
<%@page contentType="text/html" pageEncoding="UTF-8"%>
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN"
"http://www.w3.org/TR/html4/loose.dtd">
<f:view>
<html>
  <head>
     <meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
     <LINK rel="stylesheet" type="text/css" href="commun_styles.css"/>
     <title>Service</title>
  </head>
  <body>
     <h:form id="formservice">
     <a4j:include viewId="Entete.jsp"/>
     <a4j:include viewId="menu.jsp"/>
     <h:inputHidden value="#{ServiceBean.init}"/>
     <rich:spacer height="50px" />
     <center>
       <rich:tabPanel style="width:500px;">
       <rich:tab label="Services">
       <h:outputText id="infomsg" value="#{ServiceBean.message}" styleClass="valid_message" />
       <h:panelGrid width="450px" columns="1">
       <rich:panel id="tablepanel" header="Liste Services" >
          <rich:dataTable
            binding="#{ServiceBean.dataTable}" onRowMouseOver="this.style.backgroundColor='#B5CEFD'"
            onRowMouseOut="this.style.backgroundColor='#{org.richfaces.SKIN.tableBackgroundColor}'"
            onRowClick="this.style.backgroundColor='#F1F1F1'" width="450px"
            rows="8" id="tbl" value="#{ServiceBean.service_list}" var="serv" >
          <rich:column width="80px">
            <f:facet name="header">
               <h:outputText value="Code" />
            </f:facet>
            <h:outputText value="#{serv.servCode}" />
          </rich:column>
          <rich:column width="230px" >
            <f:facet name="header">
               <h:outputText value="Libellé" />
            </f:facet>
            <h:outputText value="#{serv.servLib}" />
          </rich:column>
          <rich:column style="text-align:center" width="70px" >
            <f:facet name="header">
               <h:outputText value="Modifier" />
            </f:facet>
            <a4j:commandLink action="#{ServiceBean.modifierligne}" reRender="infomsg,tablepanel,panelinfo,crud_panel">
               <h:graphicImage style="border:0"url="/images/ajax/edit16.png" />
            </a4j:commandLink>
          </rich:column>
          <rich:column style="text-align:center" width="70px">
            <f:facet name="header">
               <h:outputText value="Supprimer" />
            </f:facet>
            <a4j:commandLink action="#{ServiceBean.supprimer}" ajaxSingle="true" reRender="infomsg,tablepanel,panelinfo,crud_panel">
               <h:graphicImage style="border:0" url="/images/ajax/delete16.png" />
            </a4j:commandLink>
          </rich:column>
          <f:facet name="footer">
            <rich:datascroller />
          </f:facet>
          </rich:dataTable>
       </rich:panel>

41           Dghaies jihed – Tutoriel développement des applications web J2EE
<rich:panel id="panelinfo" header="Informations générales">
        <h:panelGrid columns="2" width="350" >
           <h:outputText value="Code Service : " />
           <h:inputText disabled="#{ServiceBean.etat}" id="codserv" value="#{ServiceBean.serv.servCode}"size="25" maxlength="30">
           </h:inputText>
           <h:outputText value="Libellé : " />
           <h:inputText disabled="#{ServiceBean.etat}" value="#{ServiceBean.serv.servLib}" id="libserv" size="25" maxlength="30" />
           <h:outputText value="Description : " />
           <h:inputText disabled="#{ServiceBean.etat}" id="descrserv" value="#{ServiceBean.serv.servDescr}" size="25" maxlength="50"
/>
         </h:panelGrid>
       </rich:panel>
       </h:panelGrid>
       <h:panelGrid id="crud_panel" columns="5">
         <a4j:commandButton id="nouvserv" ajaxSingle="true" disabled="#{ServiceBean.invetat}"
                    reRender="infomsg,tablepanel,panelinfo,crud_panel" value="Nouveau"
                    action="#{ServiceBean.viderchamps}" style="width:85px"/>
         <a4j:commandButton id="modifserv" ajaxSingle="true" disabled="#{ServiceBean.invetat}"
                    reRender="infomsg,tablepanel,panelinfo,crud_panel" value="Modifier"
                    action="#{ServiceBean.modifier}"style="width:85px"/>
         <a4j:commandButton id="suppserv" ajaxSingle="true" disabled="#{ServiceBean.invetat}"
                    reRender="infomsg,tablepanel,panelinfo,crud_panel" value="Supprimer"
                    action="#{ServiceBean.supprimer}" style="width:85px"/>
         <a4j:commandButton id="validserv" disabled="#{ServiceBean.etat}"
                    reRender="infomsg,tablepanel,panelinfo,crud_panel" value="Valider"
                    action="#{ServiceBean.create}" style="width:85px"/>
         <a4j:commandButton id="annulserv" ajaxSingle="true" disabled="#{ServiceBean.etat}"
                    reRender="infomsg,tablepanel,panelinfo,crud_panel" value="Annuler"
                    action="#{ServiceBean.annuler}" style="width:85px"/>
       </h:panelGrid>
       </rich:tab>
       </rich:tabPanel>
     </center>
     </h:form>
  </body>
</html>
</f:view>

     3. Managed Bean pour la Classe Personnel
Le Bean PersonnelBean a pratiquement la même structure que le bean ServiceBean mais on va
utiliser deux interfaces (interface servService pour les actions liées aux objets de type Service et
l’interface persService pour les actions liées aux objets de type Personnel). On a donc déclaré une
interface servService pour pouvoir récupérer la liste des services afin de les afficher dans un combo
dans l’interface graphique.




L’utilisation de deux interfaces se traduit dans le fichier « faces-config.xml » par la déclaration de
deux propriétés.




42           Dghaies jihed – Tutoriel développement des applications web J2EE
D’autre part on va utiliser une hashTable (table indexé) qui contient le code service concaténé avec le
lib Service comme clé pour identifier un objet de type service.




Dans l’interface graphique le composant combo va recevoir comme valeur suggérés
(suggestionValues) la liste des clés de la hashTable et à chaque fois qu’on selectionne une clé on
peut pointer directement sur l’objet associé.




Le code de bean Personne :

package Beans;
/**
 * @author Jihed
 */
import Entity.Personnel;
import Entity.Service;
import Interfaces.InterfaceService;
import java.io.Serializable;
import java.util.ArrayList;
import java.util.Hashtable;
import java.util.Iterator;
import java.util.List;
import org.richfaces.component.UIDataTable;
public class PersonnelBean extends messageBean implements Serializable {
   private Personnel pers;
   private InterfaceService persService;
   private InterfaceService servService;



43           Dghaies jihed – Tutoriel développement des applications web J2EE
private List person_list = new ArrayList();
 private List service_list = new ArrayList();
 private Hashtable servlist = new Hashtable();
 private String current_service;
 private boolean init;
 private Integer index = 0;
 private String message;
 private boolean nouveau;
 private UIDataTable dataTable;
 public void viderchamps() {
   message = "";
   changeretat();
   this.pers = new Personnel();
   nouveau = true;
 }
 public void annuler() {
   message = "";
   person_list = (List) getPerson_list();
   pers = (Personnel) person_list.get(index);
   changeretat();
 }
 public void chargercombo() {
   current_service = this.pers.getService().getServCode() + "-" + this.pers.getService().getServLib();
 }
 public boolean isInit() {
   message = "";
   getServlist();
   getPerson_list();
   if (!(person_list.isEmpty())) {
      person_list = (List) getPerson_list();
      pers = (Personnel) person_list.get(0);
      chargercombo();
   }
   etat = true;
   invetat = !etat;
   return init;
 }
 public PersonnelBean() {
   this.pers = new Personnel();
   this.pers.setService(new Service());
 }
 public void create() {
   if (nouveau) {
      try {
         this.pers.setService((Service) servlist.get(current_service));
         this.persService.save(this.pers);
         message = mess_insert_true;
         style_message = "valid_message";
         chargercombo();
      } catch (Exception hx) {
         hx.printStackTrace();
         message = mess_op_false;
         style_message = "err_message";
      }
   } else {
      try {
         this.pers.setService((Service) servlist.get(current_service));
         this.persService.modify(pers);
         message = mess_modif_true;
         style_message = "valid_message";
         chargercombo();
      } catch (Exception hx) {
         hx.printStackTrace();
         message = mess_op_false;
         style_message = "err_message";
      }
   }
   changeretat(); }
 public void modifierligne() {
   this.pers = (Personnel) dataTable.getRowData();
   chargercombo();


44           Dghaies jihed – Tutoriel développement des applications web J2EE
message = "";
     nouveau = false;
     changeretat();}
   public void modifier() {
     message = "";
     nouveau = false;
     changeretat(); }
   public void supprimer() {
     try {
        this.persService.delete(pers);
        message = mess_del_true;
        style_message = "valid_message";
        if (index > 0) {
           index--;
        }
        person_list = (List) getPerson_list();
        if (!person_list.isEmpty()) {
           pers = (Personnel) person_list.get(index);
           chargercombo();
        } else {
           viderchamps();
           changeretat();
        }
     } catch (Exception hx) {
        hx.printStackTrace();
        message = mess_op_false;
     }
   }
   public List getPerson_list() {
     person_list = this.persService.findAll();
     return person_list; }
   public Hashtable getServlist() {
     service_list.clear();
     servlist.clear();
     List l = this.servService.findAll();
     for (Iterator it = l.iterator(); it.hasNext();) {
        Service srv = (Service) l.get(l.indexOf(it.next()));
        service_list.add(srv.getServCode() + "-" + srv.getServLib());
        servlist.put(srv.getServCode() + "-" + srv.getServLib(), srv);
     }
     return servlist; }
//geters and setters ……..
  }

   4. Liaison avec la page Personnel
Code de la page Peronnel

<%--
  Document : Personnel
  Created on : 25 janv. 2010, 23:50:10
  Author : jihed
--%>
<%@taglib uri="http://richfaces.org/a4j" prefix="a4j"%>
<%@taglib uri="http://richfaces.org/rich" prefix="rich"%>
<%@taglib prefix="f" uri="http://java.sun.com/jsf/core"%>
<%@taglib prefix="h" uri="http://java.sun.com/jsf/html"%>
<%@page contentType="text/html" pageEncoding="UTF-8"%>
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN"
"http://www.w3.org/TR/html4/loose.dtd">
<f:view>
<html>
  <head>
     <meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
     <LINK rel="stylesheet" type="text/css" href="commun_styles.css"/>
     <title>Personnel</title>
  </head>
  <body>
     <h:form id="formpersonnel">
     <a4j:include viewId="Entete.jsp"/>
     <a4j:include viewId="menu.jsp"/>

45             Dghaies jihed – Tutoriel développement des applications web J2EE
<h:inputHidden value="#{PersonnelBean.init}"/>
    <rich:spacer height="50px" />
    <center>
      <rich:tabPanel style="width:500px;">
      <rich:tab label="Personnel">
      <h:outputText id="infomsg" value="#{PersonnelBean.message}" styleClass="valid_message"/>
      <h:panelGrid width="450px" columns="1">
      <rich:panel id="tablepanel" header="Liste Personnel" >
         <rich:dataTable
           onRowMouseOver="this.style.backgroundColor='#B5CEFD'" binding="#{PersonnelBean.dataTable}"
           onRowMouseOut="this.style.backgroundColor='#{org.richfaces.SKIN.tableBackgroundColor}'"
           onRowClick="this.style.backgroundColor='#F1F1F1'"
           rows="8" width="100%" id="tbl" value="#{PersonnelBean.person_list}" var="pers">
         <rich:column>
           <f:facet name="header">
              <h:outputText value="Nom" />
           </f:facet>
           <h:outputText value="#{pers.persNom}" />
         </rich:column>
         <rich:column >
           <f:facet name="header">
              <h:outputText value="Prénom" />
           </f:facet>
           <h:outputText value="#{pers.persPrenom}" />
         </rich:column>
         <rich:column >
           <f:facet name="header">
              <h:outputText value="Login" />
           </f:facet>
           <h:outputText value="#{pers.persLogin}" />
         </rich:column>
         <rich:column >
           <f:facet name="header">
              <h:outputText value="Droit" />
           </f:facet>
           <h:outputText value="#{pers.persDroit}" />
         </rich:column>
         <rich:column style="text-align:center" width="70px" >
           <f:facet name="header">
              <h:outputText value="Modifier" />
           </f:facet>
           <a4j:commandLink action="#{PersonnelBean.modifierligne}" reRender="infomsg,tablepanel,panelinfo,crud_panel">
              <h:graphicImage style="border:0"url="/images/ajax/edit16.png" />
           </a4j:commandLink>
         </rich:column>
         <rich:column style="text-align:center" width="70px">
           <f:facet name="header">
              <h:outputText value="Supprimer" />
           </f:facet>
           <a4j:commandLink action="#{PersonnelBean.supprimer}" ajaxSingle="true"
reRender="infomsg,tablepanel,panelinfo,crud_panel">
              <h:graphicImage style="border:0" url="/images/ajax/delete16.png" />
           </a4j:commandLink>
         </rich:column>
         <f:facet name="footer">
           <rich:datascroller />
         </f:facet>
         </rich:dataTable>
      </rich:panel>
      <rich:panel id="panelinfo" header="Informations générales">
         <h:panelGrid columns="2" width="350" >
           <h:outputText value="Nom : " />
           <h:inputText id="nompers" value="#{PersonnelBean.pers.persNom}"disabled="#{PersonnelBean.etat}" size="25"
maxlength="30">
           </h:inputText>
           <h:outputText value="Prénom : " />
           <h:inputText value="#{PersonnelBean.pers.persPrenom}" disabled="#{PersonnelBean.etat}" id="prepers" size="25"
maxlength="30" />
           <h:outputText value="Login : " />
           <h:inputText id="logpers" value="#{PersonnelBean.pers.persLogin}"disabled="#{PersonnelBean.etat}" size="25"
maxlength="50" />


46           Dghaies jihed – Tutoriel développement des applications web J2EE
<h:outputText value="Password : " />
          <h:inputSecret id="pwdpers" value="#{PersonnelBean.pers.persPassword}" disabled="#{PersonnelBean.etat}" size="25"
maxlength="50" />
          <h:outputText value="Droit : " />
          <h:selectOneRadio id="drpers" value="#{PersonnelBean.pers.persDroit}" disabled="#{PersonnelBean.etat}">
            <f:selectItem itemLabel="Utilisateur" itemValue="user" />
            <f:selectItem itemLabel="Administrateur" itemValue="admin" />
          </h:selectOneRadio>
          <h:outputText value="Service : " />
          <rich:comboBox disabled="#{PersonnelBean.etat}" id="servpers" suggestionValues="#{PersonnelBean.service_list}"
                   defaultLabel="Entrez une valeur" value="#{PersonnelBean.current_service}" >
          </rich:comboBox>
       </h:panelGrid>
     </rich:panel>
     </h:panelGrid>

       <h:panelGrid id="crud_panel" columns="5">
         <a4j:commandButton action="#{PersonnelBean.viderchamps}" id="nouvpers" value="Nouveau" ajaxSingle="true"
                    style="width:85px" disabled="#{PersonnelBean.invetat}"reRender="infomsg,tablepanel,panelinfo,crud_panel"/>
         <a4j:commandButton id="modifpers" value="Modifier" style="width:85px" ajaxSingle="true"
                   disabled="#{PersonnelBean.invetat}" action="#{PersonnelBean.modifier}"
reRender="infomsg,tablepanel,panelinfo,crud_panel"/>
         <a4j:commandButton id="supppers" value="Supprimer" style="width:85px" ajaxSingle="true"
                   disabled="#{PersonnelBean.invetat}"
action="#{PersonnelBean.sipprimer}"reRender="infomsg,tablepanel,panelinfo,crud_panel"/>
         <a4j:commandButton id="validpers" value="Valider" style="width:85px"
                   disabled="#{PersonnelBean.etat}"
action="#{PersonnelBean.create}"reRender="infomsg,tablepanel,panelinfo,crud_panel"/>
         <a4j:commandButton id="annulpers" value="Annuler" style="width:85px" ajaxSingle="true"
                   disabled="#{PersonnelBean.etat}"action="#{PersonnelBean.annuler}"
reRender="infomsg,tablepanel,panelinfo,crud_panel"/>
       </h:panelGrid>
       </rich:tab>
       </rich:tabPanel>
     </center>
     </h:form>
  </body>
</html>
</f:view>

   5. Managed Bean pour la Classe Equipement
Code du bean equipement

package Beans;

/**
 * @author Jihed
 */
import Entity.Equipement;
import Entity.Service;
import Interfaces.InterfaceService;
import java.io.Serializable;
import java.util.ArrayList;
import java.util.Hashtable;
import java.util.Iterator;
import java.util.List;
import org.richfaces.component.UIDataTable;
public class EquipementBean extends messageBean implements Serializable {
   private Equipement equip;
   private InterfaceService equipService;
   private InterfaceService servService;
   private List equip_list = new ArrayList();
   private List service_list = new ArrayList();
   private Hashtable servlist = new Hashtable();
   private String current_service;
   private boolean init;
   private Integer index = 0;
   private String message;
   private boolean nouveau;


47           Dghaies jihed – Tutoriel développement des applications web J2EE
private UIDataTable dataTable;
 public void viderchamps() {
   message = "";
   changeretat();
   this.equip = new Equipement();
   nouveau = true;
 }
 public void annuler() {
   message = "";
   equip_list = (List) getEquip_list();
   equip = (Equipement) equip_list.get(index);
   changeretat();
 }
 public void chargercombo() {
   current_service = this.equip.getService().getServCode() + "-" + this.equip.getService().getServLib();
 }
 public boolean isInit() {
   message = "";
   getServlist();
   getEquip_list();
   if (!(equip_list.isEmpty())) {
      equip_list = (List) getEquip_list();
      equip = (Equipement) equip_list.get(0);
      chargercombo();
   }
   etat = true;
   invetat = !etat;
   return init;
 }
 public void setInit(boolean init) {
   this.init = init;
 }
 public EquipementBean() {
   this.equip = new Equipement();
   this.equip.setService(new Service());
 }
 public void create() {
   if (nouveau) {
      try {
         this.equip.setService((Service) servlist.get(current_service));
         this.equipService.save(this.equip);
         message = mess_insert_true;
         style_message = "valid_message";
         chargercombo();
      } catch (Exception hx) {
         hx.printStackTrace();
         message = mess_op_false;
         style_message = "err_message";
      }
   } else {
      try {
         this.equip.setService((Service) servlist.get(current_service));
         this.equipService.modify(equip);
         message = mess_modif_true;
         style_message = "valid_message";
         chargercombo();
      } catch (Exception hx) {
         hx.printStackTrace();
         message = mess_op_false;
         style_message = "err_message";
      }
   }
   changeretat();
 }
 public void modifierligne() {
   this.equip = (Equipement) dataTable.getRowData();
   chargercombo();
   message = "";
   nouveau = false;
   changeretat();
 }


48           Dghaies jihed – Tutoriel développement des applications web J2EE
public void modifier() {
   message = "";
   nouveau = false;
   changeretat();
 }
 public void supprimer() {
   try {
      this.equipService.delete(equip);
      message = mess_del_true;
      style_message = "valid_message";
      if (index > 0) {
         index--;
      }
      equip_list = (List) getEquip_list();
      if (!equip_list.isEmpty()) {
         equip = (Equipement) equip_list.get(index);
         chargercombo();
      } else {
         viderchamps();
         changeretat();
      }
   } catch (Exception hx) {
      hx.printStackTrace();
      message = mess_op_false;
   }
 }
 public Integer getIndex() {
   return index;
 }
 public void setIndex(Integer index) {
   this.index = index;
 }
 public String getMessage() {
   return message;
 }
 public void setMessage(String message) {
   this.message = message;
 }
 public boolean isNouveau() {
   return nouveau;
 }
 public void setNouveau(boolean nouveau) {
   this.nouveau = nouveau;
 }
 public List getEquip_list() {
   equip_list = this.equipService.findAll();
   return equip_list;
 }
 public UIDataTable getDataTable() {
   return dataTable;
 }
 public void setDataTable(UIDataTable dataTable) {
   this.dataTable = dataTable;
 }
 public List getService_list() {
   return service_list;
 }
 public void setService_list(List service_list) {
   this.service_list = service_list;
 }
 public InterfaceService getServService() {
   return servService;
 }
 public void setServService(InterfaceService servService) {
   this.servService = servService;
 }
 public Hashtable getServlist() {
   service_list.clear();
   servlist.clear();
   List l = this.servService.findAll();
   for (Iterator it = l.iterator(); it.hasNext();) {


49           Dghaies jihed – Tutoriel développement des applications web J2EE
Service srv = (Service) l.get(l.indexOf(it.next()));
        service_list.add(srv.getServCode() + "-" + srv.getServLib());
        servlist.put(srv.getServCode() + "-" + srv.getServLib(), srv);
      }
      return servlist;
    }
    public void setServlist(Hashtable servlist) {
      this.servlist = servlist;
    }
    public String getCurrent_service() {
      return current_service;
    }
    public void setCurrent_service(String current_service) {
      this.current_service = current_service;
    }
    public Equipement getEquip() {
      return equip;
    }
    public void setEquip(Equipement equip) {
      this.equip = equip;
    }
    public InterfaceService getEquipService() {
      return equipService;
    }
    public void setEquipService(InterfaceService equipService) {
      this.equipService = equipService;
    }
}




   6. Liaison avec la page Equipement
Code de la page equipement

<%--
  Document : Equipement
  Created on : 25 janv. 2010, 23:50:10
  Author : jihed
--%>
<%@taglib uri="http://richfaces.org/a4j" prefix="a4j"%>
<%@taglib uri="http://richfaces.org/rich" prefix="rich"%>
<%@taglib prefix="f" uri="http://java.sun.com/jsf/core"%>
<%@taglib prefix="h" uri="http://java.sun.com/jsf/html"%>
<%@page contentType="text/html" pageEncoding="UTF-8"%>
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN"
"http://www.w3.org/TR/html4/loose.dtd">
<f:view>
<html>
  <head>
     <meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
     <LINK rel="stylesheet" type="text/css" href="commun_styles.css"/>
     <title>Equipement</title>
  </head>
  <body>

50              Dghaies jihed – Tutoriel développement des applications web J2EE
<h:form id="formequipement">
    <a4j:include viewId="Entete.jsp"/>
    <a4j:include viewId="menu.jsp"/>
    <h:inputHidden value="#{EquipementBean.init}"/>
    <rich:spacer height="50px" />
    <center>
      <rich:tabPanel style="width:500px;">
      <rich:tab label="Equipement">
      <h:panelGrid width="450px" columns="1">
      <h:outputText id="infomsg" value="#{EquipementBean.message}" styleClass="#{EquipementBean.style_message}"/>
      <rich:panel header="Liste Equipement" id="tablepanel">
         <rich:dataTable
           onRowMouseOver="this.style.backgroundColor='#B5CEFD'" binding="#{EquipementBean.dataTable}"
           onRowMouseOut="this.style.backgroundColor='#{org.richfaces.SKIN.tableBackgroundColor}'"
           onRowClick="this.style.backgroundColor='#F1F1F1'"
           rows="8" width="100%" id="tbl" value="#{EquipementBean.equip_list}" var="equip">
         <rich:column>
           <f:facet name="header">
              <h:outputText value="Libellé" />
           </f:facet>
           <h:outputText value="#{equip.eqLib}" />
         </rich:column>
         <rich:column >
           <f:facet name="header">
              <h:outputText value="Etat" />
           </f:facet>
           <h:outputText value="#{equip.eqEtat}" />
         </rich:column>
         <rich:column >
           <f:facet name="header">
              <h:outputText value="Service" />
           </f:facet>
           <h:outputText value="#{equip.service.servLib}" />
         </rich:column>
         <rich:column style="text-align:center" width="70px" >
           <f:facet name="header">
              <h:outputText value="Modifier" />
           </f:facet>
           <a4j:commandLink action="#{EquipementBean.modifierligne}" reRender="infomsg,tablepanel,panelinfo,crud_panel">
              <h:graphicImage style="border:0"url="/images/ajax/edit16.png" />
           </a4j:commandLink>
         </rich:column>
         <rich:column style="text-align:center" width="70px">
           <f:facet name="header">
              <h:outputText value="Supprimer" />
           </f:facet>
           <a4j:commandLink action="#{EquipementBean.supprimer}" ajaxSingle="true"
reRender="infomsg,tablepanel,panelinfo,crud_panel">
              <h:graphicImage style="border:0" url="/images/ajax/delete16.png" />
           </a4j:commandLink>
         </rich:column>
         <f:facet name="footer">
           <rich:datascroller />
         </f:facet>
         </rich:dataTable>
      </rich:panel>
      <rich:panel id="panelinfo" header="Informations générales">
         <h:panelGrid columns="2" width="350" >
           <h:outputText value="Libellé : " />
           <h:inputText id="libquip" value="#{EquipementBean.equip.eqLib}" disabled="#{EquipementBean.etat}" size="25"
maxlength="30">
           </h:inputText>
           <h:outputText value="Description : " />
           <h:inputTextarea value="#{EquipementBean.equip.eqDescr}" disabled="#{EquipementBean.etat}" id="descrequip" rows="3" />
           <h:outputText value="Etat : " />
           <h:selectOneRadio id="etatequip" disabled="#{EquipementBean.etat}" value="#{EquipementBean.equip.eqEtat}" >
              <f:selectItem itemLabel="Fonctionnel" itemValue="Fonctionnel" />
              <f:selectItem itemLabel="En Panne" itemValue="En Panne" />
           </h:selectOneRadio>
           <h:outputText value="Service : " />
           <rich:comboBox id="servequip" defaultLabel="Entrez une valeur" disabled="#{EquipementBean.etat}"


51           Dghaies jihed – Tutoriel développement des applications web J2EE
value="#{EquipementBean.current_service}" suggestionValues="#{EquipementBean.service_list}" required="true">
            </rich:comboBox>
         </h:panelGrid>
       </rich:panel>
       </h:panelGrid>
       <h:panelGrid id="crud_panel" columns="5">
         <a4j:commandButton id="nouvequip" value="Nouveau" style="width:85px"ajaxSingle="true"
                     disabled="#{EquipementBean.invetat}"action="#{EquipementBean.viderchamps}"
reRender="infomsg,tablepanel,panelinfo,crud_panel"/>
         <a4j:commandButton id="modifequip" value="Modifier" style="width:85px"ajaxSingle="true"
                     disabled="#{EquipementBean.invetat}"action="#{EquipementBean.modifier}"
reRender="infomsg,tablepanel,panelinfo,crud_panel"/>
         <a4j:commandButton id="suppequip" value="Supprimer" style="width:85px"ajaxSingle="true"
                     disabled="#{EquipementBean.etat}"action="#{EquipementBean.supprimer}"
reRender="infomsg,tablepanel,panelinfo,crud_panel"/>
         <a4j:commandButton id="validequip" value="Valider" style="width:85px"
                     disabled="#{EquipementBean.etat}"action="#{EquipementBean.create}"
reRender="infomsg,tablepanel,panelinfo,crud_panel"/>
         <a4j:commandButton id="annulequip" value="Annuler" style="width:85px"ajaxSingle="true"
                     disabled="#{EquipementBean.etat}"action="#{EquipementBean.annuler}"
reRender="infomsg,tablepanel,panelinfo,crud_panel"/>
       </h:panelGrid>
       </rich:tab>
       </rich:tabPanel>
     </center>
     </h:form>
  </body>
</html>
</f:view>

   7. Managed Bean pour la Classe Interventions
Code du Bean Interventions

package Beans;
import Entity.Interventions;
import Entity.Equipement;
import Entity.Personnel;
import Interfaces.InterfaceService;
import java.io.Serializable;
import java.util.ArrayList;
import java.util.Hashtable;
import java.util.Iterator;
import java.util.List;
import org.richfaces.component.UIDataTable;
/**
 *
 * @author jihed
 */
public class InterventionsBean extends messageBean implements Serializable {
   private Interventions interv;
   private InterfaceService intervService;
   private InterfaceService persService;
   private InterfaceService equipService;
   private List interv_list = new ArrayList();
   private List person_list = new ArrayList();
   private Hashtable perslist = new Hashtable();
   private List equip_list = new ArrayList();
   private Hashtable equiplist = new Hashtable();
   private String current_personnel;
   private String current_equipement;
   private boolean init;
   private Integer index = 0;
   private String message;
   private boolean nouveau;
   private UIDataTable dataTable;
   public void viderchamps() {
     message = "";
     changeretat();
     this.interv = new Interventions();
     nouveau = true;

52           Dghaies jihed – Tutoriel développement des applications web J2EE
}
 public void annuler() {
   message = "";
   interv_list = (List) getEquip_list();
   interv = (Interventions) interv_list.get(index);
   changeretat();
 }
 public void chargercombo() {
   current_personnel = this.interv.getPersonnel().getPersNom() + "-" + this.interv.getPersonnel().getPersPrenom();
   current_equipement = this.interv.getEquipement().getEqLib();
 }
 public boolean isInit() {
   message = "";
   getInterv_list();
   getEquiplist();
   getPerslist();
   if (!(interv_list.isEmpty())) {
      interv_list = (List) getInterv_list();
      interv = (Interventions) interv_list.get(0);
      chargercombo();
   }
   etat = true;
   invetat = !etat;
   return init;
 }
 public void setInit(boolean init) {
   this.init = init;
 }
 public InterventionsBean() {
   this.interv = new Interventions();
   this.interv.setEquipement(new Equipement());
   this.interv.setPersonnel(new Personnel());
 }
 public void create() {
   if (nouveau) {
      try {
         this.interv.setPersonnel((Personnel) perslist.get(current_personnel));
         this.interv.setEquipement((Equipement) equiplist.get(current_equipement));
         this.intervService.save(this.interv);
         message = mess_insert_true;
         style_message = "valid_message";
         chargercombo();
      } catch (Exception hx) {
         hx.printStackTrace();
         message = mess_op_false;
         style_message = "err_message";
      }
   } else {
      try {
         this.interv.setPersonnel((Personnel) perslist.get(current_personnel));
         this.interv.setEquipement((Equipement) equiplist.get(current_equipement));
         this.intervService.modify(interv);
         message = mess_modif_true;
         style_message = "valid_message";
         chargercombo();
      } catch (Exception hx) {
         hx.printStackTrace();
         message = mess_op_false;
         style_message = "err_message";
      }
   }
   changeretat();
 }
 public void modifierligne() {
   this.interv = (Interventions) dataTable.getRowData();
   chargercombo();
   message = "";
   nouveau = false;
   changeretat();
 }
 public void modifier() {


53          Dghaies jihed – Tutoriel développement des applications web J2EE
message = "";
     nouveau = false;
     changeretat();
 }
 public void supprimer() {
   try {
      this.intervService.delete(interv);
      message = mess_del_true;
      style_message = "valid_message";
      if (index > 0) {
         index--;
      }
      interv_list = (List) getEquip_list();
      if (!interv_list.isEmpty()) {
         interv = (Interventions) interv_list.get(index);
         chargercombo();
      } else {
         viderchamps();
         changeretat();
      }
   } catch (Exception hx) {
      hx.printStackTrace();
      message = mess_op_false;
   }
 }
 public Integer getIndex() {
   return index;
 }
 public void setIndex(Integer index) {
   this.index = index;
 }
 public String getMessage() {
   return message;
 }
 public void setMessage(String message) {
   this.message = message;
 }
 public boolean isNouveau() {
   return nouveau;
 }
 public void setNouveau(boolean nouveau) {
   this.nouveau = nouveau;
 }
 public List getInterv_list() {
   interv_list = this.intervService.findAll();
   return interv_list;
 }
 public UIDataTable getDataTable() {
   return dataTable;
 }
 public void setDataTable(UIDataTable dataTable) {
   this.dataTable = dataTable;
 }
 public Hashtable getPerslist() {
   person_list.clear();
   perslist.clear();
   List l = this.persService.findAll();
   for (Iterator it = l.iterator(); it.hasNext();) {
      Personnel pers = (Personnel) l.get(l.indexOf(it.next()));
      person_list.add(pers.getPersNom() + "-" + pers.getPersPrenom());
      perslist.put(pers.getPersNom() + "-" + pers.getPersPrenom(), pers);
   }
   return perslist;
 }
 public String getCurrent_equipement() {
   return current_equipement;
 }
 public void setCurrent_equipement(String current_equipement) {
   this.current_equipement = current_equipement;
 }
 public String getCurrent_personnel() {


54            Dghaies jihed – Tutoriel développement des applications web J2EE
return current_personnel;
    }
    public void setCurrent_personnel(String current_personnel) {
      this.current_personnel = current_personnel;
    }
    public InterfaceService getEquipService() {
      return equipService;
    }
    public void setEquipService(InterfaceService equipService) {
      this.equipService = equipService;
    }
    public List getEquip_list() {
      return equip_list;
    }
    public void setEquip_list(List equip_list) {
      this.equip_list = equip_list;
    }
    public Hashtable getEquiplist() {
      equip_list.clear();
      equiplist.clear();
      List l = this.equipService.findAll();
      for (Iterator it = l.iterator(); it.hasNext();) {
         Equipement equip = (Equipement) l.get(l.indexOf(it.next()));
         equip_list.add(equip.getEqLib());
         equiplist.put(equip.getEqLib(), equip);
      }
      return equiplist;
    }
    public void setEquiplist(Hashtable equiplist) {
      this.equiplist = equiplist;
    }
    public Interventions getInterv() {
      return interv;
    }
    public void setInterv(Interventions interv) {
      this.interv = interv;
    }
    public InterfaceService getIntervService() {
      return intervService;
    }
    public void setIntervService(InterfaceService intervService) {
      this.intervService = intervService;
    }
    public void setInterv_list(List interv_list) {
      this.interv_list = interv_list;
    }
    public InterfaceService getPersService() {
      return persService;
    }
    public void setPersService(InterfaceService persService) {
      this.persService = persService;
    }
    public void setPerslist(Hashtable perslist) {
      this.perslist = perslist;
    }
    public List getPerson_list() {
      return person_list;
    }
    public void setPerson_list(List person_list) {
      this.person_list = person_list;
    }
}




55              Dghaies jihed – Tutoriel développement des applications web J2EE
8. Liaison avec la page Interventions
Code de la page Interventions

<%--
  Document : Intervention
  Created on : 25 janv. 2010, 23:50:10
  Author : jihed
--%>
<%@taglib uri="http://richfaces.org/a4j" prefix="a4j"%>
<%@taglib uri="http://richfaces.org/rich" prefix="rich"%>
<%@taglib prefix="f" uri="http://java.sun.com/jsf/core"%>
<%@taglib prefix="h" uri="http://java.sun.com/jsf/html"%>
<%@page contentType="text/html" pageEncoding="UTF-8"%>
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN"
"http://www.w3.org/TR/html4/loose.dtd">
<f:view>
<html>
  <head>
     <meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
     <LINK rel="stylesheet" type="text/css" href="commun_styles.css"/>
     <title>Intervention</title>
  </head>
  <body>
     <h:form id="formintervention">
     <a4j:include viewId="Entete.jsp"/>
     <a4j:include viewId="menu.jsp"/>
     <h:inputHidden value="#{IntervBean.init}"/>
     <rich:spacer height="50px" />
     <center>
       <rich:tabPanel style="width:500px;">
       <rich:tab label="Intervention">
       <h:panelGrid width="450px" columns="1">
       <h:outputText id="infomsg" value="#{IntervBean.message}" styleClass="#{IntervBean.style_message}"/>
       <rich:panel id="tablepanel" header="Liste Interventions" >
          <rich:dataTable
            onRowMouseOver="this.style.backgroundColor='#B5CEFD'" binding="#{IntervBean.dataTable}"
            onRowMouseOut="this.style.backgroundColor='#{org.richfaces.SKIN.tableBackgroundColor}'"
            onRowClick="this.style.backgroundColor='#F1F1F1'"
            rows="8" width="100%" id="tbl" value="#{IntervBean.interv_list}" var="interv">
          <rich:column>
            <f:facet name="header">
               <h:outputText value="Equipement" />
            </f:facet>
<h:outputText value="#{interv.equipement.eqLib}" />
          </rich:column>

56           Dghaies jihed – Tutoriel développement des applications web J2EE
<rich:column >
           <f:facet name="header">
             <h:outputText value="Intervenant" />
           </f:facet>
           <h:outputText value="#{interv.personnel.persNom} #{interv.personnel.persPrenom}" />
        </rich:column>
        <rich:column >
           <f:facet name="header">
             <h:outputText value="Date" />
           </f:facet>
           <h:outputText value="#{interv.intervDate}" >
             <f:convertDateTime pattern="dd/MM/yyyy" />
           </h:outputText>
        </rich:column>
        <rich:column style="text-align:center" width="70px" >
           <f:facet name="header">
             <h:outputText value="Modifier" />
           </f:facet>
           <a4j:commandLink action="#{IntervBean.modifierligne}" reRender="infomsg,tablepanel,panelinfo,crud_panel">
             <h:graphicImage style="border:0"url="/images/ajax/edit16.png" />
           </a4j:commandLink>
        </rich:column>
        <rich:column style="text-align:center" width="70px">
           <f:facet name="header">
             <h:outputText value="Supprimer" />
           </f:facet>
           <a4j:commandLink action="#{IntervBean.supprimer}" ajaxSingle="true" reRender="infomsg,tablepanel,panelinfo,crud_panel">
             <h:graphicImage style="border:0" url="/images/ajax/delete16.png" />
           </a4j:commandLink>
        </rich:column>
        <f:facet name="footer">
           <rich:datascroller />
        </f:facet>
        </rich:dataTable>
      </rich:panel>
      <rich:panel id="panelinfo" header="Informations générales">
        <h:panelGrid columns="2" width="350" >
           <h:outputText value="Equipement : " />
           <rich:comboBox id="eqpinterv" defaultLabel="Entrez une valeur" required="true" disabled="#{IntervBean.etat}"
                    value="#{IntervBean.current_equipement}" suggestionValues="#{IntervBean.equip_list}" >
           </rich:comboBox>
           <h:outputText value="Intervenant : " />
           <rich:comboBox id="persinterv" defaultLabel="Entrez une valeur" disabled="#{IntervBean.etat}"
                    value="#{IntervBean.current_personnel}" suggestionValues="#{IntervBean.person_list}" required="true">
           </rich:comboBox>
           <h:outputText value="Date intervention : " />
           <rich:calendar id="foFiscal" value="#{IntervBean.interv.intervDate}" popup="true" datePattern="dd/MM/yyyy"
                    cellWidth="24px" cellHeight="22px" disabled="#{IntervBean.etat}"/>
        </h:panelGrid>
      </rich:panel>
      </h:panelGrid>
      <h:panelGrid id="crud_panel" columns="5">
        <a4j:commandButton id="nouvinterv" value="Nouveau" style="width:85px"ajaxSingle="true"
                    disabled="#{IntervBean.invetat}"action="#{IntervBean.viderchamps}"
reRender="infomsg,tablepanel,panelinfo,crud_panel"/>
        <a4j:commandButton id="modifinterv" value="Modifier" style="width:85px"ajaxSingle="true"
                    disabled="#{IntervBean.invetat}"action="#{IntervBean.modifier}"
reRender="infomsg,tablepanel,panelinfo,crud_panel"/>
        <a4j:commandButton id="suppinterv" value="Supprimer" style="width:85px"ajaxSingle="true"
                    disabled="#{IntervBean.etat}"action="#{IntervBean.supprimer}"
reRender="infomsg,tablepanel,panelinfo,crud_panel"/>
        <a4j:commandButton id="validinterv" value="Valider" style="width:85px"
                    disabled="#{IntervBean.etat}"action="#{IntervBean.create}" reRender="infomsg,tablepanel,panelinfo,crud_panel"/>
        <a4j:commandButton id="annulinterv" value="Annuler" style="width:85px"ajaxSingle="true"
                    disabled="#{IntervBean.etat}"action="#{IntervBean.annuler}" reRender="infomsg,tablepanel,panelinfo,crud_panel"/>
      </h:panelGrid>
      </rich:tab>
      </rich:tabPanel>
    </center>
    </h:form>
  </body>


57           Dghaies jihed – Tutoriel développement des applications web J2EE
</html>
</f:view>

    9. Fichier de confiuration « Faces-config »
Fichier faces ocnfig

<?xml version='1.0' encoding='UTF-8'?>
<!-- =========== FULL CONFIGURATION FILE ================================== -->
<faces-config version="1.2"
  xmlns="http://java.sun.com/xml/ns/javaee"
  xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
  xsi:schemaLocation="http://java.sun.com/xml/ns/javaee http://java.sun.com/xml/ns/javaee/web-facesconfig_1_2.xsd">
  <application>
     <el-resolver>org.springframework.web.jsf.el.SpringBeanFacesELResolver</el-resolver>
  </application>
     <managed-bean>
     <managed-bean-name>ServiceBean</managed-bean-name>
     <managed-bean-class>Beans.ServiceBean</managed-bean-class>
     <managed-bean-scope>session</managed-bean-scope>
     <managed-property>
       <property-name>servService</property-name>
       <value>#{servService}</value>
     </managed-property>
  </managed-bean>
  <managed-bean>
     <managed-bean-name>PersonnelBean</managed-bean-name>
     <managed-bean-class>Beans.PersonnelBean</managed-bean-class>
     <managed-bean-scope>session</managed-bean-scope>
     <managed-property>
       <property-name>servService</property-name>
       <value>#{servService}</value>
     </managed-property>
     <managed-property>
       <property-name>persService</property-name>
       <value>#{persService}</value>
     </managed-property>
  </managed-bean>
  <managed-bean>
     <managed-bean-name>EquipementBean</managed-bean-name>
     <managed-bean-class>Beans.EquipementBean</managed-bean-class>
     <managed-bean-scope>session</managed-bean-scope>
     <managed-property>
       <property-name>servService</property-name>
       <value>#{servService}</value>
     </managed-property>
     <managed-property>
       <property-name>equipService</property-name>
       <value>#{equipService}</value>
     </managed-property>
  </managed-bean>
  <managed-bean>
     <managed-bean-name>IntervBean</managed-bean-name>
     <managed-bean-class>Beans.InterventionsBean</managed-bean-class>
     <managed-bean-scope>session</managed-bean-scope>
     <managed-property>
       <property-name>equipService</property-name>
       <value>#{equipService}</value>
     </managed-property>
     <managed-property>
       <property-name>persService</property-name>
       <value>#{persService}</value>
     </managed-property>
     <managed-property>
       <property-name>intervService</property-name>
       <value>#{intervService}</value>
     </managed-property>
  </managed-bean>
</faces-config>




58           Dghaies jihed – Tutoriel développement des applications web J2EE
10.   Diagramme de l’aplication




59          Dghaies jihed – Tutoriel développement des applications web J2EE
VIII.    Gestion de l’accés à l’aplication
    1. Changement de la page d’aceuil
 On va changer la page d’acceuil et on mettra authentification.jsp comme page d’acceuil.

 On ouvre le fichier web.xml puis on clique qur l’onglet pages




 On clique sur browse puis on choisit Authentification.jsp




 60        Dghaies jihed – Tutoriel développement des applications web J2EE
2. Création du bean «AuthenticationBean »
La derniére étape de notre projet sera la création du bean pour l’authentification et de faire la
redirection entre la page d’authentification et les autres pages.

On commence par la création des deux interfaces DAO et Service pour ce bean.

package Interfaces;
/**
* @author Jihed
 */
import Entity.Personnel;
public interface AuthenticationService {
  public Personnel findByLoginAndPassword(String login, String pass);
}



package Interfaces;
import Entity.Personnel;
/**
* @author Jihed
 */
public interface AuthenticationDAO {
  public Personnel findByLoginAndPassword(String login, String pass);
}



Puis on passe à l’implémentation

package Implementation.dao;
import Entity.Personnel;
import Interfaces.AuthenticationDAO;
import org.springframework.orm.hibernate3.support.HibernateDaoSupport;
/**
 * @author Jihed
 */
public class AuthenticationDaoImpl extends HibernateDaoSupport implements AuthenticationDAO {
   public Personnel findByLoginAndPassword(String login, String pass) {
      try {
         Personnel pers = (Personnel) getHibernateTemplate().find(" from Personnel pers where pers.persLogin ='" + login + "' and
pers.persPassword ='" + pass + "'").get(0);
         return pers;
      } catch (Exception re) {
         re.printStackTrace();
         return null;
      }
   }
}
-------------------------------------------------
package Implementation.service;
import Entity.Personnel;
import Interfaces.AuthenticationDAO;
import Interfaces.AuthenticationService;
public class AuthenticationServiceImpl implements AuthenticationService {
   private AuthenticationDAO loginDao;
   public Personnel findByLoginAndPassword(String login, String pass) {


61            Dghaies jihed – Tutoriel développement des applications web J2EE
return loginDao.findByLoginAndPassword(login, pass);
    }
    public AuthenticationDAO getLoginDao() {
      return loginDao;
    }
    public void setLoginDao(AuthenticationDAO loginDao) {
      this.loginDao = loginDao;
    }
}
Déclaration dans le fichier de configuration de Spring

<bean id="loginDao" class="Implementation.dao.AuthenticationDaoImpl">
    <property name="hibernateTemplate" ref="hibernateTemplate"/>
  </bean>

<bean id="loginService" class="Implementation.service.AuthenticationServiceImpl">
    <property name="loginDao" ref="loginDao"/>
  </bean>
Création d’un nouveau bean qu’on l’appelle « AuthenticationBean »

package Beans;
import Entity.Personnel;
import Interfaces.AuthenticationService;
import java.text.SimpleDateFormat;
import java.util.Date;
import javax.faces.context.ExternalContext;
import javax.faces.context.FacesContext;
/**
* @author Hsan
 */
public class AuthenticationBean extends messageBean {
  private AuthenticationService loginService;
  private String login;
  private String password;
  private String today;
  private Personnel pers;
  private String message;
  public AuthenticationBean() {
  }
  public String getLogin() {
    return login;
  }
  public void setLogin(String login) {
    this.login = login;
  }
  public String getPassword() {
    return password;
  }
  public void setPassword(String password) {
    this.password = password;
  }
  public String getToday() throws Exception {
    Date maDateAvecFormat = new Date();
    SimpleDateFormat dateStandard = new SimpleDateFormat("EEEE dd MMMM yyyy");
    today = "" + dateStandard.format(maDateAvecFormat);
    dateStandard = null;
    return today;
  }
  public void setToday(String td) {
    this.today = td;
  }
  public String connecter() {
    String droit = null;
    message = "";
    try {
       pers = loginService.findByLoginAndPassword(login, password);
       if (pers != null) {
          if (pers.getPersDroit().equals("user")) {
             droit = "user";
          } else if (pers.getPersDroit().equals("admin")) {

62             Dghaies jihed – Tutoriel développement des applications web J2EE
droit = "admin";
            }
            System.out.println("********DROIT*****" + droit);
            return droit;
         } else {
            message = "Echec de connexion, verifiez votre login et mot de passe !";
            style_message = "err_message";
            this.login = "";
            this.password = "";
            return "invalide";
         }
      } catch (Exception fe) {
         fe.printStackTrace();
         message = "Echec de connexion, verifiez votre login et mot de passe !";
         this.login = "";
         this.password = "";
         style_message = "err_message";
         return "invalide";
      }
    }
    public String deconnecter() {
      try {
         ExternalContext ExtContext = FacesContext.getCurrentInstance().getExternalContext();
         ExtContext.getSessionMap().clear();
      } catch (Exception ex) {
         ex.printStackTrace();
      }
      return "ok";
    }
    public String getMessage() {
      return message;
    }
    public void setMessage(String message) {
      this.message = message;
    }
    public AuthenticationService getLoginService() {
      return loginService;
    }
    public void setLoginService(AuthenticationService loginService) {
      this.loginService = loginService;
    }
    public Personnel getPers() {
      return pers;
    }
    public void setPers(Personnel pers) {
      this.pers = pers;
    }
}




   3. Liaison avec la page Authentification
Code de la Page web

<%--
  Document : Authentification
  Created on : 25 janv. 2010, 21:30:57
  Author : jihed
--%>

63              Dghaies jihed – Tutoriel développement des applications web J2EE
<%@taglib uri="http://richfaces.org/a4j" prefix="a4j"%>
<%@taglib uri="http://richfaces.org/rich" prefix="rich"%>
<%@taglib prefix="f" uri="http://java.sun.com/jsf/core"%>
<%@taglib prefix="h" uri="http://java.sun.com/jsf/html"%>
<%@page contentType="text/html" pageEncoding="UTF-8"%>
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN"
"http://www.w3.org/TR/html4/loose.dtd">
<f:view>
  <h:form>
     <html>
       <head>
         <meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
         <title>Authentification</title>
       </head>
       <body >
         <rich:spacer height="200px"></rich:spacer>
         <center >
           <rich:panel id="logpan" style="background-
image:url(#{facesContext.externalContext.requestContextPath}/images/ajax/userauth.png);
                   background-repeat:no-repeat;background-position:-35px -15px;
                   ;width:400px;" header="Authentification" styleClass="panel_3">
              <h:panelGrid columns="3">
                <h:outputText value="Login:" />
                <h:inputText id="log" value="#{LoginBean.login}" required="true"
                        requiredMessage="champs obligatoire" />
                <rich:message for="log" style="color: red"/>
                <h:outputText value="Mot de passe :" />
                <h:inputSecret id="mdp" value="#{LoginBean.password}" required="true"
                          requiredMessage="champs obligatoire" />
                <rich:message for="mdp" style="color: red"/>
              </h:panelGrid>
              <rich:spacer height="30px"></rich:spacer>
              <a4j:commandButton value ="Connexion" action="#{LoginBean.connecter}" reRender="logpan"/>
           </rich:panel>
         </center>
       </body>
     </html>
  </h:form>
</f:view>

    4. Ajout des « navigation rules »
Les « navigation rules » permettent de définir les redirections entre les pages web dans notre
application . dans notre exemple si le bean « authentification » va retourner la valeur « invalid » on
va rester sur la même page « Authentification ».

Si le Bean retourne la valeur « user » on va etre redirigée vers la page « Personnel » et si le bean
retourne la valeur « admin » on va etre redirigée vers la page « Interventions ».

Ajout des navigation rules




64           Dghaies jihed – Tutoriel développement des applications web J2EE
5. Changement de la page entete
On va changer un peu dans la structure de l’entete pour pouvoir afficher les details de la personne
connectée.

<%--
  Document : Entete
  Created on : 25 janv. 2010, 21:47:07
  Author : jihed
--%>
<%@taglib uri="http://richfaces.org/a4j" prefix="a4j"%>
<%@taglib uri="http://richfaces.org/rich" prefix="rich"%>
<%@taglib prefix="f" uri="http://java.sun.com/jsf/core"%>
<%@taglib prefix="h" uri="http://java.sun.com/jsf/html"%>
<%@page contentType="text/html" pageEncoding="UTF-8"%>
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN"
"http://www.w3.org/TR/html4/loose.dtd">
<h:panelGrid columns="12" >
  <rich:spacer width="50px"/>
  <h:outputText id="dtjr" value="#{LoginBean.today}" styleClass="titre_gris"/>
  <rich:spacer width="225px"/>
  <h:outputText id="user" value="#{LoginBean.pers.persNom} #{LoginBean.pers.persPrenom}" styleClass="titre_bleu"/>
  <rich:spacer width="6px"/>
  <h:outputText value=" | " styleClass="titre2"/>
  <rich:spacer width="6px"/>
  <h:outputText id="service" value="#{LoginBean.pers.service.servLib}" styleClass="titre_bleu"/>
  <rich:spacer width="225px"/>
  <h:outputText value="Club CFEM 2010" styleClass="titre_gris"/>
  <rich:spacer width="50px"/>
  <h:form>
    <h:panelGrid columns="3">
       <a4j:commandButton image="/images/ajax/home.gif"
                  onclick="document.location.href='#{facesContext.externalContext.requestContextPath}/faces/Authentification.jsp'" >
         <rich:toolTip showDelay="500">
            Acceuil
         </rich:toolTip>
       </a4j:commandButton>
       <rich:spacer width="2px"/>
       <a4j:commandButton action="#{LoginBean.deconnecter}" id="dec_btn" image="/images/ajax/lock.gif"
                  onclick="document.location.href='#{facesContext.externalContext.requestContextPath}/faces/Authentification.jsp'" >
         <rich:toolTip showDelay="500">
            Déconnexion
         </rich:toolTip>
       </a4j:commandButton>
    </h:panelGrid>
  </h:form>
</h:panelGrid>




65           Dghaies jihed – Tutoriel développement des applications web J2EE
IX.     Deploiement de l’application

     1. Création du fichier war
Les WAR (Web Application Archive) sont en réalité des JAR mais avec une extension différente. Ça
permet de compresser toute l'application web et ses dépendences dans un seul fichier.

En effet, pour créer un fichier war il faut spécifier dans le spropriétés du projet q’on va compresser
l’application en tant que fichier WAR.




Puis il suffit de faire un build pour l’application pour obtenir un fichier war.




Le fichier WAR génére se trouve sous le répertoire dist du projet :




     2. Déployer l'application
Le déploiement d'une application web sur un serveur d'applications signifie en quelque sorte son
installation.

On va commencer par voir les parametres de notre serveur tomcat. Dans l’onglet « services » de
netbeans on trouve la liste des serveurs, on choisit le serveur tomcat puis on clique sur propriétes.




66         Dghaies jihed – Tutoriel développement des applications web J2EE
On démarre le serveur tomcat




On ouvre le navigateur web et on tape l’url de serveur.


67        Dghaies jihed – Tutoriel développement des applications web J2EE
nous allons faire le deploiement sur le serveur tomcat qui est installé localement ,mais c'est
strictement la même chose pour un serveur de production. L’url par défaut est
« http://localhost:8080 » mais on peut changer le numéro de port .

sur la page d'index de Tomcat, Il devrait y avoir un lien à gauche Tomcat Manager. Cliquez dessus.
Vous allez ensuite être invité à entrer un nom d'usager et mot de passe (le login et le mot de passe se
trouvent dans les propriétés du serveur qu’ona déjà vu).




68        Dghaies jihed – Tutoriel développement des applications web J2EE
La page « tomcat manager » contient la liste des applications présentes sur le serveur. Allez au bas de
la page dans la section “WAR file to deploy”. Sélectionnez votre WAR à l'aide du bouton browse et
cliquez sur le bouton “Deploy”.




L’application est maintenant déployée.




l'url de l'application sera le nom de l'archive (WAR) sans l'extension. Donc dans notre exemple,
l'application déployée sera accessible via l'url : http://localhost:8084/TP-JSF/.




69        Dghaies jihed – Tutoriel développement des applications web J2EE

Contenu connexe

PDF
Support JEE Servlet Jsp MVC M.Youssfi
PDF
Rapport application web (Spring BOOT,angular4) et mobile(ionc3) gestion des a...
PDF
alphorm.com - Formation Oracle Database 11g DBA 1 (1Z0-052)
PPTX
Projet de fin d étude (1)
PDF
Applications Android - cours 11 : Boites de dialogue
PDF
Introduction générale au Framework Flutter
PDF
Mémoire PEF application client server gestion des projet collaborative
PPTX
Java RMI
Support JEE Servlet Jsp MVC M.Youssfi
Rapport application web (Spring BOOT,angular4) et mobile(ionc3) gestion des a...
alphorm.com - Formation Oracle Database 11g DBA 1 (1Z0-052)
Projet de fin d étude (1)
Applications Android - cours 11 : Boites de dialogue
Introduction générale au Framework Flutter
Mémoire PEF application client server gestion des projet collaborative
Java RMI

Tendances (20)

PPTX
Présentation PFE: Système de gestion des réclamations et interventions clients
PPTX
Agents intelligents
DOCX
Rapport PFE Développent d'une application bancaire mobile
PDF
Pfe master fst_final_decembre2015
PDF
Support de cours Spring M.youssfi
PPTX
Introduction aux systèmes répartis
PDF
Rapport pfe isi_Big data Analytique
PPTX
Presentation pfe gestion parc informatique et help desk
PPT
Les MéThodes Agiles
PDF
Support POO Java Deuxième Partie
PDF
Tp n 3 linux
PPTX
Formation python
PDF
Rapport de stage d'été
PDF
iRecruite
PPT
Cours 1 : introduction a l'ergonomie logicielle
PDF
Rapport pfe- Refonte et déploiement d’une solution de messagerie en utilisant...
PDF
Rapport tp1 j2ee
PDF
Architecture jee principe de inversion de controle et injection des dependances
PDF
RapportPFE_IngenieurInformatique_ESPRIT
PDF
Développement mobile multi-plateforme avec Flutter
Présentation PFE: Système de gestion des réclamations et interventions clients
Agents intelligents
Rapport PFE Développent d'une application bancaire mobile
Pfe master fst_final_decembre2015
Support de cours Spring M.youssfi
Introduction aux systèmes répartis
Rapport pfe isi_Big data Analytique
Presentation pfe gestion parc informatique et help desk
Les MéThodes Agiles
Support POO Java Deuxième Partie
Tp n 3 linux
Formation python
Rapport de stage d'été
iRecruite
Cours 1 : introduction a l'ergonomie logicielle
Rapport pfe- Refonte et déploiement d’une solution de messagerie en utilisant...
Rapport tp1 j2ee
Architecture jee principe de inversion de controle et injection des dependances
RapportPFE_IngenieurInformatique_ESPRIT
Développement mobile multi-plateforme avec Flutter
Publicité

En vedette (20)

PDF
PDF
PDF
PPTX
Hibernate
PDF
Mohamed youssfi support architectures logicielles distribuées basées sue les ...
PDF
Android fundamentals and communication with Java EE Application
PPT
Hibernate
PDF
Support de cours EJB 3 version complète Par Mr Youssfi, ENSET, Université Ha...
PDF
J2eeintro
PPTX
Hibernate et jsf
DOCX
Java j2ee
PDF
OpenDS - Open Source Java LDAP server
PDF
Plone - Déployer un intranet collaboratif avec intégration d'un annuaire LDAP
PPTX
Digestive disease
PDF
Java EE 6 Solutions Linux 2010
PDF
Spring Security - TeeJUG 2008
Hibernate
Mohamed youssfi support architectures logicielles distribuées basées sue les ...
Android fundamentals and communication with Java EE Application
Hibernate
Support de cours EJB 3 version complète Par Mr Youssfi, ENSET, Université Ha...
J2eeintro
Hibernate et jsf
Java j2ee
OpenDS - Open Source Java LDAP server
Plone - Déployer un intranet collaboratif avec intégration d'un annuaire LDAP
Digestive disease
Java EE 6 Solutions Linux 2010
Spring Security - TeeJUG 2008
Publicité

Similaire à Tutoriel J2EE (20)

PDF
Prsentationtutoriel 100217133915-phpapp01 (1)
PDF
Java entreprise edition et industrialisation du génie logiciel par m.youssfi
PPTX
Java Server Faces (JSF)
PDF
Support de cours entrepise java beans ejb m.youssfi
PDF
Les vrais enjeux de l'IA.pdf
PPTX
Présentation PFE Module Article GPAO
PDF
Apprendre J2EE
PDF
Cv ines ouaz
PDF
Cours architecture
PDF
Liste des nouvelles acquisitions 2013
PDF
Cv Ouaz Ines
PDF
Supportdecoursejb3versioncompletemryoussfi 140317162653-phpapp01 (1)
PDF
Supportdecoursejb3versioncompletemryoussfi 140317162653-phpapp01
PDF
Springioc
PPTX
Entreprise Java Beans (EJB)
PPTX
La plateforme JEE
PDF
Support JEE Spring Inversion de Controle IOC et Spring MVC
PDF
Mémoire de Licence, site web dynamique sous JEE, application aux entreprises ...
PDF
Scub Foundation, usine logicielle Java libre
PDF
Framework Hibernate
Prsentationtutoriel 100217133915-phpapp01 (1)
Java entreprise edition et industrialisation du génie logiciel par m.youssfi
Java Server Faces (JSF)
Support de cours entrepise java beans ejb m.youssfi
Les vrais enjeux de l'IA.pdf
Présentation PFE Module Article GPAO
Apprendre J2EE
Cv ines ouaz
Cours architecture
Liste des nouvelles acquisitions 2013
Cv Ouaz Ines
Supportdecoursejb3versioncompletemryoussfi 140317162653-phpapp01 (1)
Supportdecoursejb3versioncompletemryoussfi 140317162653-phpapp01
Springioc
Entreprise Java Beans (EJB)
La plateforme JEE
Support JEE Spring Inversion de Controle IOC et Spring MVC
Mémoire de Licence, site web dynamique sous JEE, application aux entreprises ...
Scub Foundation, usine logicielle Java libre
Framework Hibernate

Tutoriel J2EE

  • 1. CLUB FUTUR ENTREPRENEUR EN MULTIMEDIA Développement des applications Web avec Spring, hibernate et Richfaces. Rédigé par DGHAIES Jihed Ingénieur en informatique, technologie web et multémidia 2010 Ce tutoriel a pour but de développer une application web CRUD à trois couches (présentation, métier, accès aux données) avec la plateforme JEE (Java Enterprise Edition) que nous construisons avec les technologies suivantes : - JavaServer Faces(JSF) et RichFaces : pour les interfaces web, - Java Beans: pour la couche métier - Hibernate, Spring : pour la couche d'accès aux données. L'application sera développée avec l'éditeur netbeans 6.5.1 et sera déployé sur le serveur apache tomcat 6.0.18. Le document contient beaucoup de code rendant possible le copier / coller. 1 Dghaies jihed – Tutoriel développement des applications web J2EE http://cfem.ifrance.com
  • 2. Sommaire I. But de Tutoriel ............................................................................................................................ 3 II. Structure de la base de données ................................................................................................ 3 III. Création du Projet ...................................................................................................................... 4 IV. Création des Interfaces Graphiques ........................................................................................... 8 1. Page Authentification .............................................................................................................. 8 2. Page entête ............................................................................................................................. 9 3. Page Menu............................................................................................................................. 10 4. Page Services ......................................................................................................................... 11 5. Page Personnel ...................................................................................................................... 13 6. Page Equipement .................................................................................................................. 15 7. Page interventions................................................................................................................. 17 V. Génération des fichiers de mapping ........................................................................................ 19 VI. Intégration de Spring ................................................................................................................ 26 1. Ajout de la librairie Spring ..................................................................................................... 26 2. Création du fichier de configuration ..................................................................................... 27 3. Création de la couche Service et la couche DAO................................................................... 30 VII. Création des « managed Beans » ............................................................................................. 37 1. Managed Bean pour la Classe Service ................................................................................... 37 2. Liaison avec la page Service .................................................................................................. 40 3. Managed Bean pour la Classe Personnel .............................................................................. 42 4. Liaison avec la page Personnel .............................................................................................. 45 5. Managed Bean pour la Classe Equipement ........................................................................... 47 6. Liaison avec la page Equipement .......................................................................................... 50 7. Managed Bean pour la Classe Interventions ......................................................................... 52 8. Liaison avec la page Interventions ........................................................................................ 56 9. Fichier de confiuration « Faces-config »................................................................................ 58 10. Diagramme de l’aplication .................................................................................................... 59 VIII. Gestion de l’accés à l’aplication ............................................................................................... 60 1. Changement de la page d’aceuil ........................................................................................... 60 2. Création du bean «AuthenticationBean » ............................................................................. 61 3. Liaison avec la page Authentification ................................................................................... 63 4. Ajout des « navigation rules » ............................................................................................... 64 5. Changement de la page entete ............................................................................................. 65 IX. Deploiement de l’application ................................................................................................... 66 1. Création du fichier war .......................................................................................................... 66 2. Déployer l'application............................................................................................................ 66 2 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 3. I. But de Tutoriel Le but de ce tutoriel est de créer une application web pour la gestion d’un parc informatique en utilisant la plateforme J2EE avec les frameworks JSF, Richfaces, Hibernate et Spring. Les interfaces graphiques (couche présentation) seront crées avec JSF et RichFaces, la couche métier et la couche accès au données seront crées avec Spring et Hibernate. La base de données étant une base MySQL composée de 4 tables : équipement, intervention, personnel et service. II. Structure de la base de données -- Base de données: `gestion_parc` -- Structure de la table `service` CREATE TABLE `service` ( `serv_code` char(3) NOT NULL default '', `serv_lib` varchar(25) NOT NULL default '', `serv_descr` text, PRIMARY KEY (`serv_code`) ) ENGINE=InnoDB DEFAULT CHARSET=latin1; -- Structure de la table `equipement` CREATE TABLE `equipement` ( `eq_id` int(3) NOT NULL auto_increment, `eq_lib` varchar(25) NOT NULL default '', `eq_etat` varchar(12) default NULL, `eq_descr` text, `eq_serv` char(3) NOT NULL default '', PRIMARY KEY (`eq_id`), KEY `eq_serv` (`eq_serv`) ) ENGINE=InnoDB DEFAULT CHARSET=latin1 AUTO_INCREMENT=1 ; -- Structure de la table `personnel` CREATE TABLE `personnel` ( `pers_id` int(3) NOT NULL auto_increment, 3 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 4. `pers_nom` varchar(15) NOT NULL default '', `pers_prenom` varchar(15) NOT NULL default '', `pers_login` varchar(8) NOT NULL default '', `pers_password` varchar(6) NOT NULL default '', `pers_droit` varchar(5) NOT NULL default '', `pers_serv` char(3) NOT NULL default '', PRIMARY KEY (`pers_id`), KEY `pers_serv` (`pers_serv`) ) ENGINE=InnoDB DEFAULT CHARSET=latin1 AUTO_INCREMENT=1 ; -- Structure de la table `interventions` CREATE TABLE `interventions` ( `interv_id` int(3) NOT NULL auto_increment, `interv_date` date NOT NULL default '0000-00-00', `interv_pers` int(3) NOT NULL default '0', `interv_eq` int(3) NOT NULL default '0', PRIMARY KEY (`interv_id`), KEY `interv_eq` (`interv_eq`), KEY `interv_pers` (`interv_pers`) ) ENGINE=InnoDB DEFAULT CHARSET=latin1 AUTO_INCREMENT=1 ; -- Contraintes pour les tables exportées -- Contraintes pour la table `equipement` ALTER TABLE `equipement` ADD CONSTRAINT `equipement_ibfk_1` FOREIGN KEY (`eq_serv`) REFERENCES `service` (`serv_code`); -- Contraintes pour la table `interventions` ALTER TABLE `interventions` ADD CONSTRAINT `interventions_ibfk_2` FOREIGN KEY (`interv_eq`) REFERENCES `equipement` (`eq_id`), ADD CONSTRAINT `interventions_ibfk_1` FOREIGN KEY (`interv_pers`) REFERENCES `personnel` (`pers_id`); -- Contraintes pour la table `personnel` ALTER TABLE `personnel` ADD CONSTRAINT `personnel_ibfk_1` FOREIGN KEY (`pers_serv`) REFERENCES `service` (`serv_code`); III. Création du Projet Pour pouvoir utiliser RichFaces il faut ajouter ce plugin à NetBeans 1) Télécharger le plugin RichFaces pour NetBeans à partir de cette adresse: http://plugins.netbeans.org/PluginPortal/faces/PluginDetailPage.jsp?pluginid=8934 Le fichier téléchargé est un fichier ZIP qui contient 2 fichiers .nbm (module pour NetBeans) 2) Décompresser l’archive zip pour extraire ces 2 fichiers. 3) Ouvrir NetBeans puis dans l’onglet « tools » choisir « plugins ». 4 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 5. 4) Dans l’onglet « downloaded » cliquer sur « add plugin » et spécifier le chemin des 2 fichiers qu’on a décompressé dans l’étape 2 puis cliquer sur « Install ». 5) Télécharger la dernière version stable de RichFaces (RichFaces 3.3.2.SR1) à partir de cette adresse : http://www.jboss.org/richfaces/download/stable.html. Le fichier téléchargé est un fichier zip qui contient la documentation technique de l’api ainsi que les librairies RichFaces (3 fichier .jar dans le dossier lib). Créer un nouveau projet : Choisir java webweb application Donner un nom à votre projet. 5 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 6. Spécifier le serveur à utiliser (Apache tomcat) et la version de JAVA EE (JAVA EE 5). Choisir les Framework JSF et Richfaces puis cliquer sur « Finish » 6 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 7. Maintenant vous avez crée votre premier projet Web. Pour le moment on va utiliser seulement les frameworks JSF/Richfaces pour concevoir les interfaces graphiques de notre application. Si vous ouvrez le fichier web.xml et le fichier faces-config.xml vous constatez que netbeans à généré automatiquement les configurations nécessaires pour que notre application web supporte JSF et il a créé aussi une page « welcomeJSF.jsp » et un package « org.my.richfaces » contenant un managed bean appelé « RichFacesBean». Le plugin richfaces qu’on a installé ne contient pas les 3 jars nécessaires pour faire fonctionner les pages RichFaces donc on doit les ajouter manuellement. Dans les propriétés du projet (bouton droitpropriétés) on choisit « Libraries ». Dans cet onglet on trouve les libraries utilisées dans notre projet on sélectionne la librairie RichFaces puis on clique sur « edit ». 7 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 8. Clique ensuite sur « add jar/folder » et choisir les 3 fichiers .jar contenu dans le fichier ZIP qu’on a téléchargé dans l’étape 5. IV. Création des Interfaces Graphiques Cette application sera constituée de 7 pages Web : - Page Authentification - Page entête - page Menu - page Service - page Personnel - page équipement - page personnel 1. Page Authentification h:inputText Rich :panel h:inputSecret h:outputText a4j:commandButtonnp utSecret Code de la page <%-- Document : Authentification Created on : 25 janv. 2010, 21:30:57 Author : jihed --%> 8 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 9. <%@taglib uri="http://richfaces.org/a4j" prefix="a4j"%> <%@taglib uri="http://richfaces.org/rich" prefix="rich"%> <%@taglib prefix="f" uri="http://java.sun.com/jsf/core"%> <%@taglib prefix="h" uri="http://java.sun.com/jsf/html"%> <%@page contentType="text/html" pageEncoding="UTF-8"%> <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <f:view> <html> <head> <meta http-equiv="Content-Type" content="text/html; charset=UTF-8"> <title>Authentification</title> </head> <body > <rich:spacer height="200px"></rich:spacer> <center > <rich:panel style="background-image:url(#{facesContext.externalContext.requestContextPath}/images/ajax/userauth.png); background-repeat:no-repeat;background-position:-35px -15px; ;width:400px;" header="Authentification" styleClass="panel_3"> <h:panelGrid columns="3"> <h:outputText value="Login:" /> <h:inputText id="log" value="" required="true" requiredMessage="champs obligatoire" /> <rich:message for="log" style="color: red"/> <h:outputText value="Mot de passe :" /> <h:inputSecret id="mdp" value="" required="true" requiredMessage="champs obligatoire" /> <rich:message for="mdp" style="color: red"/> </h:panelGrid> <rich:spacer height="30px"></rich:spacer> <a4j:commandButton value ="Connexion" /> </rich:panel> </center> </body> </html> </f:view> 2. Page entête La page entête sera inclut dans les Pages : service, interventions, équipement et personnel Code de la page <%-- Document : Entete Created on : 25 janv. 2010, 21:47:07 Author : jihed --%> <%@taglib uri="http://richfaces.org/a4j" prefix="a4j"%> <%@taglib uri="http://richfaces.org/rich" prefix="rich"%> <%@taglib prefix="f" uri="http://java.sun.com/jsf/core"%> <%@taglib prefix="h" uri="http://java.sun.com/jsf/html"%> <%@page contentType="text/html" pageEncoding="UTF-8"%> <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <h:panelGrid columns="10" > <h:outputText id="dtjr" value="" styleClass="titre_gris"/> <rich:spacer width="275px"/> <h:outputText id="cnum" value="" styleClass="titre_bleu"/> <rich:spacer width="6px"/> <h:outputText value=" | " styleClass="titre2"/> <rich:spacer width="6px"/> <h:outputText id="nomuser" value="" styleClass="titre_bleu"/> <rich:spacer width="275px"/> <h:outputText value="" styleClass="titre_gris"/> <h:form> <h:panelGrid columns="3"> <a4j:commandButton image="/images/ajax/home.gif"> <rich:toolTip showDelay="500"> Acceuil </rich:toolTip> </a4j:commandButton> 9 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 10. <rich:spacer width="2px"/> <a4j:commandButton id="dec_btn" image="/images/ajax/lock.gif"> <rich:toolTip showDelay="500"> Déconnexion </rich:toolTip> </a4j:commandButton> </h:panelGrid> </h:form> </h:panelGrid> 3. Page Menu La page entête sera inclut dans les Pages : service, interventions, équipement et personnel Code de la page <%@page contentType="text/html"%> <%@page pageEncoding="UTF-8"%> <%@taglib uri="http://richfaces.org/a4j" prefix="a4j"%> <%@taglib uri="http://richfaces.org/rich" prefix="rich"%> <%@taglib prefix="f" uri="http://java.sun.com/jsf/core"%> <%@taglib prefix="h" uri="http://java.sun.com/jsf/html"%> <rich:toolBar itemSeparator="line" height="20px"> <rich:dropDownMenu> <f:facet name="label"> <h:panelGrid cellpadding="0" cellspacing="0" columns="5" style="vertical-align:middle"> <h:outputText value="Services"/> </h:panelGrid> </f:facet> <rich:menuItem submitMode="none" value="Gestion service" onclick="document.location.href='/TP-JSF/faces/Service.jsp'"/> </rich:dropDownMenu> <rich:dropDownMenu> <f:facet name="label"> <h:panelGrid cellpadding="0" cellspacing="0" columns="5" style="vertical-align:middle"> <h:outputText value="Personnel" /> </h:panelGrid> </f:facet> <rich:menuItem submitMode="none" value="Gestion Personnel" onclick="document.location.href='/TP-JSF/faces/Personnel.jsp'"/> </rich:dropDownMenu> <rich:dropDownMenu> <f:facet name="label"> <h:panelGrid cellpadding="0" cellspacing="0" columns="5" style="vertical-align:middle"> <h:outputText value="Equipements" /> </h:panelGrid> </f:facet> <rich:menuItem submitMode="none" value="Gestion Equipements" onclick="document.location.href='/TP-JSF/faces/Equipement.jsp'"/> </rich:dropDownMenu> <rich:dropDownMenu> <f:facet name="label"> <h:panelGrid cellpadding="0" cellspacing="0" columns="1" style="vertical-align:middle"> <h:outputText value="Interventions" /> </h:panelGrid> </f:facet> <rich:menuItem submitMode="none" value="Gestion Interventions" onclick="document.location.href='/TP-JSF/faces/Interventions.jsp'"/> </rich:dropDownMenu> </rich:toolBar> 10 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 11. 4. Page Services rich :dataTable Code de la page <%-- Document : Service Created on : 12 déc. 2009, 23:46:35 Author : jihed --%> <%@taglib uri="http://richfaces.org/a4j" prefix="a4j"%> <%@taglib uri="http://richfaces.org/rich" prefix="rich"%> <%@taglib prefix="f" uri="http://java.sun.com/jsf/core"%> <%@taglib prefix="h" uri="http://java.sun.com/jsf/html"%> <%@page contentType="text/html" pageEncoding="UTF-8"%> <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <f:view> <html> <head> <meta http-equiv="Content-Type" content="text/html; charset=UTF-8"> <LINK rel="stylesheet" type="text/css" href="commun_styles.css"/> <title>Service</title> </head> <body> <h:form id="formservice"> <a4j:include viewId="Entete.jsp"/> <a4j:include viewId="menu.jsp"/> <rich:spacer height="50px" /> <h:outputText id="infomsg" value="" styleClass="valid_message"/> <center> <rich:tabPanel style="width:500px;"> <rich:tab label="Services"> <h:panelGrid width="450px" columns="1"> <rich:panel header="Liste Services" > <rich:dataTable onRowMouseOver="this.style.backgroundColor='#B5CEFD'" onRowMouseOut="this.style.backgroundColor='#{org.richfaces.SKIN.tableBackgroundColor}'" onRowClick="this.style.backgroundColor='#F1F1F1'" rows="8" width="100%" id="tbl" value="" var="serv"> <rich:column> <f:facet name="header"> <h:outputText value="Code" /> 11 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 12. </f:facet> <h:outputText value="" /> </rich:column> <rich:column width="230px"> <f:facet name="header"> <h:outputText value="Libellé" /> </f:facet> <h:outputText value="" /> </rich:column> <rich:column style="text-align:center"> <f:facet name="header"> <h:outputText value="Modifier" /> </f:facet> <a4j:commandLink > <h:graphicImage style="border:0"url="/images/ajax/edit16.png" /> </a4j:commandLink> </rich:column> <rich:column style="text-align:center"> <f:facet name="header"> <h:outputText value="Supprimer" /> </f:facet> <a4j:commandLink onclick="if(confirm('Voulez vous confirmer la suppression?') == false ) return false;" > <h:graphicImage style="border:0" url="/images/ajax/delete16.png" /> </a4j:commandLink> </rich:column> <f:facet name="footer"> <rich:datascroller /> </f:facet> </rich:dataTable> </rich:panel> <rich:panel header="Informations générales"> <h:panelGrid columns="2" width="350" > <h:outputText value="Code Service : " /> <h:inputText id="codserv" value=""size="25" maxlength="30"> </h:inputText> <h:outputText value="Libellé : " /> <h:inputText value="" id="libserv" size="25" maxlength="30" /> <h:outputText value="Description : " /> <h:inputText id="descrserv" value="" size="25" maxlength="50" /> </h:panelGrid> </rich:panel> </h:panelGrid> <h:panelGrid id="crud_panel" columns="5"> <a4j:commandButton id="nouvserv" value="Nouveau" style="width:85px"/> <a4j:commandButton id="modifserv" value="Modifier" style="width:85px"/> <a4j:commandButton id="suppserv" value="Supprimer" style="width:85px"/> <a4j:commandButton id="validserv" value="Valider" style="width:85px"/> <a4j:commandButton id="annulserv" value="Annuler" style="width:85px"/> </h:panelGrid> </rich:tab> </rich:tabPanel> </center> </h:form> </body> </html> </f:view> 12 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 13. 5. Page Personnel h:selectOneRadio rich:comboBox Code de la page <%-- Document : Personnel Created on : 25 janv. 2010, 23:50:10 Author : jihed --%> <%@taglib uri="http://richfaces.org/a4j" prefix="a4j"%> <%@taglib uri="http://richfaces.org/rich" prefix="rich"%> <%@taglib prefix="f" uri="http://java.sun.com/jsf/core"%> <%@taglib prefix="h" uri="http://java.sun.com/jsf/html"%> <%@page contentType="text/html" pageEncoding="UTF-8"%> <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <f:view> <html> <head> <meta http-equiv="Content-Type" content="text/html; charset=UTF-8"> <LINK rel="stylesheet" type="text/css" href="commun_styles.css"/> <title>Personnel</title> </head> <body> <h:form id="formpersonnel"> <a4j:include viewId="Entete.jsp"/> <a4j:include viewId="menu.jsp"/> <rich:spacer height="50px" /> <h:outputText id="infomsg" value="" styleClass="valid_message"/> <center> <rich:tabPanel style="width:500px;"> <rich:tab label="Personnel"> <h:panelGrid width="450px" columns="1"> <rich:panel header="Liste Personnel" > <rich:dataTable onRowMouseOver="this.style.backgroundColor='#B5CEFD'" onRowMouseOut="this.style.backgroundColor='#{org.richfaces.SKIN.tableBackgroundColor}'" onRowClick="this.style.backgroundColor='#F1F1F1'" rows="8" width="100%" id="tbl" value="" var="pers"> <rich:column> <f:facet name="header"> 13 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 14. <h:outputText value="Nom" /> </f:facet> <h:outputText value="" /> </rich:column> <rich:column > <f:facet name="header"> <h:outputText value="Prénom" /> </f:facet> <h:outputText value="" /> </rich:column> <rich:column > <f:facet name="header"> <h:outputText value="Login" /> </f:facet> <h:outputText value="" /> </rich:column> <rich:column > <f:facet name="header"> <h:outputText value="Droit" /> </f:facet> <h:outputText value="" /> </rich:column> <rich:column style="text-align:center"> <f:facet name="header"> <h:outputText value="Modifier" /> </f:facet> <a4j:commandLink > <h:graphicImage style="border:0"url="/images/ajax/edit16.png" /> </a4j:commandLink> </rich:column> <rich:column style="text-align:center"> <f:facet name="header"> <h:outputText value="Supprimer" /> </f:facet> <a4j:commandLink onclick="if(confirm('Voulez vous confirmer la suppression?') == false ) return false;" > <h:graphicImage style="border:0" url="/images/ajax/delete16.png" /> </a4j:commandLink> </rich:column> <f:facet name="footer"> <rich:datascroller /> </f:facet> </rich:dataTable> </rich:panel> <rich:panel header="Informations générales"> <h:panelGrid columns="2" width="350" > <h:outputText value="Nom : " /> <h:inputText id="nompers" value="" size="25" maxlength="30"> </h:inputText> <h:outputText value="Prénom : " /> <h:inputText value="" id="prepers" size="25" maxlength="30" /> <h:outputText value="Login : " /> <h:inputText id="logpers" value="" size="25" maxlength="50" /> <h:outputText value="Password : " /> <h:inputSecret id="pwdpers" value="" size="25" maxlength="50" /> <h:outputText value="Droit : " /> <h:selectOneRadio id="drpers" value="" disabled=""> <f:selectItem itemLabel="Utilisateur" itemValue="user" /> <f:selectItem itemLabel="Administrateur" itemValue="admin" /> </h:selectOneRadio> <h:outputText value="Service : " /> <rich:comboBox id="servpers" defaultLabel="Entrez une valeur" value="" required="true"> </rich:comboBox> </h:panelGrid> </rich:panel> </h:panelGrid> <h:panelGrid id="crud_panel" columns="5"> <a4j:commandButton id="nouvpers" value="Nouveau" style="width:85px"/> <a4j:commandButton id="modifpers" value="Modifier" style="width:85px"/> <a4j:commandButton id="supppers" value="Supprimer" style="width:85px"/> <a4j:commandButton id="validpers" value="Valider" style="width:85px"/> 14 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 15. <a4j:commandButton id="annulpers" value="Annuler" style="width:85px"/> </h:panelGrid> </rich:tab> </rich:tabPanel> </center> </h:form> </body> </html> </f:view> 6. Page Equipement h: inputTextarea Code de la page <%-- Document : Equipement Created on : 25 janv. 2010, 23:50:10 Author : jihed --%> <%@taglib uri="http://richfaces.org/a4j" prefix="a4j"%> <%@taglib uri="http://richfaces.org/rich" prefix="rich"%> <%@taglib prefix="f" uri="http://java.sun.com/jsf/core"%> <%@taglib prefix="h" uri="http://java.sun.com/jsf/html"%> <%@page contentType="text/html" pageEncoding="UTF-8"%> <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <f:view> <html> <head> <meta http-equiv="Content-Type" content="text/html; charset=UTF-8"> <LINK rel="stylesheet" type="text/css" href="commun_styles.css"/> <title>Equipement</title> </head> <body> <h:form id="formequipement"> <a4j:include viewId="Entete.jsp"/> <a4j:include viewId="menu.jsp"/> <rich:spacer height="50px" /> <h:outputText id="infomsg" value="" styleClass="valid_message"/> <center> <rich:tabPanel style="width:500px;"> <rich:tab label="Equipement"> <h:panelGrid width="450px" columns="1"> <rich:panel header="Liste Equipement" > 15 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 16. <rich:dataTable onRowMouseOver="this.style.backgroundColor='#B5CEFD'" onRowMouseOut="this.style.backgroundColor='#{org.richfaces.SKIN.tableBackgroundColor}'" onRowClick="this.style.backgroundColor='#F1F1F1'" rows="8" width="100%" id="tbl" value="" var="equip"> <rich:column> <f:facet name="header"> <h:outputText value="Libellé" /> </f:facet> <h:outputText value="" /> </rich:column> <rich:column > <f:facet name="header"> <h:outputText value="Etat" /> </f:facet> <h:outputText value="" /> </rich:column> <rich:column > <f:facet name="header"> <h:outputText value="Service" /> </f:facet> <h:outputText value="" /> </rich:column> <rich:column style="text-align:center"> <f:facet name="header"> <h:outputText value="Modifier" /> </f:facet> <a4j:commandLink > <h:graphicImage style="border:0"url="/images/ajax/edit16.png" /> </a4j:commandLink> </rich:column> <rich:column style="text-align:center"> <f:facet name="header"> <h:outputText value="Supprimer" /> </f:facet> <a4j:commandLink onclick="if(confirm('Voulez vous confirmer la suppression?') == false ) return false;" > <h:graphicImage style="border:0" url="/images/ajax/delete16.png" /> </a4j:commandLink> </rich:column> <f:facet name="footer"> <rich:datascroller /> </f:facet> </rich:dataTable> </rich:panel> <rich:panel header="Informations générales"> <h:panelGrid columns="2" width="350" > <h:outputText value="Libellé : " /> <h:inputText id="libquip" value="" size="25" maxlength="30"> </h:inputText> <h:outputText value="Description : " /> <h:inputTextarea value="" id="descrequip" rows="3" /> <h:outputText value="Etat : " /> <h:selectOneRadio id="etatequip" value="" > <f:selectItem itemLabel="Fonctionnel" itemValue="1" /> <f:selectItem itemLabel="En Panne" itemValue="0" /> </h:selectOneRadio> <h:outputText value="Service : " /> <rich:comboBox id="servequip" defaultLabel="Entrez une valeur" value="" required="true"> </rich:comboBox> </h:panelGrid> </rich:panel> </h:panelGrid> <h:panelGrid id="crud_panel" columns="5"> <a4j:commandButton id="nouvequip" value="Nouveau" style="width:85px"/> <a4j:commandButton id="modifequip" value="Modifier" style="width:85px"/> <a4j:commandButton id="suppequip" value="Supprimer" style="width:85px"/> <a4j:commandButton id="validequip" value="Valider" style="width:85px"/> <a4j:commandButton id="annulequip" value="Annuler" style="width:85px"/> </h:panelGrid> </rich:tab> 16 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 17. </rich:tabPanel> </center> </h:form> </body> </html> </f:view> 7. Page interventions rich : calendar Code de la page <%-- Document : Intervention Created on : 25 janv. 2010, 23:50:10 Author : jihed --%> <%@taglib uri="http://richfaces.org/a4j" prefix="a4j"%> <%@taglib uri="http://richfaces.org/rich" prefix="rich"%> <%@taglib prefix="f" uri="http://java.sun.com/jsf/core"%> <%@taglib prefix="h" uri="http://java.sun.com/jsf/html"%> <%@page contentType="text/html" pageEncoding="UTF-8"%> <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <f:view> <html> <head> <meta http-equiv="Content-Type" content="text/html; charset=UTF-8"> <LINK rel="stylesheet" type="text/css" href="commun_styles.css"/> <title>Intervention</title> </head> <body> <h:form id="formintervention"> <a4j:include viewId="Entete.jsp"/> <a4j:include viewId="menu.jsp"/> <rich:spacer height="50px" /> <h:outputText id="infomsg" value="" styleClass="valid_message"/> <center> <rich:tabPanel style="width:500px;"> <rich:tab label="Intervention"> <h:panelGrid width="450px" columns="1"> <rich:panel header="Liste Interventions" > <rich:dataTable onRowMouseOver="this.style.backgroundColor='#B5CEFD'" onRowMouseOut="this.style.backgroundColor='#{org.richfaces.SKIN.tableBackgroundColor}'" onRowClick="this.style.backgroundColor='#F1F1F1'" rows="8" width="100%" id="tbl" value="" var="interv"> <rich:column> 17 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 18. <f:facet name="header"> <h:outputText value="Equipement" /> </f:facet> <h:outputText value="" /> </rich:column> <rich:column > <f:facet name="header"> <h:outputText value="Intervenant" /> </f:facet> <h:outputText value="" /> </rich:column> <rich:column > <f:facet name="header"> <h:outputText value="Date" /> </f:facet> <h:outputText value="" > <f:convertDateTime pattern="dd/MM/yyyy" /> </h:outputText> </rich:column> <rich:column style="text-align:center"> <f:facet name="header"> <h:outputText value="Modifier" /> </f:facet> <a4j:commandLink > <h:graphicImage style="border:0"url="/images/ajax/edit16.png" /> </a4j:commandLink> </rich:column> <rich:column style="text-align:center"> <f:facet name="header"> <h:outputText value="Supprimer" /> </f:facet> <a4j:commandLink onclick="if(confirm('Voulez vous confirmer la suppression?') == false ) return false;" > <h:graphicImage style="border:0" url="/images/ajax/delete16.png" /> </a4j:commandLink> </rich:column> <f:facet name="footer"> <rich:datascroller /> </f:facet> </rich:dataTable> </rich:panel> <rich:panel header="Informations générales"> <h:panelGrid columns="2" width="350" > <h:outputText value="Equipement : " /> <rich:comboBox id="eqpinterv" defaultLabel="Entrez une valeur" value="" required="true"> </rich:comboBox> <h:outputText value="Intervenant : " /> <rich:comboBox id="persinterv" defaultLabel="Entrez une valeur" value="" required="true"> </rich:comboBox> <h:outputText value="Date intervention : " /> <rich:calendar id="foFiscal" value="" popup="true" datePattern="dd/MM/yyyy" cellWidth="24px" cellHeight="22px" /> </h:panelGrid> </rich:panel> </h:panelGrid> <h:panelGrid id="crud_panel" columns="5"> <a4j:commandButton id="nouvinterv" value="Nouveau" style="width:85px"/> <a4j:commandButton id="modifinterv" value="Modifier" style="width:85px"/> <a4j:commandButton id="suppinterv" value="Supprimer" style="width:85px"/> <a4j:commandButton id="validinterv" value="Valider" style="width:85px"/> <a4j:commandButton id="annulinterv" value="Annuler" style="width:85px"/> </h:panelGrid> </rich:tab> </rich:tabPanel> </center> </h:form> </body> </html> </f:view> 18 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 19. V. Génération des fichiers de mapping Après avoir crée les interfaces graphiques de notre application on va générer les fichiers de mapping et les classes entité de notre projet. On commencera par la création de fichier de configuration d’Hibernate « hibernate.cfg.xml » 19 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 20. 20 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 21. Si on clique sur « ok » le fichier « hibernate.cfg.xml » sera crée dans le package par défaut « default package » ce fichier contient les paramètres de connexion à la base(dialecte, pilote de la base de données , url ,utilisateur, mot de passe) Les librairies de Hibernate ainsi que le driver de MySQL seront ajoutées automatiquement dans la configuration de notre projet. 21 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 22. Pour créer les fichiers de mapping et les classes entités on clique sur : « new »  « other » « hibernate » « hibernate Mapping File and pojo from database» 22 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 23. 23 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 24. Si vous cliquez sur « finish » les fichiers de mapping et les classes représentant les tables de la base seront crées automatiquement dans le package mapping qu’on spécifié à l’étape précédente. La validation de cette étape génère un fichier « hibernate.reveng.xml » La liste des fichiers de mapping crées seront ajoutés dans le fichier « hibernate.cfg.xml » 24 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 25. On va créer un autre package qu’on l’appellera « Entity » et on va déplacer les fichiers « .java » générés dans ce package. On sélectionne les fichiers à déplacer et on fait drag and drop dans le package Entity. On valide le déplacement des fichiers en cliquant sur « Refactor ». Arborescence des classes du projet. 25 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 26. VI. Intégration de Spring 1. Ajout de la librairie Spring La p emiére étape pour intégrer spring dans notre application web consiste à ajouter le librarairie de spring dans notre projet. On clique sur « add library » On clique sur « Import » On choisit le « Spring Framework 2.5 »puis on clique sur « import Library » 26 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 27. On valide par « add library » 2. Création du fichier de configuration Maintenant on passe à la création de fichier de configuration de Spring « applicationContext » ce fichier contient tous les beans qui seront gérés par Spring. 27 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 28. Le fichier doit être crée dans le dossier « WEB-INF » 28 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 29. On va commencer par définir les paramètres de connexion à notre base de données. En effet le fichier de configuration de Spring contient les mêmes informations qui se trouvent dans le fichier « hibernate.cfg.xml » ce qui rend ce fichier inutile et on pourra ainsi le supprimer. Ensuite on spécifie les paramètres de générateur de session « session factory ». Cette configuration consiste à spécifier les paramètres d’Hibernate, les fichiers de mapping utilisées et la classe responsable de la gestion de la session. On va déclarer aussi le Bean de gestion des erreurs liées aux exceptions SQL. 29 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 30. On déclare le Bean HibernateTemplate. La classe HibernateTemplate fournit des méthodes pour assurer la persistance des objets dans la base de données en utilisant Hibernate. On déclare le gestionnaire de transaction pour hibernate. Après avoir effectué les configurations de base dans le fichier « applicationContext » on déclare dans le descripteur de déploiement « web.xml » les configurations liées à l’utilisation de Spring. On ajoute aussi dans le fichier « faces-config.xml » la déclaration de l’utilisation de Spring. Cette déclaration permet à JSF de voir les beans déclarés dans le fichier de configuration de Spring. 3. Création de la couche Service et la couche DAO On passe maintenant à la création de la couche Service et la couche DAO. On crée un nouveau package qu’on l’appellera « Interfaces » et on crée dedans deux interfaces « interfaceDAO » et « interfaceService ». Les interfaces DAO et Service contiennet la définition des méthodes qu’on va utiliser. Dans notre exemple on va utiliser seulement 4 méthodes : Save : pour enregistrer les objets dans la base. Modify : pour modifier un enregistrement existant. Delete : pour supprimer un enregistrement. Findall : pour récupérer la liste des enregistrements dans la base. 30 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 31. InterfaceDAO package Interfaces; import java.util.List; /** * @author Jihed */ public interface InterfaceDAO { public void save(Object inst); public void modify(Object inst); public void delete(Object inst); public List findAll(); } InterfaceService package Interfaces; import java.util.List; /** * @author Jihed */ public interface InterfaceService { public void save(Object inst); public void modify(Object inst); public void delete(Object inst); public List findAll(); } On crée deux autres package « Implementation.service » et « implementation.dao » Dans le package « implementation.dao » on va implémenter l’interface DAO pour chaque classe de notre application. ServiceDaoImpl package Implementation.dao; import Entity.Service; import Interfaces.InterfaceDAO; import java.util.List; import org.springframework.orm.hibernate3.support.HibernateDaoSupport; public class ServiceDaoImpl extends HibernateDaoSupport implements InterfaceDAO { @Override public void save(Object inst) { Service serv = (Service) inst; this.getHibernateTemplate().save(serv); } @Override public void modify(Object inst) { Service serv = (Service) inst; this.getHibernateTemplate().update(serv); } @Override public void delete(Object inst) { Service serv = (Service) inst; this.getHibernateTemplate().delete(serv); } public List findAll() { return (List) this.getHibernateTemplate().loadAll(Service.class); } } PersonnelDaoImpl package Implementation.dao; import Entity.Personnel; import Interfaces.InterfaceDAO; import java.util.List; import org.springframework.orm.hibernate3.support.HibernateDaoSupport; public class PersonnelDaoImpl extends HibernateDaoSupport implements InterfaceDAO { @Override public void save(Object inst) { Personnel pers = (Personnel) inst; this.getHibernateTemplate().save(pers); } 31 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 32. @Override public void modify(Object inst) { Personnel pers = (Personnel) inst; this.getHibernateTemplate().update(pers); } @Override public void delete(Object inst) { Personnel pers = (Personnel) inst; this.getHibernateTemplate().delete(pers); } public List findAll() { return (List) this.getHibernateTemplate().loadAll(Personnel.class); } } EquipementDaoImpl package Implementation.dao; import Entity.Equipement; import Interfaces.InterfaceDAO; import java.util.List; import org.springframework.orm.hibernate3.support.HibernateDaoSupport; public class EquipementDaoImpl extends HibernateDaoSupport implements InterfaceDAO { @Override public void save(Object inst) { Equipement equip = (Equipement) inst; this.getHibernateTemplate().save(equip); } @Override public void modify(Object inst) { Equipement equip = (Equipement) inst; this.getHibernateTemplate().update(equip); } @Override public void delete(Object inst) { Equipement equip = (Equipement) inst; this.getHibernateTemplate().delete(equip); } public List findAll() { return (List) this.getHibernateTemplate().loadAll(Equipement.class); } } InterventionsDaoImpl package Implementation.dao; import Entity.Interventions; import Interfaces.InterfaceDAO; import java.util.List; import org.springframework.orm.hibernate3.support.HibernateDaoSupport; public class InterventionsDaoImpl extends HibernateDaoSupport implements InterfaceDAO { @Override public void save(Object inst) { Interventions interv = (Interventions) inst; this.getHibernateTemplate().save(interv); } @Override public void modify(Object inst) { Interventions interv = (Interventions) inst; this.getHibernateTemplate().update(interv); } @Override public void delete(Object inst) { Interventions interv = (Interventions) inst; this.getHibernateTemplate().delete(interv); } public List findAll() { return (List) this.getHibernateTemplate().loadAll(Interventions.class); } } Après avoir créé la couche DAO on va passer à la création de la couche service. Celle-ci fait appel à la couche DAO. ServiceServiceImpl 32 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 33. package Implementation.service; import Entity.Service; import Interfaces.InterfaceDAO; import Interfaces.InterfaceService; import java.util.List; public class ServiceServiceImpl implements InterfaceService { private InterfaceDAO serviceDao; public void save(Object instance) { Service serv = (Service) instance; serviceDao.save(serv); } public void modify(Object instance) { Service serv = (Service) instance; serviceDao.modify(serv); } public void delete(Object instance) { Service serv = (Service) instance; serviceDao.delete(serv); } public List findAll() { return serviceDao.findAll(); } public InterfaceDAO getServiceDao() { return serviceDao; } public void setServiceDao(InterfaceDAO serviceDao) { this.serviceDao = serviceDao; } } PersonenlServiceImpl package Implementation.service; import Entity.Personnel; import Interfaces.InterfaceDAO; import Interfaces.InterfaceService; import java.util.List; public class PersonnelServiceImpl implements InterfaceService { private InterfaceDAO personnelDao; public void save(Object instance) { Personnel pers = (Personnel) instance; personnelDao.save(pers); } public void modify(Object instance) { Personnel pers = (Personnel) instance; personnelDao.modify(pers); } public void delete(Object instance) { Personnel pers = (Personnel) instance; personnelDao.delete(pers); } public List findAll() { return personnelDao.findAll(); } public InterfaceDAO getPersonnelDao() { return personnelDao; } public void setPersonnelDao(InterfaceDAO personnelDao) { this.personnelDao = personnelDao; } } EquipementlServiceImpl package Implementation.service; import Entity.Equipement; import Interfaces.InterfaceDAO; import Interfaces.InterfaceService; import java.util.List; public class EquipementServiceImpl implements InterfaceService { private InterfaceDAO equipDao; public void save(Object instance) { Equipement equip = (Equipement) instance; equipDao.save(equip); } public void modify(Object instance) { Equipement equip = (Equipement) instance; equipDao.modify(equip); } public void delete(Object instance) { Equipement equip = (Equipement) instance; equipDao.delete(equip); } public List findAll() { return equipDao.findAll(); } 33 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 34. public InterfaceDAO getEquipDao() { return equipDao; } public void setEquipDao(InterfaceDAO equipDao) { this.equipDao = equipDao; } } InterventionsServiceImpl package Implementation.service; import Entity.Interventions; import Interfaces.InterfaceDAO; import Interfaces.InterfaceService; import java.util.List; public class InterventionsServiceImpl implements InterfaceService { private InterfaceDAO intervDao; public void save(Object instance) { Interventions interv = (Interventions) instance; intervDao.save(interv); } public void modify(Object instance) { Interventions interv = (Interventions) instance; intervDao.modify(interv); } public void delete(Object instance) { Interventions interv = (Interventions) instance; intervDao.delete(interv); } public List findAll() { return intervDao.findAll(); } public InterfaceDAO getIntervDao() { return intervDao; } public void setIntervDao(InterfaceDAO intervDao) { this.intervDao = intervDao; } } Après avoir crée ces classes on va les déclarer dans le fichier de configuration de Spring. 34 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 35. Les beans DAO font référence au Bean hibernatetemplate tant disque les Beans services font références aux beans DAO associés.La déclaration des beans au niveau du fichier de configuration de Spring est terminé. applicationContext <?xml version="1.0" encoding="UTF-8"?> <beans xmlns="http://www.springframework.org/schema/beans" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:aop="http://www.springframework.org/schema/aop" xmlns:tx="http://www.springframework.org/schema/tx" xmlns:p="http://www.springframework.org/schema/p" xsi:schemaLocation="http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans- 2.5.xsd http://www.springframework.org/schema/aop http://www.springframework.org/schema/aop/spring-aop-2.5.xsd http://www.springframework.org/schema/tx http://www.springframework.org/schema/tx/spring-tx-2.5.xsd"> <!--Data Source Definition--> <bean id="dataSource" class="org.springframework.jdbc.datasource.DriverManagerDataSource"> <property name="driverClassName"> <value>com.mysql.jdbc.Driver</value> </property> <property name="url"> <value>jdbc:mysql://localhost:3306/gestion_parc</value> </property> <property name="username"> <value>root</value> </property> <property name="password"> <value>diag2000</value> </property> </bean> <!--Hibernate Session Factory Definition--> <bean id="sessionFactory" class="org.springframework.orm.hibernate3.LocalSessionFactoryBean"> <property name="mappingResources"> <list> <value>Mapping/Equipement.hbm.xml</value> <value>Mapping/Interventions.hbm.xml</value> <value>Mapping/Personnel.hbm.xml</value> <value>Mapping/Service.hbm.xml</value> </list> </property> <property name="hibernateProperties"> <props> <prop key="hibernate.dialect">org.hibernate.dialect.MySQLDialect</prop> <prop key="hibernate.show_sql">true</prop> <prop key="hibernate.cglib.use_reflection_optimizer">true</prop> <prop key="hibernate.cache.provider_class">org.hibernate.cache.HashtableCacheProvider</prop> </props> </property> <property name="dataSource"> <ref bean="dataSource"/> </property> </bean> <!--Spring Data Access Exception Translator Defintion--> <bean id="jdbcExceptionTranslator" class="org.springframework.jdbc.support.SQLErrorCodeSQLExceptionTranslator"> <property name="dataSource"> <ref bean="dataSource"/> </property> </bean> <!--Hibernate Template Defintion--> <bean id="hibernateTemplate" class="org.springframework.orm.hibernate3.HibernateTemplate"> <property name="sessionFactory"> <ref bean="sessionFactory"/> </property> <property name="jdbcExceptionTranslator"> <ref bean="jdbcExceptionTranslator"/> </property> </bean> 35 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 36. <!--Hibernate Transaction Manager Definition--> <bean id="transactionManager" class="org.springframework.orm.hibernate3.HibernateTransactionManager"> <property name="sessionFactory"> <ref local="sessionFactory"/> </property> </bean> <!--========================= Start of DAO BEANS DEFINITIONS =========================--> <bean id="serviceDao" class="Implementation.dao.ServiceDaoImpl"> <property name="hibernateTemplate" ref="hibernateTemplate"/> </bean> <bean id="persDao" class="Implementation.dao.PersonnelDaoImpl"> <property name="hibernateTemplate" ref="hibernateTemplate"/> </bean> <bean id="equipDao" class="Implementation.dao.EquipementDaoImpl"> <property name="hibernateTemplate" ref="hibernateTemplate"/> </bean> <bean id="intervDao" class="Implementation.dao.InterventionsDaoImpl"> <property name="hibernateTemplate" ref="hibernateTemplate"/> </bean> <!--========================= Start of SERVICE BEANS DEFINITIONS =========================--> <bean id="servService" class="Implementation.service.ServiceServiceImpl"> <property name="serviceDao" ref="serviceDao"/> </bean> <bean id="persService" class="Implementation.service.PersonnelServiceImpl"> <property name="personnelDao" ref="persDao"/> </bean> <bean id="equipService" class="Implementation.service.EquipementServiceImpl"> <property name="equipDao" ref="equipDao"/> </bean> <bean id="intervService" class="Implementation.service.InterventionsServiceImpl"> <property name="intervDao" ref="intervDao"/> </bean> </beans> Voici un shéma qui explique la relation entre les différents beans déclarés dans le fichier « applicationContext ». 36 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 37. VII. Création des « managed Beans » 1. Managed Bean pour la Classe Service On va maintenant créer nos « managed Beans » ( Beans gérés par JSF). On crée un nouveau package qu’on l’appelle Beans. Puis on crée un Managed Bean pour chaque Classe Entity. Les Managed Bean vont hériter d’une classe qu’on l’appellera mesageBean et qui contiendra les messages à afficher dans l’application. MessageBean package Beans; import java.io.Serializable; /** * @author Jihed */ public class messageBean implements Serializable { protected boolean etat = true; protected boolean invetat = false; protected static String mess_modif_true = "Modification effectuée avec succès"; protected static String mess_insert_true = "Ajout effectué avec succès"; protected static String mess_op_false = "Opération échouée"; protected static String mess_del_true = "Suppression effectuée avec succès"; protected String style_message; public void chageretat() { this.invetat = this.etat; this.etat = !this.etat; } //getters and setters } On passe maintenant à la création des managed Bean 37 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 38. Si on valide, le Bean crée sera automatiquement déclaré dans le fichier « faces-config.xml ». ServiceBean package Beans; /** * @author Jihed */ import Entity.Service; import Interfaces.InterfaceService; import java.io.Serializable; import java.util.ArrayList; import java.util.List; import org.ajax4jsf.model.KeepAlive; import org.richfaces.component.UIDataTable; public class ServiceBean extends messageBean implements Serializable { private Service serv; private InterfaceService servService; private boolean init; private Integer index = 0; private List service_list = new ArrayList(); private String message; private boolean nouveau; private UIDataTable dataTable; public void viderchamps() { message = ""; changeretat(); this.serv = new Service(); nouveau = true; } public void annuler() { message = ""; service_list = (List) getService_list(); serv = (Service) service_list.get(index); changeretat(); } public boolean isInit() { message = ""; 38 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 39. getService_list(); if (!(service_list.isEmpty())) { service_list = (List) getService_list(); serv = (Service) service_list.get(0); } etat = true; invetat = !etat; return init; } public void setInit(boolean init) { this.init = init; } public ServiceBean() { serv = new Service(); } public void create() { if (nouveau) { try { this.servService.save(this.serv); message = mess_insert_true; style_message = "valid_message"; } catch (Exception hx) { hx.printStackTrace(); message = mess_op_false; style_message = "err_message"; } } else { try { this.servService.modify(serv); message = mess_modif_true; style_message = "valid_message"; } catch (Exception hx) { hx.printStackTrace(); message = mess_op_false; style_message = "err_message"; } } changeretat(); } public void modifierligne() { this.serv = (Service) dataTable.getRowData(); message = ""; nouveau = false; changeretat(); } public void modifier() { message = ""; nouveau = false; changeretat(); } public void supprimer() { try { this.servService.delete(serv); message = mess_del_true; style_message = "valid_message"; if (index > 0) { index--; } service_list = (List) getService_list(); if (!service_list.isEmpty()) { serv = (Service) service_list.get(index); } else { viderchamps(); changeretat(); } } catch (Exception hx) { hx.printStackTrace(); message = mess_op_false; } } public Integer getIndex() { return index; } public void setIndex(Integer index) { this.index = index; } public String getMessage() { return message; } public void setMessage(String message) { this.message = message; } public boolean isNouveau() { return nouveau; } public void setNouveau(boolean nouveau) { this.nouveau = nouveau; } public Service getServ() { return serv; } 39 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 40. public void setServ(Service serv) { this.serv = serv; } public InterfaceService getServService() { return this.servService; } public void setServService(InterfaceService servService) { this.servService = servService; } public List getService_list() { service_list = this.servService.findAll(); return service_list; } public void setService_list(List service_list) { this.service_list = service_list; } public UIDataTable getDataTable() { return dataTable; } public void setDataTable(UIDataTable dataTable) { this.dataTable = dataTable; } } Dans le Bean « ServiceBean » on a déclaré un attribut de type « InterfaceService » donc on doit préciser la classe qui va implémenter cette interface. Or dans le fichier de configuration de spring on a spécifié les classes implémentant l’interface « InterfaceService » donc on ajoute une propriété à la déclaration du « ServiceBean » dans le fichier de configuration « faces-config.xml ». Le nom de la propriété est le même nom que l’attribut de type « InterfaceService » déclaré Dans le Bean « ServiceBean » et sa valeur est l’id du bean déclaré dans le fichier de configuration de spring. 2. Liaison avec la page Service Maintenant on va lier nos interfaces graphiques avec les Beans crées. On commence par la page service. On lie chaque input texte avec l’attribut de l’objet correspondant. Pour chaque inputText on ajoute l’attribut « disabled » cet attribut permet de définir l’état du champ de saisie (actif ou grisé). Pour les boutons on ajoute les méthodes qu’on va exécuter (attribut action) et les champs qu’on va actualiser après l’exécution de ces méthodes (attribut reRender qui reçoit les identifiants des composants à rafraichir comme paramètres). 40 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 41. Code de la page Service : <%-- Document : Service Created on : 12 déc. 2009, 23:46:35 Author : jihed --%> <%@taglib uri="http://richfaces.org/a4j" prefix="a4j"%> <%@taglib uri="http://richfaces.org/rich" prefix="rich"%> <%@taglib prefix="f" uri="http://java.sun.com/jsf/core"%> <%@taglib prefix="h" uri="http://java.sun.com/jsf/html"%> <%@page contentType="text/html" pageEncoding="UTF-8"%> <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <f:view> <html> <head> <meta http-equiv="Content-Type" content="text/html; charset=UTF-8"> <LINK rel="stylesheet" type="text/css" href="commun_styles.css"/> <title>Service</title> </head> <body> <h:form id="formservice"> <a4j:include viewId="Entete.jsp"/> <a4j:include viewId="menu.jsp"/> <h:inputHidden value="#{ServiceBean.init}"/> <rich:spacer height="50px" /> <center> <rich:tabPanel style="width:500px;"> <rich:tab label="Services"> <h:outputText id="infomsg" value="#{ServiceBean.message}" styleClass="valid_message" /> <h:panelGrid width="450px" columns="1"> <rich:panel id="tablepanel" header="Liste Services" > <rich:dataTable binding="#{ServiceBean.dataTable}" onRowMouseOver="this.style.backgroundColor='#B5CEFD'" onRowMouseOut="this.style.backgroundColor='#{org.richfaces.SKIN.tableBackgroundColor}'" onRowClick="this.style.backgroundColor='#F1F1F1'" width="450px" rows="8" id="tbl" value="#{ServiceBean.service_list}" var="serv" > <rich:column width="80px"> <f:facet name="header"> <h:outputText value="Code" /> </f:facet> <h:outputText value="#{serv.servCode}" /> </rich:column> <rich:column width="230px" > <f:facet name="header"> <h:outputText value="Libellé" /> </f:facet> <h:outputText value="#{serv.servLib}" /> </rich:column> <rich:column style="text-align:center" width="70px" > <f:facet name="header"> <h:outputText value="Modifier" /> </f:facet> <a4j:commandLink action="#{ServiceBean.modifierligne}" reRender="infomsg,tablepanel,panelinfo,crud_panel"> <h:graphicImage style="border:0"url="/images/ajax/edit16.png" /> </a4j:commandLink> </rich:column> <rich:column style="text-align:center" width="70px"> <f:facet name="header"> <h:outputText value="Supprimer" /> </f:facet> <a4j:commandLink action="#{ServiceBean.supprimer}" ajaxSingle="true" reRender="infomsg,tablepanel,panelinfo,crud_panel"> <h:graphicImage style="border:0" url="/images/ajax/delete16.png" /> </a4j:commandLink> </rich:column> <f:facet name="footer"> <rich:datascroller /> </f:facet> </rich:dataTable> </rich:panel> 41 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 42. <rich:panel id="panelinfo" header="Informations générales"> <h:panelGrid columns="2" width="350" > <h:outputText value="Code Service : " /> <h:inputText disabled="#{ServiceBean.etat}" id="codserv" value="#{ServiceBean.serv.servCode}"size="25" maxlength="30"> </h:inputText> <h:outputText value="Libellé : " /> <h:inputText disabled="#{ServiceBean.etat}" value="#{ServiceBean.serv.servLib}" id="libserv" size="25" maxlength="30" /> <h:outputText value="Description : " /> <h:inputText disabled="#{ServiceBean.etat}" id="descrserv" value="#{ServiceBean.serv.servDescr}" size="25" maxlength="50" /> </h:panelGrid> </rich:panel> </h:panelGrid> <h:panelGrid id="crud_panel" columns="5"> <a4j:commandButton id="nouvserv" ajaxSingle="true" disabled="#{ServiceBean.invetat}" reRender="infomsg,tablepanel,panelinfo,crud_panel" value="Nouveau" action="#{ServiceBean.viderchamps}" style="width:85px"/> <a4j:commandButton id="modifserv" ajaxSingle="true" disabled="#{ServiceBean.invetat}" reRender="infomsg,tablepanel,panelinfo,crud_panel" value="Modifier" action="#{ServiceBean.modifier}"style="width:85px"/> <a4j:commandButton id="suppserv" ajaxSingle="true" disabled="#{ServiceBean.invetat}" reRender="infomsg,tablepanel,panelinfo,crud_panel" value="Supprimer" action="#{ServiceBean.supprimer}" style="width:85px"/> <a4j:commandButton id="validserv" disabled="#{ServiceBean.etat}" reRender="infomsg,tablepanel,panelinfo,crud_panel" value="Valider" action="#{ServiceBean.create}" style="width:85px"/> <a4j:commandButton id="annulserv" ajaxSingle="true" disabled="#{ServiceBean.etat}" reRender="infomsg,tablepanel,panelinfo,crud_panel" value="Annuler" action="#{ServiceBean.annuler}" style="width:85px"/> </h:panelGrid> </rich:tab> </rich:tabPanel> </center> </h:form> </body> </html> </f:view> 3. Managed Bean pour la Classe Personnel Le Bean PersonnelBean a pratiquement la même structure que le bean ServiceBean mais on va utiliser deux interfaces (interface servService pour les actions liées aux objets de type Service et l’interface persService pour les actions liées aux objets de type Personnel). On a donc déclaré une interface servService pour pouvoir récupérer la liste des services afin de les afficher dans un combo dans l’interface graphique. L’utilisation de deux interfaces se traduit dans le fichier « faces-config.xml » par la déclaration de deux propriétés. 42 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 43. D’autre part on va utiliser une hashTable (table indexé) qui contient le code service concaténé avec le lib Service comme clé pour identifier un objet de type service. Dans l’interface graphique le composant combo va recevoir comme valeur suggérés (suggestionValues) la liste des clés de la hashTable et à chaque fois qu’on selectionne une clé on peut pointer directement sur l’objet associé. Le code de bean Personne : package Beans; /** * @author Jihed */ import Entity.Personnel; import Entity.Service; import Interfaces.InterfaceService; import java.io.Serializable; import java.util.ArrayList; import java.util.Hashtable; import java.util.Iterator; import java.util.List; import org.richfaces.component.UIDataTable; public class PersonnelBean extends messageBean implements Serializable { private Personnel pers; private InterfaceService persService; private InterfaceService servService; 43 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 44. private List person_list = new ArrayList(); private List service_list = new ArrayList(); private Hashtable servlist = new Hashtable(); private String current_service; private boolean init; private Integer index = 0; private String message; private boolean nouveau; private UIDataTable dataTable; public void viderchamps() { message = ""; changeretat(); this.pers = new Personnel(); nouveau = true; } public void annuler() { message = ""; person_list = (List) getPerson_list(); pers = (Personnel) person_list.get(index); changeretat(); } public void chargercombo() { current_service = this.pers.getService().getServCode() + "-" + this.pers.getService().getServLib(); } public boolean isInit() { message = ""; getServlist(); getPerson_list(); if (!(person_list.isEmpty())) { person_list = (List) getPerson_list(); pers = (Personnel) person_list.get(0); chargercombo(); } etat = true; invetat = !etat; return init; } public PersonnelBean() { this.pers = new Personnel(); this.pers.setService(new Service()); } public void create() { if (nouveau) { try { this.pers.setService((Service) servlist.get(current_service)); this.persService.save(this.pers); message = mess_insert_true; style_message = "valid_message"; chargercombo(); } catch (Exception hx) { hx.printStackTrace(); message = mess_op_false; style_message = "err_message"; } } else { try { this.pers.setService((Service) servlist.get(current_service)); this.persService.modify(pers); message = mess_modif_true; style_message = "valid_message"; chargercombo(); } catch (Exception hx) { hx.printStackTrace(); message = mess_op_false; style_message = "err_message"; } } changeretat(); } public void modifierligne() { this.pers = (Personnel) dataTable.getRowData(); chargercombo(); 44 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 45. message = ""; nouveau = false; changeretat();} public void modifier() { message = ""; nouveau = false; changeretat(); } public void supprimer() { try { this.persService.delete(pers); message = mess_del_true; style_message = "valid_message"; if (index > 0) { index--; } person_list = (List) getPerson_list(); if (!person_list.isEmpty()) { pers = (Personnel) person_list.get(index); chargercombo(); } else { viderchamps(); changeretat(); } } catch (Exception hx) { hx.printStackTrace(); message = mess_op_false; } } public List getPerson_list() { person_list = this.persService.findAll(); return person_list; } public Hashtable getServlist() { service_list.clear(); servlist.clear(); List l = this.servService.findAll(); for (Iterator it = l.iterator(); it.hasNext();) { Service srv = (Service) l.get(l.indexOf(it.next())); service_list.add(srv.getServCode() + "-" + srv.getServLib()); servlist.put(srv.getServCode() + "-" + srv.getServLib(), srv); } return servlist; } //geters and setters …….. } 4. Liaison avec la page Personnel Code de la page Peronnel <%-- Document : Personnel Created on : 25 janv. 2010, 23:50:10 Author : jihed --%> <%@taglib uri="http://richfaces.org/a4j" prefix="a4j"%> <%@taglib uri="http://richfaces.org/rich" prefix="rich"%> <%@taglib prefix="f" uri="http://java.sun.com/jsf/core"%> <%@taglib prefix="h" uri="http://java.sun.com/jsf/html"%> <%@page contentType="text/html" pageEncoding="UTF-8"%> <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <f:view> <html> <head> <meta http-equiv="Content-Type" content="text/html; charset=UTF-8"> <LINK rel="stylesheet" type="text/css" href="commun_styles.css"/> <title>Personnel</title> </head> <body> <h:form id="formpersonnel"> <a4j:include viewId="Entete.jsp"/> <a4j:include viewId="menu.jsp"/> 45 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 46. <h:inputHidden value="#{PersonnelBean.init}"/> <rich:spacer height="50px" /> <center> <rich:tabPanel style="width:500px;"> <rich:tab label="Personnel"> <h:outputText id="infomsg" value="#{PersonnelBean.message}" styleClass="valid_message"/> <h:panelGrid width="450px" columns="1"> <rich:panel id="tablepanel" header="Liste Personnel" > <rich:dataTable onRowMouseOver="this.style.backgroundColor='#B5CEFD'" binding="#{PersonnelBean.dataTable}" onRowMouseOut="this.style.backgroundColor='#{org.richfaces.SKIN.tableBackgroundColor}'" onRowClick="this.style.backgroundColor='#F1F1F1'" rows="8" width="100%" id="tbl" value="#{PersonnelBean.person_list}" var="pers"> <rich:column> <f:facet name="header"> <h:outputText value="Nom" /> </f:facet> <h:outputText value="#{pers.persNom}" /> </rich:column> <rich:column > <f:facet name="header"> <h:outputText value="Prénom" /> </f:facet> <h:outputText value="#{pers.persPrenom}" /> </rich:column> <rich:column > <f:facet name="header"> <h:outputText value="Login" /> </f:facet> <h:outputText value="#{pers.persLogin}" /> </rich:column> <rich:column > <f:facet name="header"> <h:outputText value="Droit" /> </f:facet> <h:outputText value="#{pers.persDroit}" /> </rich:column> <rich:column style="text-align:center" width="70px" > <f:facet name="header"> <h:outputText value="Modifier" /> </f:facet> <a4j:commandLink action="#{PersonnelBean.modifierligne}" reRender="infomsg,tablepanel,panelinfo,crud_panel"> <h:graphicImage style="border:0"url="/images/ajax/edit16.png" /> </a4j:commandLink> </rich:column> <rich:column style="text-align:center" width="70px"> <f:facet name="header"> <h:outputText value="Supprimer" /> </f:facet> <a4j:commandLink action="#{PersonnelBean.supprimer}" ajaxSingle="true" reRender="infomsg,tablepanel,panelinfo,crud_panel"> <h:graphicImage style="border:0" url="/images/ajax/delete16.png" /> </a4j:commandLink> </rich:column> <f:facet name="footer"> <rich:datascroller /> </f:facet> </rich:dataTable> </rich:panel> <rich:panel id="panelinfo" header="Informations générales"> <h:panelGrid columns="2" width="350" > <h:outputText value="Nom : " /> <h:inputText id="nompers" value="#{PersonnelBean.pers.persNom}"disabled="#{PersonnelBean.etat}" size="25" maxlength="30"> </h:inputText> <h:outputText value="Prénom : " /> <h:inputText value="#{PersonnelBean.pers.persPrenom}" disabled="#{PersonnelBean.etat}" id="prepers" size="25" maxlength="30" /> <h:outputText value="Login : " /> <h:inputText id="logpers" value="#{PersonnelBean.pers.persLogin}"disabled="#{PersonnelBean.etat}" size="25" maxlength="50" /> 46 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 47. <h:outputText value="Password : " /> <h:inputSecret id="pwdpers" value="#{PersonnelBean.pers.persPassword}" disabled="#{PersonnelBean.etat}" size="25" maxlength="50" /> <h:outputText value="Droit : " /> <h:selectOneRadio id="drpers" value="#{PersonnelBean.pers.persDroit}" disabled="#{PersonnelBean.etat}"> <f:selectItem itemLabel="Utilisateur" itemValue="user" /> <f:selectItem itemLabel="Administrateur" itemValue="admin" /> </h:selectOneRadio> <h:outputText value="Service : " /> <rich:comboBox disabled="#{PersonnelBean.etat}" id="servpers" suggestionValues="#{PersonnelBean.service_list}" defaultLabel="Entrez une valeur" value="#{PersonnelBean.current_service}" > </rich:comboBox> </h:panelGrid> </rich:panel> </h:panelGrid> <h:panelGrid id="crud_panel" columns="5"> <a4j:commandButton action="#{PersonnelBean.viderchamps}" id="nouvpers" value="Nouveau" ajaxSingle="true" style="width:85px" disabled="#{PersonnelBean.invetat}"reRender="infomsg,tablepanel,panelinfo,crud_panel"/> <a4j:commandButton id="modifpers" value="Modifier" style="width:85px" ajaxSingle="true" disabled="#{PersonnelBean.invetat}" action="#{PersonnelBean.modifier}" reRender="infomsg,tablepanel,panelinfo,crud_panel"/> <a4j:commandButton id="supppers" value="Supprimer" style="width:85px" ajaxSingle="true" disabled="#{PersonnelBean.invetat}" action="#{PersonnelBean.sipprimer}"reRender="infomsg,tablepanel,panelinfo,crud_panel"/> <a4j:commandButton id="validpers" value="Valider" style="width:85px" disabled="#{PersonnelBean.etat}" action="#{PersonnelBean.create}"reRender="infomsg,tablepanel,panelinfo,crud_panel"/> <a4j:commandButton id="annulpers" value="Annuler" style="width:85px" ajaxSingle="true" disabled="#{PersonnelBean.etat}"action="#{PersonnelBean.annuler}" reRender="infomsg,tablepanel,panelinfo,crud_panel"/> </h:panelGrid> </rich:tab> </rich:tabPanel> </center> </h:form> </body> </html> </f:view> 5. Managed Bean pour la Classe Equipement Code du bean equipement package Beans; /** * @author Jihed */ import Entity.Equipement; import Entity.Service; import Interfaces.InterfaceService; import java.io.Serializable; import java.util.ArrayList; import java.util.Hashtable; import java.util.Iterator; import java.util.List; import org.richfaces.component.UIDataTable; public class EquipementBean extends messageBean implements Serializable { private Equipement equip; private InterfaceService equipService; private InterfaceService servService; private List equip_list = new ArrayList(); private List service_list = new ArrayList(); private Hashtable servlist = new Hashtable(); private String current_service; private boolean init; private Integer index = 0; private String message; private boolean nouveau; 47 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 48. private UIDataTable dataTable; public void viderchamps() { message = ""; changeretat(); this.equip = new Equipement(); nouveau = true; } public void annuler() { message = ""; equip_list = (List) getEquip_list(); equip = (Equipement) equip_list.get(index); changeretat(); } public void chargercombo() { current_service = this.equip.getService().getServCode() + "-" + this.equip.getService().getServLib(); } public boolean isInit() { message = ""; getServlist(); getEquip_list(); if (!(equip_list.isEmpty())) { equip_list = (List) getEquip_list(); equip = (Equipement) equip_list.get(0); chargercombo(); } etat = true; invetat = !etat; return init; } public void setInit(boolean init) { this.init = init; } public EquipementBean() { this.equip = new Equipement(); this.equip.setService(new Service()); } public void create() { if (nouveau) { try { this.equip.setService((Service) servlist.get(current_service)); this.equipService.save(this.equip); message = mess_insert_true; style_message = "valid_message"; chargercombo(); } catch (Exception hx) { hx.printStackTrace(); message = mess_op_false; style_message = "err_message"; } } else { try { this.equip.setService((Service) servlist.get(current_service)); this.equipService.modify(equip); message = mess_modif_true; style_message = "valid_message"; chargercombo(); } catch (Exception hx) { hx.printStackTrace(); message = mess_op_false; style_message = "err_message"; } } changeretat(); } public void modifierligne() { this.equip = (Equipement) dataTable.getRowData(); chargercombo(); message = ""; nouveau = false; changeretat(); } 48 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 49. public void modifier() { message = ""; nouveau = false; changeretat(); } public void supprimer() { try { this.equipService.delete(equip); message = mess_del_true; style_message = "valid_message"; if (index > 0) { index--; } equip_list = (List) getEquip_list(); if (!equip_list.isEmpty()) { equip = (Equipement) equip_list.get(index); chargercombo(); } else { viderchamps(); changeretat(); } } catch (Exception hx) { hx.printStackTrace(); message = mess_op_false; } } public Integer getIndex() { return index; } public void setIndex(Integer index) { this.index = index; } public String getMessage() { return message; } public void setMessage(String message) { this.message = message; } public boolean isNouveau() { return nouveau; } public void setNouveau(boolean nouveau) { this.nouveau = nouveau; } public List getEquip_list() { equip_list = this.equipService.findAll(); return equip_list; } public UIDataTable getDataTable() { return dataTable; } public void setDataTable(UIDataTable dataTable) { this.dataTable = dataTable; } public List getService_list() { return service_list; } public void setService_list(List service_list) { this.service_list = service_list; } public InterfaceService getServService() { return servService; } public void setServService(InterfaceService servService) { this.servService = servService; } public Hashtable getServlist() { service_list.clear(); servlist.clear(); List l = this.servService.findAll(); for (Iterator it = l.iterator(); it.hasNext();) { 49 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 50. Service srv = (Service) l.get(l.indexOf(it.next())); service_list.add(srv.getServCode() + "-" + srv.getServLib()); servlist.put(srv.getServCode() + "-" + srv.getServLib(), srv); } return servlist; } public void setServlist(Hashtable servlist) { this.servlist = servlist; } public String getCurrent_service() { return current_service; } public void setCurrent_service(String current_service) { this.current_service = current_service; } public Equipement getEquip() { return equip; } public void setEquip(Equipement equip) { this.equip = equip; } public InterfaceService getEquipService() { return equipService; } public void setEquipService(InterfaceService equipService) { this.equipService = equipService; } } 6. Liaison avec la page Equipement Code de la page equipement <%-- Document : Equipement Created on : 25 janv. 2010, 23:50:10 Author : jihed --%> <%@taglib uri="http://richfaces.org/a4j" prefix="a4j"%> <%@taglib uri="http://richfaces.org/rich" prefix="rich"%> <%@taglib prefix="f" uri="http://java.sun.com/jsf/core"%> <%@taglib prefix="h" uri="http://java.sun.com/jsf/html"%> <%@page contentType="text/html" pageEncoding="UTF-8"%> <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <f:view> <html> <head> <meta http-equiv="Content-Type" content="text/html; charset=UTF-8"> <LINK rel="stylesheet" type="text/css" href="commun_styles.css"/> <title>Equipement</title> </head> <body> 50 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 51. <h:form id="formequipement"> <a4j:include viewId="Entete.jsp"/> <a4j:include viewId="menu.jsp"/> <h:inputHidden value="#{EquipementBean.init}"/> <rich:spacer height="50px" /> <center> <rich:tabPanel style="width:500px;"> <rich:tab label="Equipement"> <h:panelGrid width="450px" columns="1"> <h:outputText id="infomsg" value="#{EquipementBean.message}" styleClass="#{EquipementBean.style_message}"/> <rich:panel header="Liste Equipement" id="tablepanel"> <rich:dataTable onRowMouseOver="this.style.backgroundColor='#B5CEFD'" binding="#{EquipementBean.dataTable}" onRowMouseOut="this.style.backgroundColor='#{org.richfaces.SKIN.tableBackgroundColor}'" onRowClick="this.style.backgroundColor='#F1F1F1'" rows="8" width="100%" id="tbl" value="#{EquipementBean.equip_list}" var="equip"> <rich:column> <f:facet name="header"> <h:outputText value="Libellé" /> </f:facet> <h:outputText value="#{equip.eqLib}" /> </rich:column> <rich:column > <f:facet name="header"> <h:outputText value="Etat" /> </f:facet> <h:outputText value="#{equip.eqEtat}" /> </rich:column> <rich:column > <f:facet name="header"> <h:outputText value="Service" /> </f:facet> <h:outputText value="#{equip.service.servLib}" /> </rich:column> <rich:column style="text-align:center" width="70px" > <f:facet name="header"> <h:outputText value="Modifier" /> </f:facet> <a4j:commandLink action="#{EquipementBean.modifierligne}" reRender="infomsg,tablepanel,panelinfo,crud_panel"> <h:graphicImage style="border:0"url="/images/ajax/edit16.png" /> </a4j:commandLink> </rich:column> <rich:column style="text-align:center" width="70px"> <f:facet name="header"> <h:outputText value="Supprimer" /> </f:facet> <a4j:commandLink action="#{EquipementBean.supprimer}" ajaxSingle="true" reRender="infomsg,tablepanel,panelinfo,crud_panel"> <h:graphicImage style="border:0" url="/images/ajax/delete16.png" /> </a4j:commandLink> </rich:column> <f:facet name="footer"> <rich:datascroller /> </f:facet> </rich:dataTable> </rich:panel> <rich:panel id="panelinfo" header="Informations générales"> <h:panelGrid columns="2" width="350" > <h:outputText value="Libellé : " /> <h:inputText id="libquip" value="#{EquipementBean.equip.eqLib}" disabled="#{EquipementBean.etat}" size="25" maxlength="30"> </h:inputText> <h:outputText value="Description : " /> <h:inputTextarea value="#{EquipementBean.equip.eqDescr}" disabled="#{EquipementBean.etat}" id="descrequip" rows="3" /> <h:outputText value="Etat : " /> <h:selectOneRadio id="etatequip" disabled="#{EquipementBean.etat}" value="#{EquipementBean.equip.eqEtat}" > <f:selectItem itemLabel="Fonctionnel" itemValue="Fonctionnel" /> <f:selectItem itemLabel="En Panne" itemValue="En Panne" /> </h:selectOneRadio> <h:outputText value="Service : " /> <rich:comboBox id="servequip" defaultLabel="Entrez une valeur" disabled="#{EquipementBean.etat}" 51 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 52. value="#{EquipementBean.current_service}" suggestionValues="#{EquipementBean.service_list}" required="true"> </rich:comboBox> </h:panelGrid> </rich:panel> </h:panelGrid> <h:panelGrid id="crud_panel" columns="5"> <a4j:commandButton id="nouvequip" value="Nouveau" style="width:85px"ajaxSingle="true" disabled="#{EquipementBean.invetat}"action="#{EquipementBean.viderchamps}" reRender="infomsg,tablepanel,panelinfo,crud_panel"/> <a4j:commandButton id="modifequip" value="Modifier" style="width:85px"ajaxSingle="true" disabled="#{EquipementBean.invetat}"action="#{EquipementBean.modifier}" reRender="infomsg,tablepanel,panelinfo,crud_panel"/> <a4j:commandButton id="suppequip" value="Supprimer" style="width:85px"ajaxSingle="true" disabled="#{EquipementBean.etat}"action="#{EquipementBean.supprimer}" reRender="infomsg,tablepanel,panelinfo,crud_panel"/> <a4j:commandButton id="validequip" value="Valider" style="width:85px" disabled="#{EquipementBean.etat}"action="#{EquipementBean.create}" reRender="infomsg,tablepanel,panelinfo,crud_panel"/> <a4j:commandButton id="annulequip" value="Annuler" style="width:85px"ajaxSingle="true" disabled="#{EquipementBean.etat}"action="#{EquipementBean.annuler}" reRender="infomsg,tablepanel,panelinfo,crud_panel"/> </h:panelGrid> </rich:tab> </rich:tabPanel> </center> </h:form> </body> </html> </f:view> 7. Managed Bean pour la Classe Interventions Code du Bean Interventions package Beans; import Entity.Interventions; import Entity.Equipement; import Entity.Personnel; import Interfaces.InterfaceService; import java.io.Serializable; import java.util.ArrayList; import java.util.Hashtable; import java.util.Iterator; import java.util.List; import org.richfaces.component.UIDataTable; /** * * @author jihed */ public class InterventionsBean extends messageBean implements Serializable { private Interventions interv; private InterfaceService intervService; private InterfaceService persService; private InterfaceService equipService; private List interv_list = new ArrayList(); private List person_list = new ArrayList(); private Hashtable perslist = new Hashtable(); private List equip_list = new ArrayList(); private Hashtable equiplist = new Hashtable(); private String current_personnel; private String current_equipement; private boolean init; private Integer index = 0; private String message; private boolean nouveau; private UIDataTable dataTable; public void viderchamps() { message = ""; changeretat(); this.interv = new Interventions(); nouveau = true; 52 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 53. } public void annuler() { message = ""; interv_list = (List) getEquip_list(); interv = (Interventions) interv_list.get(index); changeretat(); } public void chargercombo() { current_personnel = this.interv.getPersonnel().getPersNom() + "-" + this.interv.getPersonnel().getPersPrenom(); current_equipement = this.interv.getEquipement().getEqLib(); } public boolean isInit() { message = ""; getInterv_list(); getEquiplist(); getPerslist(); if (!(interv_list.isEmpty())) { interv_list = (List) getInterv_list(); interv = (Interventions) interv_list.get(0); chargercombo(); } etat = true; invetat = !etat; return init; } public void setInit(boolean init) { this.init = init; } public InterventionsBean() { this.interv = new Interventions(); this.interv.setEquipement(new Equipement()); this.interv.setPersonnel(new Personnel()); } public void create() { if (nouveau) { try { this.interv.setPersonnel((Personnel) perslist.get(current_personnel)); this.interv.setEquipement((Equipement) equiplist.get(current_equipement)); this.intervService.save(this.interv); message = mess_insert_true; style_message = "valid_message"; chargercombo(); } catch (Exception hx) { hx.printStackTrace(); message = mess_op_false; style_message = "err_message"; } } else { try { this.interv.setPersonnel((Personnel) perslist.get(current_personnel)); this.interv.setEquipement((Equipement) equiplist.get(current_equipement)); this.intervService.modify(interv); message = mess_modif_true; style_message = "valid_message"; chargercombo(); } catch (Exception hx) { hx.printStackTrace(); message = mess_op_false; style_message = "err_message"; } } changeretat(); } public void modifierligne() { this.interv = (Interventions) dataTable.getRowData(); chargercombo(); message = ""; nouveau = false; changeretat(); } public void modifier() { 53 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 54. message = ""; nouveau = false; changeretat(); } public void supprimer() { try { this.intervService.delete(interv); message = mess_del_true; style_message = "valid_message"; if (index > 0) { index--; } interv_list = (List) getEquip_list(); if (!interv_list.isEmpty()) { interv = (Interventions) interv_list.get(index); chargercombo(); } else { viderchamps(); changeretat(); } } catch (Exception hx) { hx.printStackTrace(); message = mess_op_false; } } public Integer getIndex() { return index; } public void setIndex(Integer index) { this.index = index; } public String getMessage() { return message; } public void setMessage(String message) { this.message = message; } public boolean isNouveau() { return nouveau; } public void setNouveau(boolean nouveau) { this.nouveau = nouveau; } public List getInterv_list() { interv_list = this.intervService.findAll(); return interv_list; } public UIDataTable getDataTable() { return dataTable; } public void setDataTable(UIDataTable dataTable) { this.dataTable = dataTable; } public Hashtable getPerslist() { person_list.clear(); perslist.clear(); List l = this.persService.findAll(); for (Iterator it = l.iterator(); it.hasNext();) { Personnel pers = (Personnel) l.get(l.indexOf(it.next())); person_list.add(pers.getPersNom() + "-" + pers.getPersPrenom()); perslist.put(pers.getPersNom() + "-" + pers.getPersPrenom(), pers); } return perslist; } public String getCurrent_equipement() { return current_equipement; } public void setCurrent_equipement(String current_equipement) { this.current_equipement = current_equipement; } public String getCurrent_personnel() { 54 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 55. return current_personnel; } public void setCurrent_personnel(String current_personnel) { this.current_personnel = current_personnel; } public InterfaceService getEquipService() { return equipService; } public void setEquipService(InterfaceService equipService) { this.equipService = equipService; } public List getEquip_list() { return equip_list; } public void setEquip_list(List equip_list) { this.equip_list = equip_list; } public Hashtable getEquiplist() { equip_list.clear(); equiplist.clear(); List l = this.equipService.findAll(); for (Iterator it = l.iterator(); it.hasNext();) { Equipement equip = (Equipement) l.get(l.indexOf(it.next())); equip_list.add(equip.getEqLib()); equiplist.put(equip.getEqLib(), equip); } return equiplist; } public void setEquiplist(Hashtable equiplist) { this.equiplist = equiplist; } public Interventions getInterv() { return interv; } public void setInterv(Interventions interv) { this.interv = interv; } public InterfaceService getIntervService() { return intervService; } public void setIntervService(InterfaceService intervService) { this.intervService = intervService; } public void setInterv_list(List interv_list) { this.interv_list = interv_list; } public InterfaceService getPersService() { return persService; } public void setPersService(InterfaceService persService) { this.persService = persService; } public void setPerslist(Hashtable perslist) { this.perslist = perslist; } public List getPerson_list() { return person_list; } public void setPerson_list(List person_list) { this.person_list = person_list; } } 55 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 56. 8. Liaison avec la page Interventions Code de la page Interventions <%-- Document : Intervention Created on : 25 janv. 2010, 23:50:10 Author : jihed --%> <%@taglib uri="http://richfaces.org/a4j" prefix="a4j"%> <%@taglib uri="http://richfaces.org/rich" prefix="rich"%> <%@taglib prefix="f" uri="http://java.sun.com/jsf/core"%> <%@taglib prefix="h" uri="http://java.sun.com/jsf/html"%> <%@page contentType="text/html" pageEncoding="UTF-8"%> <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <f:view> <html> <head> <meta http-equiv="Content-Type" content="text/html; charset=UTF-8"> <LINK rel="stylesheet" type="text/css" href="commun_styles.css"/> <title>Intervention</title> </head> <body> <h:form id="formintervention"> <a4j:include viewId="Entete.jsp"/> <a4j:include viewId="menu.jsp"/> <h:inputHidden value="#{IntervBean.init}"/> <rich:spacer height="50px" /> <center> <rich:tabPanel style="width:500px;"> <rich:tab label="Intervention"> <h:panelGrid width="450px" columns="1"> <h:outputText id="infomsg" value="#{IntervBean.message}" styleClass="#{IntervBean.style_message}"/> <rich:panel id="tablepanel" header="Liste Interventions" > <rich:dataTable onRowMouseOver="this.style.backgroundColor='#B5CEFD'" binding="#{IntervBean.dataTable}" onRowMouseOut="this.style.backgroundColor='#{org.richfaces.SKIN.tableBackgroundColor}'" onRowClick="this.style.backgroundColor='#F1F1F1'" rows="8" width="100%" id="tbl" value="#{IntervBean.interv_list}" var="interv"> <rich:column> <f:facet name="header"> <h:outputText value="Equipement" /> </f:facet> <h:outputText value="#{interv.equipement.eqLib}" /> </rich:column> 56 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 57. <rich:column > <f:facet name="header"> <h:outputText value="Intervenant" /> </f:facet> <h:outputText value="#{interv.personnel.persNom} #{interv.personnel.persPrenom}" /> </rich:column> <rich:column > <f:facet name="header"> <h:outputText value="Date" /> </f:facet> <h:outputText value="#{interv.intervDate}" > <f:convertDateTime pattern="dd/MM/yyyy" /> </h:outputText> </rich:column> <rich:column style="text-align:center" width="70px" > <f:facet name="header"> <h:outputText value="Modifier" /> </f:facet> <a4j:commandLink action="#{IntervBean.modifierligne}" reRender="infomsg,tablepanel,panelinfo,crud_panel"> <h:graphicImage style="border:0"url="/images/ajax/edit16.png" /> </a4j:commandLink> </rich:column> <rich:column style="text-align:center" width="70px"> <f:facet name="header"> <h:outputText value="Supprimer" /> </f:facet> <a4j:commandLink action="#{IntervBean.supprimer}" ajaxSingle="true" reRender="infomsg,tablepanel,panelinfo,crud_panel"> <h:graphicImage style="border:0" url="/images/ajax/delete16.png" /> </a4j:commandLink> </rich:column> <f:facet name="footer"> <rich:datascroller /> </f:facet> </rich:dataTable> </rich:panel> <rich:panel id="panelinfo" header="Informations générales"> <h:panelGrid columns="2" width="350" > <h:outputText value="Equipement : " /> <rich:comboBox id="eqpinterv" defaultLabel="Entrez une valeur" required="true" disabled="#{IntervBean.etat}" value="#{IntervBean.current_equipement}" suggestionValues="#{IntervBean.equip_list}" > </rich:comboBox> <h:outputText value="Intervenant : " /> <rich:comboBox id="persinterv" defaultLabel="Entrez une valeur" disabled="#{IntervBean.etat}" value="#{IntervBean.current_personnel}" suggestionValues="#{IntervBean.person_list}" required="true"> </rich:comboBox> <h:outputText value="Date intervention : " /> <rich:calendar id="foFiscal" value="#{IntervBean.interv.intervDate}" popup="true" datePattern="dd/MM/yyyy" cellWidth="24px" cellHeight="22px" disabled="#{IntervBean.etat}"/> </h:panelGrid> </rich:panel> </h:panelGrid> <h:panelGrid id="crud_panel" columns="5"> <a4j:commandButton id="nouvinterv" value="Nouveau" style="width:85px"ajaxSingle="true" disabled="#{IntervBean.invetat}"action="#{IntervBean.viderchamps}" reRender="infomsg,tablepanel,panelinfo,crud_panel"/> <a4j:commandButton id="modifinterv" value="Modifier" style="width:85px"ajaxSingle="true" disabled="#{IntervBean.invetat}"action="#{IntervBean.modifier}" reRender="infomsg,tablepanel,panelinfo,crud_panel"/> <a4j:commandButton id="suppinterv" value="Supprimer" style="width:85px"ajaxSingle="true" disabled="#{IntervBean.etat}"action="#{IntervBean.supprimer}" reRender="infomsg,tablepanel,panelinfo,crud_panel"/> <a4j:commandButton id="validinterv" value="Valider" style="width:85px" disabled="#{IntervBean.etat}"action="#{IntervBean.create}" reRender="infomsg,tablepanel,panelinfo,crud_panel"/> <a4j:commandButton id="annulinterv" value="Annuler" style="width:85px"ajaxSingle="true" disabled="#{IntervBean.etat}"action="#{IntervBean.annuler}" reRender="infomsg,tablepanel,panelinfo,crud_panel"/> </h:panelGrid> </rich:tab> </rich:tabPanel> </center> </h:form> </body> 57 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 58. </html> </f:view> 9. Fichier de confiuration « Faces-config » Fichier faces ocnfig <?xml version='1.0' encoding='UTF-8'?> <!-- =========== FULL CONFIGURATION FILE ================================== --> <faces-config version="1.2" xmlns="http://java.sun.com/xml/ns/javaee" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://java.sun.com/xml/ns/javaee http://java.sun.com/xml/ns/javaee/web-facesconfig_1_2.xsd"> <application> <el-resolver>org.springframework.web.jsf.el.SpringBeanFacesELResolver</el-resolver> </application> <managed-bean> <managed-bean-name>ServiceBean</managed-bean-name> <managed-bean-class>Beans.ServiceBean</managed-bean-class> <managed-bean-scope>session</managed-bean-scope> <managed-property> <property-name>servService</property-name> <value>#{servService}</value> </managed-property> </managed-bean> <managed-bean> <managed-bean-name>PersonnelBean</managed-bean-name> <managed-bean-class>Beans.PersonnelBean</managed-bean-class> <managed-bean-scope>session</managed-bean-scope> <managed-property> <property-name>servService</property-name> <value>#{servService}</value> </managed-property> <managed-property> <property-name>persService</property-name> <value>#{persService}</value> </managed-property> </managed-bean> <managed-bean> <managed-bean-name>EquipementBean</managed-bean-name> <managed-bean-class>Beans.EquipementBean</managed-bean-class> <managed-bean-scope>session</managed-bean-scope> <managed-property> <property-name>servService</property-name> <value>#{servService}</value> </managed-property> <managed-property> <property-name>equipService</property-name> <value>#{equipService}</value> </managed-property> </managed-bean> <managed-bean> <managed-bean-name>IntervBean</managed-bean-name> <managed-bean-class>Beans.InterventionsBean</managed-bean-class> <managed-bean-scope>session</managed-bean-scope> <managed-property> <property-name>equipService</property-name> <value>#{equipService}</value> </managed-property> <managed-property> <property-name>persService</property-name> <value>#{persService}</value> </managed-property> <managed-property> <property-name>intervService</property-name> <value>#{intervService}</value> </managed-property> </managed-bean> </faces-config> 58 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 59. 10. Diagramme de l’aplication 59 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 60. VIII. Gestion de l’accés à l’aplication 1. Changement de la page d’aceuil On va changer la page d’acceuil et on mettra authentification.jsp comme page d’acceuil. On ouvre le fichier web.xml puis on clique qur l’onglet pages On clique sur browse puis on choisit Authentification.jsp 60 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 61. 2. Création du bean «AuthenticationBean » La derniére étape de notre projet sera la création du bean pour l’authentification et de faire la redirection entre la page d’authentification et les autres pages. On commence par la création des deux interfaces DAO et Service pour ce bean. package Interfaces; /** * @author Jihed */ import Entity.Personnel; public interface AuthenticationService { public Personnel findByLoginAndPassword(String login, String pass); } package Interfaces; import Entity.Personnel; /** * @author Jihed */ public interface AuthenticationDAO { public Personnel findByLoginAndPassword(String login, String pass); } Puis on passe à l’implémentation package Implementation.dao; import Entity.Personnel; import Interfaces.AuthenticationDAO; import org.springframework.orm.hibernate3.support.HibernateDaoSupport; /** * @author Jihed */ public class AuthenticationDaoImpl extends HibernateDaoSupport implements AuthenticationDAO { public Personnel findByLoginAndPassword(String login, String pass) { try { Personnel pers = (Personnel) getHibernateTemplate().find(" from Personnel pers where pers.persLogin ='" + login + "' and pers.persPassword ='" + pass + "'").get(0); return pers; } catch (Exception re) { re.printStackTrace(); return null; } } } ------------------------------------------------- package Implementation.service; import Entity.Personnel; import Interfaces.AuthenticationDAO; import Interfaces.AuthenticationService; public class AuthenticationServiceImpl implements AuthenticationService { private AuthenticationDAO loginDao; public Personnel findByLoginAndPassword(String login, String pass) { 61 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 62. return loginDao.findByLoginAndPassword(login, pass); } public AuthenticationDAO getLoginDao() { return loginDao; } public void setLoginDao(AuthenticationDAO loginDao) { this.loginDao = loginDao; } } Déclaration dans le fichier de configuration de Spring <bean id="loginDao" class="Implementation.dao.AuthenticationDaoImpl"> <property name="hibernateTemplate" ref="hibernateTemplate"/> </bean> <bean id="loginService" class="Implementation.service.AuthenticationServiceImpl"> <property name="loginDao" ref="loginDao"/> </bean> Création d’un nouveau bean qu’on l’appelle « AuthenticationBean » package Beans; import Entity.Personnel; import Interfaces.AuthenticationService; import java.text.SimpleDateFormat; import java.util.Date; import javax.faces.context.ExternalContext; import javax.faces.context.FacesContext; /** * @author Hsan */ public class AuthenticationBean extends messageBean { private AuthenticationService loginService; private String login; private String password; private String today; private Personnel pers; private String message; public AuthenticationBean() { } public String getLogin() { return login; } public void setLogin(String login) { this.login = login; } public String getPassword() { return password; } public void setPassword(String password) { this.password = password; } public String getToday() throws Exception { Date maDateAvecFormat = new Date(); SimpleDateFormat dateStandard = new SimpleDateFormat("EEEE dd MMMM yyyy"); today = "" + dateStandard.format(maDateAvecFormat); dateStandard = null; return today; } public void setToday(String td) { this.today = td; } public String connecter() { String droit = null; message = ""; try { pers = loginService.findByLoginAndPassword(login, password); if (pers != null) { if (pers.getPersDroit().equals("user")) { droit = "user"; } else if (pers.getPersDroit().equals("admin")) { 62 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 63. droit = "admin"; } System.out.println("********DROIT*****" + droit); return droit; } else { message = "Echec de connexion, verifiez votre login et mot de passe !"; style_message = "err_message"; this.login = ""; this.password = ""; return "invalide"; } } catch (Exception fe) { fe.printStackTrace(); message = "Echec de connexion, verifiez votre login et mot de passe !"; this.login = ""; this.password = ""; style_message = "err_message"; return "invalide"; } } public String deconnecter() { try { ExternalContext ExtContext = FacesContext.getCurrentInstance().getExternalContext(); ExtContext.getSessionMap().clear(); } catch (Exception ex) { ex.printStackTrace(); } return "ok"; } public String getMessage() { return message; } public void setMessage(String message) { this.message = message; } public AuthenticationService getLoginService() { return loginService; } public void setLoginService(AuthenticationService loginService) { this.loginService = loginService; } public Personnel getPers() { return pers; } public void setPers(Personnel pers) { this.pers = pers; } } 3. Liaison avec la page Authentification Code de la Page web <%-- Document : Authentification Created on : 25 janv. 2010, 21:30:57 Author : jihed --%> 63 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 64. <%@taglib uri="http://richfaces.org/a4j" prefix="a4j"%> <%@taglib uri="http://richfaces.org/rich" prefix="rich"%> <%@taglib prefix="f" uri="http://java.sun.com/jsf/core"%> <%@taglib prefix="h" uri="http://java.sun.com/jsf/html"%> <%@page contentType="text/html" pageEncoding="UTF-8"%> <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <f:view> <h:form> <html> <head> <meta http-equiv="Content-Type" content="text/html; charset=UTF-8"> <title>Authentification</title> </head> <body > <rich:spacer height="200px"></rich:spacer> <center > <rich:panel id="logpan" style="background- image:url(#{facesContext.externalContext.requestContextPath}/images/ajax/userauth.png); background-repeat:no-repeat;background-position:-35px -15px; ;width:400px;" header="Authentification" styleClass="panel_3"> <h:panelGrid columns="3"> <h:outputText value="Login:" /> <h:inputText id="log" value="#{LoginBean.login}" required="true" requiredMessage="champs obligatoire" /> <rich:message for="log" style="color: red"/> <h:outputText value="Mot de passe :" /> <h:inputSecret id="mdp" value="#{LoginBean.password}" required="true" requiredMessage="champs obligatoire" /> <rich:message for="mdp" style="color: red"/> </h:panelGrid> <rich:spacer height="30px"></rich:spacer> <a4j:commandButton value ="Connexion" action="#{LoginBean.connecter}" reRender="logpan"/> </rich:panel> </center> </body> </html> </h:form> </f:view> 4. Ajout des « navigation rules » Les « navigation rules » permettent de définir les redirections entre les pages web dans notre application . dans notre exemple si le bean « authentification » va retourner la valeur « invalid » on va rester sur la même page « Authentification ». Si le Bean retourne la valeur « user » on va etre redirigée vers la page « Personnel » et si le bean retourne la valeur « admin » on va etre redirigée vers la page « Interventions ». Ajout des navigation rules 64 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 65. 5. Changement de la page entete On va changer un peu dans la structure de l’entete pour pouvoir afficher les details de la personne connectée. <%-- Document : Entete Created on : 25 janv. 2010, 21:47:07 Author : jihed --%> <%@taglib uri="http://richfaces.org/a4j" prefix="a4j"%> <%@taglib uri="http://richfaces.org/rich" prefix="rich"%> <%@taglib prefix="f" uri="http://java.sun.com/jsf/core"%> <%@taglib prefix="h" uri="http://java.sun.com/jsf/html"%> <%@page contentType="text/html" pageEncoding="UTF-8"%> <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd"> <h:panelGrid columns="12" > <rich:spacer width="50px"/> <h:outputText id="dtjr" value="#{LoginBean.today}" styleClass="titre_gris"/> <rich:spacer width="225px"/> <h:outputText id="user" value="#{LoginBean.pers.persNom} #{LoginBean.pers.persPrenom}" styleClass="titre_bleu"/> <rich:spacer width="6px"/> <h:outputText value=" | " styleClass="titre2"/> <rich:spacer width="6px"/> <h:outputText id="service" value="#{LoginBean.pers.service.servLib}" styleClass="titre_bleu"/> <rich:spacer width="225px"/> <h:outputText value="Club CFEM 2010" styleClass="titre_gris"/> <rich:spacer width="50px"/> <h:form> <h:panelGrid columns="3"> <a4j:commandButton image="/images/ajax/home.gif" onclick="document.location.href='#{facesContext.externalContext.requestContextPath}/faces/Authentification.jsp'" > <rich:toolTip showDelay="500"> Acceuil </rich:toolTip> </a4j:commandButton> <rich:spacer width="2px"/> <a4j:commandButton action="#{LoginBean.deconnecter}" id="dec_btn" image="/images/ajax/lock.gif" onclick="document.location.href='#{facesContext.externalContext.requestContextPath}/faces/Authentification.jsp'" > <rich:toolTip showDelay="500"> Déconnexion </rich:toolTip> </a4j:commandButton> </h:panelGrid> </h:form> </h:panelGrid> 65 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 66. IX. Deploiement de l’application 1. Création du fichier war Les WAR (Web Application Archive) sont en réalité des JAR mais avec une extension différente. Ça permet de compresser toute l'application web et ses dépendences dans un seul fichier. En effet, pour créer un fichier war il faut spécifier dans le spropriétés du projet q’on va compresser l’application en tant que fichier WAR. Puis il suffit de faire un build pour l’application pour obtenir un fichier war. Le fichier WAR génére se trouve sous le répertoire dist du projet : 2. Déployer l'application Le déploiement d'une application web sur un serveur d'applications signifie en quelque sorte son installation. On va commencer par voir les parametres de notre serveur tomcat. Dans l’onglet « services » de netbeans on trouve la liste des serveurs, on choisit le serveur tomcat puis on clique sur propriétes. 66 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 67. On démarre le serveur tomcat On ouvre le navigateur web et on tape l’url de serveur. 67 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 68. nous allons faire le deploiement sur le serveur tomcat qui est installé localement ,mais c'est strictement la même chose pour un serveur de production. L’url par défaut est « http://localhost:8080 » mais on peut changer le numéro de port . sur la page d'index de Tomcat, Il devrait y avoir un lien à gauche Tomcat Manager. Cliquez dessus. Vous allez ensuite être invité à entrer un nom d'usager et mot de passe (le login et le mot de passe se trouvent dans les propriétés du serveur qu’ona déjà vu). 68 Dghaies jihed – Tutoriel développement des applications web J2EE
  • 69. La page « tomcat manager » contient la liste des applications présentes sur le serveur. Allez au bas de la page dans la section “WAR file to deploy”. Sélectionnez votre WAR à l'aide du bouton browse et cliquez sur le bouton “Deploy”. L’application est maintenant déployée. l'url de l'application sera le nom de l'archive (WAR) sans l'extension. Donc dans notre exemple, l'application déployée sera accessible via l'url : http://localhost:8084/TP-JSF/. 69 Dghaies jihed – Tutoriel développement des applications web J2EE