开发者问题收集

typescript“ this”实例在类中不确定

2018-03-16
24470

我在网上找到了这个,现在正试图把它放到 TS 中。

运行以下命令会抛出 Uncaught TypeError: Cannot set property 'toggle' of null

@Injectable()
export class HomeUtils {
    private canvas: HTMLCanvasElement;
    private context;
    private toggle = true;

    constructor() { }

    public startNoise(canvas: HTMLCanvasElement) {
        this.canvas = canvas;
        this.context = canvas.getContext('2d');
        this.resize();
        this.loop();
    }

    private resize() {
        this.canvas.width = window.innerWidth;
        this.canvas.height = window.innerHeight;
    }

    private loop() {
        this.toggle = false;
        if (this.toggle) {
            requestAnimationFrame(this.loop);
            return;
        }
        this.noise();
        requestAnimationFrame(this.loop);
    }

    private noise() {
        const w = this.context.canvas.width;
        const h = this.context.canvas.height;
        const idata = this.context.createImageData(w, h);
        const buffer32 = new Uint32Array(idata.data.buffer);
        const len = buffer32.length;
        let i = 0;

        for (; i < len;) {
            buffer32[i++] = ((255 * Math.random()) | 0) << 24;
        }

        this.context.putImageData(idata, 0, 0);
    }

}

我迷路了。

2个回答

方法不会捕获 this 并且依赖于调用者使用正确的 this 来调用它们。例如:

this.loop() // ok
let fn = this.loop;
fn(); // Incorect this
fn.apply(undefined) // Undefined this

由于您将 loop 传递给另一个函数 requestAnimationFrame ,因此您需要确保 this 是从声明上下文中捕获的,而不是由 requestAnimationFrame 决定的:

您可以将箭头函数传递给 requestAnimationFrame

private loop() {
    this.toggle = false;
    if (this.toggle) {
        requestAnimationFrame(() => this.loop());
        return;
    }
    this.noise();
    requestAnimationFrame(() => this.loop());
} 

或者您可以将 loop 设为箭头函数而不是方法:

private loop = () => {
    this.toggle = false;
    if (this.toggle) {
        requestAnimationFrame(this.loop);
        return;
    }
    this.noise();
    requestAnimationFrame(this.loop);
}

第二种方法的优点是在每次调用 requestAnimationFrame 时不创建新的函数实例,因为这将被大量调用,您可能希望使用第二个版本以最大限度地减少内存分配。

Titian Cernicova-Dragomir
2018-03-16

这是对 requestAnimationFrame 的调用。您正在传递一个未绑定到上下文的函数,因此,在对 loop 的调用中没有 this

将调用更改为:

requestAnimationFrame(() => this.loop());

与普通函数相反,箭头函数绑定到 this

Oscar Paz
2018-03-16