[파이썬 디자인 모델] 제2장 백화점 수납 소프트웨어-전략 모델
제목.
컨트롤러 프로그램을 설계하여 백화점 수납 소프트웨어를 모의하고 고객이 구매한 상품의 단가와 수량에 따라 총 가격을 계산한다.
기본 버전
price = float(input(" :"))
number = int(input(" :"))
total = (price * number)
print(" : %.2f" % total)
:40
:9
: 360.00
평론하다
상술한 절차는 기본적인 기능만 실현했지만 백화점에서 할인 행사가 있는데 예를 들어 20% 할인, 50% 할인 등이 있으면 수요를 만족시키지 못한다. 할인의 방법은 만감 행사가 있을 수 있다. 예를 들어 만300에서 100을 줄이고 만500에서 200을 줄이는 등이다.만약에 할인과 만감 두 가지 판촉 활동만 있다고 가정하면 이것은 마치 지난 장의 계산기와 같이 정상적인 요금, 할인 활동과 만감 활동의 세 가지 계산 방법을 지원하고 간단한 공장 방법으로 실현할 수 있다.
개선 버전 1.0-단순 공장 모드
from abc import ABCMeta, abstractmethod
class CashBase():
"""
"""
__metaclass__ = ABCMeta
def __init__(self):
self.final_price = None
@abstractmethod
def accept_cash(self):
pass
class CashNormal(CashBase):
"""
"""
def accept_cash(self, money):
self.final_price = money
return self.final_price
class CashRebate(CashBase):
"""
"""
def __init__(self, rebate):
self.rebate = rebate
def accept_cash(self, money):
self.final_price = money * self.rebate
return self.final_price
class CashReturn(CashBase):
"""
"""
def __init__(self, return_condition, return_money):
self.return_condition = return_condition
self.return_money = return_money
def accept_cash(self, money):
if money >= self.return_condition:
self.final_price = money - self.return_money
else:
self.final_price = money
return self.final_price
class CashFactory():
"""
"""
# , , ` . `
cash_accepter_map = {
" ": CashNormal(),
" 300 100": CashReturn(300, 100),
" 8 ": CashRebate(0.8)
}
@staticmethod
def createCashAccepter(cash_type):
if cash_type in CashFactory.cash_accepter_map:
return CashFactory.cash_accepter_map[cash_type]
else:
return None
클라이언트 코드
price = float(input(" :"))
number = int(input(" :"))
cash_type_list = [" ", " 300 100", " 8 "]
for i in cash_type_list:
print("{}:{}".format(cash_type_list.index(i)+1, i))
cash_type_index = int(input(" (1~3)"))
total = price * number
cash_accepter = CashFactory.createCashAccepter(cash_type_list[cash_type_index-1])
print(" : %.2f" % total)
total = cash_accepter.accept_cash(total)
print(" : %.2f" % total)
:10
:50
1:
2: 300 100
3: 8
(1~3)3
: 500.00
: 400.00
평론하다
정책 모드
이 모델은 알고리즘 가족을 정의하여 각각 봉하여 서로 교체할 수 있도록 한다. 이 모델은 알고리즘의 변화를 알고리즘을 사용하는 고객에게 영향을 주지 않는다.
from abc import ABCMeta, abstractmethod
class CashBase():
"""
:
"""
__metaclass__ = ABCMeta
def __init__(self):
self.final_price = None
@abstractmethod
def accept_cash(self):
pass
class CashNormal(CashBase):
"""
:
"""
def accept_cash(self, money):
self.final_price = money
return self.final_price
class CashRebate(CashBase):
"""
:
"""
def __init__(self, rebate):
self.rebate = rebate
def accept_cash(self, money):
self.final_price = money * self.rebate
return self.final_price
class CashReturn(CashBase):
"""
:
"""
def __init__(self, return_condition, return_money):
self.return_condition = return_condition
self.return_money = return_money
def accept_cash(self, money):
if money >= self.return_condition:
self.final_price = money - self.return_money
else:
self.final_price = money
return self.final_price
class CashContext():
"""
( ), ,
"""
def __init__(self, cash_strategy):
self.cash_strategy = cash_strategy
def get_result(slef, money):
return self.cash_strategy.accept_cash(money)
평론하다
CashContext 클래스에서 우리는 구체적인 전략 클래스를 전송하여 설정해야 한다. 백화점 수납 소프트웨어라는 장면에서 그것이 바로 서로 다른 요금 전략이다. 그러면 어떻게 서로 다른 요금 전략 대상을 생성합니까?전략 모델과 단순 공장을 결합시킬 수 있다.
class CashContext():
"""
( ), ,
"""
# , , ` . `
cash_accepter_map = {
" ": CashNormal(),
" 300 100": CashReturn(300, 100),
" 8 ": CashRebate(0.8)
}
def __init__(self, cash_type):
self.cash_strategy = CashContext.cash_accepter_map[cash_type]
def get_result(self, money):
return self.cash_strategy.accept_cash(money)
클라이언트 코드
price = float(input(" :"))
number = int(input(" :"))
cash_type_list = [" ", " 300 100", " 8 "]
for i in cash_type_list:
print("{}:{}".format(cash_type_list.index(i)+1, i))
cash_type_index = int(input(" (1~3)"))
total = price * number
cash_context = CashContext(cash_type_list[cash_type_index-1])
print(" : %.2f" % total)
total = cash_context.get_result(total)
print(" : %.2f" % total)
:10
:10
1:
2: 300 100
3: 8
(1~3)3
: 100.00
: 80.00
평론하다
전략 모드+단순 공장과 단순 공장 모드의 차이는 어디에 있습니까?
cash_accepter = CashFactory.createCashAccepter(cash_type_list[cash_type_index-1])
...
total = cash_accepter.accept_cash(total)
+
cash_context = CashContext(cash_type_list[cash_type_index-1])
...
total = cash_context.get_result(total)
CashFactory
와 CashBase
CashContext
CashContext
의 대상이고 CashContext
의 get_result
방법을 호출했기 때문에 구체적인 비용 전략은 클라이언트와 철저하게 분리되고 심지어 전략의 기본 유형CashBase
도 클라이언트가 인식할 필요가 없다.정책 모드 해석
옥에 티.
CashContext에서 하나의 dict()형 유형의 변수
cash_accepter_map
를 사용하여 각종 알고리즘 전략을 저장하고 새로 추가 200 50
된 전략을 업데이트cash_accepter_map
해야 한다. 이것은 우아해 보이지 않는다 ,
. 더욱 우아하고 변경 원가를 낮추기 위해 사용할 수 있다
. 이 기술은
에 소개될 것이다.
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
다양한 언어의 JSONJSON은 Javascript 표기법을 사용하여 데이터 구조를 레이아웃하는 데이터 형식입니다. 그러나 Javascript가 코드에서 이러한 구조를 나타낼 수 있는 유일한 언어는 아닙니다. 저는 일반적으로 '객체'{}...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.