球 - 球碰撞检测 - >反应

时间:2010-07-12 21:13:30

标签: algorithm geometry collision-detection collision

我需要制作一个算法来检测两个球体碰撞的时间,以及碰撞后瞬间的方向。

让我们说,想象一下,当你在泳池比赛中打开你的桌子时,所有的球都是“随机”地相互碰撞。

所以,在开始自己编写代码之前,我在想是否已经有了这方面的实现。

提前谢谢!

Cyas .-

2 个答案:

答案 0 :(得分:9)

碰撞部分很容易。检查球体中心之间的距离是否小于其半径之和。

对于反弹,您需要交换与垂直于球体碰撞的总速度有关的速度量。 (假设你的所有球体具有相同的质量,对于不同质量的组合将会有所不同)

struct Vec3 {
    double x, y, z;
}

Vec3 minus(const Vec3& v1, const Vec3& v2) {
    Vec3 r;
    r.x = v1.x - v2.x;
    r.y = v1.y - v2.y;
    r.z = v1.z - v2.z;
    return r;
}

double dotProduct(const Vec3& v1, const Vec3& v2) {
    return v1.x * v2.x + v1.y * v2.y + v1.z * v2.z;
}

Vec3 scale(const Vec3& v, double a) {
    Vec3 r;
    r.x = v.x * a;
    r.y = v.y * a;
    r.z = v.z * a;
    return r;
}

Vec3 projectUonV(const Vec3& u, const Vec3& v) {
    Vec3 r;
    r = scale(v, dotProduct(u, v) / dotProduct(v, v));
    return r;
}

int distanceSquared(const Vec3& v1, const Vec3& v2) {
    Vec3 delta = minus(v2, v1);
    return dotProduct(delta, delta);
}

struct Sphere {
    Vec3 position;
    Vec3 velocity;
    int radius;
}

bool doesItCollide(const Sphere& s1, const Sphere& s2) {
    int rSquared = s1.radius + s2.radius;
    rSquared *= rSquared;
    return distanceSquared(s1.position, s2.position) < rSquared;
}

void performCollision(Sphere& s1, Sphere& s2) {
    Vec3 nv1; // new velocity for sphere 1
    Vec3 nv2; // new velocity for sphere 2
    // this can probably be optimised a bit, but it basically swaps the velocity amounts
    // that are perpendicular to the surface of the collistion.
    // If the spheres had different masses, then u would need to scale the amounts of
    // velocities exchanged inversely proportional to their masses.
    nv1 = s1.velocity;
    nv1 += projectUonV(s2.velocity, minus(s2.position, s1.position));
    nv1 -= projectUonV(s1.velocity, minus(s1.position, s2.position));
    nv2 = s2.velocity;
    nv2 += projectUonV(s1.velocity, minus(s2.position, s1.position));
    nv2 -= projectUonV(s2.velocity, minus(s1.position, s2.position));
    s1.velocity = nv1;
    s2.velocity = nv2;
}

编辑:如果你需要更高的准确度,那么在碰撞时你应该计算向后移动碰撞球体的距离,使它们只是相互接触,然后触发执行碰撞功能。这样可以确保角度更准确。

答案 1 :(得分:7)

您可以在此处找到一个好的教程:Link