我不确定在TypeScript中处理“ this”作用域的最佳方法。
这是我转换为TypeScript的代码中常见模式的示例:
class DemonstrateScopingProblems {
private status = "blah";
public run() {
alert(this.status);
}
}
var thisTest = new DemonstrateScopingProblems();
// works as expected, displays "blah":
thisTest.run();
// doesn't work; this is scoped to be the document so this.status is undefined:
$(document).ready(thisTest.run);
现在,我可以将呼叫更改为...
$(document).ready(thisTest.run.bind(thisTest));
...有效 但这有点可怕。这意味着在某些情况下,所有代码都可以编译并且可以正常工作,但是如果我们忘记绑定范围,它将被破坏。
我想要一种在类中执行此操作的方法,这样在使用类时,我们无需担心“ this”的作用域。
有什么建议?
更新资料
另一种可行的方法是使用粗箭头:
class DemonstrateScopingProblems {
private status = "blah";
public run = () => {
alert(this.status);
}
}
那是有效的方法吗?