传递参数JavaFX FXML


194

如何将参数传递给javafx中的辅助窗口?有没有办法与相应的控制器通信?

例如:用户从中选择一个客户,TableView然后会打开一个新窗口,显示该客户的信息。

Stage newStage = new Stage();
try 
{
    AnchorPane page = (AnchorPane) FXMLLoader.load(HectorGestion.class.getResource(fxmlResource));
    Scene scene = new Scene(page);
    newStage.setScene(scene);
    newStage.setTitle(windowTitle);
    newStage.setResizable(isResizable);
    if(showRightAway) 
    {
        newStage.show();
    }
}

newStage将是新窗口。问题是,我找不到一种方法来告诉控制器在哪里寻找客户的信息(通过将id作为参数传递)。

有任何想法吗?


检查看看,如果这个工程太:stackoverflow.com/questions/14370183/...
Dynelight

@Alvaro:您得到解决方案了吗?你可以传递参数吗?从一个控制器到另一个控制器文件?
Java Man

3
是。Jewelsea作了书本级的解释。这就是为什么我接受了他的答案
阿尔瓦罗

Answers:


276

推荐方法

该答案列举了将参数传递给FXML控制器的不同机制。

对于小型应用程序,我强烈建议将参数直接从调用者传递到控制器-它简单,直接并且不需要额外的框架。

对于更大,更复杂的应用程序,如果您想在应用程序中使用依赖注入事件总线机制,则值得研究。

直接从调用者向控制器传递参数

通过从FXML加载器实例中检索控制器并在控制器上调用方法以使用所需的数据值对其进行初始化,将自定义数据传递到FXML控制器。

类似于以下代码:

public Stage showCustomerDialog(Customer customer) {
  FXMLLoader loader = new FXMLLoader(
    getClass().getResource(
      "customerDialog.fxml"
    )
  );

  Stage stage = new Stage(StageStyle.DECORATED);
  stage.setScene(
    new Scene(
      (Pane) loader.load()
    )
  );

  CustomerDialogController controller = 
    loader.<CustomerDialogController>getController();
  controller.initData(customer);

  stage.show();

  return stage;
}

...

class CustomerDialogController {
  @FXML private Label customerName;
  void initialize() {}
  void initData(Customer customer) {
    customerName.setText(customer.getName());
  }
}

如示例代码所示构建一个新的FXMLLoader new FXMLLoader(location)。该位置是一个URL,您可以通过以下方式从FXML资源生成这样的URL:

new FXMLLoader(getClass().getResource("sample.fxml"));

注意不要在FXMLLoader上使用静态加载函数,否则您将无法从加载程序实例中获取控制器。

FXMLLoader实例本身对域对象一无所知。您没有直接将应用程序特定的域对象传递到FXMLLoader构造函数中,而是:

  1. 在指定位置基于fxml标记构造FXMLLoader
  2. 从FXMLLoader实例获取控制器。
  3. 在检索到的控制器上调用方法,以为控制器提供对域对象的引用。

该博客(由另一位作者撰写)提供了一个替代示例,但类似。

在FXMLLoader上设置控制器

CustomerDialogController dialogController = 
    new CustomerDialogController(param1, param2);

FXMLLoader loader = new FXMLLoader(
    getClass().getResource(
        "customerDialog.fxml"
    )
);
loader.setController(dialogController);

Pane mainPane = (Pane) loader.load();

您可以用代码构造一个新的控制器,将您想要的任何参数从调用者传递到控制器构造函数中。构造控制器后,可以调用该实例之前在FXMLLoader实例上对其进行设置load() 方法。

要在装载程序(在JavaFX 2.x中)上设置控制器,您也不能fx:controller在fxml文件中定义属性。

由于fx:controllerFXML中定义的限制,我个人更喜欢从FXMLLoader获取控制器,而不是将控制器设置为FXMLLoader。

让控制器从外部静态方法检索参数

该方法以Sergey对Controller.java文件中Javafx 2.0 How-to Application.getParameters()的回答为例。

使用依赖注入

通过允许您在FXMLLoader上设置自定义控制器工厂,FXMLLoader支持诸如Guice,Spring或Java EE CDI的依赖项注入系统。这提供了一个回调,您可以使用该回调创建具有由相应依赖项注入系统注入的依赖值的控制器实例。

回答中提供了JavaFX应用程序和Spring控制器依赖注入的示例:

afterburner.fx框架示例了一个很好用的,干净的依赖项注入方法,该示例中有一个使用它的示例空破解应用程序。afterburner.fx依靠JEE6 javax.inject执行依赖项注入。

使用事件总线

最初的FXML规范创建者和实现者Greg Brown通常建议考虑使用事件总线(例如Guava EventBus)在FXML实例化控制器和其他应用程序逻辑之间进行通信。

EventBus是带有注释的简单但功能强大的发布/订阅API,它使POJO可以在JVM中的任何位置相互通信,而不必互相引用。

后续问答

在第一种方法上,为什么要返回Stage?该方法也可以是无效的,因为您已经给了命令show();。在返回阶段之前;您如何通过返回舞台来计划使用情况

这是一个解决问题的功能。从该showCustomerDialog函数返回一个阶段,以便外部类可以存储对该阶段的引用,该外部类可能希望执行某些操作,例如稍后基于在主窗口中单击按钮隐藏该阶段。另一种面向对象的解决方案可以将功能和阶段引用封装在CustomerDialog对象中,或者具有CustomerDialog扩展阶段。一个自定义对话框的面向对象界面的完整示例,该自定义对话框封装了FXML,控制器和模型数据,超出了此答案的范围,但是对于那些愿意创建一个的人来说,可能是一个有价值的博客文章。


由StackOverflow用户@dzim提供的其他信息

Spring Boot依赖注入示例

关于如何做的问题“ Spring Boot Way”,有一个关于JavaFX 2的讨论,我在所附的永久链接中对此进行了解答。该方法仍然有效并已在2016年3月的Spring Boot v1.3.3。上进行了测试。发布:https ://stackoverflow.com/a/36310391/1281217


有时,您可能希望将结果传回给呼叫者,在这种情况下,您可以检查出相关问题的答案:


FXMLLoader构造函数仅将URL作为参数。.实例化FXMLLoader的正确方法是什么?
阿尔瓦罗

1
提到事件总线的网站上说:“更新3/2013:EventBus已经过时了……”
j将于

1
DataFX控制器框架为FXML控制器提供了一些注入支持:guigarage.com/2013/12/datafx-controller-framework-preview
Hendrik

2
添加了其他问答部分,以回答@Anarkie的其他问题
jewelsea

7
天哪,在JavaFx中完成这项微小的工作有什么简单的方法吗?它是在构造函数中传递数据的一个非常常见的功能,而javafx要求仅发送一个名称或一个值,就需要这一切。
Zahan Safallwa

13

我意识到这是一篇非常古老的文章,并且已经有了一些不错的答案,但是我想制作一个简单的MCVE来演示一种这样的方法,并允许新编码人员快速查看实际的概念。

在此示例中,我们将使用5个文件:

  1. Main.java用于启动应用程序并调用第一个控制器。
  2. Controller1.java第一个FXML布局的控制器。
  3. Controller2.java第二个FXML布局的控制器。
  4. Layout1.fxml第一个场景的FXML布局。
  5. Layout2.fxml-第二个场景的FXML布局。

所有文件都在此文章底部完整列出。

目的:为了证明从传递值Controller1Controller2,反之亦然。

程序流程:

  • 第一个场景包含a TextField,a Button和a Label。当。。。的时候Button被点击时,第二个窗口中加载并显示,包括输入的文本TextField
  • 在第二个场景内,还有一个TextField,一个Button和一个Label。该Label会显示在输入的文本TextField上的第一个场景。
  • 在第二个场景中输入文本TextField并单击后Button,第一个场景Label将更新以显示输入的文本。

这是一个非常简单的演示,可以肯定会进行一些改进,但是应该使概念非常清楚。

该代码本身还注释了正在发生的事情以及如何发生的一些细节。

代码

Main.java:

import javafx.application.Application;
import javafx.stage.Stage;

public class Main extends Application {

    public static void main(String[] args) {
        launch(args);
    }

    @Override
    public void start(Stage primaryStage) {

        // Create the first controller, which loads Layout1.fxml within its own constructor
        Controller1 controller1 = new Controller1();

        // Show the new stage
        controller1.showStage();

    }
}

Controller1.java:

import javafx.fxml.FXML;
import javafx.fxml.FXMLLoader;
import javafx.scene.Scene;
import javafx.scene.control.Button;
import javafx.scene.control.Label;
import javafx.scene.control.TextField;
import javafx.stage.Stage;

import java.io.IOException;

public class Controller1 {

    // Holds this controller's Stage
    private final Stage thisStage;

    // Define the nodes from the Layout1.fxml file. This allows them to be referenced within the controller
    @FXML
    private TextField txtToSecondController;
    @FXML
    private Button btnOpenLayout2;
    @FXML
    private Label lblFromController2;

    public Controller1() {

        // Create the new stage
        thisStage = new Stage();

        // Load the FXML file
        try {
            FXMLLoader loader = new FXMLLoader(getClass().getResource("Layout1.fxml"));

            // Set this class as the controller
            loader.setController(this);

            // Load the scene
            thisStage.setScene(new Scene(loader.load()));

            // Setup the window/stage
            thisStage.setTitle("Passing Controllers Example - Layout1");

        } catch (IOException e) {
            e.printStackTrace();
        }
    }

    /**
     * Show the stage that was loaded in the constructor
     */
    public void showStage() {
        thisStage.showAndWait();
    }

    /**
     * The initialize() method allows you set setup your scene, adding actions, configuring nodes, etc.
     */
    @FXML
    private void initialize() {

        // Add an action for the "Open Layout2" button
        btnOpenLayout2.setOnAction(event -> openLayout2());
    }

    /**
     * Performs the action of loading and showing Layout2
     */
    private void openLayout2() {

        // Create the second controller, which loads its own FXML file. We pass a reference to this controller
        // using the keyword [this]; that allows the second controller to access the methods contained in here.
        Controller2 controller2 = new Controller2(this);

        // Show the new stage/window
        controller2.showStage();

    }

    /**
     * Returns the text entered into txtToSecondController. This allows other controllers/classes to view that data.
     */
    public String getEnteredText() {
        return txtToSecondController.getText();
    }

    /**
     * Allows other controllers to set the text of this layout's Label
     */
    public void setTextFromController2(String text) {
        lblFromController2.setText(text);
    }
}

Controller2.java:

import javafx.fxml.FXML;
import javafx.fxml.FXMLLoader;
import javafx.scene.Scene;
import javafx.scene.control.Button;
import javafx.scene.control.Label;
import javafx.scene.control.TextField;
import javafx.stage.Stage;

import java.io.IOException;

public class Controller2 {

    // Holds this controller's Stage
    private Stage thisStage;

    // Will hold a reference to the first controller, allowing us to access the methods found there.
    private final Controller1 controller1;

    // Add references to the controls in Layout2.fxml
    @FXML
    private Label lblFromController1;
    @FXML
    private TextField txtToFirstController;
    @FXML
    private Button btnSetLayout1Text;

    public Controller2(Controller1 controller1) {
        // We received the first controller, now let's make it usable throughout this controller.
        this.controller1 = controller1;

        // Create the new stage
        thisStage = new Stage();

        // Load the FXML file
        try {
            FXMLLoader loader = new FXMLLoader(getClass().getResource("Layout2.fxml"));

            // Set this class as the controller
            loader.setController(this);

            // Load the scene
            thisStage.setScene(new Scene(loader.load()));

            // Setup the window/stage
            thisStage.setTitle("Passing Controllers Example - Layout2");

        } catch (IOException e) {
            e.printStackTrace();
        }
    }

    /**
     * Show the stage that was loaded in the constructor
     */
    public void showStage() {
        thisStage.showAndWait();
    }

    @FXML
    private void initialize() {

        // Set the label to whatever the text entered on Layout1 is
        lblFromController1.setText(controller1.getEnteredText());

        // Set the action for the button
        btnSetLayout1Text.setOnAction(event -> setTextOnLayout1());
    }

    /**
     * Calls the "setTextFromController2()" method on the first controller to update its Label
     */
    private void setTextOnLayout1() {
        controller1.setTextFromController2(txtToFirstController.getText());
    }

}

Layout1.fxml:

<?xml version="1.0" encoding="UTF-8"?>
<?import javafx.geometry.Insets?>
<?import javafx.scene.control.*?>
<?import javafx.scene.layout.AnchorPane?>
<?import javafx.scene.layout.HBox?>
<?import javafx.scene.layout.VBox?>
<AnchorPane xmlns="http://javafx.com/javafx/9.0.1" xmlns:fx="http://javafx.com/fxml/1">
    <VBox alignment="CENTER" spacing="10.0">
        <padding>
            <Insets bottom="10.0" left="10.0" right="10.0" top="10.0"/>
        </padding>
        <Label style="-fx-font-weight: bold;" text="This is Layout1!"/>
        <HBox alignment="CENTER_LEFT" spacing="10.0">
            <Label text="Enter Text:"/>
            <TextField fx:id="txtToSecondController"/>
            <Button fx:id="btnOpenLayout2" mnemonicParsing="false" text="Open Layout2"/>
        </HBox>
        <VBox alignment="CENTER">
            <Label text="Text From Controller2:"/>
            <Label fx:id="lblFromController2" text="Nothing Yet!"/>
        </VBox>
    </VBox>
</AnchorPane>

Layout2.fxml:

<?xml version="1.0" encoding="UTF-8"?>
<?import javafx.geometry.Insets?>
<?import javafx.scene.control.*?>
<?import javafx.scene.layout.AnchorPane?>
<?import javafx.scene.layout.HBox?>
<?import javafx.scene.layout.VBox?>
<AnchorPane xmlns="http://javafx.com/javafx/9.0.1" xmlns:fx="http://javafx.com/fxml/1">
    <VBox alignment="CENTER" spacing="10.0">
        <padding>
            <Insets bottom="10.0" left="10.0" right="10.0" top="10.0"/>
        </padding>
        <Label style="-fx-font-weight: bold;" text="Welcome to Layout 2!"/>
        <VBox alignment="CENTER">
            <Label text="Text From Controller1:"/>
            <Label fx:id="lblFromController1" text="Nothing Yet!"/>
        </VBox>
        <HBox alignment="CENTER_LEFT" spacing="10.0">
            <Label text="Enter Text:"/>
            <TextField fx:id="txtToFirstController"/>
            <Button fx:id="btnSetLayout1Text" mnemonicParsing="false" text="Set Text on Layout1"/>
        </HBox>
    </VBox>
</AnchorPane>

1
是否可以在FXML文件中设置控制器?Beause删除该行:loader.setController(this)并将控制器添加到FXML文件
中使

1
如果从控制器本身内部加载FXML,则不会。例如,如果您从Main类加载FXML,则可以在FXML文件中定义控制器,并使用loader.getController()
Zephyr

最后,我设法找到了一个解决方案,很好的例子。我将其实现到我的项目中,现在我试图同时打开两个窗口并使它们首先成为模态。不幸的是只有一个打开。有人可以帮忙吗?
jabba

8

javafx.scene.Node类具有一对方法setUserData(Object)和Object getUserData()

您可以用来将信息添加到节点。

因此,您可以调用page.setUserData(info);。

控制器可以检查是否设置了信息。另外,如果需要,可以使用ObjectProperty进行后退数​​据传输。

在此处查看文档:http : //docs.oracle.com/javafx/2/api/javafx/fxml/doc-files/introduction_to_fxml.html //docs.oracle.com/javafx/2/api/javafx/fxml/doc-files/introduction_to_fxml.html在短语“在第一个版本中,handleButtonAction()标记有@FXML允许在控制器文档中定义的标记调用它。在第二个示例中,对button字段进行了注释,以允许加载程序设置其值。对initialize()方法也进行了注释。

因此,您需要将控制器与节点关联,并将用户数据设置到该节点。


Stage.getScene()-> Scene.getRoot()->使用Parent.getChildrenUnmodifiable()进行递归搜索。这是非常肮脏的方式。如果有人可以建议更好的话,那就太好了。
亚历山大·基洛夫

似乎Stage.getScene()。getRoot()是正确的方法!谢谢
Alvaro 2013年

7

这是一个通过名称空间将参数传递给fxml文档的示例。

<?xml version="1.0" encoding="UTF-8"?>
<?import javafx.scene.control.Label?>
<?import javafx.scene.layout.BorderPane?>
<?import javafx.scene.layout.VBox?>
<VBox xmlns="http://javafx.com/javafx/null" xmlns:fx="http://javafx.com/fxml/1">
    <BorderPane>
        <center>
            <Label text="$labelText"/>
        </center>
    </BorderPane>
</VBox>

定义External Text名称空间变量的值labelText

import javafx.application.Application;
import javafx.fxml.FXMLLoader;
import javafx.scene.Parent;
import javafx.scene.Scene;
import javafx.stage.Stage;

import java.io.IOException;

public class NamespaceParameterExampleApplication extends Application {

    public static void main(String[] args) {
        launch(args);
    }

    @Override
    public void start(Stage primaryStage) throws IOException {
        final FXMLLoader fxmlLoader = new FXMLLoader(getClass().getResource("namespace-parameter-example.fxml"));

        fxmlLoader.getNamespace()
                  .put("labelText", "External Text");

        final Parent root = fxmlLoader.load();

        primaryStage.setTitle("Namespace Parameter Example");
        primaryStage.setScene(new Scene(root, 400, 400));
        primaryStage.show();
    }
}

应当指出的是,一些按键内部使用:例如FXMLLoader.CONTROLLER_KEYWORDFXMLLoader.LOCATION_KEYFXMLLoader.RESOURCES_KEY和用作值的字符串fx:id属性。
fabian

为此,我的另一个场景只是一个容器,该容器显示了以前在主场景中显示的文本。现在,我可以拥有一个fxml,可以通过Namepace变量初始化内容,从而可以在多个地方重复使用。我不必创建任何新方法或更改我的构造函数或initalisers-只需在FXML中添加变量,然后在主控制器的fxmloader代码中添加一行即可。
SystemsInCode

4

这个工作..

请记住,第一次打印传递的值时,您将获得null,您可以在Windows加载后使用它,对于要为任何其他组件编码的所有内容,都可以使用它。

第一控制人

try {
    Stage st = new Stage();
    FXMLLoader loader = new FXMLLoader(getClass().getResource("/com/inty360/free/form/MainOnline.fxml"));

    Parent sceneMain = loader.load();

    MainOnlineController controller = loader.<MainOnlineController>getController();
    controller.initVariable(99L);

    Scene scene = new Scene(sceneMain);
    st.setScene(scene);
    st.setMaximized(true);
    st.setTitle("My App");
    st.show();
} catch (IOException ex) {
    Logger.getLogger(LoginController.class.getName()).log(Level.SEVERE, null, ex);
}

另一个控制器

public void initVariable(Long id_usuario){
    this.id_usuario = id_usuario;
    label_usuario_nombre.setText(id_usuario.toString());
}

1
当您将参数从第一个控制器传递到第二个控制器,但是如何将参数从第二个控制器传递到第一个控制器时,这意味着在first.fxml加载之后。
Menai Ala Eddine-阿拉丁

@XlintXms看到相关的问题JavaFX FXML参数从控制器A传递到B并返回,该问题解决了您的其他问题。
jewelsea

2

您必须创建一个上下文类。

public class Context {
    private final static Context instance = new Context();
    public static Context getInstance() {
        return instance;
    }

    private Connection con;
    public void setConnection(Connection con)
    {
        this.con=con;
    }
    public Connection getConnection() {
        return con;
    }

    private TabRoughController tabRough;
    public void setTabRough(TabRoughController tabRough) {
        this.tabRough=tabRough;
    }

    public TabRoughController getTabRough() {
        return tabRough;
    }
}

您只需要使用以下方法在初始化中设置控制器实例

Context.getInstance().setTabRough(this);

您可以在整个应用程序中使用它

TabRoughController cont=Context.getInstance().getTabRough();

现在,您可以将参数从整个应用程序传递给任何控制器。


我们使用这种方法,效果很好。我喜欢在构造函数中或在initialize方法中访问数据,并且在构造完控制器后不必在控制器中设置数据
Bob

1

是的你可以。
您需要添加第一个控制器:

YourController controller = loader.getController();     
controller.setclient(client);

然后在第二个中声明一个客户端,然后在控制器的底部:

public void setclien(Client c) {
    this.client = c;
}

0

这是使用Guice注入的控制器的示例。

/**
 * Loads a FXML file and injects its controller from the given Guice {@code Provider}
 */
public abstract class GuiceFxmlLoader {

   public GuiceFxmlLoader(Stage stage, Provider<?> provider) {
      mStage = Objects.requireNonNull(stage);
      mProvider = Objects.requireNonNull(provider);
   }

   /**
    * @return the FXML file name
    */
   public abstract String getFileName();

   /**
    * Load FXML, set its controller with given {@code Provider}, and add it to {@code Stage}.
    */
   public void loadView() {
      try {
         FXMLLoader loader = new FXMLLoader(getClass().getClassLoader().getResource(getFileName()));
         loader.setControllerFactory(p -> mProvider.get());
         Node view = loader.load();
         setViewInStage(view);
      }
      catch (IOException ex) {
         LOGGER.error("Failed to load FXML: " + getFileName(), ex);
      }
   }

   private void setViewInStage(Node view) {
      BorderPane pane = (BorderPane)mStage.getScene().getRoot();
      pane.setCenter(view);
   }

   private static final Logger LOGGER = Logger.getLogger(GuiceFxmlLoader.class);

   private final Stage mStage;
   private final Provider<?> mProvider;
}

这是加载程序的具体实现:

public class ConcreteViewLoader extends GuiceFxmlLoader {

   @Inject
   public ConcreteViewLoader(Stage stage, Provider<MyController> provider) {
      super(stage, provider);
   }

   @Override
   public String getFileName() {
      return "my_view.fxml";
   }
}

请注意,此示例将视图加载到BoarderPane的中心,该BoarderPane是舞台中场景的根。这与示例(我的特定用例的实现细节)无关,但是决定保留它,因为有些人会发现它很有用。


-1

您可以决定使用公共可观察列表存储公共数据,或者仅创建公共设置方法存储数据并从相应的控制器中检索


-3

为什么要回答一个6岁的问题?
与任何编程语言一起使用的最基本概念之一是如何从一种(窗口,窗体或页面)导航到另一种。同样,在进行这种导航时,开发人员经常希望从一个(窗口,窗体或页面)传递数据并显示或使用传递的数据。
尽管这里的大多数答案都提供了出色的范例,说明了如何完成此操作,但我们认为我们应该将其解决一个或两个或三个缺口
我们之所以说三个,是因为我们将在三个(窗口,窗体或页面)之间导航,并使用静态变量的概念在(窗口,窗体或页面)周围传递数据。
我们还将包括一些决策代码,而我们导航

public class Start extends Application {

    @Override
    public void start(Stage stage) throws Exception {
        // This is MAIN Class which runs first
        Parent root = FXMLLoader.load(getClass().getResource("start.fxml"));
        Scene scene = new Scene(root);
        stage.setScene(scene);
        stage.setResizable(false);// This sets the value for all stages
        stage.setTitle("Start Page"); 
        stage.show();
        stage.sizeToScene();
    }

    public static void main(String[] args) {
        launch(args);
    } 
}

启动控制器

public class startController implements Initializable {

@FXML Pane startPane,pageonePane;
@FXML Button btnPageOne;
@FXML TextField txtStartValue;
public Stage stage;
public static int intSETonStartController;
String strSETonStartController;

@FXML
private void toPageOne() throws IOException{

    strSETonStartController = txtStartValue.getText().trim();


        // yourString != null && yourString.trim().length() > 0
        // int L = testText.length();
        // if(L == 0){
        // System.out.println("LENGTH IS "+L);
        // return;
        // }
        /* if (testText.matches("[1-2]") && !testText.matches("^\\s*$")) 
           Second Match is regex for White Space NOT TESTED !
        */

        String testText = txtStartValue.getText().trim();
        // NOTICE IF YOU REMOVE THE * CHARACTER FROM "[1-2]*"
        // NO NEED TO CHECK LENGTH it also permited 12 or 11 as valid entry 
        // =================================================================
        if (testText.matches("[1-2]")) {
            intSETonStartController = Integer.parseInt(strSETonStartController);
        }else{
            txtStartValue.setText("Enter 1 OR 2");
            return;
        }

        System.out.println("You Entered = "+intSETonStartController);
        stage = (Stage)startPane.getScene().getWindow();// pane you are ON
        pageonePane = FXMLLoader.load(getClass().getResource("pageone.fxml"));// pane you are GOING TO
        Scene scene = new Scene(pageonePane);// pane you are GOING TO
        stage.setScene(scene);
        stage.setTitle("Page One"); 
        stage.show();
        stage.sizeToScene();
        stage.centerOnScreen();  
}

private void doGET(){
    // Why this testing ?
    // strSENTbackFROMPageoneController is null because it is set on Pageone
    // =====================================================================
    txtStartValue.setText(strSENTbackFROMPageoneController);
    if(intSETonStartController == 1){
      txtStartValue.setText(str);  
    }
    System.out.println("== doGET WAS RUN ==");
    if(txtStartValue.getText() == null){
       txtStartValue.setText("");   
    }
}

@Override
public void initialize(URL url, ResourceBundle rb) {
    // This Method runs every time startController is LOADED
     doGET();
}    
}

第一页控制器

public class PageoneController implements Initializable {

@FXML Pane startPane,pageonePane,pagetwoPane;
@FXML Button btnOne,btnTwo;
@FXML TextField txtPageOneValue;
public static String strSENTbackFROMPageoneController;
public Stage stage;

    @FXML
private void onBTNONE() throws IOException{

        stage = (Stage)pageonePane.getScene().getWindow();// pane you are ON
        pagetwoPane = FXMLLoader.load(getClass().getResource("pagetwo.fxml"));// pane you are GOING TO
        Scene scene = new Scene(pagetwoPane);// pane you are GOING TO
        stage.setScene(scene);
        stage.setTitle("Page Two"); 
        stage.show();
        stage.sizeToScene();
        stage.centerOnScreen();
}

@FXML
private void onBTNTWO() throws IOException{
    if(intSETonStartController == 2){
        Alert alert = new Alert(AlertType.CONFIRMATION);
        alert.setTitle("Alert");
        alert.setHeaderText("YES to change Text Sent Back");
        alert.setResizable(false);
        alert.setContentText("Select YES to send 'Alert YES Pressed' Text Back\n"
                + "\nSelect CANCEL send no Text Back\r");// NOTE this is a Carriage return\r
        ButtonType buttonTypeYes = new ButtonType("YES");
        ButtonType buttonTypeCancel = new ButtonType("CANCEL", ButtonData.CANCEL_CLOSE);

        alert.getButtonTypes().setAll(buttonTypeYes, buttonTypeCancel);

        Optional<ButtonType> result = alert.showAndWait();
        if (result.get() == buttonTypeYes){
            txtPageOneValue.setText("Alert YES Pressed");
        } else {
            System.out.println("canceled");
            txtPageOneValue.setText("");
            onBack();// Optional
        }
    }
}

@FXML
private void onBack() throws IOException{

    strSENTbackFROMPageoneController = txtPageOneValue.getText();
    System.out.println("Text Returned = "+strSENTbackFROMPageoneController);
    stage = (Stage)pageonePane.getScene().getWindow();
    startPane = FXMLLoader.load(getClass().getResource("start.fxml")); 
    Scene scene = new Scene(startPane);
    stage.setScene(scene);
    stage.setTitle("Start Page"); 
    stage.show();
    stage.sizeToScene();
    stage.centerOnScreen(); 
}

private void doTEST(){
    String fromSTART = String.valueOf(intSETonStartController);
    txtPageOneValue.setText("SENT  "+fromSTART);
    if(intSETonStartController == 1){
       btnOne.setVisible(true);
       btnTwo.setVisible(false);
       System.out.println("INTEGER Value Entered = "+intSETonStartController);  
    }else{
       btnOne.setVisible(false);
       btnTwo.setVisible(true);
       System.out.println("INTEGER Value Entered = "+intSETonStartController); 
    }  
}

@Override
public void initialize(URL url, ResourceBundle rb) {
    doTEST();
}    

}

第二页控制器

public class PagetwoController implements Initializable {

@FXML Pane startPane,pagetwoPane;
public Stage stage;
public static String str;

@FXML
private void toStart() throws IOException{

    str = "You ON Page Two";
    stage = (Stage)pagetwoPane.getScene().getWindow();// pane you are ON
    startPane = FXMLLoader.load(getClass().getResource("start.fxml"));// pane you are GOING TO
    Scene scene = new Scene(startPane);// pane you are GOING TO
    stage.setScene(scene);
    stage.setTitle("Start Page"); 
    stage.show();
    stage.sizeToScene();
    stage.centerOnScreen();  
}

@Override
public void initialize(URL url, ResourceBundle rb) {

}    

}

以下是所有FXML文件

<?xml version="1.0" encoding="UTF-8"?>

<?import javafx.scene.control.Button?>
<?import javafx.scene.layout.AnchorPane?>
<?import javafx.scene.text.Font?>

<AnchorPane id="AnchorPane" fx:id="pagetwoPane" prefHeight="400.0" prefWidth="600.0" xmlns="http://javafx.com/javafx/8.0.60" xmlns:fx="http://javafx.com/fxml/1" fx:controller="atwopage.PagetwoController">
   <children>
      <Button layoutX="227.0" layoutY="62.0" mnemonicParsing="false" onAction="#toStart" text="To Start Page">
         <font>
            <Font name="System Bold" size="18.0" />
         </font>
      </Button>
   </children>
</AnchorPane>

<?xml version="1.0" encoding="UTF-8"?>

<?import javafx.scene.control.Button?>
<?import javafx.scene.control.Label?>
<?import javafx.scene.control.TextField?>
<?import javafx.scene.layout.AnchorPane?>
<?import javafx.scene.text.Font?>

<AnchorPane id="AnchorPane" fx:id="startPane" prefHeight="200.0" prefWidth="400.0" xmlns="http://javafx.com/javafx/8.0.60" xmlns:fx="http://javafx.com/fxml/1" fx:controller="atwopage.startController">
   <children>
      <Label focusTraversable="false" layoutX="115.0" layoutY="47.0" text="This is the Start Pane">
         <font>
            <Font size="18.0" />
         </font>
      </Label>
      <Button fx:id="btnPageOne" focusTraversable="false" layoutX="137.0" layoutY="100.0" mnemonicParsing="false" onAction="#toPageOne" text="To Page One">
         <font>
            <Font size="18.0" />
         </font>
      </Button>
      <Label focusTraversable="false" layoutX="26.0" layoutY="150.0" text="Enter 1 OR 2">
         <font>
            <Font size="18.0" />
         </font>
      </Label>
      <TextField fx:id="txtStartValue" layoutX="137.0" layoutY="148.0" prefHeight="28.0" prefWidth="150.0" />
   </children>
</AnchorPane>

<?xml version="1.0" encoding="UTF-8"?>

<?import javafx.scene.control.Button?>
<?import javafx.scene.control.Label?>
<?import javafx.scene.control.TextField?>
<?import javafx.scene.layout.AnchorPane?>
<?import javafx.scene.text.Font?>

<AnchorPane id="AnchorPane" fx:id="pageonePane" prefHeight="200.0" prefWidth="400.0" xmlns="http://javafx.com/javafx/8.0.60" xmlns:fx="http://javafx.com/fxml/1" fx:controller="atwopage.PageoneController">
   <children>
      <Label focusTraversable="false" layoutX="111.0" layoutY="35.0" text="This is Page One Pane">
         <font>
            <Font size="18.0" />
         </font>
      </Label>
      <Button focusTraversable="false" layoutX="167.0" layoutY="97.0" mnemonicParsing="false" onAction="#onBack" text="BACK">
         <font>
            <Font size="18.0" />
         </font></Button>
      <Button fx:id="btnOne" focusTraversable="false" layoutX="19.0" layoutY="97.0" mnemonicParsing="false" onAction="#onBTNONE" text="Button One" visible="false">
         <font>
            <Font size="18.0" />
         </font>
      </Button>
      <Button fx:id="btnTwo" focusTraversable="false" layoutX="267.0" layoutY="97.0" mnemonicParsing="false" onAction="#onBTNTWO" text="Button Two">
         <font>
            <Font size="18.0" />
         </font>
      </Button>
      <Label focusTraversable="false" layoutX="19.0" layoutY="152.0" text="Send Anything BACK">
         <font>
            <Font size="18.0" />
         </font>
      </Label>
      <TextField fx:id="txtPageOneValue" layoutX="195.0" layoutY="150.0" prefHeight="28.0" prefWidth="150.0" />
   </children>
</AnchorPane>


3
很抱歉,但是发布一百行代码而没有解释它的功能或执行方式的原因,并不是一个很好的答案。此外,您发布的代码组织得很差,很难遵循。
Zephyr

不需要对要问的人无礼。我们都在这里学习
Zeyad
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.