일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | 2 | |||||
3 | 4 | 5 | 6 | 7 | 8 | 9 |
10 | 11 | 12 | 13 | 14 | 15 | 16 |
17 | 18 | 19 | 20 | 21 | 22 | 23 |
24 | 25 | 26 | 27 | 28 | 29 | 30 |
Tags
- Spring
- spring webflux
- 백준
- c언어
- 네트워크
- design pattern
- 자료구조
- Galera Cluster
- C
- Kafka
- MSA
- Data Structure
- react
- OS
- Algorithm
- 파이썬
- IT
- JavaScript
- Java
- JPA
- Heap
- 운영체제
- 자바
- redis
- Proxy
- 알고리즘
- 컴퓨터구조
- 디자인 패턴
- MySQL
- mongoDB
Archives
- Today
- Total
시냅스
데코레이터 패턴, Decorator Pattern Java로 구현 본문
데코레이터 패턴, Decorator Pattern
- 장식과 실제 내용물을 동일시
- 객체에 동적으로 책임을 추가
- 상속을 사용하지 않고 기능의 유연한 확장이 가능한 패턴
- 객체에 동적으로 새로운 서비스를 추가 할 수 있음
- 전체가 아닌 개별적인 객체에 새로운 기능을 추가 할 수 있음
- Component : 동적으로 추가할 서비스를 가질 수 있는 객체 정의
- ConcreteComponent : 추가적인 서비스가 필요한 실제 객체
- Decorator : Component의 참조자를 관리하면서 Component에 정의된 인터페이스를 만족하도록 정의
- ConcreteDecorator : 새롭게 추가되는 서비스를 실제 구현한 클래스로 addBehavior()를 구현한다.
결론
- 단순한 상속보다 설계의 융통성을 증대
- Decorator의 조합을 통해 새로운 서비스를 지속적으로 추가할 수 있음
- 필요없는 경우 Decorator를 삭제할 수 있음
- Decorator와 실제 컴포넌트는 동일한 것이 아님
- 작은 규모의 객체들이 많이 생성될 수 있음
- 자바의 I/O 스트림 클래스는 Decorator 패턴임
구현
package decorator;
abstract class Americano {
String productName = "Americano";
public String getName() {
return productName;
}
}
class Kenya extends Americano{
public String getName() {
productName = "Kenya" + productName;
return productName;
}
}
class Ethiopia extends Americano {
public String getName() {
productName = "Ethiopia" + productName;
return productName;
}
}
abstract class Decorations extends Americano {
Americano americano;
public Decorations(Americano americano) {
this.americano = americano;
}
public abstract String getName();
}
class Milk extends Decorations{
String name = "Milk";
public Milk(Americano americano) {
super(americano);
}
public String getName() {
return americano.getName() + " adding " + name;
}
}
class MochaSyrup extends Decorations {
String name = "Mocha Syrup ";
public MochaSyrup(Americano americano) {
super(americano);
}
public String getName() {
return americano.getName() + " adding " + name;
}
}
class WhippedCream extends Decorations {
String name = "Whipped Cream";
public WhippedCream(Americano americano) {
super(americano);
}
public String getName() {
return americano.getName() + " adding " + name;
}
}
public class DecoratorPattern {
public static void main(String[] args) {
Kenya k = new Kenya();
Ethiopia e = new Ethiopia();
Milk m = new Milk(k);
WhippedCream wc = new WhippedCream(m);
MochaSyrup ms = new MochaSyrup(m);
System.out.println(ms.getName());
}
}
'디자인 패턴' 카테고리의 다른 글
템플릿 메소드 패턴 Java로 구현 (0) | 2022.08.17 |
---|---|
전략 패턴 Strategy Pattern - Java로 구현 (0) | 2022.08.02 |
State Pattern - java로 구현 (0) | 2022.08.02 |
팩토리 메소드 패턴 Java로 구현 (0) | 2022.07.25 |
싱글톤 패턴 singleton pattern Java로 구현 (0) | 2022.07.25 |
Comments