美文网首页
17-原型链模式(批量设置共有属性)

17-原型链模式(批量设置共有属性)

作者: Young_Blood | 来源:发表于2016-08-09 10:48 被阅读11次
<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<html>
 <head> 
  <title>原型链模式(批量设置共有属性)</title> 
 </head> 
 <body> 
  <script type="text/javascript">
        function Fn() {
            this.x = 100;
        }
        Fn.prototype.getX = function () {
            console.log(this.x);
        };
        Fn.prototype.getY = function () {
            console.log(this.x);
        };
        Fn.prototype.getZ = function () {
            console.log(this.x);
        };
        var f1 = new Fn;

        // 1.起别名
        var pro = Fn.prototype; // 把原来原型只向的地址复制给我们的pro,现在他们操作的是同一个内存空间
        pro.getA = function () {
            console.log(this.x);
        };

        // 2.重构原型对象的方式 -> 自己新开辟一个堆内存,存储我们共有的属性和方法,把浏览器原先的替换掉
        function Fn() {
            this.x = 100;
        }
        Fn.prototype = {
            constructor: Fn,
            a:function () {

            },
            b:function () {

            },
        };
//        f.a();
//        f.b();
        // 2.1 只有浏览器天生给Fn.prototype开辟的堆内存里边才有constructor,而我们自己开平的这个堆内存没有这个属性,这样constructor指向就不在是Fn而是Object
        console.log(f.constructor); //-> Object; 没加之前
        // 为了和原来的保持一致,我们需要手动的增加constructor的指向,
        console.log(f.constructor); // 加了之后 Fn;

        // 2.2 用这种方式给内置类增加共有的属性
        // 需求:给内置类Array增加数组去重的方法
//        Array.prototype.unique = function () {
//
//        };
        // 我们这种方式会把之前已经存在于原型上的属性和方法给替换掉,所以我们用这种方式内置类的话,浏览器是给屏蔽掉的
        Array.prototype = {
            construtor:Array,
            unique:function () {

            }
        };
        console.dir(Array.prototype);

        // 但是我们可以一个个的修改内置的方法,当我们通过下述方式在数组的原型上增加方法,如果方法名和原来内置的重复了,会把人家内置的修改掉,我们以后再充值类的原型上增加方法,命名都需要特殊的前缀
        Array.prototype.sort = function () {
            console.log(this); // this -> ary 我们当前要操作的这个数组
        }
        var ary = [1, 2, 3, 3, 2, 9];
        ary.sort();

    </script>  
 </body>
</html>

相关文章

网友评论

      本文标题:17-原型链模式(批量设置共有属性)

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