如果我创建一个类,例如MyContainer并将Label作为字段并将其设置为静态,然后创建两个MyContainer实例并将其添加到我的整个场景中。
我想如果在创建MyContainer的两个实例之后,我通过公共方法更新了Label的文本,它会为两个标签更新它,但它的行为不是这样的。
我也不知道FX如何处理静态控件(甚至是更一般意义上的节点),因为它在API中声明场景图中只能存在一个节点实例?
我在下面添加了一个示例,因为我似乎稍微改进了这个问题:
public class ApplicationLoader extends Application {
public void start(Stage stage) throws Exception {
ButtonPane bp1 = new ButtonPane();
ButtonPane bp2 = new ButtonPane();
bp1.modify(); //modifies b1 Button text of bp2?
VBox root = new VBox(20, bp1, bp2);
stage.setScene(new Scene(root));
stage.show();
}
public static void main(String[] args) {
launch(args);
}
public static class ButtonPane extends HBox {
private static Button b1; //even though b1 is static it appears to be added twice?
private static Button b2 = new Button("Button 2");
private Button b3;
public ButtonPane() {
setSpacing(10);
b1 = new Button("Button 1");
b3 = new Button("Button 3");
this.getChildren().addAll(b1, b2, b3);
}
public void modify() {
b1.setText(b1.getText() + " Modified");
}
}
}
当您将Button b2声明为静态并在声明点初始化它时,它仅出现在ButtonPanel的第二个实例中,即bp2。使用Button b1也是静态的但在构造函数中初始化它会被添加到两者中。但是,只修改了第二个实例bp2,结果如下:
答案 0 :(得分:0)
节点只能在场景图中出现一次。如果将节点引用设为静态,则该节点只有一个实例。如果您尝试将该节点添加到两个不同的父节点,则不会定义结果。最可能的行为(以及您实际尝试此操作时观察到的行为)是,如果该节点已经是一个父节点的子节点,那么当您将其添加到第二个父节点时,它将从第一个父节点中删除。
这是一个SSCCE:
import javafx.application.Application;
import javafx.event.ActionEvent;
import javafx.event.EventHandler;
import javafx.geometry.Pos;
import javafx.scene.Scene;
import javafx.scene.control.Button;
import javafx.scene.control.Label;
import javafx.scene.layout.HBox;
import javafx.scene.layout.VBox;
import javafx.stage.Stage;
public class AddLabelMultipleTimes extends Application {
@Override
public void start(Stage primaryStage) {
MyContainer myContainer1 = new MyContainer("Button 1");
MyContainer.setLabelText("Label");
MyContainer myContainer2 = new MyContainer("Button 2");
VBox root = new VBox(5, myContainer1, myContainer2);
root.setAlignment(Pos.CENTER);
Scene scene = new Scene(root, 350, 180);
primaryStage.setScene(scene);
primaryStage.show();
}
public static class MyContainer extends HBox {
private static int count = 1 ;
private static Label label = new Label();
private Button button ;
public MyContainer(String buttonText) {
button = new Button(buttonText);
button.setOnAction(e -> setLabelText("Count "+(count++)));
getChildren().addAll(label, button);
setSpacing(5);
setAlignment(Pos.CENTER);
}
public static void setLabelText(String text) {
label.setText(text);
}
}
public static void main(String[] args) {
launch(args);
}
}
在此示例中,首先将静态标签添加到myContainer1
。然后将其添加到myContainer2
。当发生这种情况时,它将从其上一个父项中删除,因此它只会出现在第二个容器中,如屏幕截图所示: