GUI代碼的線程同步
Swing組件的事件處理和繪畫代碼,都是被一個線程依次調用的,
這樣保證事件處理的同步執行。
這個線程就是 Event-Dispatching Thread。
為了避免可能的死結,確保Swing組件和model的建立、修改和尋找
只在Event-dispatching Thread中調用。
SwingUtilities的invokeLater(Runnable),invokeAndWait(Runnable)
都是將GUI代碼加入Event-dispatching Thread的方法。
invokeLater()立即返回,而invokeAndWait()阻塞,直到Event-dispatching Thread
執行完指定的GUI代碼。
invokeAndWait()方法也有導致deadlock的可能,盡量使用invokeLater()。
About Realized
Realized means that the component has been painted on screen, or is ready to be painted.
setVisible(true) and pack() cause a window to be realized, which in turn causes the components it contains to be realized.
同步會導致等待,當一個事件處理時間太長,後面的事件處理就得不到響應,給人響應不靈敏的感覺。
SwingWorker或者Timer類可以解決緩解這個問題,
其中SwingWorker是java-tutorials定義的類,不是Swing API。
SwingWorker 讓你在利用其它線程執行完耗時任務後,向Event-dispatching Thread中添加GUI代碼。
耗時任務寫在construct()中,耗時任務後的GUI代碼寫道finish()中。
public void actionPerformed(ActionEvent e) {
...
if (icon == null) { //haven't viewed this photo before
loadImage(imagedir + pic.filename, current);
} else {
updatePhotograph(current, pic);
}
}
...
//Load an image in a separate thread.
private void loadImage(final String imagePath, final int index) {
final SwingWorker worker = new SwingWorker() {
ImageIcon icon = null;
public Object construct() {
icon = new ImageIcon(getURL(imagePath));
return icon; //return value not used by this program
}
//Runs on the event-dispatching thread.
public void finished() {
Photo pic = (Photo)pictures.elementAt(index);
pic.setIcon(icon);
if (index == current)
updatePhotograph(index, pic);
}
};
worker.start();
}
可以使用如下的技術,使得Swing程式順利工作:
● 如果你需要更新群組件,但是代碼不在Event Listener中,使用invokeLater()或invokeAndWait()向Event-dispacthing Thread添加代碼。
● 如果你不能確定你的代碼是不是在Event Listener中,你必須弄清楚,程式中方法會被線程調用的情況。很難確定方法被線程的調用情況,可是調用SwingUtilies.isEventDispatchThread()來確定調用方法的線程是不是Event-dispatching Thread。安全起見,你可以把Event Listener外的GUI代碼都通過invokeLater()傳入EdThread,即使是在EdThread中調用invokeLater()。但是在EdThread中調用invokeAndWait()是會拋出異常的。
● 如果你需要在一段時間的等待後,才更新群組件,建立一個Timer,讓它來完成這個任務。
● 如果你需要每個一段時間(regular interval)更新群組件,使用Timer吧。
* see Also: How to Use Swing Timers:
http://java.sun.com/docs/books/tutorial/uiswing/misc/timer.html
參考資料:
* How to Use Threads
java tutorials > Creating a GUI with JFC/Swing > Using Other Swing Features
http://java.sun.com/docs/books/tutorial/uiswing/misc/threads.html