我是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();
}
}
答案 0 :(得分: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
当然,你需要增加角度,以便你的物体移动。
答案 1 :(得分:5)
数学上圆上的一个点由角度theta
和距中心radius
的距离定义。在你的代码中,角度是一个常数100
,因此它永远不会在圆上移动。您想要做的是增加更新中的角度。
theta = theta + Math.toRadians(10);
x = a + r*Math.cos(theta);
y = b + r*Math.sin(theta);
这样,您就可以移动一个以(a,b)
为中心的圆圈,一次只有半径r
,10 degrees
。
要发表评论,请将theta
添加为字段,不要将其设置为45
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();
}
答案 2 :(得分:0)
看看另一张SO票的这篇帖子,看起来非常相似。