0

如果这很重要,我在 Firefox 3.6.11 中运行了测试,并且在调用和应用的上下文中 eval 行为不端。它以某种方式跳过了当前的“this”对象。为什么?

dojo.provide("yal-js.tests.javascript");

function evaltest () {
    var dis=this;
    // it works now... returns 2 on call and apply
    return eval("(function() {return this.testValue;}).call(dis);");
    // this, however, didn't work: it returned 1, not 2
    //return eval("(function() {return this.testValue;})();");
}
function controltest() {
    return this.testValue;
}

var testValue=1;
var testObj={testValue: 2};

doh.register("tests.javascript",
    new TFRunGroup(

        ["direct",
            function () {doh.assertEqual(1,controltest());} ],
        ["call",
            function() {doh.assertEqual(2, controltest.call(testObj) );}],
        ["apply",
            function() {doh.assertEqual(2, controltest.apply(testObj) );}],
        ["eval direct",
            function () {doh.assertEqual(1,evaltest());} ],
        ["eval call",
            function() {doh.assertEqual(2, evaltest.call(testObj) );}],
        ["eval apply",
            function() {doh.assertEqual(2, evaltest.apply(testObj) );}]
        ));
4

2 回答 2

1

javascript 中的 this 是一个调用函数的对象,当你使用object.function()then thisisobject时,当你使用function.call(object,...)then thisisobject时,当你使用function.apply(object,...)then时this是 object,当你使用new constructor(...)then thisis时new constructed object,否则在浏览thisthe global object中它是window

于 2010-10-27T04:42:01.850 回答
0

call作为它的第一个参数,它的值是this(见这里)。所以在第一行有效

return eval("(function() {return this.testValue;}).call(dis);");

你正在传递它dis指向evaltest,所以this.testValue指向evaltest.testValue

在第二行不起作用

return eval("(function() {return this.testValue;})();");

您将其传递nullthis,因此this.testValue设置为窗口的this.testValue对象。

于 2010-10-27T04:32:29.547 回答