StackTips
 4 minutes

Batch Update Operation Using Spring JdbcTemplate

By Nilanchala @nilan, On Sep 17, 2023 Spring 2.53K Views

In the previous example, we have discussed how to use JdbcTemplate to access the MySQL database and perform insert and delete operation. In this tutorial, we will focus on how to insert a list of cars into the database.

For inserting the batch of cars, you need to call insert() method multiple times, the update will be very slow as the SQL statement will be compiled repeatedly. Instead, we can add a new method insertCars() in CarsDao for inserting a batch of Cars.

Batch Operation Using Spring JdbcTemplate

The JdbcTemplate class offers the batchUpdate() template method for batch update operations. It requires two arguments, a SQL statement and a BatchPreparedStatementSetter object. Using batchUpdate() method, the SQL statement is compiled only ones and executed multiple times.

The following snippet shows how to perform batch insert operation using JdbcTemplate.

public void insertCars(final List cars) {
    final String inserQuery = "insert into cars (id, model, price) values (?, ?, ?) ";
    jdbcTemplate.batchUpdate(inserQuery, 
                new BatchPreparedStatementSetter() {
        public void setValues(PreparedStatement ps, int i) throws SQLException {
            Car car = cars.get(i);
            ps.setInt(1, car.getId());
            ps.setString(2, car.getModel());
            ps.setDouble(3, car.getPrice());
        }

        public int getBatchSize() {
            return cars.size();
        }
    });
}

Let us now write the main class and test the above code.

public class Main {
    public static void main(String[] args) {
        ApplicationContext appContext = new GenericXmlApplicationContext("beans.xml");
        ICarsDao dao = appContext.getBean("carsDao", ICarsDao.class);
        
        //Batch update statement
        List cars = new ArrayList();
        for (int i = 1; i <= 20; i++) {
            Car car = new Car(i, "Mercedes-Benz" + i, 1*300);
            cars.add(car);
        }
        dao.insertCars(cars);
    }
}
nilan avtar

Nilanchala

I'm a blogger, educator and a full stack developer. Mainly focused on Java, Spring and Micro-service architecture. I love to learn, code, make and break things.