我正在尝试将字符串从一个屏幕移动到另一个屏幕。
一旦程序启动,我就会创建一个带有按钮的屏幕。
单击此按钮,我将创建一个带有textField和按钮的新屏幕。
我希望程序在用户单击第二个按钮后返回用户在文本字段中所写的内容。
我试着把它放在lambda的第二个按钮里,但不起作用
( e -> {
String name= ConfirmBox.register();
return name;
});
我注意到的第二件事是,在我的第一个按钮actionListener
button.setOnAction(e -> {
String string= ConfirmBox.register();
System.out.print(string);
});
我按下第一个按钮后,输出为空。我猜这是因为返回太快了,但我如何放慢速度,以便在用户按下按钮后获得正确的返回?
public static void main(String[] args) {
launch(args);
}
@Override
public void start(Stage primaryStage) throws Exception {
window = primaryStage;
window.setTitle("titel");
button = new Button("button");
button.setOnAction(e -> {
String string= ConfirmBox.register();
System.out.print(string);
});
}
public class ConfirmBox {
static String save;
public static String register() {
Stage window = new Stage();
window.initModality(Modality.APPLICATION_MODAL);
window.setTitle("title");
Label label = new Label("enter tekst");
TextField tekstField = new TextField();
Button button = new Button("ok");
button.setOnAction(e->
{
/*
String name= ConfirmBox.register();
return name;
*/
save = tekstField.getText();
window.close();
});
GridPane layout = new GridPane();
GridPane.setConstraints(label, 0, 0);
GridPane.setConstraints(tekstField, 0, 1);
GridPane.setConstraints(button, 0, 2);
layout.getChildren().addAll(label, tekstField, button);
Scene scene = new Scene (layout, 300, 250);
window.setScene(scene);
window.show();
return save;
}
}
您认为return
语句基本上是立即执行的,因此在用户按下按钮之前,会设置String save
。
使用window.showAndWait()
而不是window.show()
,它将阻止执行,直到窗口关闭,从而达到所需的结果。请注意,在这一点上没有真正的理由为此设置变量,您可以在文本字段中查找值:
public class ConfirmBox {
public static String register() {
Stage window = new Stage();
window.initModality(Modality.APPLICATION_MODAL);
window.setTitle("title");
Label label = new Label("enter tekst");
TextField tekstField = new TextField();
Button button = new Button("ok");
button.setOnAction(e -> window.close());
GridPane layout = new GridPane();
GridPane.setConstraints(label, 0, 0);
GridPane.setConstraints(tekstField, 0, 1);
GridPane.setConstraints(button, 0, 2);
layout.getChildren().addAll(label, tekstField, button);
Scene scene = new Scene (layout, 300, 250);
window.setScene(scene);
//window.show();
window.showAndWait();
return tekstField.getText();
}
}
值得一提的是,你在某种程度上重新发明了轮子。查看TextInputDialog
类以及相关的类,如Dialog
和Alert
。