5

我在让 TestFx 与 Oracle 的 JavaFx HelloWorld 应用程序一起工作时遇到了一些麻烦:

public class HelloWorld extends Application {
    public static void main(String[] args) {
        launch(args);
    }

    @Override
    public void start(Stage primaryStage) {
        primaryStage.setTitle("Hello World!");
        Button btn = new Button();
        btn.setText("Say 'Hello World'");
        btn.setOnAction(new EventHandler<ActionEvent>() {

            @Override
            public void handle(ActionEvent event) {
                System.out.println("Hello World!");
            }
        });

        StackPane root = new StackPane();
        root.getChildren().add(btn);
        primaryStage.setScene(new Scene(root, 300, 250));
        primaryStage.show();
    }
}

TestFx junit 测试:

class MyTest extends GuiTest {
  public Parent getRootNode() {
    return nodeUnderTest;
  }

nodeUnderTest这个例子应该是什么?

4

2 回答 2

8

TestFx 是一个单元测试框架,因此它旨在获取您的 GUI 实现的一部分并对其进行测试。这要求您首先使这些部件可用,并通过用 id 标记它们来测试目标(按钮等)。

getRootNode() 为以下 GUI 测试的测试程序提供了根。在您上面的示例中,StackPane 根可能是候选者......但这需要您将其用于测试以允许:

 class MyTest extends GuiTest {
     public Parent getRootNode() {
         HelloWorld app = new HelloWorld();
         return app.getRoot(); // the root StackPane with button
     }
 }

因此,必须修改应用程序以实现 getRoot(),返回 StackPane 及其内容以供测试,而不需要 start() 方法。

您可以对其进行测试...

@Test
public void testButtonClick(){
    final Button button = find("#button"); // requires your button to be tagged with setId("button")
    click(button);
    // verify any state change expected on click.
}
于 2014-12-10T07:47:28.297 回答
4

还有一种简单的方法可以测试整个应用程序。为确保您的应用程序正确初始化和启动,它需要由 JavaFX 应用程序启动器启动。不幸的是,TestFX 不支持这个开箱即用(至少我还没有找到任何方法来做到这一点)但你可以通过继承 GuiTest 轻松地做到这一点:

public class HelloWorldGuiTest extends GuiTest {
  private static final SettableFuture<Stage> stageFuture = SettableFuture.create();

  protected static class TestHelloWorld extends HelloWorld {
    public TestHelloWorld() {
      super();
    }

    @Override
    public void start(Stage primaryStage) throws IOException {
      super.start(primaryStage);
      stageFuture.set(primaryStage);
    }
  }

  @Before
  @Override
  public void setupStage() throws Throwable {
    assumeTrue(!UserInputDetector.instance.hasDetectedUserInput());

    FXTestUtils.launchApp(TestHelloWorld.class); // You can add start parameters here
    try {
      stage = targetWindow(stageFuture.get(25, TimeUnit.SECONDS));
      FXTestUtils.bringToFront(stage);
    } catch (Exception e) {
      throw new RuntimeException("Unable to show stage", e);
    }
  }

  @Override
  protected Parent getRootNode() {
    return stage.getScene().getRoot();
  }

  // Add your tests here

}
于 2015-01-06T16:47:54.680 回答