美文网首页
8.设计模式(组合模式)

8.设计模式(组合模式)

作者: 悠哈121 | 来源:发表于2020-11-11 17:36 被阅读0次

    1.组合模式:将对象组合成树形结构,以表示“部分-整体“的层次结构。除了用来表示树形结构之外,组合模式的另一个好处时通过对象的多态性表现,使得用户对单个对象和组合对象的使用具有一致性

    代码实现(1.超级遥控器【1.打开空调 2.打开电视和音响 )
    var command = function(){
      return {
        commandList:[],
        add:function(command){
          this.commandList.push(command)
        },
        execute:function(){
          this.commandList.forEach(cm=>cm.execute())
        }
      }
    }
    //打开空调
    var openAcCommand = {
      execute:function(){
        console.log("打开空调")
      }
    }
    //打开电视和音响
    var openTvCommand = {
      execute:function(){
        console.log("打开电视")
      }
    }
    var openSoundCommand = {
      execute:function(){
        console.log("打开音响")
      }
    }
    var command1 = command();
    command1.add(openTvCommand);
    command1.add(openSoundCommand)
    
    var commandALL = command();
    commandALL.add(openAcCommand);
    commandALL.add(command1)
    commandALL.execute() //开始执行
    //这个例子可以看出,基本对象可以被组合成更复杂的组合对象,组合对象又可以被组合,这样不断递归下去,这棵树的结构可以支持任意多的复杂度,在树最终被构造完成之后,让整棵树最终运转起来的步骤非常简单,只需要调用最上层对象的execute方法。每当对最上层的对象进行一次请求时,实际上是在对整个树进行深度优先的搜索,而创建组合对象的程序员并不关心这些内在的细节,往这棵树里添加一些新的节点对象是非常容易的事情
    代码实现(2.引用父对象 删除某个文件的时候,实际上是从这个文件所在的上层文件夹中删除该文件的)
    const cssnano = require("cssnano");
    var Folder = function(name){
      this.name = name;
      this.parent = null;
      this.files = []
    }
    Folder.prototype.add = function(file){
      file.parent = this;
      this.files.push(file)
    }
    Folder.prototype.scan = function(){
      console.log("开始扫描"+this.name)
      this.files.forEach(file=>file.scan())
    }
    Folder.prototype.remove=function(){
      if(!this.parent){
        return;
      }
      let files = this.parent.files;
      files.forEach((item,index)=>{
        if(item=== this){
          files.splice(index,1)
        }
      })
    }
    var File = function(name){
      this.name = name;
      this.parent = null
    }
    File.prototype.scan = function(){ 
      console.log( '开始扫描文件: ' + this.name ); 
    };
    File.prototype.remove = function(){
      if(!this.parent){
        return;
      }
      let files = this.parent.files;
      files.forEach((item,index)=>{
        if(item=== this){
          files.splice(index,1)
        }
      })
    }
    var folder = new Folder( '学习资料' ); 
    var folder1 = new Folder( 'JavaScript' ); 
    var file1 = new Folder ( '深入浅出 Node.js' );
    folder1.add( new File( 'JavaScript 设计模式与开发实践' ) ); 
    folder.add( folder1 ); 
    folder.add( file1 ); 
    folder.scan();
    folder1.remove(); //移除文件夹
    folder.scan();
    

    2.组合模式不是父子关系,是一种聚合关系,它们合作的关键是拥有相同的接口
    3.引用父对象:组合对象保存了它下面的子节点的引用,这是组合模式的特点,此时树结构是从上至下的。但有时候我们需要在子节点保持对父节点的引用,比如在组合模式中使用职责链是,有可能需要让请求从子节点往父节点上冒泡传递。

    相关文章

      网友评论

          本文标题:8.设计模式(组合模式)

          本文链接:https://www.haomeiwen.com/subject/lazebktx.html