我正在制作一个游戏引擎,我想在游戏中有一个绳索对象。我已经创建了绳索,并且它的行为非常完美,除了如果我对绳索的底部施加力(例如将播放器连接到绳索并移动播放器),该力不会传播到其余部分。绳。

即使我尝试移动播放器,绳索也是如此:


我希望绳索与播放器一起移动,但请将播放器固定在绳索的底部。

这是Rope类的更新方法

public void update() {

    for (int i = 0; i < segments.size(); i++) {
        RopeSegment previous = null;

        if (i != 0) {
            previous = segments.get(i - 1);
        }
        final RopeSegment seg = segments.get(i);

        // do collision detection
        seg.update();
        // if we are not the first (position locked) segment
        if (previous != null) {
            // if we are out of range of the previous segment
            if (seg.getCenter().toPoint().distanceSq(previous.getCenter().toPoint()) > MAX_DIST * MAX_DIST) {
                // pull us back in
                final Vec2D previousCenter = previous.getPosition();
                seg.applyForce(previousCenter.subtract(seg.getPosition()).multiply(0.01));
                seg.setPosition(previousCenter.add(seg.getPosition().subtract(previousCenter).unit()
                        .multiply(MAX_DIST)));
            }
        }
    }
    // lock position of first segment
    segments.get(0).setPosition(getLockposition());
    segments.get(0).setVelocity(new Vec2D(0, 0));
}


这是Player类的update方法中的相关代码

if (rope != null) {
    if (rope.getLockposition().toPoint().distanceSq(getCenter().toPoint()) > Rope.MAX_DIST * Rope.MAX_DIST) {
        setCenter(rope.getLastSegment().getCenter());
    }
}

最佳答案

如果我是你:我会找到绳段的数量(取决于高度),介于播放器和屏幕顶部之间(Y:0px);从而允许您不断更新整数;或适当的大小变量,以及要绘制多少段。然后,每次重画时,都可以将绳子放在播放器上方。这将有权删除您拥有的大部分内容,但我相信这样做会更有效率。如果要使绳索看起来更像“绳索状”,则可以使用ArrayList,每次绘制时都会对其进行更新,它将具有一个定义位置的类和一个保持速度的Vec2D,用于增加绳索的x位置。例如

List<Rope> ropes = new ArrayList<>(); //Fill This With Ropes. . . //First is The Farthest Up!

class Rope {
    int x, y;
    short velocity;
    //Constructor
}

void updateRopes(int playerX) {
    for(Rope r : ropes)
       r.x += (r.velocity < (playerX - r.x)) ? r.velocity : (playerX - r.x); //You Can Make a Variable Which Holds (playerX - r.x) For Efficiency, or Keep For RAM
}

void playerMove() {
     int yDec = ropes.size() / 5; //5 Is the Presumable Speed of The Character. . .
     int tempVeloc = 5;
     for(int i = 0; i < ropes.size(); i++)
        if((i % yDec) == 0 & i != 0) tempVeloc -= 1;
     //The Other Player-Move Based Code. . .
}


EDIT:
我相信您的问题是,您实际上并没有在数组内部编辑类,而是在不断地复制它们。从而不会更改对象,因为您还没有指向它们。 。 。
您应该做的是:

RopeSegment seg = segments.get(i - 1);

10-07 16:37