我想创建一个简单的Angular2
应用程序TypeScript
.看起来很简单,但我无法实现我想要的目标.
我想在模板中显示属性值.我想使用setTimeout在1秒后更新相同的内容.
Plunkr代码是在这里:代码上Plunkr
我写的是这里:
import {Component} from 'angular2/core'; interface Hero { id: number; name: string; } @Component({ selector: 'my-app', template:`Number Increment
{{n}}
` }) export class AppComponent { public n : number = 1; setTimeout(function() { n = n + 10; }, 1000); }
当我使用此代码时,我收到以下错误:
Uncaught SyntaxError: Unexpected token ;
为什么我无法访问n
,这与我们以前在JavaScript中的操作范围相同.如果我没有错,我们也可以在TypeScript中使用纯JavaScript.
我甚至试过了
export class AppComponent { public n : number = 1; console.log(n); }
但我无法n
在控制台中看到它的价值.
当我尝试
export class AppComponent { public n : number = 1; console.log(this); }
我得到与上面相同的错误.为什么我们不能在这个地方访问它.我想,this
是指JavaScript中的当前上下文.
提前致谢.
这不是有效的打字稿代码.您不能在类的主体中进行方法调用.
export class AppComponent {
public n: number = 1;
setTimeout(function() {
n = n + 10;
}, 1000);
}
而是在类的构造函数中移动setTimeout调用.
export class AppComponent {
public n: number = 1;
constructor() {
setTimeout(() => {
this.n = this.n + 10;
}, 1000);
}
}
同样在TypeScript中,您只能通过它来引用类属性或方法.
您应该将处理放入类构造函数或OnInit
钩子方法中.