设计模式-策略模式-strategy-python

时间:2022-04-19 22:00:41

def

定义一组算法, 将每个算法都封装起来, 并且使它们之间可以互换。

usage

● 算法可以*切换
这是策略模式本身定义的, 只要实现抽象策略, 它就成为策略家族的一个成员, 通过封装角色对其进行封装, 保证对外提供“可*切换”的策略。
● 避免使用多重条件判断
如果没有策略模式, 我们想想看会是什么样子? 一个策略家族有5个策略算法, 一会要使用A策略, 一会要使用B策略, 怎么设计呢? 使用多重的条件语句? 多重条件语句不易维护, 而且出错的概率大大增强。 使用策略模式后, 可以由其他模块决定采用何种策略, 策略家族对外提供的访问接口就是封装类, 简化了操作, 同时避免了条件语句判断。
● 扩展性良好
这甚至都不用说是它的优点, 因为它太明显了。 在现有的系统中增加一个策略太容易了, 只要实现接口就可以了, 其他都不用修改, 类似于一个可反复拆卸的插件, 这大大地符合了OCP原则。

code

import types


class StrategyExample:

def __init__(self, func=None):
self.name = 'Strategy Example 0'
if func is not None:
self.execute = types.MethodType(func, self)

def execute(self):
print(self.name)


def execute_replacement1(self):
print(self.name + ' from execute 1')


def execute_replacement2(self):
print(self.name + ' from execute 2')


if __name__ == '__main__':
strat0 = StrategyExample()

strat1 = StrategyExample(execute_replacement1)
strat1.name = 'Strategy Example 1'

strat2 = StrategyExample(execute_replacement2)
strat2.name = 'Strategy Example 2'

strat0.execute()
strat1.execute()
strat2.execute()

### OUTPUT ###
# Strategy Example 0
# Strategy Example 1 from execute 1
# Strategy Example 2 from execute 2