requestAnimationFrame只被调用一次

时间:2017-04-18 07:32:47

标签: angular three.js ionic2 requestanimationframe

我正试图在我的Ionic 2应用程序中使用ThreeJS实现一个非常基本的动画。基本上是试图旋转立方体。但是多维数据集不会旋转,因为requestAnimationFrame只在渲染循环中执行一次。

我只能看到这个。 enter image description here

没有旋转动画。我在下面分享我的代码。

home.html的

<ion-header>
  <ion-navbar>
    <ion-title>
      Ionic Blank
    </ion-title>
  </ion-navbar>
</ion-header>

<ion-content>
  <div #webgloutput></div>
</ion-content>

home.ts

import { Component, ViewChild, ElementRef } from '@angular/core';
import { NavController } from 'ionic-angular';

import * as THREE from 'three';


@Component({
  selector: 'page-home',
  templateUrl: 'home.html'
})
export class HomePage {
  @ViewChild('webgloutput') webgloutput: ElementRef;


  private renderer: any;
  private scene: any;
  private camera: any;
  private cube: any;

  constructor(public navCtrl: NavController) {
  }

  ngOnInit() {
    this.initThree();
  }

  initThree() {
    this.scene = new THREE.Scene();
    this.camera = new THREE.PerspectiveCamera(75, window.innerWidth / window.innerHeight, 0.1, 1000);

    this.renderer = new THREE.WebGLRenderer();
    this.renderer.setSize( window.innerWidth, window.innerHeight );
    this.webgloutput.nativeElement.appendChild(this.renderer.domElement);

    let geometry = new THREE.BoxGeometry(1, 1, 1);

    let material = new THREE.MeshBasicMaterial({ color: 0x00ff00});
    this.cube = new THREE.Mesh(geometry, material);
    this.scene.add(this.cube);
    this.camera.position.z = 5;

    this.render();
  }


  render() {
    console.log("render called");
    requestAnimationFrame(() => this.render);

    this.cube.rotation.x += 0.5;
    this.cube.rotation.y += 0.5;
    this.renderer.render(this.scene, this.camera);
  }

}

2 个答案:

答案 0 :(得分:17)

问题是您没有正确调用requestAnimationFrame。你不是直接传递渲染函数,而是传递返回渲染函数的lambda函数。

将第requestAnimationFrame(() => this.render);行更改为requestAnimationFrame(this.render);

修改

当像你一样使用ES2015类时,重要的是要记住类方法是声明为对象属性的函数。上下文(this)将是该方法所附加的对象。因此,在将方法传递给requestAnimationFrame(...)方法时,将不再使用相同的对象引用调用它。因此,我们需要在将其传递给requestAnimationFrame(...)

之前绑定render方法的上下文
requestAnimationFrame(this.render.bind(this));

这在this blog post中得到了很好的解释。 (不要介意它专注于React,原则和示例是ES2015特定的。)

答案 1 :(得分:0)

requestAnimationFrame 的目的不是做动画, 其目的是调用下一帧提供的函数 所以基本上我们在每一帧上调用相同的函数。

requestAnimationFrame(justNameofFun);

const clock = new THREE.Clock();
const tick = () => {
  const elapsedTime = clock.getElapsedTime()
  cube1.rotation.y = elapsedTime * Math.PI * 1;
  renderer.render(scene, camera);
  window.requestAnimationFrame(tick);
};

// 至少调用一次以执行 requestanimationframe

tick();