我想使用标准的JavaFX Alert
类作为确认对话框,其中包含“不要再问”的复选框。这是可能的,还是我必须从头开始创建自定义Dialog
?
我尝试使用DialogPane.setExpandableContent()
方法,但这不是我想要的 - 这会在按钮栏中添加一个隐藏/显示按钮,复选框会出现在对话框的主体中,而我想要复选框显示在按钮栏中。
答案 0 :(得分:8)
是的,有可能,只需要一点点工作。您可以覆盖DialogPane.createDetailsButton()
以返回所需的任何节点,而不是隐藏/显示按钮。诀窍是你需要在那之后重建Alert
,因为你将摆脱Alert
创建的标准内容。您还需要欺骗DialogPane
以认为有扩展内容,以便显示您的复选框。以下是使用选择退出复选框创建Alert
的工厂方法示例。复选框的文本和操作是可自定义的。
public static Alert createAlertWithOptOut(AlertType type, String title, String headerText,
String message, String optOutMessage, Consumer<Boolean> optOutAction,
ButtonType... buttonTypes) {
Alert alert = new Alert(type);
// Need to force the alert to layout in order to grab the graphic,
// as we are replacing the dialog pane with a custom pane
alert.getDialogPane().applyCss();
Node graphic = alert.getDialogPane().getGraphic();
// Create a new dialog pane that has a checkbox instead of the hide/show details button
// Use the supplied callback for the action of the checkbox
alert.setDialogPane(new DialogPane() {
@Override
protected Node createDetailsButton() {
CheckBox optOut = new CheckBox();
optOut.setText(optOutMessage);
optOut.setOnAction(e -> optOutAction.accept(optOut.isSelected()));
return optOut;
}
});
alert.getDialogPane().getButtonTypes().addAll(buttonTypes);
alert.getDialogPane().setContentText(message);
// Fool the dialog into thinking there is some expandable content
// a Group won't take up any space if it has no children
alert.getDialogPane().setExpandableContent(new Group());
alert.getDialogPane().setExpanded(true);
// Reset the dialog graphic using the default style
alert.getDialogPane().setGraphic(graphic);
alert.setTitle(title);
alert.setHeaderText(headerText);
return alert;
}
这是一个使用工厂方法的示例,其中prefs
是一些保存用户选择的首选项存储
Alert alert = createAlertWithOptOut(AlertType.CONFIRMATION, "Exit", null,
"Are you sure you wish to exit?", "Do not ask again",
param -> prefs.put(KEY_AUTO_EXIT, param ? "Always" : "Never"), ButtonType.YES, ButtonType.NO);
if (alert.showAndWait().filter(t -> t == ButtonType.YES).isPresent()) {
System.exit();
}
这是对话框的样子: