파이썬 디자인 패턴-데코레이터
데코레이터 패턴을 사용하면 사용자가 구조를 변경하지 않고 기존 개체에 새로운 기능을 추가 할 수 있습니다. 이 유형의 디자인 패턴은이 패턴이 기존 클래스의 래퍼 역할을하므로 구조적 패턴 아래에 있습니다.
이 패턴은 원래 클래스를 래핑하고 클래스 메서드 서명을 그대로 유지하는 추가 기능을 제공하는 데코레이터 클래스를 만듭니다.
데코레이터 패턴의 동기는 객체의 추가 책임을 동적으로 연결하는 것입니다.
데코레이터 디자인 패턴을 구현하는 방법
아래에 언급 된 코드는 Python에서 데코레이터 디자인 패턴을 구현하는 방법에 대한 간단한 데모입니다. 그림에는 수업 형식의 커피 숍 시연이 포함됩니다. 생성 된 커피 클래스는 추상이므로 인스턴스화 할 수 없습니다.
import six
from abc import ABCMeta
@six.add_metaclass(ABCMeta)
class Abstract_Coffee(object):
   def get_cost(self):
      pass
   def get_ingredients(self):
      pass
   
   def get_tax(self):
      return 0.1*self.get_cost()
class Concrete_Coffee(Abstract_Coffee):
   
   def get_cost(self):
      return 1.00
   
   def get_ingredients(self):
      return 'coffee'
@six.add_metaclass(ABCMeta)
class Abstract_Coffee_Decorator(Abstract_Coffee):
   
   def __init__(self,decorated_coffee):
      self.decorated_coffee = decorated_coffee
   
   def get_cost(self):
      return self.decorated_coffee.get_cost()
   
   def get_ingredients(self):
      return self.decorated_coffee.get_ingredients()
class Sugar(Abstract_Coffee_Decorator):
   
   def __init__(self,decorated_coffee):
      Abstract_Coffee_Decorator.__init__(self,decorated_coffee)
   
   def get_cost(self):
      return self.decorated_coffee.get_cost()
   
   def get_ingredients(self):
	   return self.decorated_coffee.get_ingredients() + ', sugar'
class Milk(Abstract_Coffee_Decorator):
   
   def __init__(self,decorated_coffee):
      Abstract_Coffee_Decorator.__init__(self,decorated_coffee)
   
   def get_cost(self):
      return self.decorated_coffee.get_cost() + 0.25
   
   def get_ingredients(self):
      return self.decorated_coffee.get_ingredients() + ', milk'
class Vanilla(Abstract_Coffee_Decorator):
   
   def __init__(self,decorated_coffee):
      Abstract_Coffee_Decorator.__init__(self,decorated_coffee)
   
   def get_cost(self):
      return self.decorated_coffee.get_cost() + 0.75
   
   def get_ingredients(self):
      return self.decorated_coffee.get_ingredients() + ', vanilla'커피 숍의 추상 클래스 구현은 아래에 언급 된 별도의 파일로 수행됩니다.
import coffeeshop
myCoffee = coffeeshop.Concrete_Coffee()
print('Ingredients: '+myCoffee.get_ingredients()+
   '; Cost: '+str(myCoffee.get_cost())+'; sales tax = '+str(myCoffee.get_tax()))
myCoffee = coffeeshop.Milk(myCoffee)
print('Ingredients: '+myCoffee.get_ingredients()+
   '; Cost: '+str(myCoffee.get_cost())+'; sales tax = '+str(myCoffee.get_tax()))
myCoffee = coffeeshop.Vanilla(myCoffee)
print('Ingredients: '+myCoffee.get_ingredients()+
   '; Cost: '+str(myCoffee.get_cost())+'; sales tax = '+str(myCoffee.get_tax()))
myCoffee = coffeeshop.Sugar(myCoffee)
print('Ingredients: '+myCoffee.get_ingredients()+
   '; Cost: '+str(myCoffee.get_cost())+'; sales tax = '+str(myCoffee.get_tax()))산출
위의 프로그램은 다음과 같은 출력을 생성합니다-
