欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

设计模式之策略模式

程序员文章站 2024-02-09 16:36:34
...

策略模式的定义和使用场景
定义:策略模式定义了一系列的算法,并将每一个算法封装起来,而且使他们可以相互替换,让算法独立于使用它的客户而独立变化。

分析下定义,策略模式定义和封装了一系列的算法,它们是可以相互替换的,也就是说它们具有共性,而它们的共性就体现在策略接口的行为上,另外为了达到最后一句话的目的,也就是说让算法独立于使用它的客户而独立变化,我们需要让客户端依赖于策略接口。

策略模式的使用场景:

1.针对同一类型问题的多种处理方式,仅仅是具体行为有差别时; 
2.需要安全地封装多种同一类型的操作时; 
3.出现同一抽象类有多个子类,而又需要使用 if-else 或者 switch-case 来选择具体子类时。

这个模式涉及到三个角色:

环境(Context)角色:持有一个Strategy的引用。

抽象策略(Strategy)角色:这是一个抽象角色,通常由一个接口或抽象类实现。此角色给出所有的具体策略类所需的接口。

具体策略(ConcreteStrategy)角色:包装了相关的算法或行为。

 

策略模式例子
商品有三种折扣价,普通客户不享受任何优惠,vip客户享受9折优惠,超级vip客户享受8折优惠

 

抽象策略类

public interface CustomerStrategy {
    //策略方法
    public double discountPrice(double orgnicPrice);
}

具体策略类

/** 
 * 普通客户
 */
public class OrgnicCustomer implements CustomerStrategy {

    @Override
    public double discountPrice(double orgnicPrice) {
        return orgnicPrice;
    }
}


/**
 *  vip客户
 */
public class VipCustomer implements CustomerStrategy {

    @Override
    public double discountPrice(double orgnicPrice) {
        return orgnicPrice * 0.9;
    }
}

/**
 * 超级vip客户
 */
public class SuperVipCustomer implements CustomerStrategy {

    @Override
    public double discountPrice(double orgnicPrice) {
        return orgnicPrice * 0.8;
    }
}

环境角色类

@Data
@NoArgsConstructor
public class ExcuteContext {

    //持有一个具体策略的对象
    private CustomerStrategy customerStrategy;

    private double money;

    /**
     * 构造函数,传入一个具体策略对象
     */
    public ExcuteContext(CustomerStrategy customerStrategy) {
        this.customerStrategy = customerStrategy;
    }

    /**
     * 策略方法
     */
    public double excute(){
        return customerStrategy.discountPrice(money);
    }
}

测试类

ExcuteContext excuteContext = new ExcuteContext();
excuteContext.setCustomerStrategy(new SuperVipCustomer());
excuteContext.setMoney(200);
double price = excuteContext.excute();
System.out.println("最终价格为:" + price);

 

参考地址:https://blog.csdn.net/u012124438/article/details/70039943/