我有一个代表我简单游戏中每个对象的类(玩家,敌人,光束等等 - 他们都有很多公共场所,如速度,位置,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类访问它们。我试图将它们更改为私有和默认,但之后出现错误。我究竟做错了什么?当我从类中创建新对象时,我希望复制所有字段并按照构造函数中的说法启动它们。那么如何修复呢?
答案 0 :(得分:4)
您需要使用getX()
,getY()
等,因为x
,y
,speed
是类{private
的变量1}}。
事实Thing
并不意味着玩家可以访问Player extends Thing
字段。 private
提供了Thing
public
来访问其get... set...
个变量。
答案 1 :(得分:-1)
将变量x
,y
和speed
更改为受保护,或使用访问者getX()
,getY()
,getSpeed()
({在这种情况下需要添加{1}}来解决访问问题。
您将其更改为默认值后出现的错误是您正在调用getSpeed()
而不是abs(...)
。将Math.abs(...)
的所有实例更改为abs(...)
以消除新错误。