1

我想为 Android Wear 创建一个动画 WatchFace。我有 20 张图像要每 X 毫秒添加(或完全更改)到背景中。

现在:我已经按照本教程进行操作,但动画没有开始。我在我的背景上只看到二十个位图中的一个:

if (isInAmbientMode()) {
        canvas.drawBitmap(mBackgroundAmbient, SRC, DEST, null);
} else {
       canvas.drawBitmap(mBackground, SRC, DEST, null);
       for (int i = 0; i < LoopBMP.length; i++) {
            canvas.save();

            Bitmap cloud = LoopBMP[i];
            canvas.drawBitmap(cloud,centerX, centerY,null);
            canvas.restore();
       }
 }

有什么建议吗?

4

1 回答 1

1

您误解了CanvasWatchFaceService.Engine它的绘图方式。我猜您发布的代码片段在您的onDraw方法中;动画的每一帧都会调用一次此方法。

这意味着您需要将动画“循环”移到onDraw方法之外。有几种方法可以实现这一点,但我根据您的代码在下面列出了一种。

private int i;

@Override
public void onDraw(Canvas canvas, Rect bounds) {
    super.onDraw(canvas, bounds);

    // probably other code here

    if (isInAmbientMode()) {
        canvas.drawBitmap(mBackgroundAmbient, SRC, DEST, null);
    } else {
        canvas.drawBitmap(mBackground, SRC, DEST, null);
        if (i < LoopBMP.length) {
            canvas.save();
            Bitmap cloud = LoopBMP[i];
            canvas.drawBitmap(cloud,centerX, centerY,null);
            canvas.restore();
            i++;
            // probably want an X-ms delay here to time the animation
            invalidate();
        } else {
            i = 0;
        }
    }

    // probably other code here
}

请注意,这是我刚刚拼凑的一个片段,以演示我在说什么;它绝不是可以运行的。特别是,您需要动画帧之间的延迟;您可以Handler使用此示例中用于二手的类似方法来实现它:http: //developer.android.com/samples/WatchFace/Wearable/src/com.example.android.wearable.watchface/AnalogWatchFaceService.html# l117

于 2016-04-13T16:55:01.023 回答