개발을 진행하던 중 스, 드, 메 테이블을 작성하였고 밑의 그림처럼 테이블을 작성하였습니다.
스드메의 공통 속성들을 상품 테이블로 묶고 1대1 관계로 연관관계를 설정하였으며 개발에 들어가니 너무 귀찮은 작업을 하기 시작했습니다.
처음 개발을 진행했을 때 드레스 1개 상품을 등록을 할 때 상품 테이블에 데이터 1개 드레스 테이블에 데이터 1개를 저장하고 있었습니다. 하지만 문뜩 드는 생각은 이렇게 번거롭고 귀찮은 작업을 무수히 많은 사람들이 했을텐데 간편하게 만든게 있지 않을까? 라는 생각을 찾아보았습니다.
상속 관계 매핑에 대해서 검색을 하니 바로 검색으로 나왔었습니다.
https://victorydntmd.tistory.com/209
[Spring JPA] 상속 ( JOINED 전략을 중심으로 )
객체지향 설계JPA는 데이터베이스 모델링을 할 때 객체 지향적으로 설계를 합니다.예를들어 Movie , Music , Book 이라는 테이블이 있을 때 3개의 테이블에는 공통적으로 고유 번호( no ), 이름( name ) ,
victorydntmd.tistory.com
위 사이트의 예제는 저와 같은 케이스로 공통된 부모 테이블 한 개와 차별점을 가진 테이블로 이루어져 있었습니다.
상속 전략
@Inheritance(strategy = InheritanceType.JOINED)
@Inheritance(strategy = InheritanceType.SINGLE_TABLE)
@Inheritance(strategy = InheritanceType.TABLE_PER_CLASS)
JOINED : 부모, 자식 테이블을 생성하고 부모 PK를 자식 FK로 저장하는 방식
테이블 구조가 깔끔하고 유지보수가 좋음
장점 : 정규화가 되어있음
단점 : JOIN이 많아져 성능 저하
@Inheritance(strategy = InheritanceType.JOINED)
@DiscriminatorColumn(name = "category")
@Entity
@Table(name = "product")
public abstract class ProductEntity { ... }
@Entity
@Table(name = "dress")
public class DressEntity extends ProductEntity {
private String color;
}
Product
id | name | category |
1 | 신부 드레스 | 드레스 |
Dress
id | color |
1 | red |
SINGLE_TABLE : 하나의 테이블에 모든 클래스의 속성 포함
장점 : JOIN 없이 조회 가능
단점 : Null이 많아지고 관리가 힘들다. 거의 안쓴다고 함
@Inheritance(strategy = InheritanceType.SINGLE_TABLE)
@DiscriminatorColumn(name = "category")
@Entity
@Table(name = "product")
public abstract class ProductEntity { ... }
@Entity
@DiscriminatorValue("dress")
public class DressEntity extends ProductEntity {
private String color;
}
@Entity
@DiscriminatorValue("studio")
public class StudioEntity extends ProductEntity {
private int maximumCapacity;
}
id | name | color | maximum_capacity |
1 | 신부 드레스 | red | null |
2 | 졸업 사진 | null | 10명 |
TABLE_PER_CLASS : 부모 테이블 없이 자식 테이블로 구성하여 부모 테이블의 속성들을 자식 테이블에 통합
장점 : 찾아보니 없는 것 같음
단점 : 데이터 중복이 많고 UNION 할 때 조회 성능이 떨어짐 거의 안쓴다고 하는 것 같음
@Inheritance(strategy = InheritanceType.TABLE_PER_CLASS)
@Entity
public abstract class ProductEntity { ... }
@Entity
@Table(name = "dress")
public class DressEntity extends ProductEntity {
private String color;
}
@Entity
@Table(name = "studio")
public class StudioEntity extends ProductEntity {
private int maximumCapacity;
}
Dress
id | name | color |
1 | 신부 드레스 | red |
Studio
id | name | maximum_capacity |
1 | 졸업 사진 | 10명 |
정리
JOINED를 제외하고 다른 전략들은 정규화 대상 테이블로 생성되니 특수한 상황이 아니고서야 JOINED를 주로 사용해야 하는 것 같다.
'Spring Boot' 카테고리의 다른 글
[Spring boot] 프록시 객체(Proxy Object) (1) | 2025.03.29 |
---|---|
[Spring Boot] @PrePersist 어노테이션 (1) | 2025.02.18 |
[Spring Boot] HTTP Body 암호화 및 간단한 예제 (0) | 2024.12.17 |
[Spring Boot] 로그 파일 생성하기 (0) | 2024.11.30 |
[Spring Boot] Slf4j와 Logback (1) | 2024.11.29 |