背景
我正在建立一个游戏库,以使游戏开发更快,目前进展相当顺利。
我有以下内容:
- 主要入门类
public static void main(String[] args)
- 然后这个类从我的库中启动一个名为
Game
- 然后设置窗口大小并将 a 添加
Room
到JFrame
- 然后这个类从我的库中启动一个名为
- 当一个可扩展的
Room
(房间是一个游戏级别)类被创建时,它会从房间启动一个线程来绘制所有添加到它的对象。- 对象可以添加事件(我坚持的部分)
以上就是主要思想的含义。
这是入门类(非常简单)。
package test;
import JGame.Game.Game;
import JGame.Room.Room;
import javax.swing.JFrame;
import test.Rooms.Room1;
public class Main extends JFrame{
public static void main(String[] args){
Game game = new Game("Test Game"); // This sets the window title
game.start(800, 600); // This sets the size of the window
Room room1 = new Room1();
game.setRoom(room1); // adds the JPanel to the main frame
}
}
Room1
延伸Room
。在Room1
与该房间关联的所有游戏对象中都添加到其中。
public class Room extends JPanel implements Runnable{
ArrayList<GameObject> gameObjects = new ArrayList<>();
@Override
public void run(){
try{
while(true){
this.repaint();
Thread.sleep(5);
}
}
}
public void addGameObjectAt(GameObject gameObject, int x, int y){
// Sets private variables in GameObject
// These are then grabbed in the paintComponent to draw at that location
gameObject.setX(x);
gameObject.setY(y);
gameObjects.add(gameObject);
}
@Override
public void paintComponent(Graphics g){
g.drawImage(bg, 0, 0, this);
for(int i = 0; i < gameObjects.size(); i++){
GameObject go = gameObjects.get(i);
g.drawImage(go.getSprite(), go.getX(), go.getY(), this);
}
}
}
假设我们创建了一个房间:
public class Room1 extends Room{
public Room1(){
this.createShip();
}
public void createShip(){
Ship = new Ship();
// Add an object to a list setting its x,y to 10,10
this.addGameObjectAt(ship, 10, 10);
}
}
注意:这些对象不会添加到窗口中,addGameObjectAt
它们只是简单地添加到一个ArrayList
,然后在 Room 中的线程中绘制到屏幕上。
现在我们添加Ship
了房间,可以使用paintComponent()
. 这一切都很好!
这是事情开始停止工作的地方。现在我们Ship
添加了一个类,我想添加一些关键事件,目前我必须添加Main
它们才能工作,但我不想在那里添加它们,因为它会变得混乱,我想将它们添加到Ship
,因为这就是事件最终会产生的影响。
此代码未附加 keylistener
// GameObject extends JPanel
public class Ship extends GameObject{
public Ship(){
this.addKeyListener(new AL());
}
public class AL extends KeyAdapter{
@Override
public void keyPressed(KeyEvent evt){
System.out.println("here");
}
@Override
public void keyReleased(KeyEvent evt){
}
}
}
这不起作用,按一个键不会在此处打印出来,但是如果我将AL
班级和班级移动addKeyListener()
到班级,Game
它可以工作,但我不想在Game
班级中使用它,我希望在Ship
班级中使用它。
// This class just sets up the size of the application window
// It also holds an int list of all the game rooms
public class Game extends JFrame{
}
我已经尝试解决这个问题至少一个星期了,但我似乎无法弄清楚我怎样才能得到这个以便它在Ship
课堂上工作?