javafx根布局容器如何在controller中调用
时间: 2023-08-28 11:05:18 浏览: 103
在JavaFX中,根布局容器通常是一个Pane或其子类,例如BorderPane、GridPane等等。你可以在FXML文件中定义根布局容器和其他控件,并在对应的controller类中获取它们的引用,并对其进行相关操作。
下面是一个简单的JavaFX应用程序,其中包含一个根布局容器(BorderPane)、一个Label和一个Button,点击按钮后,Label中的文本将会改变。
首先,在FXML文件中定义根布局容器(BorderPane)、Label和Button,如下所示(文件名为“sample.fxml”):
```xml
<?xml version="1.0" encoding="UTF-8"?>
<?import javafx.scene.layout.BorderPane?>
<?import javafx.scene.control.Label?>
<?import javafx.scene.control.Button?>
<BorderPane fx:id="rootPane" xmlns:fx="http://javafx.com/fxml/1" prefHeight="400.0" prefWidth="600.0">
<center>
<Label fx:id="label" text="Hello World!" />
</center>
<bottom>
<Button fx:id="button" text="Click Me!" />
</bottom>
</BorderPane>
```
然后,在controller类中获取根布局容器(BorderPane)、Label和Button的引用,并为按钮设置点击事件,如下所示(文件名为“Controller.java”):
```java
import javafx.fxml.FXML;
import javafx.scene.control.Button;
import javafx.scene.control.Label;
import javafx.scene.layout.BorderPane;
public class Controller {
@FXML
private BorderPane rootPane;
@FXML
private Label label;
@FXML
private Button button;
@FXML
private void initialize() {
button.setOnAction(event -> {
label.setText("Button Clicked!");
});
}
}
```
需要注意的是,为了让controller类能够正确地与FXML文件进行关联,你需要在FXML文件中为根元素添加fx:controller属性,并指定controller类的全限定名,例如:
```xml
<BorderPane fx:id="rootPane" xmlns:fx="http://javafx.com/fxml/1" fx:controller="com.example.Controller" prefHeight="400.0" prefWidth="600.0">
```
这样,当你运行该应用程序并点击按钮时,Label中的文本就会改变为“Button Clicked!”。
阅读全文