使用JavaFx Scene Builder 2.0“全屏显示”同时显示两个窗口

时间:2014-10-17 15:15:01

标签: netbeans javafx javafx-2 scenebuilder

我正在开发一个迷你应用程序,我需要同时向用户显示2个窗口但是在全屏幕上(该应用程序将在双屏幕上为用户制作)。

我正在使用NetBeans 8.0.1上的JavaFx Scene Builder 2.0

我试过这个,但只有第二个窗口才会全屏显示。

public void showTwoScreens() {
    try {
        Parent root = FXMLLoader.load(getClass().getResource("ClientsOperationsWindow.fxml"));
        Scene scene = new Scene(root);

        globalStage.setScene(scene);
        globalStage.setFullScreen(true);
        globalStage.setResizable(true);
        globalStage.show();

        Stage anotherStage = new Stage();
        Parent secondRoot = FXMLLoader.load(getClass().getResource("ClientsSearchWindow.fxml"));

        Scene secondStage = new Scene(secondRoot);
        secondStage.setScene(anotherScene);
        secondStage.setFullScreen(true);
        secondStage.show();

    } catch (Exception ex) {
        System.out.println(ex.getMessage());
    }
}

是否可以在全屏显示两个窗口?

谢谢!

1 个答案:

答案 0 :(得分:2)

我认为你不能同时在两个显示器中全屏设置两个阶段,但是你可以通过强制舞台尺寸来获得相同的结果。

为此,我们将使用javafx.stage.Screen来获取连接的每个不同监视器的特征。然后我们将fxml文件加载到每个场景,并在其舞台上显示每个场景。使用Screen.getBounds()我们现在可以看到矩形的原点和尺寸,指的是主屏幕。所以我们用这些矩形的边界设置每个阶段边界。最后,我们将风格设置为未修饰。现在唯一缺少的功能是退出“全屏”模式键组合。

private Screen secondaryScreen;

@Override
public void start(Stage primaryStage) throws IOException {

    Screen primaryScreen = Screen.getPrimary();

    Parent root = FXMLLoader.load(getClass().getResource("Screen1.fxml"));
    Scene scene = new Scene(root);
    primaryStage.setScene(scene);
    Rectangle2D bounds = primaryScreen.getBounds();
    primaryStage.setX(bounds.getMinX());
    primaryStage.setY(bounds.getMinY());
    primaryStage.setWidth(bounds.getWidth());
    primaryStage.setHeight(bounds.getHeight());
    primaryStage.initStyle(StageStyle.UNDECORATED);
    primaryStage.show();

    // look for a second screen
    Screen.getScreens().stream()
            .filter(s->!s.equals(primaryScreen))
            .findFirst().ifPresent(s->secondaryScreen = s);

    if(secondaryScreen!=null){
        Stage secondaryStage = new Stage();
        Parent root2 = FXMLLoader.load(getClass().getResource("Screen2.fxml"));
        Scene scene2 = new Scene(root2);
        secondaryStage.setScene(scene2);
        Rectangle2D bounds2 = secondaryScreen.getBounds();
        secondaryStage.setX(bounds2.getMinX());
        secondaryStage.setY(bounds2.getMinY());
        secondaryStage.setWidth(bounds2.getWidth());
        secondaryStage.setHeight(bounds2.getHeight());
        secondaryStage.initStyle(StageStyle.UNDECORATED);
        secondaryStage.show();  
    } 
}