如果程序只通过doClick()与JFrame交互,则JFrame永远不会渲染



我正在使用Swing编写奥赛罗游戏,下面是一般代码:(代码片段不包括游戏结束/相同玩家再次出现的情况,这只是基本的游戏循环。)

视图/控制器:

public class OthelloGUI extends JFrame {
JSquare[][] board;
final int BOARD_SIZE = 8;
OthelloModel model;

public OthelloGUI(OthelloModel m) {
model = m;

/* Window size, etc... */
setLayout(new GridLayout(BOARD_SIZE, BOARD_SIZE));
//add 8x8 buttons to GUI
ActionListener ml = new MoveListener();
board = new JSquare[BOARD_SIZE][BOARD_SIZE];
for (int i = 0; i < BOARD_SIZE; i++) {
for (int j = 0; j < BOARD_SIZE; j++) {
getContentPane.add(board[i][j] = new JSquare(new Point(i, j)));
board[i][j].addActionListener(ml);
}
}
update();
}
void update() {
//update GUI to reflect last move
for (int i = 0; i < BOARD_SIZE; i++) {
for (int j = 0; j < BOARD_SIZE; j++) {
//changes the JButton's text based on who owns it on the model's board
board[i][j].setText(model.getOwner(i, j).view());
}
}

//best place (I think) to have AI move is after the last move is processed
if (model.getCurrentPlayerType() == PlayerType.AI) {
//Computer player finds its next move, and clicks that button
int[] bestMove = GreedyAI.findMove(model);
board[bestMove[0]][bestMove[1]].doCLick();
}
}
static class JSquare extends JButton {
java.awt.Point p;
JSquare (Point p) {this.p = p;}
}
class MoveListener implements ActionListener {

@Override
public void actionPerformed(ActionEvent e) {

JSquare sq = (JSquare) e.getSource();
//places the piece on the model's "board" and flips all applicable pieces
int result = model.placeDisk(s.p, model.getCurrentColor());

if (result == 0) {//move executes successfully
update();
}
//otherwise... (illegal move, game end, same player again, etc...) 
}
}
}
enum Owner {
NONE, BLACK, WHITE;
public String view() {
return this == BLACK ? "B" : this == WHITE ? "W" : ""
}
}

如果我启动Human v HumanHuman v AI游戏,这段代码执行得很好,然而,如果我启动AI v AI游戏,GUI永远不会呈现。我得到了游戏设置的弹出框,以及游戏结束和谁赢了的弹出框,但主板的主要ContentPane从未呈现,所以我看不到AI做出了什么动作。

意见/建议吗?

人工智能是自动化的。人类是……不是。

  • 当人类扮演人类时,代码必须等待人类完成每个回合。必须是事件驱动的。
  • 当人类玩AI时,AI是自动的,但代码仍然必须等待来自人类的事件。
  • 但是当AI播放AI时,整个过程留给代码,这导致EDT被阻塞。

不要阻塞EDT(事件调度线程)。当发生这种情况时,GUI将"冻结"。有关细节和修复,请参阅Swing中的并发。

最新更新