策略模式(Strategy Pattern)学习笔记

2024/9/24 设计模式行为型模式

策略模式(Strategy Pattern),行为型模式。策略模式定义了一系列算法或策略,并将每个算法封装在独立的类中,使得它们可以互相替换。通过使用策略模式,可以在运行时根据需要选择不同的算法,而不需要修改客户端代码。

# 解决问题

解决在多种相似算法存在时,使用条件语句(如if...else)导致的复杂性和难以维护的问题。

# 实现方式

  • 抽象策略(Abstract Strategy):定义了策略对象的公共接口或抽象类,规定了具体策略类必须实现的方法。
  • 具体策略(Concrete Strategy):实现了抽象策略定义的接口或抽象类,包含了具体的算法实现。每个策略类封装一个具体的算法或行为。
  • 上下文类(Context):维护一个对策略对象的引用,负责将客户端请求委派给具体的策略对象执行。环境类可以通过依赖注入、简单工厂等方式来获取具体策略对象。

# 关键代码

public class StrategyPattern
{
    public static void main(String[] args)
    {
        Context c = new Context();
        Strategy s = new ConcreteStrategyA();
        c.setStrategy(s);
        c.strategyMethod();
        System.out.println("-----------------");
        s = new ConcreteStrategyB();
        c.setStrategy(s);
        c.strategyMethod();
    }
}

// 抽象策略类
interface Strategy
{   
    public void strategyMethod();    //策略方法
}

// 具体策略类A
class ConcreteStrategyA implements Strategy
{
    public void strategyMethod()
    {
        System.out.println("具体策略A的策略方法被访问!");
    }
}

// 具体策略类B
class ConcreteStrategyB implements Strategy
{
    public void strategyMethod()
    {
        System.out.println("具体策略B的策略方法被访问!");
    }
}

// 环境类
class Context
{
    private Strategy strategy;
    
    public Strategy getStrategy()
    {
        return strategy;
    }
    
    public void setStrategy(Strategy strategy)
    {
        this.strategy=strategy;
    }
    
    public void strategyMethod()
    {
        strategy.strategyMethod();
    }
}
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
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59