ABOUT ME

-

Today
-
Yesterday
-
Total
-
  • [김영한 스프링] 04. JdbcTemplate 적용
    Spring/스프링 DB 2편 - 데이터 접근 활용 기술 2024. 1. 6. 03:14

    JdbcTemplate 적용1 - 기본

     

    이제부터 본격적으로 JdbcTemplate을 사용해서 메모리에 저장하던 데이터를 데이터베이스에 저장해 보자.

    ItemRepository 인터페이스가 있으니 이 인터페이스를 기반으로 JdbcTemplate을 사용하는 새로운 구현체를 개발하자.

     

     

    JdbcTemplateItemRepositoryV1

    main/java/hello/itemservice/repository/jdbctemplate/JdbcTemplateItemRepositoryV1 생성

     

     

    package hello.itemservice.repository.jdbctemplate;
    
    import hello.itemservice.domain.Item;
    import hello.itemservice.repository.ItemRepository;
    import hello.itemservice.repository.ItemSearchCond;
    import hello.itemservice.repository.ItemUpdateDto;
    import lombok.extern.slf4j.Slf4j;
    import org.springframework.dao.EmptyResultDataAccessException;
    import org.springframework.jdbc.core.JdbcTemplate;
    import org.springframework.jdbc.core.RowMapper;
    import org.springframework.jdbc.support.GeneratedKeyHolder;
    import org.springframework.jdbc.support.KeyHolder;
    import org.springframework.util.StringUtils;
    
    import javax.sql.DataSource;
    import java.sql.PreparedStatement;
    import java.util.ArrayList;
    import java.util.List;
    import java.util.Optional;
    
    /**
     * JdbcTemplate
     */
    @Slf4j
    public class JdbcTemplateItemRepositoryV1 implements ItemRepository {
    
        private final JdbcTemplate template;
    
        public JdbcTemplateItemRepositoryV1(DataSource dataSource) {
            this.template = new JdbcTemplate(dataSource);
        }
    
        @Override
        public Item save(Item item) {
            String sql = "insert into item(item_name, price, quantity) values (?, ?, ?)";
    
            KeyHolder keyHolder = new GeneratedKeyHolder();
            template.update(connection -> {
                // 자동 증가 키
                PreparedStatement ps = connection.prepareStatement(sql, new String[]{"id"});
                ps.setString(1, item.getItemName());
                ps.setInt(2, item.getPrice());
                ps.setInt(3, item.getQuantity());
                return ps;
            }, keyHolder);
    
            long key = keyHolder.getKey().longValue();
            item.setId(key);
    
            return item;
        }
    
        @Override
        public void update(Long itemId, ItemUpdateDto updateParam) {
            String sql = "update item set item_name = ?, price = ?, quantity = ? where id=?";
    
            template.update(sql, updateParam.getItemName(), updateParam.getPrice(), updateParam.getQuantity(), itemId);
        }
    
        @Override
        public Optional<Item> findById(Long id) {
            String sql = "select id, item_name, price, quantity from item where id = ?";
    
            try {
                Item item = template.queryForObject(sql, itemRowMapper(), id);
                return Optional.of(item);
            } catch (EmptyResultDataAccessException e) {
                return Optional.empty();
            }
    
    
        }
    
        @Override
        public List<Item> findAll(ItemSearchCond cond) {
            String itemName = cond.getItemName();
            Integer maxPrice = cond.getMaxPrice();
    
            String sql = "select id, item_name, price, quantity from item";
    
            // 동적 쿼리
            if (StringUtils.hasText(itemName) || maxPrice != null) {
                sql += " where";
            }
    
            boolean andFlag = false;
            List<Object> param = new ArrayList<>();
    
            if (StringUtils.hasText(itemName)) {
                sql += " item_name like concat('%',?,'%')";
                param.add(itemName);
                andFlag = true;
            }
    
            if (maxPrice != null) {
                if (andFlag) {
                    sql += " and";
                }
    
                sql += " price <= ?";
                param.add(maxPrice);
            }
    
            log.info("sql={}", sql);
    
            return template.query(sql, itemRowMapper(), param.toArray());
        }
    
        private RowMapper<Item> itemRowMapper() {
            return ((rs, rowNum) -> {
                Item item = new Item();
                item.setId(rs.getLong("id"));
                item.setItemName(rs.getString("item_name"));
                item.setPrice(rs.getInt("price"));
                item.setQuantity(rs.getInt("quantity"));
                return item;
            });
        }
    }

     

    기본

    • JdbcTemplateItemRepositoryV1은 ItemRepository 인터페이스를 구현했다.
    • this.template = new JdbcTemplate(dataSource)
      • JdbcTemplate은 데이터소스(dataSource)가 필요하다.
      • JdbcTemplateItemRepositoryV1() 생성자를 보면 dataSource를 의존 관계 주입받고 생성자 내부에서 JdbcTemplate을 생성한다. 스프링에서는 JdbcTemplate을 사용할 때 관례상 이 방법을 많이 사용한다.
      • 물론 JdbcTemplate을 스프링 빈으로 직접 등록하고 주입받아도 된다.

     

     

    save()

    데이터를 저장한다.

    • template.update() : 데이터를 변경할 때는 update()를 사용하면 된다.
      • INSERT, UPDATE, DELETE SQL에 사용한다.
      • template.update()의 반환 값은 int인데, 영향받은 로우 수를 반환한다.
    • 데이터를 저장할 때 PK 생성에 identity(auto increment) 방식을 사용하기 때문에, PK인 ID 값을 개발자가 직접 지정하는 것이 아니라 비워두고 저장해야 한다. 그러면 데이터베이스가 PK인 ID를 대신 생성해 준다.
    • 문제는 이렇게 데이터베이스가 대신 생성해 주는 PK ID 값은 데이터베이스가 생성하기 때문에, 데이터베이스에 INSERT가 완료되어야 생성된 PK ID 값을 확인할 수 있다.
    • KeyHolder와 connection.prepareStatement(sql, new String[]{"id"})를 사용해서 id를 지정해 주면 INSERT 쿼리 실행 이후에 데이터베이스에서 생성된 ID 값을 조회할 수 있다.
    • 물론 데이터베이스에서 생성된 ID 값을 조회하는 것은 순수 JDBC로도 가능하지만, 코드가 훨씬 더 복잡하다.
    • 참고로 뒤에서 설명하겠지만 JdbcTemplate이 제공하는 SimpleJdbcInsert라는 훨씬 편리한 기능이 있으므로 대략 이렇게 사용한다 정도로만 알아두면 된다.

     

     

    update()

    데이터를 업데이트한다.

    • template.update() : 데이터를 변경할 때는 update()를 사용하면 된다.
      • ?에 바인딩할 파라미터를 순서대로 전달하면 된다.
      • 반환 값은 해당 쿼리의 영향을 받은 로우 수이다. 여기서는 where id=?를 지정했기 때문에 영향받은 로우 수는 최대 1개이다.

     

     

    findById()

    데이터를 하나 조회한다.

    • template.queryForObject()
      • 결과 로우가 하나일 때 사용한다.
      • RowMapper는 데이터베이스의 반환 결과인 ResultSet을 객체로 변환한다.
      • 결과가 없으면 EmptyResultDataAccessException 예외가 발생한다.
      • 결과가 둘 이상이면 IncorrectResultSizeDataAccessException 예외가 발생한다.
    • ItemRepository.findById() 인터페이스는 결과가 없을 때 Optional을 반환해야 한다. 따라서 결과가 없으면 예외를 잡아서 Optional.empty를 대신 반환하면 된다.

     

    queryForObject() 인터페이스 정의

    <T> T queryForObject(String sql, RowMapper<T> rowMapper, Object... args) throws DataAccessException;

     

     

    findAll()

    데이터를 리스트로 조회한다. 그리고 검색 조건으로 적절한 데이터를 찾는다.

    • template.query()
      • 결과가 하나 이상일 때 사용한다.
      • RowMapper는 데이터베이스의 반환 결과인 ResultSet을 객체로 변환한다.
      • 결과가 없으면 빈 컬렉션을 반환한다.
      • 동적 쿼리에 대한 부분은 바로 다음에 다룬다

     

    query() 인터페이스 정의

    <T> List<T> query(String sql, RowMapper<T> rowMapper, Object... args) throws DataAccessException;

     

     

    itemRowMapper()

    데이터베이스의 조회 결과를 객체로 변환할 때 사용한다.

    JDBC를 직접 사용할 때 ResultSet를 사용했던 부분을 떠올리면 된다.

    차이가 있다면 다음과 같이 JdbcTemplate이 다음과 같은 루프를 돌려주고, 개발자는 RowMapper를 구현해서 그 내부 코드만 채운다고 이해하면 된다.

    while(resultSet이 끝날 때까지) {
        rowMapper(rs, rowNum)
    }

     

     

    JdbcTemplate 적용2 - 동적 쿼리 문제

     

    결과를 검색하는 findAll()에서 어려운 부분은 사용자가 검색하는 값에 따라서 실행하는 SQL이 동적으로 달려져야 한다는 점이다.

    예를 들어서 다음과 같다.

     

    검색 조건이 없음

    select id, item_name, price, quantity from item

     

    상품명(itemName)으로 검색

    select id, item_name, price, quantity from item where item_name like concat('%',?,'%')

     

    최대 가격(maxPrice)으로 검색

    select id, item_name, price, quantity from item where price <= ?

     

    상품명(itemName), 최대 가격(maxPrice) 둘 다 검색

    select id, item_name, price, quantity from item where item_name like concat('%',?,'%') and price <= ?

     

    결과적으로 4가지 상황에 따른 SQL을 동적으로 생성해야 한다. 동적 쿼리가 언듯 보면 쉬워 보이지만, 막상 개발해 보면 생각보다 다양한 상황을 고민해야 한다. 예를 들어서 어떤 경우에는 where를 앞에 넣고 어떤 경우에는 and를 넣어야 하는지 등을 모두 계산해야 한다.

    그리고 각 상황에 맞추어 파라미터도 생성해야 한다.

    물론 실무에서는 이보다 훨씬 더 복잡한 동적 쿼리들이 사용된다.

     

    참고로 이후에 설명할 MyBatis의 가장 큰 장점은 SQL을 직접 사용할 때 동적 쿼리를 쉽게 작성할 수 있다는 점이다.

     

     

    JdbcTemplate 적용3 - 구성과 실행

     

    JdbcTemplateV1Config

    package hello.itemservice.config;
    
    import hello.itemservice.repository.ItemRepository;
    import hello.itemservice.repository.jdbctemplate.JdbcTemplateItemRepositoryV1;
    import hello.itemservice.service.ItemService;
    import hello.itemservice.service.ItemServiceV1;
    import lombok.RequiredArgsConstructor;
    import org.springframework.context.annotation.Bean;
    import org.springframework.context.annotation.Configuration;
    
    import javax.sql.DataSource;
    
    @Configuration
    @RequiredArgsConstructor
    public class JdbcTemplateV1Config {
    
        private final DataSource dataSource;
    
        @Bean
        public ItemService itemService() {
            return new ItemServiceV1(itemRepository());
        }
    
        @Bean
        public ItemRepository itemRepository() {
            return new JdbcTemplateItemRepositoryV1(dataSource);
        }
    }

    main/java/hello/itemservice/config/JdbcTemplateV1Config 생성

     

    • ItemRepository 구현체로 JdbcTemplateItemRepositoryV1이 사용되도록 했다. 이제 메모리 저장소가 아니라 실제 DB에 연결하는 JdbcTemplate이 사용된다.

     

     

    ItemServiceApplication - 변경

    package hello.itemservice;
    
    import hello.itemservice.config.*;
    import hello.itemservice.repository.ItemRepository;
    import org.springframework.boot.SpringApplication;
    import org.springframework.boot.autoconfigure.SpringBootApplication;
    import org.springframework.context.annotation.Bean;
    import org.springframework.context.annotation.Import;
    import org.springframework.context.annotation.Profile;
    
    
    //@Import(MemoryConfig.class)
    @Import(JdbcTemplateV1Config.class)
    @SpringBootApplication(scanBasePackages = "hello.itemservice.web")
    public class ItemServiceApplication {
    
    	public static void main(String[] args) {
    		SpringApplication.run(ItemServiceApplication.class, args);
    	}
    
    	@Bean
    	@Profile("local")
    	public TestDataInit testDataInit(ItemRepository itemRepository) {
    		return new TestDataInit(itemRepository);
    	}
    
    }

     

     

    데이터베이스 접근 설정

    spring.profiles.active=local
    spring.datasource.url=jdbc:h2:tcp://localhost/~/test
    spring.datasource.username=sa
    spring.datasource.password=

    • 이렇게 설정만 하면 스프링 부트가 해당 설정을 사용해서 커넥션 풀과 DataSource, 트랜잭션 매니저를 스프링 빈으로 자동 등록한다. 
      • (앞에서 학습한 스프링 부트의 자동 리소스 등록 내용을 떠올려보자.)

     

    주의!
    여기서는 src/test가 아니라 src/main에 위치한 application.properties 파일을 수정해야 한다!

     

     

    실행

     

     

    로그 추가

    spring.profiles.active=local
    spring.datasource.url=jdbc:h2:tcp://localhost/~/test
    spring.datasource.username=sa
    spring.datasource.password=
    
    #jdbcTemplate sql log
    logging.level.org.springframework.jdbc=debug

    main, test 설정이 분리되어 있기 때문에 둘 다 확인하려면 두 곳에 모두 추가해야 한다.

     

     

    로그

     

     

    출처 :  https://www.inflearn.com/course/%EC%8A%A4%ED%94%84%EB%A7%81-db-2/dashboard

     

    스프링 DB 2편 - 데이터 접근 활용 기술 강의 - 인프런

    백엔드 개발에 필요한 DB 데이터 접근 기술을 활용하고, 완성할 수 있습니다. 스프링 DB 접근 기술의 원리와 구조를 이해하고, 더 깊이있는 백엔드 개발자로 성장할 수 있습니다., 백엔드 개발자

    www.inflearn.com

Designed by Tistory.