Spring JDBC: Using JdbcDaoSupport

In this article, we will implement the same example used in the previous articles but using JdbcDaoSupport. With JdbcTemplate, either you need to manually configure the dataSource/jdbcTemplate in the spring context xml or use annotation

In JdbcDaoSupport, you don’t need to configure those few lines of code instead simply extends JdbcDaoSupport (org.springframework.jdbc.core.support.JdbcDaoSupport) class and use jdbcDaoSupport methods available from the overriding class i.e.; getJdbcTemplate()method

Technology Used

  • Java 1.7
  • Eclipse Luna IDE
  • Spring-4.0.0-RELEASE
  • Apache-Maven-3.2.1
  • MySql-Connector-Java-5.1.31

Mavenize or download required jars

Add Spring-4.0.0 & mysql-connector-java dependencies to the pom.xml

	<dependencies>
		<!-- Spring Core and Context -->
		<dependency>
			<groupId>org.springframework</groupId>
			<artifactId>spring-core</artifactId>
			<version>${spring.version}</version>
		</dependency>
		<dependency>
			<groupId>org.springframework</groupId>
			<artifactId>spring-context</artifactId>
			<version>${spring.version}</version>
		</dependency>

		<!-- Spring JDBC -->
		<dependency>
			<groupId>org.springframework</groupId>
			<artifactId>spring-jdbc</artifactId>
			<version>${spring.version}</version>
		</dependency>

		<!-- MySql-Connector -->
		<dependency>
			<groupId>mysql</groupId>
			<artifactId>mysql-connector-java</artifactId>
			<version>5.1.31</version>
		</dependency>
	</dependencies>

Folks who aren’t familiar with Maven concepts or don’t require maven for their project, can download the below jars individually from the spring site and include them in the classpath

Project Structure (Package Explorer view in Eclipse)

1_SpringJdbcDaoSupport_Project_Structure_In_Eclipse

Jars Libraries Used in the Project (Maven Dependencies)

2_SpringJdbcDaoSupport_Jars_In_Classpath

Creating tables and inserting few records

Create table command

CREATE TABLE `PLAYER` (
  `PLAYER_ID` INT(6) NOT NULL AUTO_INCREMENT,
  `NAME` VARCHAR(50) NOT NULL,
  `AGE` INT(3) NOT NULL,
  `MATCHES` INT(3) NOT NULL,
  PRIMARY KEY (`PLAYER_ID`)
);

Insert command

INSERT INTO `PLAYER`(`NAME`, `AGE`, `MATCHES`) VALUES ("Sachin Tendulkar",41,200);
INSERT INTO `PLAYER`(`NAME`, `AGE`, `MATCHES`) VALUES ("Shane Warne",44,145);
INSERT INTO `PLAYER`(`NAME`, `AGE`, `MATCHES`) VALUES ("Kevin Pietersen",34,104);
INSERT INTO `PLAYER`(`NAME`, `AGE`, `MATCHES`) VALUES ("Shahid Afridi",35,27);
INSERT INTO `PLAYER`(`NAME`, `AGE`, `MATCHES`) VALUES ("Brian Lara",45,131);
INSERT INTO `PLAYER`(`NAME`, `AGE`, `MATCHES`) VALUES ("Graeme Smith",34,117);
INSERT INTO `PLAYER`(`NAME`, `AGE`, `MATCHES`) VALUES ("Mahela Jayawardene",37,145);

Spring Configuration Context xml

This Spring Bean xml defines two beans

  • a datasource with value for drivername, url, username and password
  • a playerDAO bean for the implementation class of Spring JDBC

Note: datasource injected into playerDAO bean via setter injection

SpringContext.xml

<?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:context="http://www.springframework.org/schema/context" xsi:schemaLocation="http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans.xsd http://www.springframework.org/schema/context http://www.springframework.org/schema/context/spring-context-4.0.xsd">

	<!-- playerDAO bean with dataSource setter-injection -->
	<bean id="playerDAO" class="com.spring.series.jdbc.dao.impl.PlayerDAOImpl">
		<property name="dataSource" ref="dataSource" />
	</bean>

	<!-- dataSource configuration -->
	<bean id="dataSource" class="org.springframework.jdbc.datasource.DriverManagerDataSource">
		<property name="driverClassName" value="com.mysql.jdbc.Driver" />
		<property name="url" value="jdbc:mysql://localhost:3306/benchresources" />
		<property name="username" value="root" />
		<property name="password" value="" />
	</bean>
</beans>

Let’s see coding in action

Model class Player with four primitive attributes with their getter/setter && no-arg constructor, 3-arg constructor and 4-arg constructor

Player.java

package com.spring.series.jdbc.model;

public class Player {

	// member variables
	private int playerId;
	private String name;
	private int age;
	private int matches;

	// default constructor
	public Player() {
		super();
	}

	// 3-arg parameterized-constructor
	public Player(String name, int age, int matches) {
		super();
		this.name = name;
		this.age = age;
		this.matches = matches;
	}

	// 4-arg parameterized-constructor
	public Player(int playerId, String name, int age, int matches) {
		super();
		this.playerId = playerId;
		this.name = name;
		this.age = age;
		this.matches = matches;
	}

	// getter and setter
	public int getPlayerId() {
		return playerId;
	}
	public void setPlayerId(int playerId) {
		this.playerId = playerId;
	}
	public String getName() {
		return name;
	}
	public void setName(String name) {
		this.name = name;
	}
	public int getAge() {
		return age;
	}
	public void setAge(int age) {
		this.age = age;
	}
	public int getMatches() {
		return matches;
	}
	public void setMatches(int matches) {
		this.matches = matches;
	}
}

PlayerDAO interface
PlayerDAO interface with CRUD operation to interact with database

  • create or save new player information into the database
  • get player based on the PLAYER_ID
  • update player information taking player object as input argument
  • delete player information from the database with playerId as formal argument
  • get all players stored in the database from PLAYER table

 Note: It is always good programming practice to write code-to-interface

PlayerDAO.java

package com.spring.series.jdbc.dao;

import java.util.List;

import com.spring.series.jdbc.model.Player;

public interface PlayerDAO {

	// simple CRUD operations
	public String createOrSaveNewPLayer(Player player);
	public Player getPlayer(int playerId);
	public String updatePlayerInfo(Player player);
	public String deletePlayerInfo(String playerId);
	public List<Player> getAllPlayer();
}

PlayerDAOImpl class

This Impl class implements above interface which exposes CRUD like operations
It uses Spring JDBC configured in the SpringContext.xml file to interact with MySql database to do database operations

This class extends JdbcDaoSupport (org.springframework.jdbc.core.support.JdbcDaoSupport) and uses JdbcDaoSupport methods from super class using getJdbcTemplate() method

Note: Here, we haven’t configured dataSource and jdbcTemplate as did in the case of JdbcTemplate example. Assume a scenario where we have to code similar steps for some 100-200 files then in that case, JdbcDaoSupport will be a good alternative

PlayerDAOImpl.java

package com.spring.series.jdbc.dao.impl;

import java.util.List;

import org.springframework.jdbc.core.support.JdbcDaoSupport;

import com.spring.series.jdbc.dao.PlayerDAO;
import com.spring.series.jdbc.model.Player;
import com.spring.series.jdbc.utils.PlayerRowMapper;

public class PlayerDAOImpl extends JdbcDaoSupport implements PlayerDAO {

	/**
	 * create or inserts the new player information into the database using simpleJdbcTemplate
	 */
	public String createOrSaveNewPLayer(Player player) {

		String sql = "INSERT INTO PLAYER(NAME, AGE, MATCHES) VALUES(?, ?, ?)";
		int returnValue = getJdbcTemplate().update(
				sql,
				new Object[] { player.getName(), player.getAge(), player.getMatches() });

		if(1 == returnValue)
			return "Player creation is SUCCESS";
		else
			return "Player creation is FAILURE";
	}

	/**
	 * This method retrieves a player from database using jdbcTemplate based on the PLAYER_ID supplied in the formal arguments
	 */
	public Player getPlayer(int playerId) {

		String sql = "SELECT PLAYER_ID, NAME, AGE, MATCHES FROM PLAYER WHERE PLAYER_ID = ?";
		Player player = getJdbcTemplate().queryForObject(
				sql,
				new Object[] { playerId },
				new PlayerRowMapper());
		return player;
	}

	/**
	 * This method updates the player information in the database using simpleJdbcTemplate
	 */
	public String updatePlayerInfo(Player player) {

		String sql = "UPDATE PLAYER SET NAME = ?, AGE = ?, MATCHES = ? WHERE PLAYER_ID = ?";
		int returnValue = getJdbcTemplate().update(
				sql,
				new Object[] { player.getName(), player.getAge(), player.getMatches(), player.getPlayerId() });

		if(1 == returnValue)
			return "Player updation is SUCCESS";
		else
			return "Player updation is FAILURE";
	}

	/**
	 * This method deletes the player information from the database using simpleJdbcTemplate
	 */
	public String deletePlayerInfo(String playerId) {

		String sql = "DELETE FROM PLAYER WHERE PLAYER_ID = ? ";
		int returnValue = getJdbcTemplate().update(
				sql,
				new Object[] { playerId });

		if(1 == returnValue)
			return "Player deletion is SUCCESS";
		else
			return "Player deletion is FAILURE";
	}

	/**
	 * Retrieves all players from the database using simpleJdbcTemplate
	 */
	public List<Player> getAllPlayer() {

		String sql = "SELECT PLAYER_ID, NAME, AGE, MATCHES FROM PLAYER";
		List<Player> lstPlayers  = getJdbcTemplate().query(
				sql,
				new PlayerRowMapper());
		return lstPlayers;
	}
}

Row Mapper

In our earlier examples on JdbcTemplate/SimpleJdbcTemplate, we have directly mapped using the readily available classes from spring “BeanPropertyRowMapper” or “ParameterizedBeanPropertyRowMapper” provided both has the same name

But using custom row mapper, developer has the flexibility of mapping the java properties to database column of any value. For example, a java property playerName and database column name can be mapped using the custom row mapper

PlayerRowMapper.java

package com.spring.series.jdbc.utils;

import java.sql.ResultSet;
import java.sql.SQLException;

import org.springframework.jdbc.core.RowMapper;

import com.spring.series.jdbc.model.Player;

public class PlayerRowMapper implements RowMapper<Player> {

	public Player mapRow(ResultSet resultSet, int rowNumber) throws SQLException {
		Player player = new Player();
		player.setPlayerId(resultSet.getInt("PLAYER_ID"));
		player.setName(resultSet.getString("NAME"));
		player.setAge(resultSet.getInt("AGE"));
		player.setMatches(resultSet.getInt("MATCHES"));
		return player;
	}
}

Time to Test !!

TestPlayerInfo class

This class is used to test the above Spring JdbcDaoSupport implementation

TestPlayerInfo.java

package com.spring.series.jdbc;

import java.util.List;

import org.springframework.context.ApplicationContext;
import org.springframework.context.support.ClassPathXmlApplicationContext;

import com.spring.series.jdbc.dao.PlayerDAO;
import com.spring.series.jdbc.model.Player;

public class TestPlayerInfo {

	public static void main(String[] args) {
		testSpringJdbcDaoSupport();
	}

	/**
	 * Test method : invokes all public DAO methods using Spring Dependency Injection after loading the context xml file
	 */
	private static void testSpringJdbcDaoSupport(){

		// loads the context xml and uses getBean() to retrieve the bean
		ApplicationContext applicationContext = new ClassPathXmlApplicationContext("com/spring/series/jdbc/SpringContext.xml");
		PlayerDAO playerDAO = (PlayerDAO) applicationContext.getBean("playerDAO");

		System.out.println("\nSpring JdbcDaoSupport Demostration using datasource");

		// invokes createOrSaveNewPLayer() method
		System.out.println("\nA. Invkoing createOrSaveNewPLayer() method to create/save new player information");
		Player newPlayer = new Player("Adam Gilchrist", 43, 96);
		String strCreateOrSave = playerDAO.createOrSaveNewPLayer(newPlayer);
		System.out.println("Return message : " + strCreateOrSave);

		// invokes getPlayer() method
		System.out.println("\nB. Invkoing getPlayer() method to retrieve player based on the player_id supplied in the formal argument");
		Player player5 = playerDAO.getPlayer(5);
		System.out.println("ID\tName\t\t\tAge\tMatches");
		System.out.println("==\t================\t===\t=======");
		System.out.println(player5.getPlayerId() + "\t" + player5.getName() + "\t" + player5.getAge() + "\t" + player5.getMatches());

		// invokes updatePlayerInfo() method
		System.out.println("\nC. Invkoing updatePlayerInfo() method to update Player information");
		Player updatePlayer = new Player(3, "Kevin Pietersen", 35, 104);
		String strUpdate = playerDAO.updatePlayerInfo(updatePlayer);
		System.out.println("Return message : " + strUpdate);

		// invokes deletePlayerInfo() method
		System.out.println("\nD. Invkoing deletePlayerInfo() method to delete player inforamtion from the database");
		String strDelete = playerDAO.deletePlayerInfo("6");
		System.out.println("Return message : " + strDelete);

		// invokes getAllPlayer() method
		System.out.println("\nE. Invkoing getAllPlayer() method to retrieve all players from the database");
		System.out.println("ID\tName\t\t\tAge\tMatches");
		System.out.println("==\t================\t===\t=======");
		List<Player> lstPlayer = playerDAO.getAllPlayer();
		for(Player player : lstPlayer){
			System.out.println(player.getPlayerId() + "\t" + player.getName() + "\t" + player.getAge() + "\t" + player.getMatches());
		}
	}
}

Output in console

Aug 06, 2014 3:29:50 PM org.springframework.context.support.AbstractApplicationContext prepareRefresh
INFO: Refreshing org.springframework.context.support.ClassPathXmlApplicationContext@154fc43: startup date [Wed Aug 06 15:29:50 IST 2014]; root of context hierarchy
Aug 06, 2014 3:29:50 PM org.springframework.beans.factory.xml.XmlBeanDefinitionReader loadBeanDefinitions
INFO: Loading XML bean definitions from class path resource [com/spring/series/jdbc/SpringContext.xml]
Aug 06, 2014 3:29:50 PM org.springframework.jdbc.datasource.DriverManagerDataSource setDriverClassName
INFO: Loaded JDBC driver: com.mysql.jdbc.Driver

Spring JdbcDaoSupport Demostration using datasource

A. Invkoing createOrSaveNewPLayer() method to create/save new player information
Return message : Player creation is SUCCESS

B. Invkoing getPlayer() method to retrieve player based on the player_id supplied in the formal argument
ID	Name			Age	Matches
==	================	===	=======
5	Brian Lara	45	131

C. Invkoing updatePlayerInfo() method to update Player information
Return message : Player updation is SUCCESS

D. Invkoing deletePlayerInfo() method to delete player inforamtion from the database
Return message : Player deletion is SUCCESS

E. Invkoing getAllPlayer() method to retrieve all players from the database
ID	Name			Age	Matches
==	================	===	=======
1	Sachin Tendulkar	41	200
2	Shane Warne	        44	145
3	Kevin Pietersen	        35	104
4	Shahid Afridi	        35	27
5	Brian Lara	        45	131
7	Mahela Jayawardene	37	145
8	Adam Gilchrist	        43	96

Conclusion:  It is recommended to use JdbcDaoSupport or JdbcTemplate while interacting with database, rather than going with conventional plain JDBC

Download project

Spring-JDBC-using-JdbcDaoSupport (5kB)

 

Read Also:

Happy Coding !!
Happy Learning !!

Spring JDBC: An example on NamedParameterJdbcTemplate using Annotation