js继承

2017-07-08  本文已影响43人  yuan1024

1.继承有什么作用?

继承是指一个对象直接使用另一个对象是属性和方法。
作用:继承可以使子类共享父类的属性和方法。
继承可以覆盖或扩展父类的属性和方法。

2.有几种常见创建对象的方式? 举例说明?

1.简单对象字面量

var obj1 = {};

2.工厂模式

function Person(name,age){
  var obj = {
    name: name,
    age: age
  }
  return obj;
}
var Person1 = Person("Li",18);
var Person2 = Person("Xin",18);

3.构造函数

function Person(name,age){
  this.name = name;
  this.age = age;
}
var Person1 = new Person("Yun",20);

4.原型+构造函数

function Person(name,age){
  this.name = name;
  this.age = age;
}
Person.prototype.sayName = function(){
  console.log("name is " + this.name)
}
var Person1 = new Person("Jing",24);
Person1.sayName();

3.下面两种写法有什么区别?

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

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

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

第一种:直接将对象的属性和方法都创建在了构造函数上,没创建一个对象实例,都要重复创建该对象的方法,造成资源浪费,比较耗内存。
第二种:对象的属性创建在了构造函数上,而方法写在了原型prototype上,实例对象可通过原型链直接调用该方法,实现了方法共享,节省了内存空间。

4.Object.create 有什么作用?兼容性如何?如何使用?

Object.create可以创建一个拥有指定原型和若干个指定属性的对象。
兼容性:IE9+,Chrome5+,Firfox4.0+,Opera11.60+,Safari5+。
使用方法:Object.craete(prototype,[])

   function Person(name){
     this.name = name;
   }
   Person.prototype.sayName = function(){
     console.log("name is " + this.name);
   }
   function People(){
   }
   People.prototype =  Object.create(Person.prototype);
   var p1 = new Person("li");

5.hasOwnProperty有什么作用? 如何使用?

作用:返回一个布尔值,判断某个对象是否含有指定的自身属性,而非其原型链上继承到的属性。
语法:obj.hasOwnProperty(prop),prop为要检测的属性

  p1.hasOwnProperty('age');

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

function create(obj){
  function temp(){};
  if(typeof obj !== 'object'){
    console.log('error')
  } else {
    temp.prototype = obj;
    var newTemp = new temp();
    return newTemp;
  }
}

var obj = {a: 1, b:2};
var obj2 = create(obj);
console.log(obj2.a); //1

7.如下代码中call的作用是什么?

function Person(name, sex){
    this.name = name;
    this.sex = sex;
}
function Male(name, sex, age){
    Person.call(this, name, sex);   //call的作用,在Male作用域中调用Person,使Male能够执行Person函数。
    this.age = age;
}

8.实现继承

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

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

function Male(name, sex, age){
   this.age = age;
   Person.call(this,name, sex);
}
Male.prototype = Object.create(Person.prototype);
Male.prototype.constructor = Male;
Male.prototype.getAge = function(){
    console.log('age is ' + this.age);
};

var ruoyu = new Male('ruoyu', '男', 27);
ruoyu.getAge();
上一篇下一篇

猜你喜欢

热点阅读