我认为你得到的,因为你试图在创建GUI组件之前访问它。理想情况下,您应该等待 gui 组件创建...例如。。。java.lang.NullPointerException
我在单独的线程中创建单个 GUI...喜欢这个
package test;
import org.eclipse.swt.SWT;
import org.eclipse.swt.layout.GridData;
import org.eclipse.swt.layout.GridLayout;
import org.eclipse.swt.widgets.Display;
import org.eclipse.swt.widgets.Label;
import org.eclipse.swt.widgets.Shell;
public class GUIThread implements Runnable
{
private Display display;
private Label label;
public Display getDisplay(){
return display;
}
public void run()
{
display = new Display();
Shell shell = new Shell(display);
shell.setLayout(new GridLayout());
shell.setLayoutData(new GridData(SWT.FILL,SWT.FILL,true,false));
label = new Label(shell,SWT.NONE);
label.setText(" -- ");
shell.open();
shell.pack();
while (!shell.isDisposed()) {
if (!display.readAndDispatch ()) display.sleep ();
}
display.dispose();
}
public synchronized void update(final int value)
{
if (display == null || display.isDisposed())
return;
display.asyncExec(new Runnable() {
public void run() {
label.setText(""+value);
}
});
}
}
在我的主要方法中,我做了这样的事情....
package test;
import org.eclipse.swt.widgets.Display;
public class Main
{
public static void main(String[] args) throws Exception
{
final GUIThread gui = new GUIThread();
Thread t = new Thread(gui);
t.start();
Thread.sleep(3000); // POINT OF FOCUS
Display d = gui.getDisplay();
for(int i = 0; i<100; i++)
{
System.out.println(i + " " + d);
gui.update(i);
Thread.sleep(500);
}
}
}
现在,如果我们在上面的代码中注释掉,那么我将始终得到...但是3秒的延迟使我的GUI线程有足够的时间处于就绪状态,因此它不会通过.....POINT OF FOCUS
NullPointerException
NullPointerException
在这种情况下,您必须有效地使用 和 方法...否则会导致“难以找到错误”...即等待UI正确实例化,然后生成...wait
yield
此外,实际处理是在主线程中完成的,GUI在单独的线程中运行...为了正确沟通,最好有一些共享和同步的数据结构...或者可以使用套接字通信来完成...您的主线程填充了一些,您的GUI线程侦听了该端口....port
asynchronously
希望这将通过一些光照你的问题....