我内部有一个滚动窗格和一个锚定窗格。在此锚定窗格中,我有一个标签。我需要此标签在滚动时始终可见。我需要移动,以便用户始终可以看到它好像没有变化。有人可以帮忙吗?

@FXML
 private ScrollPane s;


public void initialize(URL location, ResourceBundle resources) {
                AnchorPane p = new AnchorPane();
                VBox v = new VBox();
                p.getChildren().add(v);
                s.setContent(p);}

最佳答案

最简单的方法不是将Label放在内容内,而是放在同时包含StackPaneScrollPaneLabel中:

@Override
public void start(Stage primaryStage) {
    Region content = new Region();
    content.setPrefSize(2000, 2000);
    content.setBackground(new Background(new BackgroundFill(
            new LinearGradient(0, 0, 1, 1, true, CycleMethod.NO_CYCLE, new Stop(0, Color.RED), new Stop(1, Color.BLUE)),
            CornerRadii.EMPTY,
            Insets.EMPTY)));

    Label label = new Label("Hello World!");
    label.setTextFill(Color.WHITE);
    StackPane.setAlignment(label, Pos.TOP_LEFT);
    StackPane.setMargin(label, new Insets(10));

    ScrollPane scrollPane = new ScrollPane(content);

    StackPane root = new StackPane();
    root.getChildren().addAll(scrollPane, label);

    Scene scene = new Scene(root, 200, 200);

    primaryStage.setScene(scene);
    primaryStage.show();
}


或者,您也可以使用翻译属性来调整位置:

@Override
public void start(Stage primaryStage) {
    Label label = new Label("Hello World!");
    label.setTextFill(Color.WHITE);

    Pane content = new Pane(label);
    content.setPrefSize(2000, 2000);
    content.setBackground(new Background(new BackgroundFill(
            new LinearGradient(0, 0, 1, 1, true, CycleMethod.NO_CYCLE, new Stop(0, Color.RED), new Stop(1, Color.BLUE)),
            CornerRadii.EMPTY,
            Insets.EMPTY)));

    ScrollPane scrollPane = new ScrollPane(content);

    double targetX = 10;
    double targetY = 10;

    InvalidationListener listener = o -> {
        Bounds viewportBounds = scrollPane.getViewportBounds();
        Bounds contentBounds = content.getBoundsInLocal();
        Bounds labelBounds = label.getBoundsInLocal();

        double factorX = Math.max(contentBounds.getWidth() - viewportBounds.getWidth(), 0);
        double factorY = Math.max(contentBounds.getHeight() - viewportBounds.getHeight(), 0);

        label.setTranslateX(targetX + scrollPane.getHvalue() * factorX - labelBounds.getMinX());
        label.setTranslateY(targetY + scrollPane.getVvalue() * factorY - labelBounds.getMinY());
    };

    scrollPane.viewportBoundsProperty().addListener(listener);
    scrollPane.hvalueProperty().addListener(listener);
    scrollPane.vvalueProperty().addListener(listener);
    label.boundsInLocalProperty().addListener(listener);

    Scene scene = new Scene(scrollPane, 200, 200);

    primaryStage.setScene(scene);
    primaryStage.show();

    listener.invalidated(null);
}

07-24 09:46
查看更多