我正在寻找一种奇特的方法来防止闭包继承周围的 scrope。例如:
let foo = function(t){
let x = 'y';
t.bar = function(){
console.log(x); // => 'y'
});
};
我只知道两种防止共享范围的方法:
(1) 使用阴影变量:
let foo = function(t){
let x = 'y';
t.bar = function(x){
console.log(x); // => '?'
});
};
(2) 把函数体放到别的地方:
let foo = function(t){
let x = 'y';
t.bar = createBar();
};
我的问题是 - 有谁知道防止闭包在 JS 中继承作用域的第三种方法?花哨的东西很好。
我认为唯一可行的方法是vm.runInThisContext()
在 Node.js 中。
让我们想象一下,假设 JS 有一个 private 关键字,这意味着该变量仅对该函数的范围是私有的,如下所示:
let foo = function(t){
private let x = 'y'; // "private" means inaccessible to enclosed functions
t.bar = function(){
console.log(x); // => undefined
});
};
并且 IIFE 不起作用:
let foo = function(t){
(function() {
let x = 'y';
}());
console.log(x); // undefined (or error will be thrown)
// I want x defined here
t.bar = function(){
// but I do not want x defined here
console.log(x);
}
return t;
};