简介

2.1.x 版本后,G2 有了简单的自定义动画的方法,发展到现在的 2.3.x 版本,我们给自定义动画设计了一套更加完善的体系和接口,让用户能更系统、更全面的控制 G2 的动画。

动画注册 Animate.registAnimation()

  1. var Animate = G2.Animate;
  2. Animate.registAnimation(animationType, animationName, animationFun);

动画配置 Geom.animate()

  1. chart.interval().position('x*y').animate({
  2. enter: {
  3. animation: 'myAnimation',
  4. }
  5. });

上述方法更详细的使用说明详见: G2 Animate API

1分钟上手自定义动画

以柱状图为例:

第一步:获取 Animate 对象

  1. var Animate = G2.Animate;

第二步:自定义动画(核心)

  • 首先获取每根柱子的包围盒。包围盒的意思是能包围图形的最小矩形,所以包围盒含有 minX、minY、maxX、maxY 四个属性,这四个参数限定的区间即为图形的包围盒。
  • 计算变换中点。当顶点在零点之上时,延 Y 轴正向放大,所以变换的中点在包围盒底部中间;当顶点在零点之下时,延 Y 轴反向放大。所以变换的中点在包围盒顶部中间;
  • 设置动画初始状态。要实现柱子的放大,需要先将柱子缩到最小。调用 shape 的 transform() 方法,先将坐标系的原点移到变换中点,然后将柱子的 y 值缩小到 0.1 倍,最后将坐标系的原点移到原处。
  • 实现延迟放大效果的动画。调用 shape 的 animate() 方法,传入变换的结束状态、动画时间和缓动函数。结束状态中可以配置延迟参数 delay ,给每个 shape 的动画添加一个跟序号成正比的延迟,即可实现依次放大的效果。
  1. // shape 是柱子对象,animateCfg 是动画配置
  2. var animateFun = function(shape, animateCfg) {
  3. var box = shape.getBBox(); // 获取柱子包围盒
  4. var origin = shape.get('origin'); // 获取柱子原始数据
  5. var points = origin.points; // 获取柱子顶点
  6. var i = origin.index; // 获取柱子序列号
  7. // 计算柱子的变换中点
  8. var centerX = (box.minX + box.maxX) / 2;
  9. var centerY;
  10. if (points[0].y - points[1].y <= 0) { // 当顶点在零点之下
  11. centerY = box.maxY;
  12. } else {
  13. centerY = box.minY;
  14. }
  15. // 设置初始态
  16. shape.transform([
  17. ['t', -centerX, -centerY],
  18. ['s', 1, 0.1],
  19. ['t', centerX, centerY]
  20. ]);
  21. // 设置动画目标态
  22. shape.animate({
  23. transform: [
  24. ['t', -centerX, -centerY],
  25. ['s', 1, 10],
  26. ['t', centerX, centerY]
  27. ],
  28. delay: animateCfg.delay // 延迟参数
  29. }, animateCfg.duartion, animateCfg.easing);
  30. };

第三步:注册动画

  1. Animate.registAnimation('appear', 'delayScaleInY', animationFun);

第四步:绘制柱状图,配置动画参数

  1. var data = [];
  2. for (var i = 0; i < 50; i++) {
  3. data.push({
  4. x: i,
  5. y: (Math.sin(i / 5) * (i / 5 -10) + i / 6) * 5
  6. });
  7. }
  8. var chart = new G2.Chart({
  9. id: 'c1',
  10. width: 800,
  11. height: 500
  12. });
  13. chart.axis('x', false);
  14. chart.legend(false);
  15. chart.source(data);
  16. chart.interval()
  17. .position('x*y')
  18. .color('y', '#4a657a-#308e92-#b1cfa5-#f5d69f-#f5898b-#ef5055')
  19. .animate({
  20. appear:{
  21. animation: 'delayScaleInY',
  22. easing: 'easeOutElastic',
  23. delay:function(index){
  24. return index * 20;
  25. }
  26. }
  27. });
  28. chart.render();