[PHP设计模式]Composite(组合)模式范例

作者:郝春利

转贴请注明出处:http://blog.csdn.net/froole

 

Composite模式定义: 将对象以树形结构组织起来,以达成“部分-整体” 的层次结构,使得客户端对单个对象和组合对象的使用具有一致性. Composite 比较容易理解,想到Composite就应该想到树形结构图。组合体内这些对象都有共同接口,当组合体一个对象的方法被调用执行时,Composite将 遍历(Iterator)整个树形结构,寻找同样包含这个方法的对象并实现调用执行。可以用牵一动百来形容。 所以Composite模式使用到Iterator模式,和Chain of Responsibility模式类似。

Composite好处:

  • 使客户端调用简单,客户端可以一致的使用组合结构或其中单个对象,用户就不必关系自己处理的是单个对象还是整个组合结构,这就简化了客户端代码。
  • 更容易在组合体内加入对象部件. 客户端不必因为加入了新的对象部件而更改代码。

如何使用Composite? 首先定义一个接口或抽象类,这是设计模式通用方式了,其他设计模式对接口内部定义限制不多,Composite却有个规定,那就是要在接口内部定义一个用于访问和管理Composite组合体的对象们(或称部件Component)

interface Component{
    public function dispName();
    public function setParent(Category $category);
    public function getParent();
    public function getName();
    public function setName($name);
}
class Composite implements Component {
    private $name;
    private $subList;
    private $parent;
    public function __construct($name){
        $this->setName($name);
    }
    public function dispName(){
        print $this->name."/n";
    }
    public function setName($name){
        $this->name = $name;
    }
    public function getName(){
        return $this->name;
    }
    public function setSubList(array $subList){
        $this->subList = $subList;
    }
    public function getSubList(){
        return $this->subList;
    }
    public function addSubList(AbstractContents $contents){
        $this->subList[] = $contents;
        $contents->setParent($this);
    }
    public function setParent(Category $category){
        $this->parent = $category;
    }
    public function getParent(){
        return $this->parent;
    }
    public function disList($parent=""){
        if(is_null($this->subList)){
            return;
        }
        foreach ($this->subList as $sub){
            print $parent."/".$sub->getName()."/n";


disList($parent."/".$sub->getName()
            }
        }
    }
}
class Leaf implements Component {
    private $name;
    private $parent;
    public function __construct($name){
        $this->setName($name);
    }
    public function dispName(){
        print $this->name."/n";
    }
    public function setName($name){
        $this->name = $name;
    }
    public function getName(){
        return $this->name;
    }
    public function setParent(Category $category){
        $this->parent = $category;
    }
    public function getParent(){
        return $this->parent;
    }
}

这个程序是我跟一个朋友争论如何用PHP写文档目录树时作的一个范例程序。

文件系统的文件夹与文件之间的关系,论坛分区、论坛、自论坛与帖子之间的关系,程序中商品的各个层次的分区与商品的关系,文章系统的文章的分区与文章之间的关系,A要实现这些目录树功能,他们都有一个共同的特性。用目标指向的思维方式去解释他们,可以非常容易的利用其共通特性简化代码。

 


转贴请注明出处:http://blog.csdn.net/froole

你可能感兴趣的:(软件开发——柴米油盐酱醋茶,PHP,设计模式,php,function,iterator,interface,class)