How to wait for input in a text field?
I'm converting a console application to one that uses Swing. At the moment I want my program to do a similar thing to this .nextInt();
how can I achieve this by using .getText();
or something similar?
In short;
How can I hold the execution of the program till the user has entered somethi开发者_开发知识库ng in the text field and pressed enter.
Update: So you want to wait for the user to to input something from the GUI. This is possible but needs to be synchronized since the GUI runs in another thread.
So the steps are:
- Create an "holder" object that deligates the result from GUI to "logic" thread
- The "logic" thread waits for the input (using
holder.wait()
) - When the user have entered text it synchronizes the "holder" object and gives the result + notifies the "logic" thread (with
holder.notify()
) - The "logic" thread is released from its lock and continues.
Full example:
public static void main(String... args) throws Exception {
final List<Integer> holder = new LinkedList<Integer>();
final JFrame frame = new JFrame("Test");
final JTextField field = new JTextField("Enter some int + press enter");
frame.add(field);
field.addActionListener(new ActionListener() {
@Override
public void actionPerformed(ActionEvent e) {
synchronized (holder) {
holder.add(Integer.parseInt(field.getText()));
holder.notify();
}
frame.dispose();
}
});
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frame.pack();
frame.setVisible(true);
// "logic" thread
synchronized (holder) {
// wait for input from field
while (holder.isEmpty())
holder.wait();
int nextInt = holder.remove(0);
System.out.println(nextInt);
//....
}
}
Console application and GUI application are quite different in the behaviour. Console application takes input from command line arguments or wait for user entered input from keyboard while GUI application is driven by event mechanism in order to perform a task.
For example, you add a TextField object to your Frame and add a keyListener to your text field object. The listener is invoked when the key event has ben notified. There are lots of example out there, e.g. official java example http://download.oracle.com/javase/tutorial/uiswing/events/keylistener.html
精彩评论