Case1) DB 컬럼, 요청, 응답 등 필요한 모든 속성을 하나의 클래스로 만들면?
@Entity
@Table(indexes = {
@Index(columnList = "createdBy"),
@Index(columnList = "title")
})
@ApiModel(value = "Post", description = "포스트")
public class Post {
@Column("id)
private Integer id;
@ApiModelProperty("포스트 제목")
@Column("title")
private String title;
@JsonIgnore
private List<Member> subscribers;
}
JPA, Jackson, Swagger의 애너테이션이 하나의 클래스에 모두 붙어 있음
Case2) 연관된 모든 테이블의 데이터를 담은 클래스
public class Issue {
private Repo repo;
private List<Comment> comments;
private List<Label> labels;
private Milestone milestone;
private List<Account> partipants;
}
성능 저하
N+1 쿼리
발생 가능성 높음Lazy Loading
을 쓰지 않고 직접 값을 채울 때뷰까지 클래스가 전달된다
JSP에서 사용하면 이렇게 된다 🤮
<div>${issue.milestone.creator.email}</div>
⇒ 결론: 이렇게 만들지말고, Java Beans / VO / DTO / ENTITY 를 사용하자
VO를 사용하지 않은 경우
public class Order {
private int price;
public Order(int price) {
this.price = price;
}
public void setPrice(int price) {
this.price = price;
}
}
외부에서 setPrice()
로 값이 쉽게 변경되어 문제가 발생하기 쉽다.
VO 사용한 경우
public class Order {
private final Money price;
public Order(Money price) {
this.price = price;
}
}
public class Money {
private final int amount; // 필드를 final로 선언
public Money(int amount) { // 검증 로직(도메인 로직)
if (amount < 0) {
throw new IllegalArgumentException("금액은 0 이상이어야 합니다.");
}
this.amount = amount;
}
public int getAmount() {
return amount;
}
public Money add(Money other) { // 값을 변경하지 않고 새로운 객체를 반환
return new Money(this.amount + other.amount);
}
public Money multiply(int factor) { // 도메인 로직
return new Money(this.amount * factor);
}
@Override
public boolean equals(Object o) {
if (this == o) return true;
if (o == null || getClass() != o.getClass()) return false;
Money money = (Money) o;
return amount == money.amount;
}
@Override
public int hashCode() {
return Objects.hash(amount);
}
}
얻을 수 있는 장점
Money
VO 객체를 통해 불변성을 유지하면서 변경 불가능해졌다.equals()
, hashCode()
를 재정의해 값으로 비교할 수 있다.Money
객체가 금액 연산을 직접 담당하므로, Service
나 Entity
에 불필요한 로직을 구현할 필요가 없다DDD에서의 정의
LazyLoading
을 할 때 JPA가 관리하는 세션 사이클에 포함되어 있을 때만 LazyLoading
이 되어 쿼리를 추가로 날릴 수 있다@JsonIgnore
, @JsonView
등을 사용하면서 클래스로 JSON의 형태를 알아보기 어렵다⇒ 결론: ENTITY를 외부에 감추자!