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

Java设计模式之策略模式(Strategy模式)介绍

程序员文章站 2024-03-03 16:01:58
strategy是属于设计模式中 对象行为型模式,主要是定义一系列的算法,把这些算法一个个封装成单独的类。 stratrgy应用比较广泛,比如,公司经营业务变化图,可能有...

strategy是属于设计模式中 对象行为型模式,主要是定义一系列的算法,把这些算法一个个封装成单独的类。

stratrgy应用比较广泛,比如,公司经营业务变化图,可能有两种实现方式,一个是线条曲线,一个是框图(bar),这是两种算法,可以使用strategy实现。

这里以字符串替代为例,有一个文件,我们需要读取后,希望替代其中相应的变量,然后输出。关于替代其中变量的方法可能有多种方法,这取决于用户的要求,所以我们要准备几套变量字符替代方案。

Java设计模式之策略模式(Strategy模式)介绍

首先,我们建立一个抽象类reptemprule 定义一些公用变量和方法:

复制代码 代码如下:

public abstract class reptemprule{
    protected string oldstring="";
    public void setoldstring(string oldstring){
  this.oldstring=oldstring;
    }
    protected string newstring="";
    public string getnewstring(){
  return newstring;
    }
    public abstract void replace() throws exception;
}

在reptemprule中 有一个抽象方法abstract需要继承明确,这个replace里其实是替代的具体方法。

我们现在有两个字符替代方案:

1.将文本中aaa替代成bbb;
2.将文本中aaa替代成ccc。

对应的类分别是reptempruleone和reptempruletwo:

复制代码 代码如下:

public class reptempruleone extends reptemprule{
    public void replace() throws exception{
  //replacefirst是jdk1.4新特性
  newstring=oldstring.replacefirst("aaa", "bbbb")
  system.out.println("this is replace one"); 
    }
}

复制代码 代码如下:

public class reptempruletwo extends reptemprule{

    public void replace() throws exception{
  newstring=oldstring.replacefirst("aaa", "ccc")
  system.out.println("this is replace two");
    }
}

第二步:我们要建立一个算法解决类,用来提供客户端可以*选择算法。

复制代码 代码如下:

public class reptemprulesolve {
  private reptemprule strategy;
  public reptemprulesolve(reptemprule rule){
    this.strategy=rule;
  }
  public string getnewcontext(site site,string oldstring) {
    return strategy.replace(site,oldstring);
  }
  public void changealgorithm(reptemprule newalgorithm) {
    strategy = newalgorithm;
  }
}

调用如下:

复制代码 代码如下:

public class test{
        ......
  public void testreplace(){
  //使用第一套替代方案
  reptemprulesolve solver=new reptemprulesolve(new reptemprulesimple());
  solver.getnewcontext(site,context);
  //使用第二套
  solver=new reptemprulesolve(new reptempruletwo());
  solver.getnewcontext(site,context);
  }
       .....
}

我们达到了在运行期间,可以*切换算法的目的。


实际整个strategy的核心部分就是抽象类的使用,使用strategy模式可以在用户需要变化时,修改量很少,而且快速。

strategy和factory有一定的类似,strategy相对简单容易理解,并且可以在运行时刻*切换。factory重点是用来创建对象。

strategy适合下列场合:

1.以不同的格式保存文件;
2.以不同的算法压缩文件;
3.以不同的算法截获图象;
4.以不同的格式输出同样数据的图形,比如曲线 或框图bar等。