2

我编写了一些代码来使用方向传感器在屏幕上移动球。我想让球在击中屏幕底部时反弹,有点像在重力作用下。有人可以帮助在我现有的代码中实现物理吗?翻转速度似乎不起作用。这是我的球类:

package perseus.gfx.test;

import everything

public class Ball extends View  {   
RectF lol;
Paint paint, lpaint;
Bitmap bitmap;
Canvas canvas;
private float ballx = 150; 
private float bally = 140;
private double speedx = 0;  
private double speedy = 0; //ignore  
private double accx, accy=0;
private float rad = 20;
private float mult = 0.5f;
private double xv, yv, xS, yS;
int width, height;
int xmax, ymax;
int xmin, ymin;

public Ball(Context context) {
    super(context);
    lol = new RectF();
    paint = new Paint();
    paint.setColor(Color.CYAN);
    lpaint = new Paint();
    lpaint.setColor(Color.GRAY);                
}
public void moveBall()  {

    xv = accx * mult;
    yv = accy * mult;

    xS = xv * mult;
    yS = yv * mult;

    ballx -= xS;
    bally -= yS;

    // Collision detection
    if (ballx + rad > xmax) {

         ballx = xmax-rad;
    }         
    else if (ballx - rad < 0) {

         ballx = rad;
    }
    if (bally + rad > 2*ymax/3) //Shouldn't take up the whole screen 
    {  

        bally = 2*ymax/3 - rad;
    } 

    else if (bally - rad < 0) {

         bally =  rad;
    }                           

    try {
        Thread.sleep(20);
    }   catch(InterruptedException e) {}

    invalidate();   
}
@Override
public void onMeasure(int widthM, int heightM)
{
    width = View.MeasureSpec.getSize(widthM);
    height = View.MeasureSpec.getSize(heightM);
    xmax = width-1;
    ymax = height-1;
    xmin = 0;
    ymin = 0;
    setMeasuredDimension(width, height);
    bitmap = Bitmap.createBitmap(width, height, Bitmap.Config.ARGB_8888);
    canvas = new Canvas(bitmap);


}
@Override
public void onDraw(Canvas canvas)
{
    canvas.drawBitmap(bitmap, 0, 0, paint);
    lol.set(ballx - rad, bally-rad, ballx + rad, bally+rad);
    canvas.drawLine(0, 2*height/3, width, 2*height/3, lpaint);
    canvas.drawOval(lol, paint);
    canvas.drawText(xv + " " + yv, 0, height/2, lpaint);
    canvas.save();
    moveBall();
    canvas.restore();

}
}
4

1 回答 1

1

所以关键是增加一点摩擦力,在 moveBall() 中的每一步移除一点点加速度(负数!)。例如

    float friction = -0.001;

    xv = accx * mult + friction;
    yv = accy * mult + friction;

然后相应地调整可变摩擦以满足您的需要。对于碰撞,您需要反转速度,例如在底部反弹:

    bally = -bally;
于 2012-01-27T09:44:01.943 回答