我正在制作一款需要动态动画的应用。 (玩家动作)我使用Canvas
对象来执行此操作。我的第一个问题是" Canvas
真的是处理这些动画的最佳方法吗?",
我的第二个问题是"如何将播放器重新绘制到Canvas
?"这是我的代码:
theGame.java:
package birdprograms.freezetag;
import android.app.Activity;
import android.content.Context;
import android.graphics.Canvas;
import android.graphics.Color;
import android.graphics.Paint;
import android.os.Bundle;
import android.view.View;
public class theGame extends Activity {
players[] arr = {
new player(),
new player(),
new player(),
new player()
};
@Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(new myView(this));
}
public class myView extends View {
Paint paint = new Paint();
public myView(Context context) {
super(context);
paint.setColor(Color.YELLOW);
}
@Override
public void onDraw(final Canvas canvas) {
arr[0].update(true, true);
arr[0].draw(canvas, paint);
}
}
}
player.java
package birdprograms.freezetag;
import android.graphics.*;
public class player {
int y = 0;
int x = 0;
int vy = 5;
int vx = 5;
int height = y + 15;
int width = x + 15;
public void draw(Canvas canvas, Paint paint){
canvas.drawRect(x,y,width,height,paint);
}
public void update(boolean left, boolean top){
if(left){x += vx; width = x + 15;}
else{x -= vx; width = x + 15;}
if(top){y += vy; height = y + 15;}
else{y -= vy; height = y + 15;}
}
}
答案 0 :(得分:2)
在调用onDraw
时,你真的无法控制:当视图无效时,将来某个时候会调用onDraw
。
您的代码存在一个基本的设计缺陷:在执行onDraw
期间修改了玩家的位置:您将无法控制它。
每5秒移动一次你的玩家:你可以使用Handler.postDelayed
每5秒重新发布相同的Runnable
。 Runnable
将更新玩家位置,然后使视图无效。
这里有一些代码来说明这个想法
(免责声明:这是伪代码,它只关心指数0的玩家,还有更多可以移动所有玩家,......)
public class myView extends View {
Paint paint = new Paint();
public myView(Context context) {
super(context);
paint.setColor(Color.YELLOW);
movePlayer0Runnable.run(); //this is the initial call to draw player at index 0
}
@Override
public void onDraw(final Canvas canvas) {
super.onDraw(canvas); //IMPORTANT to draw the background
arr[0].draw(canvas, paint);
}
Handler handler = new Handler(Looper.getMainLooper());
Runnable movePlayer0Runnable = new Runnable(){
public void run(){
arr[0].update(true, true);
invalidate(); //will trigger the onDraw
handler.postDelayed(this,5000); //in 5 sec player0 will move again
}
}
...
}
答案 1 :(得分:0)
您可以通过制作计时器并设置计划固定费率来完成此操作。在视图构造函数中调用init。
private void init(){
Timer timer = new Timer();
timer.scheduleAtFixedRate(new TimerTask(){
public void run() {
postInvalidate();
}
}, 0, 5 * 1000L);//5 seconds
}