데코레이터 패턴을 활용하여 커피를 만들어 봅시다.
아메리카노
라떼=아메리카노+우유
모카커피=아메리카노+우유+모카시럽
Whipping cream 모카커피=아메리카노+우유+모카시럽+whipping cream
KenyaAmericano.java
public class KenyaAmericano extends Coffee{
@Override
public void brewing() {
System.out.print("KenyaAmericano");
}
}
Decorator.java
public abstract class Decorator extends Coffee{
Coffee coffee;
public Decorator(Coffee coffee) {
this.coffee=coffee;
}
@Override
public void brewing() {
coffee.brewing();
}
}
Latte.java
public class Latte extends Decorator{
public Latte(Coffee coffee) {
super(coffee);
}
public void brewing() {
super.brewing();
System.out.print(" Adding Milk");
}
}
Mocha.java
public class Mocha extends Decorator{
public Mocha(Coffee coffee) {
super(coffee);
// TODO Auto-generated constructor stub
}
public void brewing() {
super.brewing();
System.out.print(" Adding Moca Syrup");
}
}
Whipping.java
public class Whipping extends Decorator{
public Whipping(Coffee coffee) {
super(coffee);
// TODO Auto-generated constructor stub
}
public void brewing() {
super.brewing();
System.out.print(" Adding Whipping Cream");
}
}
CoffeeTest.java
public class CoffeeTest {
public static void main(String[] args) {
Coffee americano=new KenyaAmericano();
americano.brewing();
System.out.println();
Coffee kenyaLatte=new Latte(new KenyaAmericano());
kenyaLatte.brewing();
System.out.println();
Coffee kenyaMocha=new Mocha(new KenyaAmericano());
kenyaMocha.brewing();
System.out.println();
Coffee kenyaWhipping=new Whipping(new KenyaAmericano());
kenyaWhipping.brewing();
}
}