스프링이 제공하는 예외 추상화를 이해하기 위해서는 먼저 자바 기본 예외에 대한 이해가 필요하다. 예외는 자바 언어의 기본 문법에 들어가기 때문에 대부분 아는 내용일 것이다. 예외의 기본 내용을 간단히 복습하고, 실무에 필요한 체크 예외와 언체크 예외의 차이와 활용 방안에 대해서도 알아보자.
예외 계층
Object
: 예외도 객체이다. 모든 객체의 최상위 부모는 Object 이므로 예외의 최상위 부모도 Object
이다.Throwable
: 최상위 예외이다. 하위에 Exception
과 Error
가 있다.Error
: 메모리 부족이나 심각한 시스템 오류와 같이 애플리케이션에서 복구 불가능한 시스템 예외이다. 애플리케이션 개발자는 이 예외를 잡으려고 해서는 안된다.catch
로 잡으면 그 하위 예외까지 함께 잡는다. 따라서 애플리케이션 로직에서는 Throwable
예외도 잡으면 안되는데, 앞서 이야기한 Error
예외도 함께 잡을 수 있기 때문이다. 애플리케이션 로직은 이런 이유로 Exception
부터 필요한 예외로 생각하고 잡으면 된다.Exception
: 체크 예외Exception
과 그 하위 예외는 모두 컴파일러가 체크하는 체크 예외이다. 단 RuntimeException
은 예외로 한다.RuntimeException
: 언체크 예외, 런타임 예외RuntimeException
과 그 자식 예외는 모두 언체크 예외이다.RuntimeException
의 이름을 따라서 RuntimeException
과 그 하위 언체크 예외를 런타임 예외라고 많이 부른다. 여기서도 앞으로는 런타임 예외로 종종 부르겠다.예외 처리
예외에 대해서는 2가지 기본 규칙을 기억하자.
Exception
을 catch
로 잡으면 그 하위 예외들도 모두 잡을 수 있다.Exception
을 throws
로 던지면 그 하위 예외들도 모두 던질 수 있다.Exception
과 그 하위 예외는 모두 컴파일러가 체크하는 체크 예외이다. 단 RuntimeException
은 예외로 한다.CheckedTest
package com.example.jdbc.exception.basic;
import lombok.extern.slf4j.Slf4j;
import org.junit.jupiter.api.Test;
import static org.assertj.core.api.Assertions.assertThatThrownBy;
@Slf4j
public class CheckedTest {
@Test
void checked_catch() {
Service service = new Service();
service.callCatch();
}
@Test
void checked_throw() {
Service service = new Service();
assertThatThrownBy(() -> service.callThrow()).isInstanceOf(MyCheckedException.class);
}
// Exception을 상속받은 예외는 체크 예외가 된다.
static class MyCheckedException extends Exception {
public MyCheckedException(String message) {
super(message);
}
}
// Checked 예외는 예외를 잡아서 처리하거나, 던지거나 둘중 하나를 필수로 선택해야 한다.
static class Service {
Repository repository = new Repository();
// 예외를 잡아서 처리하는 코드
public void callCatch() {
try {
repository.call();
} catch (MyCheckedException e) {
//예외 처리 로직
log.info("예외 처리, message={}", e.getMessage(), e);
}
}
// 체크 예외를 밖으로 던지는 코드
public void callThrow() throws MyCheckedException {
repository.call();
}
}
static class Repository {
public void call() throws MyCheckedException {
throw new MyCheckedException("ex");
}
}
}
실행 순서
실행 순서를 분석해보자.
1. test
-> service.callCatch()
-> repository.call()
(예외 발생, 던짐)
2. test
<- service.callCatch()
(예외처리) <- repository.call()
3. test
(정상 흐름) <- service.callCatch()
<- repository.call()
MyCheckedException
는 Exception
을 상속받았다. Exception
을 상속받으면 체크 예외가 된다.Repository.call()
에서 MyUncheckedException
예외가 발생하고, 그 예외를Service.callCatch()
에서 잡는 것을 확인할 수 있다.체크 예외의 장단점
throws
예외 를 필수로 선언해야 한다. 그렇지 않으면 컴파일 오류가 발생한다. 이것 때문에 장점과 단점이 동시에 존재한다.RuntimeException
과 그 하위 예외는 언체크 예외로 분류된다.throws
를 선언하지 않고, 생략할 수 있다. 이 경우 자동으로 예외를 던진다.체크 예외 VS 언체크 예외
throws
에 던지는 예외를 선언해야 한다.throws
를 생략할 수 있다.UncheckedTest
package com.example.jdbc.exception.basic;
import lombok.extern.slf4j.Slf4j;
import org.junit.jupiter.api.Test;
import static org.assertj.core.api.Assertions.assertThatThrownBy;
@Slf4j
public class UncheckedTest {
@Test
void unchecked_catch() {
Service service = new Service();
service.callCatch();
}
@Test
void unchecked_throw() {
Service service = new Service();
assertThatThrownBy(() -> service.callThrow()).isInstanceOf(MyUncheckedException.class);
}
// RuntimeException을 상속받은 예외는 언체크 예외가 된다.
static class MyUncheckedException extends RuntimeException {
public MyUncheckedException(String message) {
super(message);
}
}
// UnChecked 예외는 예외를 잡거나, 던지지 않아도 된다.
static class Service {
Repository repository = new Repository();
// 필요한 경우 예외를 잡아서 처리하면 됨
public void callCatch() {
try {
repository.call();
} catch (MyUncheckedException e) {
//예외 처리 로직
log.info("예외 처리, message={}", e.getMessage(), e);
}
}
// 예외를 잡지 않아도 된다. 자연스럽게 상위로 넘어간다.
public void callThrow() {
repository.call();
}
}
static class Repository {
public void call() {
throw new MyUncheckedException("ex");
}
}
}
throws
예외 를 선언하지 않아도 된다.throws
예외 를 선언해도 된다. 물론 생략할 수 있다.언체크 예외의 장단점
throws
예외 를 선언해야 하지만, 언체크 예외는 이 부분을 생략할 수 있다.기본 원칙은 다음 2가지를 기억하자.
체크 예외가 좋아 보이는데 무엇이 문제가 될까?
SQLException
체크 예외 ConnectException
체크 예외를 던지면SQLException
과 ConnectException
을 처리해야 한다.SQLException
과 ConnectException
를 처리할 수 없으므로 둘다 밖으로 던진다.ControllerAdvice
에서 이런 예외를 공통으로 처리한다.CheckedAppTest
package com.example.jdbc.exception.basic;
import lombok.extern.slf4j.Slf4j;
import org.junit.jupiter.api.Test;
import java.net.ConnectException;
import java.sql.SQLException;
import static org.assertj.core.api.Assertions.assertThatThrownBy;
@Slf4j
public class CheckedAppTest {
@Test
void checked() {
Controller controller = new Controller();
assertThatThrownBy(() -> controller.request()).isInstanceOf(Exception.class);
}
static class Controller {
Service service = new Service();
public void request() throws SQLException, ConnectException {
service.logic();
}
}
static class Service {
Repository repository = new Repository();
NetworkClient networkClient = new NetworkClient();
public void logic() throws SQLException, ConnectException {
repository.call();
networkClient.call();
}
}
static class NetworkClient {
public void call() throws ConnectException {
throw new ConnectException("연결 실패");
}
}
static class Repository {
public void call() throws SQLException {
throw new SQLException("ex");
}
}
}
logic() throws SQLException, ConnectException
를 선언했다.request() throws SQLException, ConnectException
를 선언했다.1. 복구 불가능한 예외
ControllerAdvice
를 사용하면 이런 부분을 깔끔하게 공통으로 해결할 수 있다.2. 의존 관계에 대한 문제
throws
를 통해 던지는 예외를 선언해야 한다.체크 예외 구현 기술 변경시 파급 효과
JDBC -> JPA 같은 기술로 변경하면 예외도 함께 변경해야한다. 그리고 해당 예외를 던지는 모든 다음 부분도 함께 변경해야 한다.
런타임 예외 사용
SQLException
을 런타임 예외인RuntimeSQLException
으로 변환ConnectException
대신에 RuntimeConnectException
을 사용하도록 변환UncheckedAppTest
package com.example.jdbc.exception.basic;
import lombok.extern.slf4j.Slf4j;
import org.junit.jupiter.api.Test;
import java.sql.SQLException;
import static org.assertj.core.api.Assertions.assertThatThrownBy;
@Slf4j
public class UncheckedAppTest {
@Test
void unchecked() {
Controller controller = new Controller();
assertThatThrownBy(() -> controller.request()).isInstanceOf(Exception.class);
}
static class Controller {
Service service = new Service();
public void request() {
service.logic();
}
}
static class Service {
Repository repository = new Repository();
NetworkClient networkClient = new NetworkClient();
public void logic() {
repository.call();
networkClient.call();
}
}
static class NetworkClient {
public void call() {
throw new RuntimeConnectException("연결 실패");
}
}
static class Repository {
public void call() {
try {
runSQL();
} catch (SQLException e) {
throw new RuntimeSQLException(e);
}
}
private void runSQL() throws SQLException {
throw new SQLException("ex");
}
}
static class RuntimeConnectException extends RuntimeException {
public RuntimeConnectException(String message) {
super(message);
}
}
static class RuntimeSQLException extends RuntimeException {
public RuntimeSQLException() {
}
public RuntimeSQLException(Throwable cause) {
super(cause);
}
}
}
런타임 예외 구현 기술 변경시 파급 효과
런타임 예외는 문서화
throws
런타임예외를 남겨서 중요한 예외를 인지할 수 있게 해준다.JPA EntityManager Ex
/**
* Make an instance managed and persistent.
* @param entity entity instance
* @throws EntityExistsException if the entity already exists.
* @throws IllegalArgumentException if the instance is not an
* entity
* @throws TransactionRequiredException if there is no transaction when
* invoked on a container-managed entity manager of that is of type
* <code>PersistenceContextType.TRANSACTION</code>
*/
public void persist(Object entity);
스프링 JdbcTemplate
/**
* Issue a single SQL execute, typically a DDL statement.
* @param sql static SQL to execute
* @throws DataAccessException if there is any problem
*/
void execute(String sql) throws DataAccessException;
예외를 전환할 때는 꼭! 기존 예외를 포함해야 한다. 그렇지 않으면 스택 트레이스를 확인할 때 심각한 문제가 발생한다.
UncheckedAppTest(추가)
@Test
void printEx() {
Controller controller = new Controller();
try {
controller.request();
} catch (Exception e) {
//e.printStackTrace();
log.info("ex", e);
}
}
log.info("message={}", "message", ex)
, 여기에서 마지막에 ex
를 전달하는 것을 확인할 수 있다. 이렇게 하면 스택 트레이스에 로그를 출력할 수 있다.log.info("ex", ex)
지금 예에서는 파라미터가 없기 때문에, 예외만 파라미터에 전달하면 스택 트레이스를 로그에 출력할 수 있다.실무에서는 항상 로그를 사용해야 한다는 점을 기억
기존 예외를 포함하지 않는 경우
public void call() {
try {
runSQL();
} catch (SQLException e) {
throw new RuntimeSQLException(); // e 생략
}
}
java.sql.SQLException
과 스택 트레이스를 확인할 수 없다. 변환한 RuntimeSQLException
부터 예외를 확인할 수 있다. 만약 실제 DB에 연동했다면 DB에서 발생한 예외를 확인할 수 없는 심각한 문제가 발생한다.예외를 전환할 때는 꼭! 기존 예외를 포함하자
참고
김영한: 스프링 DB 1편 - 데이터 접근 핵심 원리(인프런)
Github - https://github.com/b2b2004/Spring_DB