处理中阵列中的矩形碰撞检测

时间:2013-12-17 03:07:09

标签: arrays processing collision

所以我是一个非常新的程序员,我正在试图找出如何在数组中获取矩形来检测碰撞。我试着想出来,发现了一些我认为可行的例子,但到目前为止还没有。

这是我的代码,它不是很多。

当盒子朝向屏幕顶部时,我有时会收到消息,但我不确定原因。

Box [] b = new Box[1];

float x,y,w,h;

void setup(){
  size(800,800);
  x=random(width);
  y=random(height);
  w=random(200);
  h=random(200);


  b[0] =  new Box(x,y,w,h);

}

void draw(){
  background(0);
  x=random(width);
  y=random(height);
  w=25;
  h=25;

  for(int j = 0; j<b.length;j++){
    for(int k = 0; k<b.length;k++){
      if(j!=k){
        b[j].contact(b[k]);

      }


    }

  }

  for(int i=0;i<b.length;i++){
    b[i].run();


  }



}


void keyPressed(){

  if(key =='n'){

    Box boxnew = new Box(x,y,w,h);
    b = (Box[]) append(b,boxnew);



  }


}


class Box{

  float x,y,w,h,c1,c2,c3,ii,xmo,ymo;

 Box(float mx,float my,float mw,float mh){

   x=mx;
   y=my;
   w=mw;
   h=mh;
   c1=150;
   c2=50;
   c3=200;
   xmo=1;
   ymo=1;


 } 
  void run(){
    maker();
    mover();
    wcolli();


  }

  void maker(){
    ii=random(-1,1);
    c1+=ii;
    c2+=ii;
    c3+=ii;
    fill(c1,c2,c3);
    rect(x,y,w,h);

  }

  void mover(){
    x+=xmo;
    y+=ymo;


  }

  void wcolli(){

    if(x>800-w||x<1){
        xmo*=-1;
      }
      if(y>800-h||y<1){
        ymo*=-1;
      }


  }
  void contact(Box b){

    if((b.x>=this.x&&b.x<=this.w||b.w>=this.x&&b.w<=this.x) && (b.h>=this.y||b.y<=this.h)){
      println("hit");



    }
    if((b.y<=this.h&&b.y>=this.y||b.h<=this.h&&b.h>=this.y) && (b.x<=this.w||b.w>=this.x)){
      println("hit");


    }


  }
}

1 个答案:

答案 0 :(得分:3)

碰撞检测中存在一些问题。最重要的是,您尝试使用宽度和高度(wh),就好像它们是绝对位置一样。它们实际上是相对于每个盒子的左上角,所以这就是事情似乎不起作用的原因。在进行任何比较之前,您必须计算实际的右下角位置。

您还必须对if条件非常小心。当您将AND与OR(&&||)等组合时,最好使用括号来阐明逻辑运算的优先级。

对于像这样的简单的轴对齐矩形碰撞,这是我认为有用的方法:

void contact(Box b) {

    // Calculate the bottom-right corners of the boxes.
    float myX2 = x + w;
    float myY2 = y + h;
    float otherX2 = b.x + b.w;
    float otherY2 = b.y + b.h;

    // If this box is entirely to the left of box b, then there is no collision.  
    if (x < b.x && myX2 < b.x) return;

    // If this box is entirely to the right of box b, then there is no collision.
    if (x > otherX2 && myX2 > otherX2) return;

    // If this box is entirely above box b, then there is no collision.
    if (y < b.y && myY2 < b.y) return;

    // If this box is entirely below box b, then there is no collision.
    if (y > otherY2 && myY2 > otherY2) return;

    // If we reach this point, the boxes haven't missed each other.
    // Therefore, there must be a collision.
    println("hit");

}

通过检查一个盒子可能错过另一个盒子的每种可能情况来确定碰撞。如果确定他们没有错过对方,那么逻辑上肯定会发生碰撞。