我正在制作一个单元选择器,用于RTS游戏,使用LibGDX进行Java。我创建了一个矩形来检查单位hitbox是否与选择的hitbox发生碰撞,如果是,则将该单位添加到所选单位列表中。
如果我在一个方向上拖动鼠标,则在另一个方向上选择单位(当创建具有负宽度/高度的矩形时,它们不是)。您对此有何建议?
感谢。
选择器代码:
boolean selectInProg = false;
public List<Entity> createSelection(List<Entity> entities){
if(Gdx.input.isButtonPressed(Input.Buttons.LEFT)){
if(!selectInProg){
xDown = Gdx.input.getX();
yDown = Gdx.graphics.getHeight() - Gdx.input.getY();
selectInProg = true;
}
hitbox.set(xDown, yDown, Gdx.input.getX() - xDown, (Gdx.graphics.getHeight() - Gdx.input.getY()) - yDown);
}else{
hitbox = new Rectangle();
selectInProg = false;
}
List<Entity> selected = new ArrayList();
for(Entity entity : entities){
if(Intersector.intersectRectangles(hitbox, entity.hitbox, new Rectangle())){
selected.add(entity);
entity.selected = true;
}
}
return selected;
}
答案 0 :(得分:1)
取自 here 和 here ,这是因为Rectangle.overlaps
:
public boolean overlaps (Rectangle r) {
return x < r.x + r.width && x + width > r.x && y < r.y + r.height && y + height > r.y;
}
此代码假定矩形的宽度/高度具有相同的符号。因此,如果x
描述两个矩形的左侧或右侧,则可以正常工作。这同样适用于y
。但是,如果x
描述矩形1的右侧和矩形2的左侧,则不工作。
我建议你只需构造你的Rectangle来覆盖overlaps
:
hitbox = new Rectangle(){
public boolean overlaps (Rectangle r) {
float left = Math.min(x, x + width);
float right = Math.max(x, x + width);
float top = Math.min(y, y + height);
float bottom = Math.max(y, y + height);
float left2 = Math.min(r.x, r.x + r.width);
float right2 = Math.max(r.x, r.x + r.width);
float top2 = Math.min(r.y, r.y + r.height);
float bottom2 = Math.max(r.y, r.y + r.height);
return left < right2 && right > left2 && top < bottom2 && bottom > top2;
}
};
然后将hitbox
作为第一个参数传递给Intersector.intersectRectangles
非常重要,但您已经这样做了。
当然,如果您更喜欢上述内容,也可以将上述内容单独备份:
hitbox = new Rectangle(){
public boolean overlaps (Rectangle r) {
return Math.min(x, x + width) < Math.max(r.x, r.x + r.width) && Math.max(x, x + width) > Math.min(r.x, r.x + r.width) && Math.min(y, y + height) < Math.max(r.y, r.y + r.height) && Math.max(y, y + height) > Math.min(r.y, r.y + r.height);
}
};