如何确定JavaFX中的阶段/窗口插入?在Swing中,我可以简单地写一下:
JFrame frame = new JFrame();
Insets insets = frame.getInsets();
在JavaFX中获取边框大小和窗口标题栏的等价物是什么?
答案 0 :(得分:6)
您可以通过查看相对于窗口宽度和高度的场景边界来确定这些。
给定Scene scene;
,scene.getX()
和scene.getY()
给出窗口内Scene
的x和y坐标。它们分别相当于left和top insets。
右边和底部稍微复杂一点,但是
scene.getWindow().getWidth()-scene.getWidth()-scene.getX()
给出正确的插图,类似地
scene.getWindow().getHeight()-scene.getHeight()-scene.getY()
给出底部插图。
这些值当然只有在场景放置在窗口中并且窗口在屏幕上可见时才有意义。
如果你真的想要一个Insets
对象,你可以做类似下面的事情(如果在显示窗口后边框或标题栏改变了大小,它甚至会保持有效):
import javafx.application.Application;
import javafx.beans.binding.Bindings;
import javafx.beans.binding.ObjectBinding;
import javafx.geometry.Insets;
import javafx.geometry.Pos;
import javafx.scene.Scene;
import javafx.scene.control.Label;
import javafx.scene.layout.VBox;
import javafx.stage.Stage;
public class WindowInsetsDemo extends Application {
@Override
public void start(Stage primaryStage) {
Label topLabel = new Label();
Label leftLabel = new Label();
Label rightLabel = new Label();
Label bottomLabel = new Label();
VBox root = new VBox(10, topLabel, leftLabel, bottomLabel, rightLabel);
root.setAlignment(Pos.CENTER);
Scene scene = new Scene(root, 600, 400);
ObjectBinding<Insets> insets = Bindings.createObjectBinding(() ->
new Insets(scene.getY(),
primaryStage.getWidth()-scene.getWidth() - scene.getX(),
primaryStage.getHeight()-scene.getHeight() - scene.getY(),
scene.getX()),
scene.xProperty(),
scene.yProperty(),
scene.widthProperty(),
scene.heightProperty(),
primaryStage.widthProperty(),
primaryStage.heightProperty()
);
topLabel.textProperty().bind(Bindings.createStringBinding(() -> "Top: "+insets.get().getTop(), insets));
leftLabel.textProperty().bind(Bindings.createStringBinding(() -> "Left: "+insets.get().getLeft(), insets));
rightLabel.textProperty().bind(Bindings.createStringBinding(() -> "Right: "+insets.get().getRight(), insets));
bottomLabel.textProperty().bind(Bindings.createStringBinding(() -> "Bottom: "+insets.get().getBottom(), insets));
primaryStage.setScene(scene);
primaryStage.show();
}
public static void main(String[] args) {
launch(args);
}
}