-2

编辑(2017 年 4 月 3 日):对不起,那时我是菜鸟。

我正在尝试制作一个回合制战斗系统,玩家在回合中点击按钮。但我似乎无法找到如何编码。下面是我所做的代码。

这里应该发生的是,当我单击攻击按钮(例如)时,下一个回合将是怪物的回合,但是当我单击按钮时 playerTurn 变量不会改变。playerTurn 总是正确的。你能帮我纠正这个吗?这是一个回合制战斗系统。

 public class BattleFrame extends JFrame implements ActionListener, Runnable {

    private JButton atkButton = new JButton("Attack");
    private JButton runButton = new JButton("Run");
    private JButton itemButton = new JButton("Item");
    private JButton magicButton = new JButton("Magic");

    private JPanel panelButtons = new JPanel();

private Random rand = new Random();
private Boolean playerTurn;
private Thread t;

public BattleFrame() {
    setSize(480, 390);
    setLayout(null);

            // I have not included the code with the setting of the JButtons
    initPanel(); // initialize the panel with buttons

    setResizable(false);
    setVisible(true);
    playerTurn = true;
    t = new Thread(this);
    t.start();
}

// I'm not so familiar with 'synchronized' but I tried it here but it doesn't change anything
public void actionPerformed(ActionEvent e) {
   Object src = e.getSource();

     if(src.equals(atkButton) && playerTurn) {
          System.out.println("Attack!");
      playerTurn = false;
 }
 else if(src.equals(runButton) && playerTurn) {
      System.out.println("Run!");
      playerTurn = false;
 }

 else if(src.equals(itemButton) && playerTurn) {
      System.out.println("Item");
      playerTurn = false;
 }

 else if(src.equals(magicButton) && playerTurn) {
      System.out.println("Magic");
      playerTurn = false;
 }

}

public void run() {
    while(true) {
       if(playerTurn == false) {
          System.out.println("Monster's turn!"); // just printing whose turn it is
           playerTurn = true;
       }
       else System.out.println("player's turn!");
   }

 }

 public static void main(String[] args) {
    new BattleFrame();

   }
}
4

1 回答 1

2

布尔值是一个对象,因此通过标识而不是值进行比较。

assert new Boolean (true) == new Boolean(true);

以上将失败,因为两个不同的布尔对象不是同一个对象。

对于一般用途,使用原始类型 boolean,而不是标准库类 Boolean。应该使用布尔值的情况非常少见:它是为了对称而存在的东西之一,而不是任何真正的实际原因。如果确实使用它,则需要使用 a.equals(b) 而不是 a == b。

有关更多详细信息,请参阅:

http://www.java-samples.com/showtutorial.php?tutorialid=221

于 2012-04-06T12:49:22.367 回答