JavaScript中链式调用之研习

  一、对象链:方法体内返回对象实例自身(this)

  

复制代码 代码如下:

  function ClassA(){

  this.prop1 = null;

  this.prop2 = null;

  this.prop3 = null;

  }

  ClassA.prototype = {

  method1 : function(p1){

  this.prop1 = p1;

  return this;

  },

  method2 : function(p2){

  this.prop2 = p2;

  return this;

  },

  method3 : function(p3){

  this.prop3 = p3;

  return this;

  }

  }

  定义了function/类ClassA。有三个属性/字段prop1,prop2,prop3,三个方法methed1,method2,method3分别设置prop1,prop2,prop3。

  调用如下:

  

复制代码 代码如下:

  var obj = new ClassA();

  obj.method1(1).method2(2).method(3); // obj -> prop1=1,prop2=2,prop3=3

  可以看到对obj进行了连续三次操作,只要愿意ClassA的N多方法都这样定义,调用链会一直延续。

  该方式缺点是链方法唯一地绑定于一种对象类型(ClaaaA),按这种方式实现链式操作,每定义一个类,其方法体中都要返回this。第二种方式可以解决这个问题。

  二、函数链:对象传入后每次调用返回函数自身

  

复制代码 代码如下:

  /**

  * chain 精简版

  * @param {Object} obj

  */

  function chain(obj){

  return function(){

  var Self = arguments.callee; Self.obj = obj;

  if(arguments.length==0){

  return Self.obj;

  }

  Self.obj[arguments[0]].apply(Self.obj,[].slice.call(arguments,1));

  return Self;

  }

  }

  //定义的function/类ClassB

  function ClassB(){

  this.prop1 = null;

  this.prop2 = null;

  this.prop3 = null;

  }

  ClassB.prototype = {

  method1 : function(p1){

  this.prop1 = p1;

  },

  method2 : function(p2){

  this.prop2 = p2;

  },

  method3 : function(p3){

  this.prop3 = p3;

  }

  }

  注意ClassB的method1,method2,method3中不再返回this了。

  调用如下:

  

复制代码 代码如下:

  var obj = new ClassB();

  chain(obj)('method1',4)('method2',5)('method3',6); // obj -> prop1=4,prop2=5,prop3=6

  第一种方式3次调用后返回了对象自身,这里使用一个空"()"取回对象

  

复制代码 代码如下:

  // result -> prop1=4,prop2=5,prop3=6

  var result = chain(obj)('method1',4)('method2',5)('method3',6)();

  这种方式写类时方法体中无须返回this,且可以对任何对象进行链式调用。

  两种的调用方式:

  

复制代码 代码如下:

  obj

  .method1(arg1)

  .method2(arg2)

  .method3(arg3)

  ...

  chain(obj)

  (method1,arg1)

  (method2,arg2)

  (method3,arg3)

  ...

  相关:

  我的函数链之演变