2

我是android中的动画新手。我正在使用我在 youtube 上找到的教程。该应用程序在画布上绘制一个球的图片,然后沿对角线移动。我想让球绕圈运动。我找到了一些关于圆周运动基本数学的信息,但我在实现它时遇到了麻烦。有人可以看看我的代码并告诉我我做错了什么。谢谢。

这是我的代码:

public class DrawingTheBall extends View {

Bitmap bball; 
int x,y;

public DrawingTheBall(Context context) {
    super(context);
    // TODO Auto-generated constructor stub
    bball = BitmapFactory.decodeResource(getResources(), R.drawable.blueball);
    x = 0;
    y = 0;
}

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

    Rect ourRect = new Rect();
    ourRect.set(0, 0, canvas.getWidth(), canvas.getHeight()/2);
    float a = 10;
    float b = 10;
    float r = 20;
    double theta = 0;
    theta = Math.toRadians(45);

    Paint blue = new Paint();
    blue.setColor(Color.BLUE);
    blue.setStyle(Paint.Style.FILL);

    canvas.drawRect(ourRect, blue);

    if(x < canvas.getWidth()){
        //x += 10;
        x = (int) (a +r*Math.cos(theta));
    }else{
        x = 0;
    }
    if(y < canvas.getHeight()){
        //y += 10;
        y = (int) (b +r*Math.sin(theta));
    }else{
        y = 0;
    }
    Paint p = new Paint();
    canvas.drawBitmap(bball, x, y, p);
    invalidate();
}

}

4

3 回答 3

5

基本上你需要使用正弦和余弦三角函数,给定角度会给你屏幕上相应的 x 和 y 坐标的比率。

一些东西:

double x = a + r * sin(angle);
double y = b + r * cos(angle);

应该管用。

在哪里:

r - is the radius of the circle
(a,b) - is the center of the circle
angle - is the desired angle

当然,您需要增加角度,以便您的对象移动。

于 2013-05-28T22:24:13.483 回答
5

从数学上讲,圆上的一个点由一个角度theta和到中心的距离定义radius。在您的代码中,角度是一个常数100,因此它永远不会在圆上移动。您要做的是增加更新的角度。

theta = theta + Math.toRadians(10);
x = a + r*Math.cos(theta);
y = b + r*Math.sin(theta);

这将让您一次在(a,b)以 radiusr为中心的圆上移动10 degrees

对于您的评论,添加theta为字段并且不要将其设置为45inside onDraw,如果您想从 45 度开始,您可以在构造函数中将其初始化为 45 。

int x,y; 
to
int x,y, theta;

对你的评论

int x,y, theta;

public DrawingTheBall(Context context) {
    super(context);
    bball = BitmapFactory.decodeResource(getResources(), R.drawable.blueball);
    x = 0;
    y = 0;
    theta = 45;
}

public void onDraw(Canvas canvas){
super.onDraw(canvas);

Rect ourRect = new Rect();
ourRect.set(0, 0, canvas.getWidth(), canvas.getHeight()/2);
float a = 10;
float b = 10;
float r = 20;
//    double theta = 0;  //You are using a local variable that shadows the field, it starts at 0 everytime
 //   theta = Math.toRadians(45); //You are setting it to 45 degrees everytime, instead:
    theta = theta + Math.toRadians(10); //Increase of 10 degrees

Paint blue = new Paint();
blue.setColor(Color.BLUE);
blue.setStyle(Paint.Style.FILL);

canvas.drawRect(ourRect, blue);

if(x < canvas.getWidth()){
    //x += 10;
    x = (int) (a +r*Math.cos(theta));
}else{
    x = 0;
}
if(y < canvas.getHeight()){
    //y += 10;
    y = (int) (b +r*Math.sin(theta));
}else{
    y = 0;
}
Paint p = new Paint();
canvas.drawBitmap(bball, x, y, p);
invalidate();
}
于 2013-05-28T22:30:12.780 回答
0

看看另一张 SO 票上的这篇文章,看起来非常相似。

Android - 移动一个圆圈的对象

于 2013-05-28T22:22:43.133 回答