最近,在读一本非常好的书时; 'Maintainable Javascript',我发现使用了“use strict”pragma。
如果在全球范围内宣布“使用严格”似乎是一种不好的做法。推荐的方法是在每个函数中直接使用严格模式,如下所示:
// Non-strict code...
(function(){
"use strict";
// Define your library strictly...
})();
// Non-strict code...
是否可以将严格模式定义为整个命名空间而不是在每个函数中定义它?如果是,我可以有一两个代码样本吗?
谢谢。
答案 0 :(得分:5)
严格模式适用于声明它的执行上下文以及上下文包含的所有上下文(通过eval
创建的上下文之间存在一些琐事,但是避免使用eval
并避免使用squidginess) ,所以通常你会使用模块模式将它应用到你的所有代码中:
(function() {
"use strict";
function foo() {
}
function bar() {
}
// ...presumably code hooking up `foo` and `bar` to events
// or otherwise using them -- or of course, you could export
// them from the scope...
})();
在上文中,严格模式不仅适用于匿名函数,还适用于foo
和bar
。因此,例如,此代码将“起作用”(通过The Horror of Implicit Globals创建一个全局变量):
(function() {
function foo() {
someNameThatIsntDefined = 42; // Blech, creates implicit global
}
foo();
})();
... 此 代码失败并显示ReferenceError
(唯一的更改是"use strict"
):
(function() {
"use strict";
function foo() {
someNameThatIsntDefined = 42; // Throws ReferenceError
}
foo();
})();
...因为严格模式所做的许多有用的事情之一就是摆脱了隐式全局变量的恐怖。
这是另一个例子,我们导出一个在严格模式下运行的函数,即使从非严格代码调用也是如此:
var MyModule;
MyModule = MyModule || {};
(function(mod) {
"use strict";
mod.doSomethingUseful = doSomethingUseful;
function doSomethingUseful() {
// ...
}
})(MyModule);
“松散”代码可以调用MyModule.doSomethingUseful
,它始终以严格模式运行。结果是您可以将严格模式应用于您的代码,而无需每个人使用您的代码也使用它。非常方便,那个。
答案 1 :(得分:0)
第一种方法是将"use strict";
pragma放在.js文件的第一行。因此,将严格评估该文件中的所有内容
这没有什么本质上的错误。迟早所有浏览器都会弃用“旧js代码”。如果您使用它,唯一真正的缺点可能是破坏旧代码。
第二种方式可能是这样的对象:
var contName = new function () {
"use strict";
this.tmp; // public temp var
var tmp; // private tmp, propagate thru all!
var f = this; // to call contName.functions when this = html or other object
var o = this; // to create objects.
f.rnd = function rnd (range) {
return Math.floor(Math.random() * range);
};
function private1 () { // can be called only inside of contName
var x = tmp; // can see all outer private vars
this.tmp; // !== outer this.tmp
var y = this.rnd(x); // will not work
var y = f.rnd(x); // work
}
o.Pixel = function (x, y, z, col) {
this.x = x || 0;
this.y = y || 0;
this.z = z || 0;
this.color = col || 0;
};
tmp = new o.Pixel(300,300);
} // end
该代码允许您拥有“私有”变量。注意f也是'private'var。
用法很简单:
var rvar = contName.rnd(5);
var obj = new contName.Pixel(300, 300)
第三种方式可能是T.J.Crowder's,第四种方式是Doug Crockford's ...... 这些只是模仿尚未正式出现在语言中的东西的不同方式。
答案 2 :(得分:0)
var Module = (function() {
"use strict";
var f = function() {
// do stuff
}
return { // return your namespace
"myModuleFunction": f
}
})();
我认为这也应该有用。