我是javafx的新手,我正在尝试创建自定义对话框/提醒。问题是我使用Scene Builder来设计GUI,我想在每次加载fxml文件时修改对话框(即更改标题,标签文本等),所以我想知道是否有一种发送参数和修改舞台/场景的方法,或者我可以实现的任何其他方式。
更具体地说,让我们说我想在程序中的任何地方处理错误,所以我加载了一个新的fxml文件,代表我创建的错误对话框,我修改了组件在它里面,取决于我需要处理的错误类型,类似于例如,摆动中的JOptionPane.showMessageDialog(...)。
答案 0 :(得分:3)
对于您描述的用例,您可以使用Dialog
API或属于该类的专用Alert
类。
对于你提出的更普遍的问题:
我想知道是否有发送参数和更改舞台/场景的方法
执行此操作的方法是使用文档中描述的custom component机制。
简而言之,创建一个您需要的UI类型的子类来加载FXML文件,并定义您需要的属性,例如。
public class ExceptionPane extends BorderPane {
private final ObjectProperty<Exception> exception ;
public ObjectProperty<Exception> exceptionProperty() {
return exception ;
}
public final Exception getException() {
return exceptionProperty().get();
}
public final void setException(Exception exception) {
exceptionProperty().set(exception);
}
@FXML
private final TextArea stackTrace ;
@FXML
private final Label message ;
public ExceptionPane() throws Exception {
FXMLLoader loader = new FXMLLoader(getClass().getResource("path/to/fxml"));
loader.setRoot(this);
loader.setController(this);
loader.load();
exception.addListener((obs, oldException, newException) -> {
if (newException == null) {
message.setText(null);
stackTrace.setText(null);
} else {
message.setText(newException.getMessage());
StringWriter sw = new StringWriter();
newException.printStackTrace(new PrintWriter(sw));
stackTrace.setText(sw.toString());
}
});
}
}
然后使用"dynamic root":
定义FXML<!-- imports etc -->
<fx:root type="BorderPane" ...>
<center>
<TextArea fx:id="stackTrace" editable="false" wrapText="false" />
</center>
<top>
<Label fx:id="message" />
</top>
</fx:root>
现在您可以直接在Java或FXML中使用它:
try {
// some code...
} catch (Exception exc) {
ExceptionPane excPane = new ExceptionPane();
excPane.setException(exc);
Stage stage = new Stage();
stage.setScene(new Scene(excPane));
stage.show();
}
或
<fx:define fx:id="exc"><!-- define exception somehow --></fx:define>
<ExceptionPane exception="${exc}" />