我遇到Java Swing文本输入问题。我在类inputData()
中有一个方法A
,当我调用它时,该方法应该等待用户在类input
中填充TextField B
并按Enter。最后,方法inputData()
应该包含用户编写的文本。我怎么能解决它?
class A {
B b = new B();
public A() {
inputData();
}
public char[] inputData() {
// there I would like to get text
// from TextField from class B
}
}
//-------------------------------
class B extends JFrame{
private JTexField input;
public B() {
}
private void inputKeyPressed(KeyEvent e) {
if (e.getKeyCode() == 10) { // pressed ENTER
input.getText()
input.setText(null);
}
}
}
答案 0 :(得分:3)
的TextField?既然它是一个Swing项目,我希望你的意思是一个JTextField,对吧?并且不要向它添加KeyListener,而是添加ActionListener,因为当用户按Enter键时会触发它们。解决问题的一种方法是为GUI类(此处命名为B)提供一个公共方法,该方法允许外部类将ActionListener添加到JTextField。也许你可以将其称为addActionListenerToInput(ActionListener listener)。然后A类可以将侦听器添加到B,并且在按下enter时将调用actionPerformed代码。
如,
class A {
B b = new B();
public A() {
//inputData();
b.addActionListenerToInput(new ActionListener() {
public void actionPerformed(ActionEvent e) {
inputActionPerformed(e);
}
});
}
private void inputActionPerformed(ActionEvent e) {
JTextField input = (JTextField) e.getSource();
String text = input.getText();
input.setText("");
// do what you want with the text String here
}
}
//-------------------------------
class B extends JFrame{
private JTextField input;
public B() {
}
public void addActionListenerToInput(ActionListener listener) {
input.addActionListener(listener);
}
}
答案 1 :(得分:3)
您可能实际上并不想要JTextField。听起来你正在等待来自用户的一行输入,这应该是一个JOptionPane。如何做到这一点在这里描述:
http://download.oracle.com/javase/tutorial/uiswing/components/dialog.html#input
基本上,JOptionPane.showInputDialog()会弹出一个窗口,其中包含一个文本字段和OK / Cancel按钮,如果按Enter键,它将接受您的输入。这消除了对另一个类的需要。
你把它放在你的inputData()方法中:
inputData()
{
String input = JOptionPane.showInputDialog(...);
//input is whatever the user inputted
}
如果这不是你想要的,并且你想要一个保持打开的文本字段,那么你真正想要的是你的JTextField旁边的“提交”按钮,它允许用户决定何时提交文本。在这种情况下,您可以:
class B extends JFrame
{
private A myA;
private JTextField input;
private JButton submitButton;
public B()
{
submitButton.addActionListener(new SubmitListener());
}
private class SubmitListener
{
//this method is called every time the submitButton is clicked
public void actionPerformed(ActionEvent ae)
{
myA.sendInput(inputField.getText());
//A will need a method sendInput(String)
}
}
}