我创建了一个简单的Java GUI文字游戏。
它以头开始,用户尝试猜测单词。如果正确,则系统打印正确。如果错误,它将打印出“错误”并绘制一个主体。顶部的文本框是隐藏的单词(并非真正隐藏),而底部的文本框是您插入猜测的位置。
该程序的问题是,用户猜错单词后,车身没有被涂漆。
第一类:
package hangman;
import java.awt.Color;
import java.awt.Graphics;
import javax.swing.JPanel;
public class NewClass extends JPanel {
int lineA, lineB, lineC, LineD;
int guess;
public void paintComponent(Graphics g) {
super.paintComponent(g);
this.setBackground(Color.ORANGE);
//head
g.drawOval(110, 10, 25, 25);
g.drawLine(lineA, lineB, lineC, LineD);// (ideal) 125, 40, 120, 100
}
public void newPaint(int a, int b, int c, int d) {
lineA = a;
lineB = b;
lineC = c;
LineD = d;
super.revalidate();
}
}
第二类:
包子手;
import java.awt.BorderLayout;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import javax.swing.JFrame;
import javax.swing.JTextField;
public class NewClass1 extends JFrame {
private JTextField answerBox, hiddenAnswer;
NewClass nc = new NewClass();
public NewClass1() {
hiddenAnswer = new JTextField();
hiddenAnswer.setText("hat");// this is the word for the hangman
answerBox = new JTextField("put you answer in here");
answerBox.addActionListener(
new ActionListener() {
public void actionPerformed(ActionEvent event) {
if (event.getActionCommand().equals(hiddenAnswer.getText())) {
System.out.println("you got it right");
} else {
System.out.println("sorry you got it wrong");
nc.newPaint(125, 120, 40, 100);
}
}
});
add(BorderLayout.NORTH, hiddenAnswer);
add(BorderLayout.SOUTH, answerBox);
}
}
入口点
NewClass1 ncc = new NewClass1();
NewClass nc = new NewClass();
ncc.add(BorderLayout.CENTER,nc);
ncc.setVisible(true);
ncc.setSize(300,300);
ncc.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
}
}
最佳答案
在事件中使用您的newPaint
API,而不是直接设置NewClass
的字段。
if (event.getActionCommand().equals(hiddenAnswer.getText()))
{
System.out.println("you got it right");
}
else
{
System.out.println("sorry you got it wrong");
nc.newPaint(125, 120, 40, 100);
}
编辑:在
NewClass1
中,将repaint()
替换为revalidate()
。 Here's the reference。Edit2:就您而言,最好不要在
NewClass
之外创建NewClass1
面板。在NewClass1
构造函数中,您可以执行以下操作:nc = new NewClass();
add(BorderLayout.CENTER, nc);
在添加
hiddenAnswer
之前,可以从入口点删除NewClass
。问题是,您没有使用在入口点创建的
NewClass
实例,而是使用了随机的新NewClass
。关于java - 与GUI的Java文字游戏。我的代码有什么问题?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/18724783/