도메인 주도 개발(DDD)은 본질적인 비즈니스 모델을 중심으로 프로젝트를 설계하는 방법론이다. 이는 단순한 기술적인 접근이 아니라, 개발을 조직적으로 효율화하기 위한 전략이다.
도메인은 특정 비즈니스 영역을 의미하며, 해당 프로젝트에서 다루는 핵심 개념을 정의한다.
도메인 모델은 도메인을 현실적으로 반영한 개념적인 구조이다.
도메인 전문가, 프로그래머, 개발자 등이 공통적으로 이해하는 언어를 의미한다.
도메인의 범위를 명확하게 설정하여, 복잡성을 줄이고 독립적인 개발을 가능하게 한다.
고유한 식별자를 가지는 개체로, 비즈니스에서 중요한 요소이다.
Order
, User
불변성을 가지며, 동일성을 기준으로 비교되는 객체이다.
Money
, Address
관련된 엔티티와 값 객체들을 하나로 묶은 단위이다.
단일 개체로 표현하기 어려운 도메인 로직을 별도의 서비스로 분리한다.
도메인 객체를 영속화하기 위한 저장소이다.
UserRepository
, OrderRepository
Bounded Context 간 공통된 개념을 공유하는 방식으로, 일관된 데이터 모델을 유지하는 데 유용하다.
@Entity
public class User {
@Id
private Long id;
private String name;
private String email;
}
@Service
public class OrderService {
private final UserRepository userRepository;
public OrderService(UserRepository userRepository) {
this.userRepository = userRepository;
}
public void createOrder(Long userId) {
User user = userRepository.findById(userId).orElseThrow();
System.out.println("Order created for user: " + user.getName());
}
}
@Service
public class PaymentService {
private final UserRepository userRepository;
public PaymentService(UserRepository userRepository) {
this.userRepository = userRepository;
}
public void processPayment(Long userId) {
User user = userRepository.findById(userId).orElseThrow();
System.out.println("Processing payment for user: " + user.getEmail());
}
}
동기 호출 방식은 A 도메인에서 B 도메인의 서비스를 직접 호출하는 구조이다.
OrderService
(A) → PaymentService
(B)@Service
public class OrderService {
private final PaymentService paymentService;
public OrderService(PaymentService paymentService) {
this.paymentService = paymentService;
}
public void placeOrder(Order order) {
boolean isPaid = paymentService.isPaymentCompleted(order.getId());
if (isPaid) {
order.confirm();
} else {
throw new RuntimeException("Payment is not completed!");
}
}
}
@Service
public class PaymentService {
public boolean isPaymentCompleted(Long orderId) {
return true;
}
}
API 호출 방식에서는 A 도메인에서 B 도메인의 API를 호출하여 데이터를 가져오거나 처리 요청을 보낸다.
OrderService
(A) → PaymentService
(B)@Service
public class OrderService {
private final RestTemplate restTemplate;
public OrderService(RestTemplate restTemplate) {
this.restTemplate = restTemplate;
}
public void placeOrder(Long orderId) {
String url = "http://payment-service/payments/status/" + orderId;
Boolean isPaid = restTemplate.getForObject(url, Boolean.class);
if (Boolean.TRUE.equals(isPaid)) {
System.out.println("Payment completed, order confirmed!");
} else {
throw new RuntimeException("Payment is not completed!");
}
}
}
@RestController
@RequestMapping("/payments")
public class PaymentController {
private final PaymentService paymentService;
public PaymentController(PaymentService paymentService) {
this.paymentService = paymentService;
}
@GetMapping("/status/{orderId}")
public ResponseEntity<Boolean> checkPaymentStatus(@PathVariable Long orderId) {
boolean isPaid = paymentService.isPaymentCompleted(orderId);
return ResponseEntity.ok(isPaid);
}
}
이벤트 기반 방식에서는 A 도메인이 이벤트를 발행(Publish)하고, B 도메인은 이를 구독(Subscribe)하여 비동기적으로 연동된다.
@Service
public class OrderService {
private final ApplicationEventPublisher eventPublisher;
public OrderService(ApplicationEventPublisher eventPublisher) {
this.eventPublisher = eventPublisher;
}
public void placeOrder(Order order) {
eventPublisher.publishEvent(new OrderPlacedEvent(order.getId()));
}
}
@Component
public class PaymentEventListener {
@EventListener
public void handleOrderPlaced(OrderPlacedEvent event) {
System.out.println("Received order event: " + event.getOrderId());
}
}