有没有办法检查是否强制执行严格模式?

时间:2012-05-07 10:00:04

标签: javascript ecmascript-5 ecma262 strict-mode

无论如何都要检查是否强制执行严格模式'use strict',并且我们想要为严格模式执行不同的代码,而为非严格模式执行其他代码。 寻找像isStrictMode();//boolean

这样的功能

7 个答案:

答案 0 :(得分:85)

全局上下文中调用的函数内的this不会指向全局对象的事实可用于检测严格模式:

var isStrict = (function() { return !this; })();

演示:

> echo '"use strict"; var isStrict = (function() { return !this; })(); console.log(isStrict);' | node
true
> echo 'var isStrict = (function() { return !this; })(); console.log(isStrict);' | node
false

答案 1 :(得分:24)

function isStrictMode() {
    try{var o={p:1,p:2};}catch(E){return true;}
    return false;
}

看起来你已经得到了答案。但我已经写了一些代码。所以这里

答案 2 :(得分:22)

我更喜欢不使用异常并在任何环境中工作的东西,而不仅仅是全局的:

var mode = (eval("var __temp = null"), (typeof __temp === "undefined")) ? 
    "strict": 
    "non-strict";

它使用严格模式eval不会在外部上下文中引入新变量的事实。

答案 3 :(得分:9)

是的,当你处于严格模式时,this在全局方法中是'undefined'

function isStrictMode() {
    return (typeof this == 'undefined');
}

答案 4 :(得分:3)

警告+通用解决方案

在这里有很多答案都声明了一个用于检查严格模式的函数,但是这样的函数不会告诉您调用它的范围,而只会告诉您声明它的范围!

function isStrict() { return !this; };

function test(){
  'use strict';
  console.log(isStrict()); // false
}

与跨脚本标签调用相同。

因此,每当需要检查严格模式时,都需要在该范围内编写整个检查:

var isStrict = true;
eval("var isStrict = false");

与最受欢迎的答案不同,Yaron的这项检查不仅适用于全局范围。

答案 5 :(得分:2)

更优雅的方式:如果"这"是对象,将其转换为true

"use strict"

var strict = ( function () { return !!!this } ) ()

if ( strict ) {
    console.log ( "strict mode enabled, strict is " + strict )
} else {
    console.log ( "strict mode not defined, strict is " + strict )
}

答案 6 :(得分:0)

另一种解决方案可以利用以下事实:在严格模式下,eval中声明的变量不会在外部范围内公开

function isStrict() {
    var x=true;
    eval("var x=false");
    return x;
}