0

我的 Web 应用程序是基于 JSF 2.0 / JPA 使用 Java EE 5 和 JDK 1.6 的 CRUD Web 应用程序。在 Glassfish 3.1 上运行。IDE 是 Netbeans 7.0。(我不使用 EJB,也不使用 CDI)。

  1. 问题

我现在可以实现的是对我的实体执行 CRUD。这很好。对于我拥有的每个实体:

  • List.xhtml(列出数据表中该实体的所有数据模型项)
  • Create.xhtml(创建新项目的表单)
  • View.xhtml(查看项目的表单)
  • Edit.xhtml(用于编辑项目的表单)

结构

  • 实体包:实体。
  • jpa.controllers 包:JPA 控制器(Javax 持久性..)。
  • jsf 包:每个实体的托管 bean(会话 Scoped)。

但主要问题是父叶导航。我希望我的 web 应用程序与 Netbeans 7.0 附带的演示应用程序 Agile ScrumToys 做同样的事情。或来自 SpringFuse 的演示 webapp,否则:

EG:当您在 a 中显示 WRITERS 列表时,您有最后一个 <h:column>放置三个 <h:commandLink /> 用于编辑、查看和删除所选行的位置。我打算做的是在同一列中添加另一个,允许我查看与该选定行相关的子对象集合。因此,我想显示由给定 WRITER 编写的书籍列表。

WRITER 1 ---------- * BOOK(一对多)关系。

当用户点击它时, <h:commandButton action="#{someManagedBean.showBooksForWriter}" value="#{i18n.listBooks}" />它会将他转发到/book/List.xhtml(应出现所选 WRITEr 行的列表)。依此类推,从书籍数据表中,从给定的行中,我单击<h:commandLink action="#{someManagedBean.showReferencesForBook}" value="List of Book References"/>以获取给定书籍的参考文献列表。@Matt 给出的提示是使用本书托管 bean 中的方法:

public showBooksForWriter(Writer writer) {
// TODO: get the selected writer
// Get the list of books for the selected writer
return "/book/List";  // Outcome
}

在视图中:

<h:datatable value="#{writerController.items}" var="w">
.....
<h:column>
<h:commandButton action="#{bookController.showBooksForWriter(w}" value="Show Books For Writer"/>
</h:column>
....
</h:datatable>

但我不知道该怎么做(DataModel 快疯了)。因此,如果有人可以提供帮助!将不胜感激!

下面是我的代码

WRITER 实体:

package entities;

import javax.persistence.*; // other imports

    @Entity
    @Table(name = "WRITER")
    @XmlRootElement
    @NamedQueries({
        @NamedQuery(name = "Writer.findAll", query = "SELECT w FROM Writer w"),
        @NamedQuery(name = "Writer.findByWriterid", query = "SELECT w FROM Writer w WHERE w.writerid = :writerid"),
        @NamedQuery(name = "Writer.findByName", query = "SELECT w FROM Writer w WHERE w.name = :name"),
        @NamedQuery(name = "Writer.findBySurname", query = "SELECT w FROM Writer w WHERE w.surname = :surname"),
        @NamedQuery(name = "Writer.findByMiddlename", query = "SELECT w FROM Writer w WHERE w.middlename = :middlename"),
        @NamedQuery(name = "Writer.findByIsRewarded", query = "SELECT w FROM Writer w WHERE w.isRewarded = :isRewarded")})
    public class Writer implements Serializable {
        private static final long serialVersionUID = 1L;
        @Id
        @GeneratedValue(strategy = GenerationType.IDENTITY)
        @Basic(optional = false)
        @NotNull
        @Column(name = "writerid")
        private Integer writerid;
        @Size(max = 45)
        @Column(name = "name")
        private String name;
        @Size(max = 45)
        @Column(name = "surname")
        private String surname;
        @Size(max = 45)
        @Column(name = "middlename")
        private String middlename;
        @Column(name = "isRewarded")
        private Boolean isRewarded;
        @ManyToMany(mappedBy = "writerList")
        private List<Topic> topicList;
        @OneToMany(cascade = CascadeType.ALL, mappedBy = "writer")
        private List<Evaluation> evaluationList;
        @OneToMany(cascade = CascadeType.ALL, mappedBy = "writer")
        private List<Book> bookList;

        public Writer() {
        }

        public Writer(Integer writerid) {
            this.writerid = writerid;
        }

        public Integer getWriterid() {
            return writerid;
        }

        public void setWriterid(Integer writerid) {
            this.writerid = writerid;
        }

        public String getName() {
            return name;
        }

        public void setName(String name) {
            this.name = name;
        }

        public String getSurname() {
            return surname;
        }

        public void setSurname(String surname) {
            this.surname = surname;
        }

        public String getMiddlename() {
            return middlename;
        }

        public void setMiddlename(String middlename) {
            this.middlename = middlename;
        }

        public Boolean getIsRewarded() {
            return isRewarded;
        }

        public void setIsRewarded(Boolean isRewarded) {
            this.isRewarded = isRewarded;
        }

        @XmlTransient
        public List<Topic> getTopicList() {
            return topicList;
        }

        public void setTopicList(List<Topic> topicList) {
            this.topicList = topicList;
        }

        @XmlTransient
        public List<Evaluation> getEvaluationList() {
            return evaluationList;
        }

        public void setEvaluationList(List<Evaluation> evaluationList) {
            this.evaluationList = evaluationList;
        }

        @XmlTransient
        public List<Book> getBookList() {
            return bookList;
        }

        public void setBookList(List<Book> bookList) {
            this.bookList = bookList;
        }

        @Override
        public int hashCode() {
            int hash = 0;
            hash += (writerid != null ? writerid.hashCode() : 0);
            return hash;
        }

        @Override
        public boolean equals(Object object) {
            // TODO: Warning - this method won't work in the case the id fields are not set
            if (!(object instanceof Writer)) {
                return false;
            }
            Writer other = (Writer) object;
            if ((this.writerid == null && other.writerid != null) || (this.writerid != null && !this.writerid.equals(other.writerid))) {
                return false;
            }
            return true;
        }

        @Override
        public String toString() {
            return getMiddlename();
        }

    }

作家豆豆

package jsf;

import entities.Writer;
import jsf.util.JsfUtil;
import jsf.util.PaginationHelper;
import jpa.controllers.WriterJpaController;
import javax.faces.bean.ManagedBean;

// 这里的其他导入

@ManagedBean(name = "writerController")
@SessionScoped
public class WriterController implements Serializable {

    @Resource
    private UserTransaction utx = null;
    @PersistenceUnit(unitName = "writerPU")
    private EntityManagerFactory emf = null;
    private Writer current;
    private DataModel items = null;
    private WriterJpaController jpaController = null;
    private PaginationHelper pagination;
    private int selectedItemIndex;

    public WriterController() {
    }

    public Writer getSelected() {
        if (current == null) {
            current = new Writer();
            selectedItemIndex = -1;
        }
        return current;
    }

    private WriterJpaController getJpaController() {
        if (jpaController == null) {
            jpaController = new WriterJpaController(utx, emf);
        }
        return jpaController;
    }

    public PaginationHelper getPagination() {
        if (pagination == null) {
            pagination = new PaginationHelper(10) {

                @Override
                public int getItemsCount() {
                    return getJpaController().getWriterCount();
                }

                @Override
                public DataModel createPageDataModel() {
                    return new ListDataModel(getJpaController().findWriterEntities(getPageSize(), getPageFirstItem()));
                }
            };
        }
        return pagination;
    }

    public String prepareList() {
        recreateModel();
        return "List";
    }

    public String prepareView() {
        current = (Writer) getItems().getRowData();
        selectedItemIndex = pagination.getPageFirstItem() + getItems().getRowIndex();
        return "View";
    }

    public String prepareCreate() {
        current = new Writer();
        selectedItemIndex = -1;
        return "Create";
    }

    public String create() {
        try {
            getJpaController().create(current);
            JsfUtil.addSuccessMessage(ResourceBundle.getBundle("/Bundle").getString("WriterCreated"));
            return prepareCreate();
        } catch (Exception e) {
            JsfUtil.addErrorMessage(e, ResourceBundle.getBundle("/Bundle").getString("PersistenceErrorOccured"));
            return null;
        }
    }

    public String prepareEdit() {
        current = (Writer) getItems().getRowData();
        selectedItemIndex = pagination.getPageFirstItem() + getItems().getRowIndex();
        return "Edit";
    }

    public String update() {
        try {
            getJpaController().edit(current);
            JsfUtil.addSuccessMessage(ResourceBundle.getBundle("/Bundle").getString("WriterUpdated"));
            return "View";
        } catch (Exception e) {
            JsfUtil.addErrorMessage(e, ResourceBundle.getBundle("/Bundle").getString("PersistenceErrorOccured"));
            return null;
        }
    }

    public String destroy() {
        current = (Writer) getItems().getRowData();
        selectedItemIndex = pagination.getPageFirstItem() + getItems().getRowIndex();
        performDestroy();
        recreateModel();
        return "List";
    }

    public String destroyAndView() {
        performDestroy();
        recreateModel();
        updateCurrentItem();
        if (selectedItemIndex >= 0) {
            return "View";
        } else {
            // all items were removed - go back to list
            recreateModel();
            return "List";
        }
    }

    private void performDestroy() {
        try {
            getJpaController().destroy(current.getWriterid());
            JsfUtil.addSuccessMessage(ResourceBundle.getBundle("/Bundle").getString("WriterDeleted"));
        } catch (Exception e) {
            JsfUtil.addErrorMessage(e, ResourceBundle.getBundle("/Bundle").getString("PersistenceErrorOccured"));
        }
    }

    private void updateCurrentItem() {
        int count = getJpaController().getWriterCount();
        if (selectedItemIndex >= count) {
            // selected index cannot be bigger than number of items:
            selectedItemIndex = count - 1;
            // go to previous page if last page disappeared:
            if (pagination.getPageFirstItem() >= count) {
                pagination.previousPage();
            }
        }
        if (selectedItemIndex >= 0) {
            current = getJpaController().findWriterEntities(1, selectedItemIndex).get(0);
        }
    }

    public DataModel getItems() {
        if (items == null) {
            items = getPagination().createPageDataModel();
        }
        return items;
    }

    private void recreateModel() {
        items = null;
    }

    public String next() {
        getPagination().nextPage();
        recreateModel();
        return "List";
    }

    public String previous() {
        getPagination().previousPage();
        recreateModel();
        return "List";
    }

    public SelectItem[] getItemsAvailableSelectMany() {
        return JsfUtil.getSelectItems(getJpaController().findWriterEntities(), false);
    }

    public SelectItem[] getItemsAvailableSelectOne() {
        return JsfUtil.getSelectItems(getJpaController().findWriterEntities(), true);
    }

    @FacesConverter(forClass = Writer.class)
    public static class WriterControllerConverter implements Converter {

        public Object getAsObject(FacesContext facesContext, UIComponent component, String value) {
            if (value == null || value.length() == 0) {
                return null;
            }
            WriterController controller = (WriterController) facesContext.getApplication().getELResolver().
                    getValue(facesContext.getELContext(), null, "writerController");
            return controller.getJpaController().findWriter(getKey(value));
        }

        java.lang.Integer getKey(String value) {
            java.lang.Integer key;
            key = Integer.valueOf(value);
            return key;
        }

        String getStringKey(java.lang.Integer value) {
            StringBuffer sb = new StringBuffer();
            sb.append(value);
            return sb.toString();
        }

        public String getAsString(FacesContext facesContext, UIComponent component, Object object) {
            if (object == null) {
                return null;
            }
            if (object instanceof Writer) {
                Writer o = (Writer) object;
                return getStringKey(o.getWriterid());
            } else {
                throw new IllegalArgumentException("object " + object + " is of type " + object.getClass().getName() + "; expected type: " + WriterController.class.getName());
            }
        }
    }
}

JSF 实用程序类

package jsf.util;

import javax.faces.application.FacesMessage;

// 这里的其他导入

public class JsfUtil {

    public static SelectItem[] getSelectItems(List<?> entities, boolean selectOne) {
        int size = selectOne ? entities.size() + 1 : entities.size();
        SelectItem[] items = new SelectItem[size];
        int i = 0;
        if (selectOne) {
            items[0] = new SelectItem("", "---");
            i++;
        }
        for (Object x : entities) {
            items[i++] = new SelectItem(x, x.toString());
        }
        return items;
    }

    public static void addErrorMessage(Exception ex, String defaultMsg) {
        String msg = ex.getLocalizedMessage();
        if (msg != null && msg.length() > 0) {
            addErrorMessage(msg);
        } else {
            addErrorMessage(defaultMsg);
        }
    }

    public static void addErrorMessages(List<String> messages) {
        for (String message : messages) {
            addErrorMessage(message);
        }
    }

    public static void addErrorMessage(String msg) {
        FacesMessage facesMsg = new FacesMessage(FacesMessage.SEVERITY_ERROR, msg, msg);
        FacesContext.getCurrentInstance().addMessage(null, facesMsg);
    }

    public static void addSuccessMessage(String msg) {
        FacesMessage facesMsg = new FacesMessage(FacesMessage.SEVERITY_INFO, msg, msg);
        FacesContext.getCurrentInstance().addMessage("successInfo", facesMsg);
    }

    public static String getRequestParameter(String key) {
        return FacesContext.getCurrentInstance().getExternalContext().getRequestParameterMap().get(key);
    }

    public static Object getObjectFromRequestParameter(String requestParameterName, Converter converter, UIComponent component) {
        String theId = JsfUtil.getRequestParameter(requestParameterName);
        return converter.getAsObject(FacesContext.getCurrentInstance(), component, theId);
    }
}

JSF 分页助手

package jsf.util;

import javax.faces.model.DataModel;

public abstract class PaginationHelper {

    private int pageSize;
    private int page;

    public PaginationHelper(int pageSize) {
        this.pageSize = pageSize;
    }

    public abstract int getItemsCount();

    public abstract DataModel createPageDataModel();

    public int getPageFirstItem() {
        return page * pageSize;
    }

    public int getPageLastItem() {
        int i = getPageFirstItem() + pageSize - 1;
        int count = getItemsCount() - 1;
        if (i > count) {
            i = count;
        }
        if (i < 0) {
            i = 0;
        }
        return i;
    }

    public boolean isHasNextPage() {
        return (page + 1) * pageSize + 1 <= getItemsCount();
    }

    public void nextPage() {
        if (isHasNextPage()) {
            page++;
        }
    }

    public boolean isHasPreviousPage() {
        return page > 0;
    }

    public void previousPage() {
        if (isHasPreviousPage()) {
            page--;
        }
    }

    public int getPageSize() {
        return pageSize;
    }
} // END of CLASS

JPA 控制器

package jpa.controllers;

import entities.Writer;
// other imports here

    public class WriterJpaController implements Serializable {

        public WriterJpaController(UserTransaction utx, EntityManagerFactory emf) {
            this.utx = utx;
            this.emf = emf;
        }
        private UserTransaction utx = null;
        private EntityManagerFactory emf = null;

        public EntityManager getEntityManager() {
            return emf.createEntityManager();
        }

        public void create(Writer writer) throws RollbackFailureException, Exception {
            if (writer.getTopicList() == null) {
                writer.setTopicList(new ArrayList<Topic>());
            }
            if (writer.getEvaluationList() == null) {
                writer.setEvaluationList(new ArrayList<Evaluation>());
            }
            if (writer.getBookList() == null) {
                writer.setBookList(new ArrayList<Book>());
            }
            EntityManager em = null;
            try {
                utx.begin();
                em = getEntityManager();
                List<Topic> attachedTopicList = new ArrayList<Topic>();
                for (Topic topicListTopicToAttach : writer.getTopicList()) {
                    topicListTopicToAttach = em.getReference(topicListTopicToAttach.getClass(), topicListTopicToAttach.getTopicname());
                    attachedTopicList.add(topicListTopicToAttach);
                }
                writer.setTopicList(attachedTopicList);
                List<Evaluation> attachedEvaluationList = new ArrayList<Evaluation>();
                for (Evaluation evaluationListEvaluationToAttach : writer.getEvaluationList()) {
                    evaluationListEvaluationToAttach = em.getReference(evaluationListEvaluationToAttach.getClass(), evaluationListEvaluationToAttach.getEvaluationPK());
                    attachedEvaluationList.add(evaluationListEvaluationToAttach);
                }
                writer.setEvaluationList(attachedEvaluationList);
                List<Book> attachedBookList = new ArrayList<Book>();
                for (Book bookListBookToAttach : writer.getBookList()) {
                    bookListBookToAttach = em.getReference(bookListBookToAttach.getClass(), bookListBookToAttach.getBookPK());
                    attachedBookList.add(bookListBookToAttach);
                }
                writer.setBookList(attachedBookList);
                em.persist(writer);
                for (Topic topicListTopic : writer.getTopicList()) {
                    topicListTopic.getWriterList().add(writer);
                    topicListTopic = em.merge(topicListTopic);
                }
                for (Evaluation evaluationListEvaluation : writer.getEvaluationList()) {
                    Writer oldWriterOfEvaluationListEvaluation = evaluationListEvaluation.getWriter();
                    evaluationListEvaluation.setWriter(writer);
                    evaluationListEvaluation = em.merge(evaluationListEvaluation);
                    if (oldWriterOfEvaluationListEvaluation != null) {
                        oldWriterOfEvaluationListEvaluation.getEvaluationList().remove(evaluationListEvaluation);
                        oldWriterOfEvaluationListEvaluation = em.merge(oldWriterOfEvaluationListEvaluation);
                    }
                }
                for (Book bookListBook : writer.getBookList()) {
                    Writer oldWriterOfBookListBook = bookListBook.getWriter();
                    bookListBook.setWriter(writer);
                    bookListBook = em.merge(bookListBook);
                    if (oldWriterOfBookListBook != null) {
                        oldWriterOfBookListBook.getBookList().remove(bookListBook);
                        oldWriterOfBookListBook = em.merge(oldWriterOfBookListBook);
                    }
                }
                utx.commit();
            } catch (Exception ex) {
                try {
                    utx.rollback();
                } catch (Exception re) {
                    throw new RollbackFailureException("An error occurred attempting to roll back the transaction.", re);
                }
                throw ex;
            } finally {
                if (em != null) {
                    em.close();
                }
            }
        }

        public void edit(Writer writer) throws IllegalOrphanException, NonexistentEntityException, RollbackFailureException, Exception {
          // remainder of code goes here
        }

        public void destroy(Integer id) throws IllegalOrphanException, NonexistentEntityException, RollbackFailureException, Exception {
           // remainder of code goes here
        }

        public List<Writer> findWriterEntities() {
            return findWriterEntities(true, -1, -1);
        }

        public List<Writer> findWriterEntities(int maxResults, int firstResult) {
            return findWriterEntities(false, maxResults, firstResult);
        }

        private List<Writer> findWriterEntities(boolean all, int maxResults, int firstResult) {
            EntityManager em = getEntityManager();
            try {
                CriteriaQuery cq = em.getCriteriaBuilder().createQuery();
                cq.select(cq.from(Writer.class));
                Query q = em.createQuery(cq);
                if (!all) {
                    q.setMaxResults(maxResults);
                    q.setFirstResult(firstResult);
                }
                return q.getResultList();
            } finally {
                em.close();
            }
        }

        public Writer findWriter(Integer id) {
            EntityManager em = getEntityManager();
            try {
                return em.find(Writer.class, id);
            } finally {
                em.close();
            }
        }

        public int getWriterCount() {
            EntityManager em = getEntityManager();
            try {
                CriteriaQuery cq = em.getCriteriaBuilder().createQuery();
                Root<Writer> rt = cq.from(Writer.class);
                cq.select(em.getCriteriaBuilder().count(rt));
                Query q = em.createQuery(cq);
                return ((Long) q.getSingleResult()).intValue();
            } finally {
                em.close();
            }
        }

    }
4

0 回答 0