饥人谷技术博客

继承

2016-09-27  本文已影响42人  Nicklzy

继承有什么作用? (难度:***

有几种常见创建对象的方式? 举例说明? (难度:****

下面两种写法有什么区别? (难度:***

//方法1
function People(name, sex){
  this.name = name;
  this.sex = sex;
  this.printName = function(){
    console.log(this.name);
  }
}
var p1 = new People('饥人谷', 2)

//方法2
function Person(name, sex){
  this.name = name;
  this.sex = sex;
}

Person.prototype.printName = function(){
  console.log(this.name);
}
var p1 = new Person('若愚', 27);

方法一每创建一个实例,都会将printName绑定在实例的私有空间内;而方法二函数将printName放在prototype内,该函数构建的实例共用方法printName,减少代码量。

Object.create 有什么作用?兼容性如何?如何使用? (难度:***

Object.create(proto, [ propertiesObject ])

例子:Male.prototype = Object.create(Person.prototype);

hasOwnProperty有什么作用? 如何使用? (难度:***

m.hasOwnProperty('name'); // true
m.hasOwnProperty('printName'); // false
Male.prototype.hasOwnProperty('printAge'); // true

实现Object.create的 polyfill,如:(ps: 写个 函数create,实现 Object.create 的功能) (难度:****)

if (typeof Object.create != 'function'){
  Obj.create = (function(){
    function Temp() {}
    var hasOwn = Object.prototype.hasOwnProperty;
    return function(proto){
      if (typeof proto != 'object'){
        throw TypeError('Object prototype may only be an Object or null');
      }

      Temp.prototype = proto;
      var obj = new Temp();
      Temp.prototype = null;

      if (arguments.length > 1){
        var Properties = Object(arguments[1]);
        for (var prop in Properties){
          if (hasOwn.call(Properties, prop)) {
            obj[prop] = Properties[prop];
          }
        }
      }
      return obj;
    };
  })();
}

如下代码中call的作用是什么? (难度:****

function Person(name, sex){
    this.name = name;
    this.sex = sex;
}
function Male(name, sex, age){
    Person.call(this, name, sex);    //改变this指向实现实例的继承。
    this.age = age;
}

补全代码,实现继承 (难度:****

function Person(name, sex){
    // todo ...
}

Person.prototype.getName = function(){
    // todo ...
};    

function Male(name, sex, age){
   //todo ...
}

//todo ...
Male.prototype.getAge = function(){
    //todo ...
};

var ruoyu = new Male('若愚', '男', 27);
ruoyu.printName();
function Person(name, sex){
    this.name = name;
    this.sex = sex;
}

Person.prototype.getName = function(){
    console.log(this.name);
};    

function Male(name, sex, age){
    Person.call(this,name,sex);
    this.age = age;   
}

Male.prototype = Object.create(Person.prototype);
Male.prototype.constructor=Male;
Male.prototype.getAge = function(){
    console.log(this.age)
};
Male.prototype.printName=function(){
    console.log(this.name);
};
var ruoyu = new Male('若愚', '男', 27);
ruoyu.printName();

代码题

效果预览

上一篇下一篇

猜你喜欢

热点阅读