4

在我的 FXML 中,我创建了一个网格窗格。现在我想通过 java 代码(而不是通过 FXML)添加动态元素(如按钮、文本字段),而我正在尝试这样做,但我遇到了错误。请帮忙。

我的 FXML:

    <AnchorPane fx:controller="tableview.TableViewSample" id="AnchorPane" maxHeight="-     Infinity" maxWidth="-Infinity" minHeight="-Infinity" minWidth="-Infinity" prefHeight="400.0" prefWidth="600.0" xmlns:fx="http://javafx.com/fxml">
  <children>
    <GridPane fx:id="greadpane" layoutX="0.0" layoutY="0.0" prefHeight="400.0" prefWidth="600.0">
      <columnConstraints>
        <ColumnConstraints fx:id="col0" hgrow="SOMETIMES" minWidth="10.0" prefWidth="100.0" />
        <ColumnConstraints hgrow="SOMETIMES" minWidth="10.0" prefWidth="100.0" />
      </columnConstraints>
      <rowConstraints>
        <RowConstraints  fx:id="row0" minHeight="10.0" prefHeight="30.0" vgrow="SOMETIMES" />
        <RowConstraints minHeight="10.0" prefHeight="30.0" vgrow="SOMETIMES" />
        <RowConstraints minHeight="10.0" prefHeight="30.0" vgrow="SOMETIMES" />
      </rowConstraints>
    </GridPane>
  </children>
    </AnchorPane> 

我的 Java 代码:

    public class TableViewSample extends Application {

    @FXML private GridPane greadpane;
  public static void main(String[] args) {
        launch(args);
    }

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

        Pane myPane = (Pane)FXMLLoader.load(getClass().getResource
                ("tabviewexamlpe.fxml"));
        Scene scene = new Scene(myPane);
        stage.setTitle("Table View ");
        stage.setWidth(450);
        stage.setHeight(500);
        stage.setScene(scene);       

        final Label label = new Label("Address Book");
        label.setFont(new Font("Arial", 20));
        greadpane.add(label, 0, 0);
        stage.show();
}
}
4

2 回答 2

13

您会得到一个空指针,因为您尝试在 stage.show() 之前执行操作,因此 fxml 尚未初始化。不要做肮脏的事情,把你的 greadPane.add 放在一个单独的控制器上

public class Controller implements Initializable {

    @FXML
    private GridPane greadpane;

    @Override
    public void initialize(URL url, ResourceBundle resourceBundle) {
        final Label label = new Label("Address Book");
        label.setFont(new Font("Arial", 20));
        greadpane.add(label, 0, 0);
    }
}

并将您的 fxml 分配给此控制器。会好的

于 2013-06-23T15:27:31.167 回答
0

我遇到了同样的问题并使用了 Agonist_ 建议,但是我没有将 gridPane 分离到一个新的控制器中,而是创建了一个在 10 毫秒后运行的线程来执行等待 stage.show() 的代码。

public GameController(Game game) {
    game.addObserver(this);
    new Thread() {
        @Override
        public void run() {
            try {
                Thread.sleep(10);
                Platform.runLater(() -> {
                    game.startBeginnerRound();
                });
            } catch (InterruptedException ex) {
                Logger.getLogger(GameController.class.getName()).log(Level.SEVERE, null, ex);
            }
        }
    }.start();
}

在这个例子中,当 observable 通知它时 gridPane 被更新,在这种情况下,当 game.startBeginnerRound() 被执行时。

于 2018-01-01T13:23:20.467 回答