1

有谁知道为什么test1无法编译?

class Y { public myMethod: any; };
class QQ { public test(name, fun: () => any) { } }

var qq = new QQ();
qq.test("Run test1", () => {

        var outer = 10;

        Y.prototype.myMethod = () => {

          // Error: The name 'outer' does not exist in the current scope
            outer = 11;
        }
});

但以下工作:

   qq.test("Run test2", () => {

            var outer = 10;
            var fun = ()=> { outer = 11; };

            Y.prototype.myMethod = fun;
    });

所需代码的JavaScript版本如下所示:

qq.test("Run test1", function () {
    var outer = 10;

    Y.prototype.myMethod = function () {
        outer = 11;
    };
});

外部函数在其闭包中声明了一个变量“outer”,内部函数自然应该可以看到该变量。

4

2 回答 2

1

简化为重点:

这是我认为你所期待的 JavaScript。

var Y = (function () {
    function Y() { }
    Y.prototype.myMethod = function () {
    };
    return Y;
})();
var QQ = (function () {
    function QQ() { }
    QQ.prototype.test = function (name, fun) {
        fun();
    };
    return QQ;
})();
var qq = new QQ();
qq.test("Run test1", function () {
    var _this = this;
    _this.outer = 10;
    Y.prototype.myMethod = function () {
        alert(_this.outer);
    };
});
var y = new Y();
y.myMethod();

您需要更改您的 TypeScript 以获得此输出:

class Y { 
    public myMethod() {

    }
}

class QQ {
    public test(name, fun: () => any) { // updated signature
        fun(); // call the function
    }
}

var qq = new QQ();

qq.test("Run test1", () => {
        this.outer = 10; // use this.
        Y.prototype.myMethod = () => {
            alert(this.outer);
        }
});

var y = new Y();
y.myMethod();

是的,TypeScript 认为this.outer是警报语句中的问题,但无论如何编译正确的 JavaScript。您可以在http://typescript.codeplex.com将其作为错误提出。

于 2012-10-29T09:04:52.497 回答
0

在 0.8.2 版之前,这是 TypeScript 中的一个错误,此后已修复

于 2013-02-01T09:31:11.850 回答