自jdk 8u40以来,我正在使用新的javafx.scene.control.Alert
API来显示确认对话框。在下面的示例中,默认情况下“是”按钮而不是“否”按钮:
public boolean showConfirmDialog(String title, String header, String content, AlertType alertType) {
final Alert alert = new Alert(alertType);
alert.setTitle(title);
alert.setHeaderText(header);
alert.setContentText(content);
alert.getButtonTypes().clear();
alert.getButtonTypes().addAll(ButtonType.YES, ButtonType.NO);
final Optional<ButtonType> result = alert.showAndWait();
return result.get() == ButtonType.YES;
}
我不知道如何改变它。
编辑:
此处显示默认情况下“是”按钮的结果屏幕截图:
答案 0 :(得分:16)
我不确定以下是否通常这样做,但您可以通过查找按钮并自行设置默认行为来更改默认按钮:
public boolean showConfirmDialog(String title, String header, String content, AlertType alertType) {
final Alert alert = new Alert(alertType);
alert.setTitle(title);
alert.setHeaderText(header);
alert.setContentText(content);
alert.getButtonTypes().clear();
alert.getButtonTypes().addAll(ButtonType.YES, ButtonType.NO);
//Deactivate Defaultbehavior for yes-Button:
Button yesButton = (Button) alert.getDialogPane().lookupButton( ButtonType.YES );
yesButton.setDefaultButton( false );
//Activate Defaultbehavior for no-Button:
Button noButton = (Button) alert.getDialogPane().lookupButton( ButtonType.NO );
noButton.setDefaultButton( true );
final Optional<ButtonType> result = alert.showAndWait();
return result.get() == ButtonType.YES;
}
答案 1 :(得分:5)
由于crusam的一个简单的功能:
private static Alert setDefaultButton ( Alert alert, ButtonType defBtn ) {
DialogPane pane = alert.getDialogPane();
for ( ButtonType t : alert.getButtonTypes() )
( (Button) pane.lookupButton(t) ).setDefaultButton( t == defBtn );
return alert;
}
用法:
final Alert alert = new Alert(
AlertType.CONFIRMATION, "You sure?", ButtonType.YES, ButtonType.NO );
if ( setDefaultButton( alert, ButtonType.NO ).showAndWait()
.orElse( ButtonType.NO ) == ButtonType.YES ) {
// User selected the non-default yes button
}
答案 2 :(得分:3)
如果查看(私有)ButtonBarSkin
类,有一个名为doButtonOrderLayout()
的方法,它根据某些默认的OS行为执行按钮的布局。
在其中,您可以阅读:
/ *现在已经放置了所有按钮,我们需要确保对焦 设置正确的按钮。 [...]如果是这样,我们请求关注此默认值 按钮。 * /
由于ButtonType.YES
是默认按钮,因此它将成为焦点。
所以@ymene答案是正确的:您可以更改默认行为,然后专注的行为将是NO
。
或者您可以通过在BUTTON_ORDER_NONE
中设置buttonOrderProperty()
来避免使用该方法。现在第一个按钮将具有焦点,因此您需要先放置NO
按钮。
alert.getButtonTypes().setAll(ButtonType.NO, ButtonType.YES);
ButtonBar buttonBar=(ButtonBar)alert.getDialogPane().lookup(".button-bar");
buttonBar.setButtonOrder(ButtonBar.BUTTON_ORDER_NONE);
请注意,YES
仍然具有默认行为:这意味着可以使用空格键(聚焦按钮)选择NO
,如果按Enter键将选择YES
(默认按钮)。
或者您也可以更改@crusam回答后的默认行为。