设计模式-策略模式

前言:

设计模式不用就忘,之前在博客园写的设计模式就不放到csdn中了,加个锚点,方便日后温习:

设计模式------创建型模式之工厂模式 - 山月云星 - 博客园 (cnblogs.com)

正文:

策略模式允许在运行时选择算法或策略,而无需硬编码。下面是一个简单的策略模式示例,涉及两种不同的排序策略:升序和降序

java 复制代码
// 策略接口 
public interface SortingStrategy { 
    void sort(int[] numbers); 
}

创建两个实现了该策略接口的具体策略类

java 复制代码
// 升序排序策略
public class AscendingSortStrategy implements SortingStrategy {
    @Override
    public void sort(int[] numbers) {
        Arrays.sort(numbers);
    }
}

// 降序排序策略
public class DescendingSortStrategy implements SortingStrategy {
    @Override
    public void sort(int[] numbers) {
        int n = numbers.length;
        for (int i = 0; i < n-1; i++) {
            for (int j = 0; j < n-i-1; j++) {
                if (numbers[j] > numbers[j+1]) {
                    // 交换元素
                    int temp = numbers[j];
                    numbers[j] = numbers[j+1];
                    numbers[j+1] = temp;
                }
            }
        }
    }
}

创建一个上下文类,它将使用选定的策略来执行操作

java 复制代码
public class Sorter { 
  private SortingStrategy strategy;
  
  public Sorter(SortingStrategy strategy) {
    this.strategy = strategy;
  }

  public void sortNumbers(int[] numbers) {
    strategy.sort(numbers);
  }
}

最后,客户端代码可以动态选择并使用不同的排序策略

java 复制代码
public class ClientCode {
    public static void main(String[] args) {
        int[] numbers = {5, 3, 8, 1, 9};

        Sorter ascendingSorter = new Sorter(new AscendingSortStrategy());
        ascendingSorter.sortNumbers(numbers);
        System.out.println("Ascending order: " + Arrays.toString(numbers));

        Sorter descendingSorter = new Sorter(new DescendingSortStrategy());
        descendingSorter.sortNumbers(numbers);
        System.out.println("Descending order: " + Arrays.toString(numbers));
    }
}

SortingStrategy 是策略接口,AscendingSortStrategy 和 DescendingSortStrategy 是具体的策略实现,Sorter 是上下文,它使用策略来执行排序操作。客户端代码可以根据需要选择不同的策略对象。

相关推荐
ytadpole1 小时前
揭秘设计模式:工厂模式的五级进化之路
java·设计模式
烛阴2 小时前
【TS 设计模式完全指南】用工厂方法模式打造你的“对象生产线”
javascript·设计模式·typescript
_请输入用户名5 小时前
EventEmitter 是广播,Tapable 是流水线:聊聊它们的本质区别
前端·设计模式
Buling_05 小时前
游戏中的设计模式——第一篇 设计模式简介
游戏·设计模式
小蜗牛在漫步6 小时前
设计模式六大原则2-里氏替换原则
设计模式·里氏替换原则
小蜗牛在漫步7 小时前
23种设计模式-Proxy模式
设计模式·代理模式
易元10 小时前
模式组合应用-装饰器模式
后端·设计模式
彭于晏Yan11 小时前
Spring Boot中策略模式结合依赖注入的实现方式
spring boot·策略模式
宁静致远202111 小时前
【C++设计模式】第二篇:策略模式(Strategy)--从基本介绍,内部原理、应用场景、使用方法,常见问题和解决方案进行深度解析
c++·设计模式·策略模式
CHANG_THE_WORLD11 小时前
C++ 并发编程指南 并发设计模式:Actor vs. CSP (生活场景版)
c++·设计模式·生活