this的理解

35次阅读

共计 1781 个字符,预计需要花费 5 分钟才能阅读完成。

解析器在调用函数每次都会向函数内部传递一个隐含参数,即 this,this 指向一个对象,此对象称之为函数执行的上下文对象,根据函数调用的方式不同,this 指向不同的对象.

1. 以函数的形式调用时,this 永远指向 window
2. 以方法的形式调用时,this 就是调用方法的那个对象

其实就是谁调用,指向谁,因为以函数的形式调用就是省略了 window 的调用

3. 当以构造函数的形式调用时,this 指向新创建的对象
4. 使用 call 和 apply 调用时,this 指向指定的那个对象

使用工厂方法创建对象,可以大批量创建

function creatPerson(name, age, sex) {  
  // 创建一个新的对象  
  var obj = new Object();  
  // 向对象中添加属性  
  obj.name = name;  
  obj.age = age;  
  obj.sex = sex;  
  // console.log(this) 此处 this  
  obj.sayName = function() {console.log(this.name) // 此处 this  
  }  
  // 将新的对象返回  
  return obj  
}  
var person = creatPerson('zhangsan', 18, 'man')

构造函数就是一个普通函数,创建方式没有区别,习惯上首字母大写
构造函数和普通函数的区别就是调用方法不同:
普通函数直接调用,构造函数使用 new 关键字调用

构造函数的执行过程:

  1. 立刻创建一个新对象
  2. 将新建的对象设置为函数中的 this,在构造函数中可以使用 this 来引用新建的对象
  3. 逐行执行函数中的代码
  4. 将新建的对象作为返回值返回
function Person(name, age, sex) {  
  this.name = name;  
  this.age = age;  
  this.sex = sex;  
  // console.log(this.name)  
  this.sayName = function() {console.log(this.name)  
  }  
}  
var per = new Person('zhangsan', 18, 'man')

使用同一个构造函数创建的对象,称之为一类对象,也将一个构造函数称为一个类。
我们将通过一个构造函数创建的对象,称之为这个类的实例
使用 instanceof 可以检查一个对象是否是一个类的实例
语法:
对象 instanceof 构造函数
是,返回 true;否则,返回 false
console.log(per instanceof Person)

console.log(per.sayName === per1.sayName)
在 Person 构造函数中,为每一个对象都添加了一个 sayName 方法,目前我们的方法是在构造函数内部创建的,也就是构造函数每执行一次就会创建一个新的 sayName 方法,也就是所有的 sayName 都是不同的,若构造函数执行 10000 次就创建了 10000 个方法,消耗内存

function Person(name, age, sex) {  
  this.name = name;  
  this.age = age;  
  this.sex = sex;  
  this.sayName = fun;  
}  
// 将 sayName 方法放在全局作用域下定义  
function fun() {console.log(this.name)  
} 

将函数定义在全局作用域中,污染了全局作用域的命名空间,也不安全

1.this 是什么?
任何函数本质上都是通过某个对象来调用的,若没有直接指定调用者,默认是 window
所有函数内部都有一个变量 this
它的值是调用函数的当前对象

function Person(color) {console.log('Person:', this)  
  this.color = color;  
  this.getColor = function() {console.log('getColor', this)
    return this.color  
  }  
  this.setColor = function(color) {console.log('setColor', this)
    this.color = color
  }  
} 
Person('red') // this 指向 window
var p = new Person('blue')  // this 指向 p
var obj = {}
p.setColor.call(obj, 'pink')// this 指向 obj
var test = p.setColor
test() // this 指向 window

正文完
 0