有谁知道为什么 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”,它应该对内部函数自然是可见的。
答案 0 :(得分: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的错误。
答案 1 :(得分:0)
这是TypeScript中的一个错误,直到版本0.8.2有been fixed since then。