属性动画: 控制属性来实现动画。
特点:最为强大的动画,弥补了补间动画的缺点,实现位置+视觉的变化。并且可以自定义插值器,实现各种效果
移动
移动分为沿x、y轴移动,沿x轴时使用translationX,沿y轴移动使用translationY。
translationX:下个位置大于上个上个位置时,向右移动,反之向左移动;
translationY:下个位置大于上个上个位置时,向下移动,反之向上移动。
//创建动画对象
//"translationX" X轴
ObjectAnimator translationX=ObjectAnimator.ofFloat(mImageView,"translationX",0,300);
//"translationY" Y轴
ObjectAnimator translationY=ObjectAnimator.ofFloat(mImageView,"translationY",300,0);
//设置动画时长(执行X轴)
translationX(translationY).setDuration(3000);
//启动动画
translationX(translationY).start();
旋转
0f -> 360f ,顺时针; 360f -> 0f,逆时针。
//创建动画对象
ObjectAnimator animator = ObjectAnimator.ofFloat(imageView, "rotation", 0f, 360f, 0f);
//设置动画时长
animator.setDuration(2000);
//启动动画
animator.start();
透明度
透明度由0~1表示,0表示完全透明,1表示不透明
//创建动画对象
ObjectAnimator animator = ObjectAnimator.ofFloat(imageView, "alpha", 1f, 0f);
//设置动画时长
animator.setDuration(1000);
//启动动画
animator.start();
缩放
1f-> 2f,放大成原来的两倍;2f-> 1f,从两倍变为原样。
//创建动画对象
//"scaleY" X
ObjectAnimator animatorX = ObjectAnimator.ofFloat(imageView, "scaleX", 1f, 2f, 1f);
//"scaleY" Y
ObjectAnimator animatorY = ObjectAnimator.ofFloat(imageView, "scaleY", 1f, 2f, 1f);
//设置动画时长
animatorX(或animatorY ).setDuration(2000);
//启动动画
animatorX(或animatorY ).start();
组合动画
组合动画需要借助AnimatorSet这个类来完成,AnimatorSet提供了play(Animator anim)方法,传入Animator对象之后返回一个AnimatorSet.Builder实例,AnimatorSet.Builder中有下面几个方法:
with(Animator anim):将现有的动画和传入的动画同时执行。
before(Animator anim):将现有的动画在传入的动画之前执行。
after(Animator anim):将现有的动画在传入的动画之后执行。
after(long delay):将现有的动画延时执行。
//沿x轴放大
ObjectAnimator scaleXAnimator = ObjectAnimator.ofFloat(imageView, "scaleX", 1f, 2f, 1f);
//沿y轴放大
ObjectAnimator scaleYAnimator = ObjectAnimator.ofFloat(imageView, "scaleY", 1f, 2f, 1f);
//移动
ObjectAnimator translationXAnimator = ObjectAnimator.ofFloat(imageView, "translationX", 0f, 200f, 0f);
//透明动画
ObjectAnimator animator = ObjectAnimator.ofFloat(imageView, "alpha", 1f, 0f, 1f);
AnimatorSet animatorSet = new AnimatorSet();
//同时沿X,Y轴放大,且改变透明度,然后移动
animatorSet.play(scaleXAnimator).with(scaleYAnimator).with(animator).before(translationXAnimator);
//都设置3s,也可以为每个单独设置
animatorSet.setDuration(3000);
animatorSet.start();
监听事件
//添加监听事件
animatorSet.addListener(new Animator.AnimatorListener() {
@Override
public void onAnimationStart(Animator animation) {
//动画开始的时候调用
}
@Override
public void onAnimationEnd(Animator animation) {
//画结束的时候调用
}
@Override
public void onAnimationCancel(Animator animation) {
//动画被取消的时候调用
}
@Override
public void onAnimationRepeat(Animator animation) {
//动画重复执行的时候调用
}
});