Re: Thread stuck in state NEW?
Mark Space wrote:
Hi all, I was planning on doing some swing testing, but ran into a
thread issue instead. The problem is a small anonymous thread class I
create stays stuck in state NEW, even though it apparently runs an
completes.
Thread t = new Thread(){
javax.swing.SwingUtilities.invokeLater(t);
SwingUtilities (or better java.awt.EventQueue) .invokeLater takes a
Runnable argument, which by a piece of terrible design is implemented by
Thread. It calls run on the argument, in the Event Dispatch Thread
(EDT). In order for your thread to start, Thread.start would need to be
called.
(
You can pick up these sort of problems by using a subclass of Thread
that does not allow itself to be used as a Runnable.
http://groups.google.com/group/comp.lang.java.programmer/browse_thread/thread/56687253dbf9a11f/e634f82ccd1161a6?lnk=st&q=SafeThread&rnum=3#e634f82ccd1161a6
)
So, replace Thread with plain Runnable.
The easiest way to get the calling thread to wait is to use
EventQueue.invokeAndWait instead of invokeLater, although it does add
checked exceptions that need to be dealt with.
There are a number of ways to get results back from Runnable. The
obvious way is to go one level up from an anonymous inner class and use
a local class.
class InputDialogTask implements Runnable {
String result;
public void run() {
result = (String)JOptionPane.showInputDialog(
JOptionPane.showInputDialog(
null, "Enter a random string:"
);
}
}
InputDialogTask inputDialogTask = new InputDialogTask();
java.awt.EventQueue.invokeAndWait(inputDialogTask);
return inputDialogTask.result;
If you don't mind being a little obscure, you can do it in a terser fashion.
return new Runnable() {
String result;
public void run() {
result = (String)JOptionPane.showInputDialog(
JOptionPane.showInputDialog(
null, "Enter a random string:"
);
}
// (this is an instance initialiser)
{
java.awt.EventQueue.invokeAndWait(this);
}
}.result;
Alternatively, a more sophisticated approach is to have the main thread
waiting on a (java.util.concurrent) blocking queue. This could be
extended to make the main thread become event based (not shown).
final BlockingQueue<String> resultQueue =
new ArrayBlockingQueue<String>(1);
java.awt.EventQueue.invokeLater(new Runnable() {
public void run() {
String result = (String)JOptionPane.showInputDialog(
JOptionPane.showInputDialog(
null, "Enter a random string:"
);
resultQueue.add(result);
}
});
return resultQueue.take(); // blocks
(Disclaimer: Not tested or even compiled.)
Tom Hawtin