web-dev-qa-db-ja.com

Angular 2アニメーション終了コールバック関数の例

Angular 2(最新のangular cli)を使用して、アニメーションの最後にトリガーされる関数を作成しようとしています。

Angular Animations を使用して、コードの例でトリガーにコールバックを割り当てることでこれがどのように実装されるかを理解するために、ページにアニメーション化されるコンポーネントがあります。コードは次のとおりです。

//first.component.ts

import { Component, OnInit } from '@angular/core';
import { trigger, state, style, animate, transition } from '@angular/core';


@Component({
  selector: 'app-first',
  templateUrl: './first.component.html',
  styleUrls: ['./first.component.css'],
  Host: {
    '[@routeAnimation]': 'true',
    '[style.display]': "'block'",
    '[style.position]': "'absolute'"
  },
  animations: [
    trigger('routeAnimation', [
      state('*', style({transform: 'translateX(0)', opacity: 1})),
      transition('void => *', [style({transform: 'translateX(-100%)', opacity: 0}),animate(500)]),
      transition('* => void', animate(500, style({transform: 'translateX(100%)', opacity: 0})))
    ])
  ]
})
export class FirstComponent implements OnInit {

  constructor() { }

  ngOnInit() {

  }

  myFunc() {
  // call this function at the end of the animation.
 }

}

htmlは単にdivです

<div class="w9914420">
  <h2>
     first-component Works!
  </h2>
</div> 

正直なところ、私はJavaScriptにあまり慣れていないので、ヘルプや簡単な例があれば、Angular 2。

15
W9914420

これは実際の例です:

import {Component, NgModule, Input, trigger, state, animate, transition, style, HostListener } from '@angular/core'
import {BrowserModule} from '@angular/platform-browser'

@Component({
  selector : 'toggle',
  animations: [
    trigger('toggle', [
      state('true', style({ opacity: 1; color: 'red' })),
      state('void', style({ opacity: 0; color: 'blue' })),
      transition(':enter', animate('500ms ease-in-out')),
      transition(':leave', animate('500ms ease-in-out'))
    ])
  ],
  template: `
  <div class="toggle" [@toggle]="show" 
        (@toggle.start)="animationStarted($event)"
        (@toggle.done)="animationDone($event)"
     *ngIf="show">
    <ng-content></ng-content>
  </div>`
})
export class Toggle {
  @Input() show:boolean = true;
  @HostListener('document:click')
  onClick(){
    this.show=!this.show;
  }

  animationStarted($event) {
    console.log('Start');
  }

  animationDone($event) {
    console.log('End');
  }
}

@Component({
  selector: 'my-app',
  template: `
    <div>
      <toggle>Hey!</toggle>
    </div>
  `,
})
export class App {

}

@NgModule({
  imports: [ BrowserModule ],
  declarations: [ App, Toggle ],
  bootstrap: [ App ]
})
export class AppModule {}

Plunker

33
Bazinga

Angular2がサポートする(@animation.start)および(@animation.done)がアニメーションイベントを利用します。

たとえば、first.component.htmlで(@routeAnimation.start)=onStart($event)(@routeAnimation.done)=onDone($event)を使用できます。

詳細は here で確認できます。

また、 Plunker のfirst.component.tsを使用した簡単な例を見ることができます。

この助けを願っています!

12
Ha Hoang