为什么我在 JavaFX 上收到 java.lang.IllegalStateException “Not on FX application thread”?

2022-08-31 16:18:55

我有一个应用程序,该应用程序具有附加的侦听器,因此一旦检测到更改,它就会刷新,但问题是我得到了.这是我的代码:TableViewjava.lang.IllegalStateException: Not on FX application thread; currentThread = Smack Listener Processor (0)

/**
 * This function resets the pagination pagecount
 */
public void resetPage() {
    try {
        System.out.println("RESET"); 
        int tamRoster = this.loginManager.getRosterService().getRosterList().size();
        paginationContactos.setPageCount((int)(Math.ceil(tamRoster*1.0/limit.get())));
        int tamEnviados = this.loginManager.getRosterService().getEnviadasList().size();
        paginationEnviadas.setPageCount((int)(Math.ceil(tamEnviados*1.0/limit.get())));
        int tamRecibidas = this.loginManager.getRosterService().getRecibidasList().size();
        paginationRecibidas.setPageCount((int)(Math.ceil(tamRecibidas*1.0/limit.get())));
    } catch (Exception e) {
        e.printStackTrace();
    }
}

public void doSomething () {
        this.loginManager.getRosterService().getRosterList().addListener(new ListChangeListener<RosterDTO>() {
            @Override
            public void onChanged(
                    javafx.collections.ListChangeListener.Change<? extends RosterDTO> c) {
                // TODO Auto-generated method stub
                resetPage();
                while (c.next()) {
                    if (c.wasPermutated()) {
                        System.out.println("PERM");
                    } else if (c.wasUpdated()) {
                        System.out.println("UPD");
                    } else {
                        System.out.println("ELSE");
                    }
                }
            }
         });
}

Altough它进入resetPage方法,我得到这个异常。为什么会发生这种情况?我该如何修复它?提前致谢。


答案 1

不能从非应用程序线程直接更新用户界面。相反,请将 与 Runnable 对象内部的逻辑一起使用。例如:Platform.runLater()

Platform.runLater(new Runnable() {
    @Override
    public void run() {
        // Update UI here.
    }
});

作为 lambda 表达式:

// Avoid throwing IllegalStateException by running from a non-JavaFX thread.
Platform.runLater(
  () -> {
    // Update UI here.
  }
);

答案 2

JavaFX 代码允许从 JavaFX 应用程序线程更新 UI。但是从上面的异常消息中,它说它没有使用FX应用程序线程。

您可以修复的一种方法是从resetPage方法启动FX应用程序线程,并在那里进行修改。


推荐