4

我的类代表了我的简单游戏中的每个对象(玩家、敌人、光束等——它们都有很多共同点,比如速度、位置、dmg)。所以我创建了一个名为 Thing 的类。这是它的样子:

public abstract class Thing {
    private Image image;
    private float x;
    private float y;
    private float speed;
    private final int WIDTH;
    private final int HEIGHT;

    public Thing(String filename, float x, float y, float speed) {
        try {
            Image image = ImageIO.read(new File(filename));
        } catch (Exception e) {}
        this.x = x;
        this.y = y;
        this.speed = speed;
        WIDTH = image.getWidth(null);
        HEIGHT = image.getHeight(null);
    }

    //Zwraca ksztalt do sprawdzania czy contains...
    public Rectangle2D getShade() {
        return new Rectangle2D.Float(x, y, WIDTH, HEIGHT);
    }

    public Image getImage() {
        return image;
    }

    public Point2D getPoint() {
        return new Point2D.Float(x, y);
    }

    public float getX() {
        return x;
    }

    public float getY() {
        return y;
    }
}

我扩展了 Player 类:

public class Player extends Thing {
    public Player(String filename, float x, float y, float speed) {
        super(filename, x, y, speed);
    }

    public void moveToPoint(Point2D targetPoint) {
        int targetX = (int)targetPoint.getX();
        int targetY = (int)targetPoint.getY();
        if ( ((int)x+20 < targetX+3) && ((int)x+20 > targetX-3) ) {
            return;
        }
        float distanceX = targetX - x;
        float distanceY = targetY - y;
        //Dodanie 20px wymiarow statku
        distanceX -= 20;
        distanceY -= 20;
        //Ustalenie wartosci shiftow
        float shiftX = speed;
        float shiftY = speed;
        if (abs(distanceX) > abs(distanceY)) {
            shiftY = abs(distanceY) / abs(distanceX) * speed;
        }
        if (abs(distanceY) > abs(distanceX)) {
            shiftX = abs(distanceX) / abs(distanceY) * speed;
        }
        //Zmiana kierunku shifta w zaleznosci od polozenia
        if (distanceX < 0) {
            shiftX = -shiftX;
        }
        if (distanceY < 0) {
            shiftY = -shiftY;
        }
        //Jezeli statek mialby wyjsc poza granice to przerywamy
        if ( (((int)x+shiftX < 0) || ((int)x+shiftX > 260)) || ((y+shiftY < 0) || (y+shiftY > 360)) ) {
            return;
        }
        //Zmiana pozycji gracza
        x += shiftX;
        y += shiftY;
    }
}

这就是问题所在,因为我的 IDE 将 x、y 和 speed 字段标记为红色,并告诉它们无法从 Player 类中访问。我试图将它们更改为私有和默认值,但之后出现错误。我究竟做错了什么?当我从扩展 Thing 的类创建新对象时,我想复制所有字段并按照构造函数中的说明初始化它们。那么如何修复呢?

4

2 回答 2

5

您需要使用getX()getY(),因为x,y是classspeedprivate变量Thing

Player extends Thing并不意味着 Player 可以访问private字段。Thing提供public get... set...访问其private变量。

于 2013-01-04T21:15:30.783 回答
-1

将变量x, y, 和更改speed为 protected 或使用访问器getX(), getY(), getSpeed()getSpeed()在这种情况下需要添加)来解决访问问题。

将它们更改为默认值后出现的错误是您正在调用abs(...)而不是Math.abs(...). 更改 to 的所有实例abs(...)Math.abs(...)消除新错误。

于 2013-01-04T21:17:20.233 回答