javadaogenericdaohibernate-generic-dao

Generic DAO, Spring, Hibernate


I want to understand how can i implement the generic methods like add, edit, delete and search on my database, i have already made the connection (hibernate) and works fine

I do have this method, that works

Class: GenericDAO

public <T> T save(final T o){
        Session session=HibernateUtil.getSessionFactory().openSession();
        Transaction trans=session.beginTransaction();
        Object object = (T) session.save(o);
        trans.commit();
        return (T) object;
    }

and in Main

GenericDAO gen = new GenericDAO();
gen.save(object); 

also i have others methods that i dont know how to use them

Class: GenericDAO

public void delete(final Object object){
   Session session=HibernateUtil.getSessionFactory().openSession();
   Transaction trans=session.beginTransaction();
   session.delete(object);
   trans.commit();
}

/***/
public <T> T get(final Class<T> type, final int id){
    Session session=HibernateUtil.getSessionFactory().openSession();
    Transaction trans=session.beginTransaction();
    Object object = (T) session.get(type, id);
    trans.commit();
    return (T) object;
}

public <T> List<T> getAll(final Class<T> type) {
    Session session=HibernateUtil.getSessionFactory().openSession();
    Transaction trans=session.beginTransaction();
    final Criteria crit = session.createCriteria(type);
    List<T> list = crit.list();
    trans.commit();
    return list;
}

Thank you


Solution

  • I think GenericDAO class is base class. It's not for using directly. Did you check this article ? I checked this article and created a sample project.

    Example

    GitHub - generic-dao-hibernate sample

    For example, you might want to create an API to retrieve all employees list according to MySQL first step example.

    Employees table schema is like following:

    Base SQL

        CREATE TABLE employees (
            emp_no      INT             NOT NULL,  -- UNSIGNED AUTO_INCREMENT??
            birth_date  DATE            NOT NULL,
            first_name  VARCHAR(14)     NOT NULL,
            last_name   VARCHAR(16)     NOT NULL,
            gender      ENUM ('M','F')  NOT NULL,  -- Enumeration of either 'M' or 'F'  
            hire_date   DATE            NOT NULL,
            PRIMARY KEY (emp_no)                   -- Index built automatically on primary-key column
                                                   -- INDEX (first_name)
                                                   -- INDEX (last_name)
        );
    

    O/R Mapping

    Hibernate require you to configure mapping object-relation settings. After that, you will enjoy converting object-to-sql and sql-to-object.

    Entity class based on SQL

    Resource Class for Frontend

    You always need to write DAO(Data Access Object) for accessing the database. GenericDAO is a method to reduce boilerplate sources codes.

    EmployeesResource class

    should be equivalent with

    You need to identify a record or records with key. In this case, id is sample primary key.

        @Path("/employee")
        public class EmployeesResource {
    
            static Logger log = LoggerFactory.getLogger(EmployeesResource.class);
    
            @GET
            @Produces(MediaType.APPLICATION_JSON)
            public List<Employees> index(@BeanParam Employees paramBean) {
                EmployeesDao dao = (EmployeesDao) SpringApplicationContext.getBean("employeesDao");
                List<Employees> result = dao.read();
                System.out.println("Get all employees: size = " + result.size());
                return result;
            }
    
            @GET
            @Path("{id}")
            @Produces(MediaType.APPLICATION_JSON)
            public Employees show(@PathParam("id") Integer id) {
                EmployeesDao dao = (EmployeesDao) SpringApplicationContext.getBean("employeesDao");
                System.out.println("Get employees -> id = " + id);
                return dao.read(id);
            }
    
            @POST
            @Consumes(MediaType.APPLICATION_JSON)
            public Integer create(Employees obj) {
                EmployeesDao dao = (EmployeesDao) SpringApplicationContext.getBean("employeesDao");
                return dao.create(obj);
            }
    
            @PUT
            @Path("{id}")
            @Consumes(MediaType.APPLICATION_JSON)
            public void update(Employees obj, @PathParam("id") String id) {
                EmployeesDao dao = (EmployeesDao) SpringApplicationContext.getBean("employeesDao");
                dao.update(obj);
            }
    
            @DELETE
            @Path("{id}")
            public void destroy(@PathParam("id") Integer id) throws Exception {
                EmployeesDao dao = (EmployeesDao) SpringApplicationContext.getBean("EmployeesDao");
                dao.delete(id);
            }
        }
    

    GenericDao interface & implementation

    Interface ( as is from ibm's post )

    According to the post, we can declare dao interface. Then we should implement that interface's methods.

        public interface GenericDao<T, PK extends Serializable> {
    
            /** Persist the newInstance object into database */
            PK create(T newInstance);
    
            /**
             * Retrieve an object that was previously persisted to the database using
             * the indicated id as primary key
             */
            T read(PK id);
            List<T> read();
    
            /** Save changes made to a persistent object. */
            void update(T transientObject);
    
            /** Remove an object from persistent storage in the database */
            void delete(PK id) throws Exception;
            void delete(T persistentObject) throws Exception;
        }
    

    Implementation

        public class GenericDaoHibernateImpl<T, PK extends Serializable> implements GenericDao<T, PK> {
    
            private Class<T> type;
    
            @Autowired
            private SessionFactory sessionFactory;
    
            public SessionFactory getSessionFactory() {
                return sessionFactory;
            }
    
            public void setSessionFactory(SessionFactory sessionFactory) {
                this.sessionFactory = sessionFactory;
            }
    
            public GenericDaoHibernateImpl(Class<T> type) {
                this.type = type;
            }
    
            // Not showing implementations of getSession() and setSessionFactory()
            private Session getSession() {
                Session session = sessionFactory.getCurrentSession();
                return session;
            }
    
            @Transactional(readOnly = false, rollbackFor = RuntimeException.class)
            public PK create(T o) {
                return (PK) getSession().save(o);
            }
    
            @Transactional(readOnly = false, rollbackFor = RuntimeException.class)
            public void update(T o) {
                getSession().update(o);
            }
    
            @Transactional(readOnly = true)
            public T read(PK id) {
                return (T) getSession().get(type, id);
            }
    
            @SuppressWarnings("unchecked")
            @Transactional(readOnly = true)
            public List<T> read() {
                return (List<T>) getSession().createCriteria(type).list();
            }
    
            @Transactional(readOnly = false, rollbackFor = RuntimeException.class)
            public void delete(PK id) {
                T o = getSession().load(type, id);
                getSession().delete(o);
            }
    
            @Transactional(readOnly = false, rollbackFor = RuntimeException.class)
            public void delete(T o) {
                getSession().delete(o);
            }
    

    If you use only simple CRUD operations in the project, you don't need to append any code for SQL operations. For example, you can create another simple SQL tables like divisions_table or personnel_table with using extends GenericDao<Division, Integer> or extends GenericDao<Personnel, Integer>.

    EDIT

    To instantiate real dao class related with each table, you need to configure applicationContext.xml and beans.

    example

    <bean id="employeesDao" parent="abstractDao">
        <!-- You need to configure the interface for Dao -->
        <property name="proxyInterfaces">
            <value>jp.gr.java_conf.hangedman.dao.EmployeesDao</value>
        </property>
        <property name="target">
            <bean parent="abstractDaoTarget">
                <constructor-arg>
                    <value>jp.gr.java_conf.hangedman.models.Employees</value>
                </constructor-arg>
            </bean>
        </property>
    </bean>
    

    P.S.

    You need to remember this article was written a decade ago. And, you should think seriously about which O/R mapper is really good or not. I think O/R mapper is slightly declining now. Instead of Hibernate, you can find MyBatis , JOOQ