스프링 입문 - 코드로 배우는 스프링 부트, 웹 MVC, DB 접근 기술 (6)
<스프링 입문 - 코드로 배우는 스프링 부트, 웹 MVC, DB 접근 기술>
- 인프런 김영한님 강의 필기
- 개발 환경 - Java 11, IntelliJ
스프링 DB 접근 기술
- H2 데이터베이스 설치
- 순수 JDBC
- 스프링 통합 테스트
- 스프링 JdbcTemplate
- JPA
- 스프링 데이터 JPA
H2 데이터베이스 설치
- 개발이나 테스트 용도로 가볍고 편리한 DB, 웹 화면 제공
- 주의) H2 데이터베이스 1.4.200 버전 설치 (버전 문제)
- https://www.h2database.com/html/download-archive.html
- H2 Console 실행 - Connect - DB 접속
- C:/Users/Hae Chan Song 에 test.mv.db 파일 확인
- JDBC URL - jdbc:h2:~/test -> jdbc:h2:tcp://localhost/~/test
파일로 직접 접근하는게 아니라 소켓으로 여러 군데에서 접근하기 위해 수정
create table member
(
id bigint generated by default as identity, -- null insert 되면 자동 채움
name varchar(255),
primary key (id) -- PK는 id
);
insert into member(name) values('spring');
insert into member(name) values('spring2');
insert into member(name) values('spring3');
select * from member;
- 조회 결과
순수 JDBC
환경 설정
- build.gradle 파일에 jdbc, h2 데이터베이스 관련 라이브러리 추가
dependencies {
implementation 'org.springframework.boot:spring-boot-starter-thymeleaf'
implementation 'org.springframework.boot:spring-boot-starter-web'
implementation 'org.springframework.boot:spring-boot-starter-jdbc'
runtimeOnly 'com.h2database:h2'
testImplementation 'org.springframework.boot:spring-boot-starter-test' {
exclude group: 'org.junit.vintage', module: 'junit-vintage-engine'
}
}
- src/main/resources/templates/application.properties 데이터 소스 추가
spring.datasource.url =jdbc:h2:tcp://localhost/~/test
spring.datasource.driver-class-name=org.h2.Driver
-
h2.Driver 에러나면 build.gradle 가서 Load Gradle Changes로 import (코끼리아이콘)
-
hello.hellospring/repository/JdbcMemberRepository.java 생성
강의자료 p.38 'Jdbc 회원 리포지토리' 참고
- hello.hellospring/SpringConfig 스프링 설정 변경
import javax.sql.DataSource;
private final DataSource dataSource;
public SpringConfig(DataSource dataSource) {
this.dataSource = dataSource;
}
@Bean
public MemberRepository memberRepository() {
### // return new MemoryMemberRepository();
return new JdbcMemberRepository(dataSource);
}
- DataSource는 데이터베이스 커넥션을 획득할 때 사용하는 객체이다.
- 스프링 부트는 데이터베이스 커넥션 정보를 바탕으로 DataSource를 생성하고 스프링 빈으로 만들어둔다.
- 그래서 DI를 받을 수 있다.
- 개방-폐쇄 원칙(OCP, Open-Closed Principle)
확장에는 열려있고, 수정, 변경에는 닫혀있다. - 스프링의 DI (Dependencies Injection)을 사용하면 기존 코드를 전혀 손대지 않고, 설정만으로 구현클래스를 변경할 수 있다.
- 회원을 등록하고 DB에 결과가 잘 입력되는지 확인하자.
- 데이터를 DB에 저장하므로 스프링 서버를 다시 실행해도 데이터가 안전하게 저장된다.
스프링 통합 테스트
- 스프링 컨테이너와 DB까지 연결한 통합 테스트를 진행하자.
- test/java/hello.hellospring/service/MemberServiceIntegrationTest.java 생성
강의자료 p.45 '회원 서비스 스프링 통합 테스트' 참고
@SpringBootTest
: 스프링 컨테이너와 테스트를 함께 실행한다.@Transactional
: 테스트 케이스에 이 어노테이션이 있으면, 테스트 시작 전에 트랜잭션을 시작하고, 테스트 완료 후에 항상 롤백한다. 이렇게 하면 DB에 데이터가 남지 않으므로 다음 테스트에 영향을 주지 않는다.- 통합테스트도 있지만 단위테스트를 잘 짜는게 더 좋음
스프링 JdbcTemplate
- 순수 Jdbc와 동일한 환경설정을 하면 된다.
- 스프링 JdbcTemplate과 MyBatis 같은 라이브러리는 JDBC API에서 본 반복 코드를 대부분 제거해준다. 하지만 SQL은 직접 작성해야 한다.
- hello.hellospring/repository/JdbcTemplateMemberRepository.java 생성
강의자료 p.47 '스프링 JdbcTemplate 회원 리포지토리' 참고
- hello.hellospring/SpringConfig - JdbcTemplate을 사용하도록 스프링 설정 변경
강의자료 p.49 참고
JPA
- JPA는 기존의 반복 코드는 물론이고, 기본적인 SQL도 JPA가 직접 만들어서 실행해준다.
- JPA를 사용하면, SQL과 데이터 중심의 설계에서 객체 중심의 설계로 패러다임을 전환할 수 있다.
- JPA를 사용하면 개발 생산성을 크게 높일 수 있다.
- build.gradle 파일에 JPA, h2 데이터베이스 관련 라이브러리 추가
dependencies {
implementation 'org.springframework.boot:spring-boot-starter-thymeleaf'
implementation 'org.springframework.boot:spring-boot-starter-web'
//implementation 'org.springframework.boot:spring-boot-starter-jdbc'
implementation 'org.springframework.boot:spring-boot-starter-data-jpa'
runtimeOnly 'com.h2database:h2'
testImplementation('org.springframework.boot:spring-boot-starter-test') {
exclude group: 'org.junit.vintage', module: 'junit-vintage-engine'
}
}
- 작성하고 gradle refresh
spring-boot-starter-data-jpa
는 내부에 jdbc 관련 라이브러리를 포함한다. 따라서 jdbc는 제거해도 된다.
스프링 부트에 JPA 설정 추가
- resources/application.properties
spring.datasource.url=jdbc:h2:tcp://localhost/~/test
spring.datasource.driver-class-name=org.h2.Driver
spring.datasource.username=sa
spring.jpa.show-sql=true
spring.jpa.hibernate.ddl-auto=none
주의) 스프링부트 2.4부터는
spring.datasource.username=sa
를 추가해야 함
show-sql
: JPA가 생성하는 SQL을 출력한다.ddl-auto
: JPA는 테이블을 자동으로 생성하는 기능을 제공하는데none
을 사용하면 해당 기능을 끈다.create
를 사용하면 엔티티 정보를 바탕으로 테이블도 직접 생성해준다.
JPA 엔티티 매핑
- hello.hellospring/domain/Member.java
강의자료 p.51 참고
JPA 회원 리포지토리
- hello.hellospring/repository/JpaMemberRepository.java
강의자료 p.52 참고
서비스 계층에 트랜잭션 추가
- hello.hellospring/service/MemberService.java
import org.springframework.transaction.annotation.Transactional
@Transactional
public class MemberService {}
org.springframework.transaction.annotation.Transactional
를 사용하자.- 스프링은 해당 클래스의 메서드를 실행할 때 트랜잭션을 시작하고, 메서드가 정상 종료되면 트랜잭션을 커밋한다. 만약 런타임 예외가 발생하면 롤백한다.
- JPA를 통한 모든 데이터 변경은 트랜잭션 안에서 실행해야 한다.
- hello.hellospring/SpringConfig - JPA를 사용하도록 스프링 설정 변경
강의자료 p.53 참고
- 인프런 강의 링크: 자바 ORM 표준 JPA 프로그래밍 - 기본편
- JPA 책 - 자바 ORM 표준 JPA 프로그래밍 - 김영한
Author And Source
이 문제에 관하여(스프링 입문 - 코드로 배우는 스프링 부트, 웹 MVC, DB 접근 기술 (6)), 우리는 이곳에서 더 많은 자료를 발견하고 링크를 클릭하여 보았다 https://velog.io/@sunshine0070/스프링-입문-코드로-배우는-스프링-부트-웹-MVC-DB-접근-기술-6저자 귀속: 원작자 정보가 원작자 URL에 포함되어 있으며 저작권은 원작자 소유입니다.
우수한 개발자 콘텐츠 발견에 전념 (Collection and Share based on the CC Protocol.)