我正在使用Intellij IDEA进行javafx FXML开发。我使用以下代码简单地绘制一个矩形。然而,它从未出现过。
Main.java
public class Main extends Application {
@Override
public void start(Stage primaryStage) throws Exception{
Parent root = FXMLLoader.load(getClass().getResource("sample.fxml"));
primaryStage.setTitle("Hello World");
primaryStage.setScene(new Scene(root, 600, 400));
primaryStage.show();
}
public static void main(String[] args) {
launch(args);
}
}
Controller.java
public class Controller implements Initializable {
public Mat image;
@FXML public Canvas img = new Canvas(300,300);
public GraphicsContext gc = img.getGraphicsContext2D();
@FXML private void drawCanvas(ActionEvent event) {
gc.setFill(Color.AQUA);
gc.fillRect(10,10,100,100);
}
@Override
public void initialize(URL location, ResourceBundle resources) {
gc.setFill(Color.BLACK);
System.out.println("color set to black");
gc.fillRect(50, 50, 100, 100);
System.out.println("draw rectangle");
}
}
我在Button OnAction和initialize方法中都使用了setFill()和fillRect()。但它仍然没有画出矩形。
sample.fxml
<BorderPane maxHeight="-Infinity" maxWidth="-Infinity" minHeight="-Infinity" minWidth="-Infinity" prefHeight="400.0" prefWidth="600.0" xmlns="http://javafx.com/javafx/8" xmlns:fx="http://javafx.com/fxml/1" fx:controller="sample.Controller">
<top>
<ToolBar prefHeight="40.0" prefWidth="200.0" BorderPane.alignment="CENTER">
<items>
<Button mnemonicParsing="false" onAction="#drawCanvas" text="draw" />
</items>
</ToolBar>
</top>
<bottom>
<AnchorPane prefHeight="41.0" prefWidth="600.0" BorderPane.alignment="CENTER">
<children>
<Label fx:id="co" layoutX="14.0" layoutY="9.0" text="co" />
<Label fx:id="rgb" layoutX="144.0" layoutY="13.0" text="RGB" />
<Label fx:id="zoom" layoutX="245.0" layoutY="9.0" text="zoom" />
</children>
</AnchorPane>
</bottom>
<center>
<ScrollPane fx:id="img_pane" prefHeight="200.0" prefWidth="200.0" BorderPane.alignment="CENTER">
<content>
<Canvas fx:id="img" height="286.0" width="355.0" />
</content>
</ScrollPane>
</center>
</BorderPane>
答案 0 :(得分:5)
在这个论坛上有几个这样的问题,但我找不到它们的快速搜索。
您应 从不 初始化带注释@FXML
的字段。 @FXML
的重点是在加载FXML文件的过程中初始化该字段。
因此,在您的类初始值设定项中,您创建了一个Canvas
,然后将gc
分配给其图形上下文:
@FXML public Canvas img = new Canvas(300,300);
public GraphicsContext gc = img.getGraphicsContext2D();
然后,当您加载FXML文件时,FXMLLoader
创建一个新的Canvas
,如FXML所描述,将新画布分配给字段img
,并放置新画布在场景图中(然后在舞台中显示)。但是,gc
仍然是原始Canvas
的图形上下文,您永远不会显示它。因此,gc
上的任何图形操作都将无法实现。
你需要
public class Controller implements Initializable {
@FXML private Canvas img ;
private GraphicsContext gc ;
@FXML private void drawCanvas(ActionEvent event) {
gc.setFill(Color.AQUA);
gc.fillRect(10,10,100,100);
}
@Override
public void initialize(URL location, ResourceBundle resources) {
gc = img.getGraphicsContext2D();
gc.setFill(Color.BLACK);
System.out.println("color set to black");
gc.fillRect(50, 50, 100, 100);
System.out.println("draw rectangle");
}
}