libgdx - 检查身体是否接触

问题描述 投票:1回答:2

我在屏幕周围有一些机构(Ball[] balls),我想在用户触摸它们时删除它们。

另外,我有一个Image作为身体的userData。

我不想为所有Image制作一个函数,因为必须按顺序删除球。

检测身体是否触摸的最佳方法是什么?

java android libgdx touch box2d
2个回答
3
投票

我知道至少有两种方法可以用来实现这一目标。

方法1:如果您使用的是Box2D。

在touchDown函数中,您可以使用以下内容:

    Vector3 point;
    Body bodyThatWasHit;

    @Override
    public boolean touchDown (int x, int y, int pointer, int newParam) {

        point.set(x, y, 0); // Translate to world coordinates.

        // Ask the world for bodies within the bounding box.
        bodyThatWasHit = null;
        world.QueryAABB(callback, point.x - someOffset, point.y - someOffset, point.x + someOffset, point.y + someOffset);

        if(bodyThatWasHit != null) {
            // Do something with the body
        }

        return false;
    }

Query函数的Query Callback可以像这样重写:

QueryCallback callback = new QueryCallback() {
    @Override
    public boolean reportFixture (Fixture fixture) {
        if (fixture.testPoint(point.x, point.y)) {
            bodyThatWasHit = fixture.getBody();
            return false;
        } else
            return true;
    }
};

因此,总而言之,您使用world对象的函数QueryAABB来检查位置上的夹具。然后我们覆盖回调以从QueryCallback中的reportFixture函数获取正文。

如果您想查看此方法的实现,可以查看:https://github.com/libgdx/libgdx/blob/master/tests/gdx-tests/src/com/badlogic/gdx/tests/Box2DTest.java

方法2:

如果您正在使用Scene2D或您的对象以某种方式扩展Actor并且可以使用clickListener。

如果您使用的是Scene2D和Actor类,则可以向Ball对象或图像添加clickListener。

private void addClickListener() {
    this.addListener(new ClickListener() {
        @Override
        public void clicked(InputEvent event, float x, float y) {
            wasTouched(); // Call a function in the Ball/Image object.
        }
    });
}

0
投票

我发现这是一个很好的解决方案:

boolean wasTouched = playerBody.getFixtureList().first().testPoint(worldTouchedPoint);
if (wasTouched) {
    //Handle touch
}
© www.soinside.com 2019 - 2024. All rights reserved.