Nodejs中关于 this 全局对象和 var 的定义
Nodejs中关于 this 全局对象和 var 的定义
var name = “this windos”;
var object = {
name : “my object”,
getnamefunc : function () {
return function () {
return this.name;
};
}
};
var reslut = object.getnamefunc();
console.log(object.getnamefunc()());
console.log(reslut);
console.log(reslut.toString());
console.log(reslut());
console.log(object.name);
console.log(name);```
在看高程3 关于 this 在闭包中介绍
如上代码
我在终端用 node 跑范例代码 结果 浏览器 和 node 给出了不同的答案
在 node 7.7.2 结果
undefined
[Function]
function () {
return this.name;
}
undefined
my object
this windos
在 chrome 57.0.2987.98 (64-bit)
this windos
function () {
return this.name;
}
function () {
return this.name;
}
this windos
my object
this windos
因为 window 刚好有 name 罢了…… 不信你换成 fuckedName 试试
哦看错了……
好像我在 node 上跑出来的结果和你不一样哇
有什么问题吗?你想问啥?
没注意你 node 的结果……你怎么跑出来的?
闭包和 this 不能混为一谈。闭包只涉及变量,而 this 不是变量。 this 有另一套规则,不适用于闭包的规则。
正因为有时候 this 比较不好确定,所以才有了利用闭包 that = this 这样的做法。
因为 node 没全局 window ,他是 global
第一句 var name 并不会把 name 挂在 global 上…
用 var 似乎会把 scope 指定在当前 module 中, node 运行 js 文件 每个文件都是一个闭包 好像
你肯定看错了 Node 的输出,console.log 的输出总是以 undefined 结束
我试了一下 的确 var name 不能 在 node 中不是定义全局变量
你只要记住一点, node 里你写的 js 代码不是在全局跑,而是变成了一个函数的函数体,在这个函数里跑的就行,像__dirname 、 require 之类的都是这个函数的参数
最简单的办法,写个 js :
console.log(arguments.callee.toString());
然后运行下看结果:
function (exports, require, module, __filename, __dirname) { console.log(arguments.callee.toString());
}
好的我试下
node 里的全局对象是 global 吧,而且 node 里的作用域是按照 module 隔离的, var 声明的对象只存在于一个 module 内。。。
话说为了避免歧义和 BUG ,已经半年多不用 var 了,项目上已经用 ESLint 严格要求禁止出现 var 指令了。。。
在Node.js中,this
、全局对象(global object)以及var
关键字都有其特定的行为和用途。
this
关键字
在Node.js中,this
的值取决于它被如何调用。在全局作用域中,this
指向全局对象(在浏览器中是window
,在Node.js中是global
)。
console.log(this === global); // true
在函数内部,this
的值取决于函数的调用方式(普通调用、方法调用、构造函数调用等)。
全局对象
在Node.js中,全局对象是global
。它类似于浏览器中的window
对象,但global
不是全局作用域的一个属性(即你不能通过var global = something;
来改变它)。
global.myVar = 'Hello, world!';
console.log(myVar); // Hello, world!
var
关键字
var
用于声明变量,这些变量会成为其所在函数或全局作用域的一部分。使用var
声明的变量会被提升到作用域的顶部(变量提升)。
console.log(a); // undefined (变量提升,但未赋值)
var a = 2;
然而,var
有作用域限制问题,且易导致变量污染。因此,现代JavaScript开发中更推荐使用let
和const
来声明变量,它们提供了块级作用域且不允许重复声明。
{
let b = 3;
const c = 4;
}
console.log(b); // ReferenceError: b is not defined
console.log(c); // ReferenceError: c is not defined