Search code examples
angularangular-animations

How to trigger animation manually inside the component?


In Angular 9 animations, how would I trigger a animation from the component itself? I assume I would do this manually in the component itself since it keeps track of the state of when the graph is created. As opposed to using a template expression where the parent would keep track of the state with a data binding and host property.

<div class="chart-body">
  <div *ngFor="let chart of charts | async | daysFilter:7" class="last-seven-days-body">
      <line-chart
        [curve-data]="chart"
        graph-size="med"></line-chart>
  </div>
</div>
@Component({
  selector: 'line-chart',
  templateUrl: './line-chart.component.html',
  styleUrls: ['./line-chart.component.css'],
  animations: [
    trigger('fadeIn', [
      transition('void => *', [
        style({ opacity: 0 }),
        animate(2000, style({opacity: 1}))
      ])
    ])
  ],

})

export class LineChartComponent {
  @Input('curve-data') curveData: Array<object>;
  @Input('graph-size') graphSize: String;


  constructor(
    private lineChartService: LineChartService,
    private elRef: ElementRef,
    private fadeInStart: Boolean,
  ) { }    

  ngAfterViewInit() {
    this.lineChartService.makeGraph(
      this.curveData,
      this.elRef.nativeElement,
      this.graphSize,
    );

    this.fadeInStart = true; //AFTER GRAPH IS MADE, TURN ON FADE IN ANIMATION HERE
  }     
}  

Solution

  • Instead of using transition void => *, you could try to give specific names/booleans like false => true and bind it to a member variable. Try the following

    line-chart.component.ts

    @Component({
      selector: 'line-chart',
      templateUrl: './line-chart.component.html',
      styleUrls: ['./line-chart.component.css'],
      animations: [
        trigger('fade', [
          state('false', style({ opacity: 0 })),
          state('true', style({ opacity: 1 })),
          transition('false => true', animate('2000ms ease-in')),
          transition('true => false', animate('2000ms ease-out'))
        ]),
      ]
    })
    export class LineChartComponent {
      @Input('curve-data') curveData: Array<object>;
      @Input('graph-size') graphSize: String;
    
      public fadeInStart = false;    // <-- hide chart by default
    
      constructor(
        private lineChartService: LineChartService,
        private elRef: ElementRef,
      ) { }    
    
      ngAfterViewInit() {
        this.lineChartService.makeGraph(
          this.curveData,
          this.elRef.nativeElement,
          this.graphSize,
        );
    
        this.fadeInStart = true;     // <-- show chart here
      }     
    }
    

    line-chart.component.html

    <div [@fade]="fadeInStart">
      <!-- chart -->
    </div>
    

    Update for Ivy (03/15/21)