发布于 2024 年 2 月 26 日,星期一
"this"关键字在JavaScript中是一个动态上下文指针,其值取决于函数的调用方式。本质上,"this"指向调用该函数的对象。在全局作用域中,"this"指向全局对象(如浏览器中的window)。在对象方法中,"this"指向调用该方法的对象。在构造函数中,"this"指向新创建的实例。通过call、apply和bind方法,可以显式地绑定"this"的值。理解"this"的动态绑定机制是掌握JavaScript面向对象编程和函数式编程的关键。
欢迎关注 『非同质前端札记』https://mp.weixin.qq.com/s?__biz=MzkyOTI2MzE0MQ==&mid=2247485576&idx=1&sn=5ddfe93f427f05f5d126dead859d0dc8&chksm=c20d73c2f57afad4bbea380dfa1bcc15367a4cc06bf5dd0603100e8bd7bb317009fa65442cdb&token=1071012447&lang=zh_CN#rd 公众号 ,一起探索学习前端技术......
前端小菜鸡一枚,分享的文章纯属个人见解,若有不正确或可待讨论点可随意评论,与各位同学一起学习~
1. 函数调用模式:当一个函数不是一个对象的属性时,直接作为函数来调用时, 严格模式下指向 undefined
, 非严格模式下,this
指向全局对象。
// 严格模式
"use strict";
var name = "window";
var doSth = function () {
console.log(typeof this === "undefined");
console.log(this.name);
};
doSth(); // true,// 报错,因为this是undefined
// 非严格模式
let name2 = "window2";
let doSth2 = function () {
console.log(this === window);
console.log(this.name2);
};
doSth2(); // true, undefined
2. 方法调用模式:如果一个函数作为一个对象的方法来调用时,this
指向当前这个对象
var name = "window";
var doSth = function () {
console.log(this.name);
};
var student = {
name: "lc",
doSth: doSth,
other: {
name: "other",
doSth: doSth,
},
};
student.doSth(); // 'lc'
student.other.doSth(); // 'other'
// 用call类比则为:
student.doSth.call(student);
// 用call类比则为:
student.other.doSth.call(student.other);
3. 构造器调用模式:如果一个函数通过 new
调用时,函数执行前会新创建一个对象,this
指向这个新创建的对象。
var Obj = function (p) {
this.p = p;
};
var o = new Obj("Hello World!");
o.p; // "Hello World!"
4. apply, call, bind 模式:显式更改 this
指向,严格模式下,指向绑定的第一个参数,非严格模式下,null
和 undefined
指向全局对象(浏览器中是 window
),其余指向被 new Object()
包裹的对象。
aplly
: apply(this
绑定的对象,参数数组) func.apply(thisValue, [arg1, arg2, ...])
function f(x, y) {
console.log(x + y);
}
f.call(null, 1, 1); // 2
f.apply(null, [1, 1]); // 2
call
: call(this
绑定的对象,一个个参数) func.call(thisValue, arg1, arg2, ...)
var doSth = function (name) {
console.log(this);
console.log(name);
};
doSth.call(2, "lc"); // Number{2}, 'lc'
var doSth2 = function (name) {
"use strict";
console.log(this);
console.log(name);
};
doSth2.call(2, "lc"); // 2, 'lc'
bind
: bind(this
绑定的对象) func.bind(thisValue)
var counter = {
count: 0,
inc: function () {
this.count++;
},
};
var obj = {
count: 100,
};
var func = counter.inc.bind(obj);
func();
obj.count; // 101
// eg2:
var add = function (x, y) {
return x * this.m + y * this.n;
};
var obj = {
m: 2,
n: 2,
};
var newAdd = add.bind(obj, 5);
newAdd(5); // 20
this
, 也就是说箭头函数会继承外层函数,调用的 this
绑定,没有外层函数,则是指向全局(浏览器中是 window
)。构造器模式 > apply, call, bind > 方法调用模式 > 函数调用模式
Q:(question)
R:(result)
A:(attention matters)
D:(detail info)
S:(summary)
Ana:(analysis)
T:(tips)