构造函数二

2017-05-29  本文已影响0人  BIGHAI

先看一个例子:

function Foo(){

}
Foo.prototype.constructor === Foo//true
var obj = new Foo()
obj.constructor === Foo//true

函数的prototype对象上有一个constructor属性,这个属性的默认值是当前函数。至于obj对象为什么能够访问到constructor的话,那就得回顾之前提到的对象的[[Prototype]]的知识了。因为obj的[[Prototype]]属性指向的值是Foo函数,所以当在obj自身上找不到某个属性时,就会在其原型链上进行查找。

1.构造函数与普通调用的混搭

一个函数是否是构造函数与其写法没关系。与调用方式才有关系。

function fun(){
 console.log("?")
}
var obj = new fun()
console.log(obj)//fun {}
console.log(Object.getPrototypeOf(obj) === fun.prototype)//true

利用这个特性,我们可以共享数据:

function fun(){}
fun.prototype.a = "haha"
var obj = new fun()
var obj2 = new fun()
console.log(obj.a)//"haha"
console.log(obj2.a)//"haha"
console.log(Object.getOwnPropertyDescriptor(fun.prototype, "a"))//"writable":true...
obj.a = "self"
console.log(obj.a)//"self"
console.log(obj2.a)//"haha"
funtion foo(){
 return {"w": 9}
}
var obj = new foo()
console.log(obj)//{"w": 9}
console.log(Object.getOwnPrototypeOf(obj) == Object.prototype)//true
function foo(){
  return 1
}
var obj = new foo()
console.log(obj)//foo {}
console.log(Object.getPrototypeOf(obj) == foo.prototype)//true

值得注意的是,这里说的非对象是哪些:比如数值,字符串,布尔值。哪些不行呢:比如说数组,函数。

function foo(){
   this. a = 1
}
var obj = foo()
console.log(obj)//undefined
//由于是undefined,所以更别提什么会被什么对象委托的事情了。

当然,如果老老实实遵循规范写的话,上面那些狗屁东西都不会遇到。

END

上一篇下一篇

猜你喜欢

热点阅读