Search Tutorials


Spring Tutorials | JavaInUse



Implement SpringJDBC

Overview


In previous chapter we implemented Traditional JDBC in Spring. We also implemented the Programming to Interface concept in previous chapter. In this chapter we will implement Spring JDBC .The design will be as follows.
buml7-1

Lets Begin

We will create Eclipse Maven project as follows-
basic2-7
First modify the pom.xml to include dependency spring-jdbc
So our POM will be as follows

Next we create Spring JDBCTemplate in the configuration file. This template is inserted in our new DAO class EmployeeDAOImplUsingSpringJDBC using constructor dependency injection. Our Configuration class and the new DAO implementation class will be as follows-
package com.javainuse.dao;

import java.sql.Connection;
import java.sql.DriverManager;
import java.sql.PreparedStatement;
import java.sql.ResultSet;
import java.sql.SQLException;
import java.sql.Statement;
import java.util.ArrayList;
import java.util.List;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jdbc.core.RowMapper;
import com.javainuse.domain.Employee;

public class EmployeeDAOImplUsingSpringJDBC implements EmployeeDAO {

    JdbcTemplate jdbcTemplate;

	//SpringJdbcTemplate inserted using constructor injection.
    public EmployeeDAOImplUsingSpringJDBC(JdbcTemplate jdbcTemplate) {
        try {
            this.jdbcTemplate = jdbcTemplate;
            Class.forName("org.hsqldb.jdbcDriver");
            createEmployeeTable();
        }
        catch (ClassNotFoundException e) {
            System.out.println("Exception occured in DAO constructor");
        }

    }

    private void createEmployeeTable() {
        try {
            jdbcTemplate.update(
                "create table Employee(empId VARCHAR(20), name VARCHAR(50), designation VARCHAR(50),salary VARCHAR(50))");
        }
        catch (Exception e) {
            System.out.println("Employee table has already been created...");
        }
    }

	@Override
    public void addNewEmployee(Employee employee) {
        jdbcTemplate.update("insert into Employee (empid, name, designation) values (?, ?, ?)",
            employee.getEmpId(), employee.getName(), employee.getDesignation());
    }

	@Override
    public List getAllEmployees() {
        return jdbcTemplate.query("select * from Employee", new EmployeeMapper());
    }

}

//implement Spring RowMapper.
class EmployeeMapper implements RowMapper {

    public Employee mapRow(ResultSet rs, int rowNumber) throws SQLException {
        String empId = rs.getString(1);
        String name = rs.getString(2);
        String designation = rs.getString(3);
        double salary = 0;
        Employee emp = new Employee(empId, name, designation, salary);
        return emp;
    }

}
Now we are done with the coding changes. If we run the MainApplication.java we get the output.

Spring Programming Output