当前位置:编程学习 > > 正文

php 经典模式(php设计模式之装饰模式应用案例详解)

时间:2022-01-24 00:43:36类别:编程学习

php 经典模式

php设计模式之装饰模式应用案例详解

本文实例讲述了php设计模式之装饰模式。分享给大家供大家参考,具体如下:

介绍

主要角色

下面是使用装饰模式的一个简单实现:

  • ?
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • 10
  • 11
  • 12
  • 13
  • 14
  • 15
  • 16
  • 17
  • class RequestHelper{}
  • abstract class ProcessRequest{
  •   abstract function process(RequestHelper $req);
  • }
  • class MainProcess extends ProcessRequest{
  •   function process(RequestHelper $req)
  •   {
  •     print __CLASS__.": doing something useful with request\n";
  •   }
  • }
  • abstract class DecorateProcess extends ProcessRequest{
  •   protected $processRequest;
  •   function __construct(ProcessRequest $pr)
  •   {
  •     $this->processRequest = $pr;
  •   }
  • }
  • 和之前一样,我们定义了一个抽象基类(ProcessRequest)、一个具体的组件(MainProcess)和一个抽象装饰类(DecorateProcess)。 MainProcess::process()方法仅仅报告方法被调用,并没有其他功能。DecorateProcess为他的子类保存了一个ProcessRequest对象。下面是一些简单的具体装饰类:

  • ?
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • 10
  • 11
  • 12
  • 13
  • 14
  • 15
  • 16
  • 17
  • 18
  • 19
  • 20
  • 21
  • class LogRequest extends DecorateProcess{
  •   function process(RequestHelper $req)
  •   {
  •     print __CLASS__.": logging request\n";
  •     $this->processRequest->process($req);
  •   }
  • }
  • class AuthenticateRequest extends DecorateProcess{
  •   function process(RequestHelper $req)
  •   {
  •     print __CLASS__.": authenticating request\n";
  •     $this->processRequest->process($req);
  •   }
  • }
  • class StructureRequest extends DecorateProcess{
  •   function process(RequestHelper $req)
  •   {
  •     print __CLASS__.": structuring request\n";
  •     $this->processRequest->process($req);
  •   }
  • }
  • 装饰类的每一个process()方法在调用引用的processRequest对象的Process()方法前输出一条信息。

    现在我们可以在运行时合并这些类的对象,创建过滤器来对每一个请求按不同的顺序执行不同操作。下面的代码将所有具体类的对象组合成为一个过滤器:

  • ?
  • 1
  • 2
  • 3
  • 4
  • 5
  • $process = new AuthenticateRequest(new StructureRequest(
  •   new LogRequest(
  •     new MainProcess()
  •   )));
  • $process->process(new RequestHelper());
  • 执行代码会得到下面的输出结果:

    Authenticate
    Request: authenticating request
    StructureRequest: structuring request
    LogRequest: logging request
    MainProcess: doing something useful with request

    优点:

    装饰类和被装饰类可以独立发展,不会相互耦合,装饰模式是继承的一个代替模式,装饰模式可以动态扩展一个实现类的功能。

    缺点:

    多层装饰比较负责。

    希望本文所述对大家PHP程序设计有所帮助。

    原文链接:https://blog.csdn.net/zhaoxiaoruiR/article/details/88058380

    上一篇下一篇

    猜您喜欢

    热门推荐