JavaScript中链式调用之研习

发布于 2022-09-30 18:10:52 字数 5752 浏览 13 评论 0

转:Snandy

JavaScript中链式调用之研习

方法链一般适合对一个对象进行连续操作(集中在一句代码)。一定程度上可以减少代码量,缺点是它占用了函数的返回值。

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

  1. 01 function ClassA(){  
  2. 02     this.prop1 = null;  
  3. 03     this.prop2 = null;  
  4. 04     this.prop3 = null;  
  5. 05 }  
  6. 06 ClassA.prototype = {  
  7. 07     method1 : function(p1){  
  8. 08         this.prop1 = p1;  
  9. 09         return this;  
  10. 10     },  
  11. 11     method2 : function(p2){  
  12. 12         this.prop2 = p2;  
  13. 13         return this;  
  14. 14     },  
  15. 15     method3 : function(p3){  
  16. 16         this.prop3 = p3;  
  17. 17         return this;  
  18. 18     }  
  19. 19 }

复制代码定义了function/类ClassA。有三个属性/字段prop1,prop2,prop3,三个方法methed1,method2,method3分别设置prop1,prop2,prop3。
调用如下:

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

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

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

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

  1. 01 /**  
  2. 02  * chain 精简版  
  3. 03  * @param {Object} obj  
  4. 04  */
  5. 05 function chain(obj){  
  6. 06     return function(){  
  7. 07         var Self = arguments.callee; Self.obj = obj;  
  8. 08         if(arguments.length==0){  
  9. 09             return Self.obj;  
  10. 10         }   
  11. 11         Self.obj[arguments[0]].apply(Self.obj,[].slice.call(arguments,1));  
  12. 12         return Self;  
  13. 13     }  
  14. 14 }  
  15. 15   
  16. 16 //定义的function/类ClassB  
  17. 17 function ClassB(){  
  18. 18     this.prop1 = null;  
  19. 19     this.prop2 = null;  
  20. 20     this.prop3 = null;  
  21. 21 }  
  22. 22 ClassB.prototype = {  
  23. 23     method1 : function(p1){  
  24. 24         this.prop1 = p1;  
  25. 25     },  
  26. 26     method2 : function(p2){  
  27. 27         this.prop2 = p2;  
  28. 28     },  
  29. 29     method3 : function(p3){  
  30. 30         this.prop3 = p3;  
  31. 31     }  
  32. 32 }

复制代码注意ClassB的method1,method2,method3中不再返回this了。
调用如下:

  1. 1 var obj = new ClassB();  
  2. 2 chain(obj)('method1',4)('method2',5)('method3',6); // obj -> prop1=4,prop2=5,prop3=6

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

  1. 1 // result -> prop1=4,prop2=5,prop3=6  
  2. 2 var result = chain(obj)('method1',4)('method2',5)('method3',6)();
  3. 这种方式写类时方法体中无须返回this,且可以对任何对象进行链式调用。
  4. 两种的调用方式:
  5. view sourceprint?
  6. 01 obj  
  7. 02     .method1(arg1)  
  8. 03     .method2(arg2)  
  9. 04     .method3(arg3)  
  10. 05     ...  
  11. 06        
  12. 07 chain(obj)  
  13. 08     (method1,arg1)  
  14. 09     (method2,arg2)  
  15. 10     (method3,arg3)  
  16. 11     ...

复制代码

如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。

扫码二维码加入Web技术交流群

发布评论

需要 登录 才能够评论, 你可以免费 注册 一个本站的账号。
列表为空,暂无数据
我们使用 Cookies 和其他技术来定制您的体验包括您的登录状态等。通过阅读我们的 隐私政策 了解更多相关信息。 单击 接受 或继续使用网站,即表示您同意使用 Cookies 和您的相关数据。
原文