本文主要是介绍Android属性动画(三) ------ 站在巨人的肩膀上学习总结,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!
一:Interpolator的用法
详情请看,郭林大神博客 http://blog.csdn.net/guolin_blog/article/details/44171115
简称:补间器 作用:控制动画的变化速度(去实现一种非线性的运动动画效果)
注意:Interpotor技术不是属性动画新添加的技术,android1.0就有了,补间动画也支持这个功能,只不过属性动画新增了一个TimeInterpolator接口,这个接口用来兼容Interpolator的,这样之前所以的Interpolator实现类,都可以直接拿过来使用,
Android系统内置好的并且我们可以直接使用的Interpolator。每个Interpolator都有它各自的实现效果,
比如说AccelerateInterpolator 加速运动的Interpolator,而DecelerateInterpolator 减速运动的Interpolator。AccelerateDecelerateInterpolator 先加速后减速的Interpolator 系统默认的Interpolator AccelerateInterpolator 越来越快的InterpolatorBounceInterpolator 模拟小球落地弹起的Interpolator
如何修改一个和替换一个系统内置好的Interpolator.
private void startAnimation() { Point startPoint = new Point(getWidth() / 2, RADIUS); Point endPoint = new Point(getWidth() / 2, getHeight() - RADIUS); ValueAnimator anim = ValueAnimator.ofObject(new PointEvaluator(), startPoint, endPoint); anim.addUpdateListener(new ValueAnimator.AnimatorUpdateListener() { @Override public void onAnimationUpdate(ValueAnimator animation) { currentPoint = (Point) animation.getAnimatedValue(); invalidate(); } }); anim.setInterpolator(new AccelerateInterpolator(2f)); ***//修改内置的Interpolator***anim.setDuration(2500); anim.start(); }
二:自定义Interpolator
1,自定义一个MyInterpolator MyInterpolator implements TimeInterpolator{@Override public float getInterpolation(float input) { ***/**该方法接收一个input参数,这个参数随着动画的运动变化而变化,规律是,根据设定动画时长匀速增加*input的值决定了fraction的值,input的值是经过系统计算之后传入getInterpretlation方法的,*然后实现该方法中的算法,根据input的值,返回一个一个值,这个值就是fraction**/***float result; if (input <= 0.5) { result = (float) (Math.sin(Math.PI * input)) / 2; } else { result = (float) (2 - Math.sin(Math.PI * input)) / 2; } return result; } }
三:ViewPropertyAnimator的用法
属性动画的机制不再是针对View而进行的设计,而是不断地改变值进行操作的机制,他可以将值赋值到指定对象的指定属性上
但是在绝大部分的情况下,我们都是来做对View的动画操作,这里谷歌意识到了所以ViewPropertyAnimator就出现了
1,比如我们想要让一个TextView从常规状态变成透明状态,就可以这样写:ObjectAnimator animator = ObjectAnimator.ofFloat(textview, "alpha", 0f); animator.start(); 现在只需要:textview.animate().alpha(0f); 2,比如我们想要让textview运动到500,500这个坐标点上,就可以这样写:现在只需要:textview.animate().x(500).y(500); //支持连式编程textview.animate().x(500).y(500).setDuration(5000).setInterpolator(new BounceInterpolator()); 3,那么除了用法之外,关于ViewPropertyAnimator有几个细节还是值得大家注意一下的:整个ViewPropertyAnimator的功能都是建立在View类新增的animate()方法之上的,这个方法会创建并返回一个ViewPropertyAnimator的实例,之后的调用的所有方法,设置的所有属性都是通过这个实例完成的。大家注意到,在使用ViewPropertyAnimator时,我们自始至终没有调用过start()方法,这是因为新的接口中使用了隐式启动动画的功能,只要我们将动画定义完成之后,动画就会自动启动。并且这个机制对于组合动画也同样有效,只要我们不断地连缀新的方法,那么动画就不会立刻执行,等到所有在ViewPropertyAnimator上设置的方法都执行完毕后,动画就会自动启动。当然如果不想使用这一默认机制的话,我们也可以显式地调用start()方法来启动动画。ViewPropertyAnimator的所有接口都是使用连缀的语法来设计的,每个方法的返回值都是它自身的实例,因此调用完一个方法之后可以直接连缀调用它的另一个方法,这样把所有的功能都串接起来,我们甚至可以仅通过一行代码就完成任意复杂度的动画功能。
这篇关于Android属性动画(三) ------ 站在巨人的肩膀上学习总结的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!