在Android上绘制画布路径的动画



我想为路径的绘制设置动画,即让它逐渐出现在屏幕上。我正在使用画布,到目前为止,我的最佳猜测是使用ObjectAnimator来处理动画。然而,我不知道如何在onDraw()方法中实际绘制相应的路径段。有没有一种方法可以做到这一点?我需要涉及路径效应吗?

编辑:使用DashPathEffect并在动画中设置其"打开"one_answers"关闭"间隔,以覆盖我们要为该步骤绘制的路径部分,这似乎在这里有效,但它需要为动画的每一步分配一个新的DashPathEffect。如果有更好的方法,我会把这个问题留到一边。

回答我自己的问题,因为我找到了一种令人满意的方法。

诀窍是使用ObjectAnimator来逐渐改变笔划的当前长度,使用DashPathEffect来控制当前笔划的长度。DashPathEffect的破折号参数最初设置为:

float[] dashes = { 0.0f, Float.MAX_VALUE };

第一个浮动是可见笔划的长度,第二个浮动是不可见部分的长度。第二长度被选择为非常高。因此,初始设置对应于完全不可见的笔划。

然后,每当对象动画师更新笔划长度值时,都会使用新的可见部分创建一个新的DashPathEffect,并将其设置为Painter对象,并且视图无效:

dashes[0] = newValue;
mPaint.setPathEffect(new DashPathEffect(dashes, 0));
invalidate();

最后,onDraw()方法使用这个painter来绘制路径,它只包括我们想要的部分:

canvas.drawPath(path, mPaint);

我看到的唯一缺点是,我们必须在每个动画步骤创建一个新的DashPathEffect(因为它们不能重复使用),但从全局来看,这是令人满意的——动画很好,很平滑。

package com.nexoslav.dashlineanimatedcanvasdemo;
import android.animation.ValueAnimator;
import android.content.Context;
import android.graphics.Canvas;
import android.graphics.Color;
import android.graphics.DashPathEffect;
import android.graphics.Paint;
import android.graphics.Path;
import android.util.AttributeSet;
import android.util.Log;
import android.view.View;
import android.view.animation.LinearInterpolator;
import androidx.annotation.Nullable;
public class CustomView extends View {
float[] dashes = {30, 20};
Paint mPaint;
private Path mPath;
private void init() {
mPaint = new Paint();
mPaint.setColor(Color.BLACK);
mPaint.setStrokeWidth(10f);
mPaint.setStyle(Paint.Style.STROKE);
mPaint.setPathEffect(new DashPathEffect(dashes, 0));
mPath = new Path();
mPath.moveTo(200, 200);
mPath.lineTo(300, 100);
mPath.lineTo(400, 400);
mPath.lineTo(1000, 200);
mPath.lineTo(1000, 1000);
mPath.lineTo(200, 400);
ValueAnimator animation = ValueAnimator.ofInt(0, 100);
animation.setInterpolator(new LinearInterpolator());
animation.addUpdateListener(new ValueAnimator.AnimatorUpdateListener() {
@Override
public void onAnimationUpdate(ValueAnimator valueAnimator) {
Log.d("bla", "bla: " + valueAnimator.getAnimatedValue());
mPaint.setPathEffect(new DashPathEffect(dashes, (Integer) valueAnimator.getAnimatedValue()));
invalidate();
}
});
animation.setDuration(1000);
animation.setRepeatMode(ValueAnimator.RESTART);
animation.setRepeatCount(ValueAnimator.INFINITE);
animation.start();
}
public CustomView(Context context) {
super(context);
init();
}

public CustomView(Context context, @Nullable AttributeSet attrs) {
super(context, attrs);
init();
}
public CustomView(Context context, @Nullable AttributeSet attrs, int defStyleAttr) {
super(context, attrs, defStyleAttr);
init();
}
public CustomView(Context context, @Nullable AttributeSet attrs, int defStyleAttr, int defStyleRes) {
super(context, attrs, defStyleAttr, defStyleRes);
init();
}
@Override
protected void onDraw(Canvas canvas) {
super.onDraw(canvas);
canvas.drawPath(mPath, mPaint);
}
}

据我所知,唯一的方法是从一个空路径开始,并有一个可运行的程序,以定义的间隔将点附加到路径上,直到它完成。

相关内容

  • 没有找到相关文章

最新更新