- Java 双重比较
- java - 比较器与 Apache BeanComparator
- Objective-C 完成 block 导致额外的方法调用?
- database - RESTful URI 是否应该公开数据库主键?
我正在开发一个 JAVAFX
应用程序。在我的应用程序中,单击一个按钮后,它会打开一个窗口,其中有一个 TableView
以及一个 Apply
和 Save
按钮。单击 Apply
按钮时,它将保留 TableView
的当前状态(以防我们添加/删除表行并单击应用并重新打开之前更新的表TableView
应显示)。 Save
按钮用于将表格记录保存到数据库中。假设表中有两行(来自数据库),如果我添加第 3 行并单击 Apply
,我的 TableView
窗口将关闭。如果我重新打开表格,第三行将不存在。
如何保留之前添加的第三行,而不将其插入数据库?
最佳答案
您可以尝试将 TableView
的项目(或者可选地只存储 TableView
的添加项目的列表)作为打开窗口。
我创建了一个示例:
应用程序 TableViewSample
可用于打开第二个窗口。此应用程序存储 TablePopUp
的实例,该类可以显示第二个模态 Stage
,同时维护一个“缓冲区” - Person
列表(数据模型显示在 TableView
) 对象上,添加到 TableView
并“应用”但尚未存储在数据库中。
public class TableViewSample extends Application {
// Stores the state of the TableView and opens the second window
TablePopUp popUp = new TablePopUp();
public static void main(String[] args) {
launch(args);
}
@Override
public void start(Stage stage) {
Scene scene = new Scene(new BorderPane());
stage.setTitle("Table View Sample");
stage.setWidth(450);
stage.setHeight(550);
BorderPane root = (BorderPane) scene.getRoot();
Button button = new Button("Open window");
button.setOnAction((e) -> popUp.showTable());
root.setCenter(button);
stage.setScene(scene);
stage.show();
}
class TablePopUp {
// Stores the Person object which were added and applied but not stored
// in DB
ObservableList<Person> bufferAdd = FXCollections.observableArrayList();
// Simulate the items coming from the DV
private ObservableList<Person> dataFromDB = FXCollections.observableArrayList(
new Person("Jacob", "Smith", "jacob.smith@example.com"),
new Person("Isabella", "Johnson", "isabella.johnson@example.com"),
new Person("Ethan", "Williams", "ethan.williams@example.com"),
new Person("Emma", "Jones", "emma.jones@example.com"),
new Person("Michael", "Brown", "michael.brown@example.com"));
void showTable() {
// Temporary buffer for the added Persion objects
ObservableList<Person> tempBuffer = FXCollections.observableArrayList();
// Temporary buffer to store persons to be deleted on apply
ObservableList<Person> bufferRemoveFromBuffer = FXCollections.observableArrayList();
// Data what the TableView displays
ObservableList<Person> tableData = FXCollections.observableArrayList();
// Stores the person objects that will be removed from the DB if Save is pressed
ObservableList<Person> bufferRemoveFromDB = FXCollections.observableArrayList();
// The Table displays elements from the DB + the applied buffer
tableData.addAll(dataFromDB);
tableData.addAll(bufferAdd);
// Create the table
TableView<Person> table = new TableView<Person>();
table.setItems(tableData);
Scene scene = new Scene(new BorderPane());
final Label label = new Label("Address Book");
label.setFont(new Font("Arial", 20));
TableColumn firstNameCol = new TableColumn("First Name");
firstNameCol.setMinWidth(100);
firstNameCol.setCellValueFactory(new PropertyValueFactory<Person, String>("firstName"));
TableColumn lastNameCol = new TableColumn("Last Name");
lastNameCol.setMinWidth(100);
lastNameCol.setCellValueFactory(new PropertyValueFactory<Person, String>("lastName"));
TableColumn emailCol = new TableColumn("Email");
emailCol.setMinWidth(200);
emailCol.setCellValueFactory(new PropertyValueFactory<Person, String>("email"));
table.getColumns().addAll(firstNameCol, lastNameCol, emailCol);
TextField addFirstName = new TextField();
addFirstName.setPromptText("First Name");
addFirstName.setMaxWidth(firstNameCol.getPrefWidth());
TextField addLastName = new TextField();
addLastName.setMaxWidth(lastNameCol.getPrefWidth());
addLastName.setPromptText("Last Name");
TextField addEmail = new TextField();
addEmail.setMaxWidth(emailCol.getPrefWidth());
addEmail.setPromptText("Email");
// Button to add a new Person
Button addButton = new Button("Add");
addButton.setOnAction(new EventHandler<ActionEvent>() {
@Override
public void handle(ActionEvent e) {
Person newPerson = new Person(addFirstName.getText(), addLastName.getText(), addEmail.getText());
// Add a new element to the temporary buffer and add it to
// the table data also
tempBuffer.add(newPerson);
tableData.add(newPerson);
addFirstName.clear();
addLastName.clear();
addEmail.clear();
}
});
// Button to remove a Person
Button removeButton = new Button("Remove");
removeButton.setOnAction(new EventHandler<ActionEvent>() {
@Override
public void handle(ActionEvent e) {
Person selectedItem = table.getSelectionModel().getSelectedItem();
if(selectedItem != null) {
// Remove the item from the list of the displayed persons
tableData.remove(selectedItem);
// Check the buffers: if one of the buffer contains the selected item, remove it from the buffer
if(tempBuffer.contains(selectedItem))
tempBuffer.remove(selectedItem);
else if(bufferAdd.contains(selectedItem))
bufferRemoveFromBuffer.add(selectedItem);
else {
// The item is not in the buffers -> remove the item from the DB
bufferRemoveFromDB.add(selectedItem);
}
}
}
});
HBox hb = new HBox();
hb.getChildren().addAll(addFirstName, addLastName, addEmail, addButton, removeButton);
hb.setSpacing(3);
VBox vbox = new VBox();
vbox.setSpacing(5);
vbox.setPadding(new Insets(10, 0, 0, 10));
vbox.getChildren().addAll(label, table, hb);
BorderPane root = (BorderPane) scene.getRoot();
root.setCenter(vbox);
Stage stage = new Stage();
HBox applySave = new HBox();
// On Save:
// Remove all elements from the buffer that were selected to be deleted
// Remove all elements from the BD that were selected to be deleted
// Add all the elements from the persistent buffer to the DB
// Add all the elements from the temporary buffer to the DB
// Clear both buffers
Button saveButton = new Button("Save to DB");
saveButton.setOnAction((e) -> {
bufferAdd.removeAll(bufferRemoveFromBuffer);
dataFromDB.removeAll(bufferRemoveFromDB);
dataFromDB.addAll(bufferAdd);
dataFromDB.addAll(tempBuffer);
bufferAdd.clear();
stage.close();
});
// On Apply:
// Add elements from the temporary buffer to the persistent buffer
// Remove elements from the buffer
Button applyButton = new Button("Apply");
applyButton.setOnAction((e) -> {
bufferAdd.addAll(tempBuffer);
bufferAdd.removeAll(bufferRemoveFromBuffer);
stage.close();
});
applySave.getChildren().addAll(saveButton, applyButton);
root.setBottom(applySave);
stage.initModality(Modality.APPLICATION_MODAL);
stage.setScene(scene);
stage.show();
}
}
public static class Person {
private final SimpleStringProperty firstName;
private final SimpleStringProperty lastName;
private final SimpleStringProperty email;
private Person(String fName, String lName, String email) {
this.firstName = new SimpleStringProperty(fName);
this.lastName = new SimpleStringProperty(lName);
this.email = new SimpleStringProperty(email);
}
public String getFirstName() {
return firstName.get();
}
public void setFirstName(String fName) {
firstName.set(fName);
}
public String getLastName() {
return lastName.get();
}
public void setLastName(String fName) {
lastName.set(fName);
}
public String getEmail() {
return email.get();
}
public void setEmail(String fName) {
email.set(fName);
}
}
}
TablePopUp
类实际上有两个缓冲区:一个是临时缓冲区,用于存储添加的元素,另一个是持久缓冲区,它保存在不同的窗口开口之间。如果按下“应用”按钮,临时缓冲区将存储在持久缓冲区中。如果按下“保存”按钮,两个缓冲区都将存储在数据库中,然后它们将被清除。
在示例中,删除操作也被缓冲。删除时会发现,选择要删除的 Person
对象是否来自数据库。如果它来自数据库,它会被放入一个缓冲区,并且只有在按下保存按钮时才会从数据库中删除。相同的工作流程对已添加但尚未放入数据库的人员有效:删除时,如果按下应用按钮,他们只会被删除。
关于JavaFX 如何保存 TableView 的状态,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/38345317/
我尝试根据表单元素的更改禁用/启用保存按钮。但是,当通过弹出按钮选择更改隐藏输入字段值时,保存按钮不受影响。 下面是我的代码。我正在尝试序列化旧的表单值并与更改后的表单值进行比较。但我猜隐藏的字段值无
我正在尝试保存模型的实例,但我得到了 Invalid EmbeddedDocumentField item (1) 其中 1 是项目的 ID(我认为)。 模型定义为 class Graph(Docum
我有一个非常奇怪的问题......在我的 iPhone 应用程序中,用户可以打开相机胶卷中的图像,在我的示例中 1920 x 1080 像素 (72 dpi) 的壁纸。 现在,想要将图像的宽度调整为例
目前,我正在使用具有排序/过滤功能的数据表成功地从我的数据库中显示图像元数据。在我的数据表下方,我使用第三方图像覆盖流( http://www.jacksasylum.eu/ContentFlow/
我的脚本有问题。我想按此顺序执行以下步骤: 1. 保存输入字段中的文本。 2. 删除输入字段中的所有文本。 3. 在输入字段中重新加载之前删除的相同文本。 我的脚本的问题是 ug()- 函数在我的文本
任何人都可以帮助我如何保存多对多关系吗?我有任务,用户可以有很多任务,任务可以有很多用户(多对多),我想要实现的是,在更新表单中,管理员可以将多个用户分配给特定任务。这是通过 html 多选输入来完成
我在 Tensorflow 中训练了一个具有批归一化的模型。我想保存模型并恢复它以供进一步使用。批量归一化是通过 完成的 def batch_norm(input, phase): retur
我遇到了 grails 的问题。我有一个看起来像这样的域: class Book { static belongsTo = Author String toString() { tit
所以我正在开发一个应用程序,一旦用户连接(通过 soundcloud),就会出现以下对象: {userid: userid, username: username, genre: genre, fol
我正在开发一个具有多选项卡布局的 Angular 7 应用程序。每个选项卡都包含一个组件,该组件可以引用其他嵌套组件。 当用户选择一个新的/另一个选项卡时,当前选项卡上显示的组件将被销毁(我不仅仅是隐
我尝试使用 JEditorPane 进行一些简单的文本格式化,但随着知识的增长,我发现 JTextPane 更容易实现并且更强大。 我的问题是如何将 JTextPane 中的格式化文本保存到文件?它应
使用 Docker 相当新。 我为 Oracle 11g Full 提取了一个图像。创建了一个数据库并将应用程序安装到容器中。 正确配置后,我提交了生成 15GB 镜像的容器。 测试了该图像的新容器,
我是使用 Xcode 和 swift 的新手,仍在学习中。我在将核心数据从实体传递到文本字段/标签时遇到问题,然后用户可以选择编辑和保存记录。我的目标是,当用户从 friendslistViewCon
我正在用 Java 编写 Android 游戏,我需要一种可靠的方法来快速保存和加载应用程序状态。这个问题似乎适用于大多数 OO 语言。 了解我需要保存的内容:我正在使用策略模式来控制我的游戏实体。我
我想知道使用 fstream 加载/保存某种结构类型的数组是否是个好主意。注意,我说的是加载/保存到二进制文件。我应该加载/保存独立变量,例如 int、float、boolean 而不是结构吗?我这么
我希望能够将 QNetworkReply 保存到 QString/QByteArray。在我看到的示例中,它们总是将流保存到另一个文件。 目前我的代码看起来像这样,我从主机那里得到一个字符串,我想做的
我正在创建一个绘图应用程序。我有一个带有 Canvas 的自定义 View ,它根据用户输入绘制线条: class Line { float startX, startY, stopX, stop
我有 3 个 Activity 第一个 Activity 调用第二个 Activity ,第二个 Activity 调用第三个 Activity 。 第二个 Activity 使用第一个 Activi
我想知道如何在 Xcode 中保存 cookie。我想使用从一个网页获取的 cookie 并使用它访问另一个网页。我使用下面的代码登录该网站,我想保存从该连接获得的 cookie,以便在我建立另一个连
我有一个 SQLite 数据库存储我的所有日历事件,建模如下: TimerEvent *Attributes -date -dateForMark -reminder *Relat
我是一名优秀的程序员,十分优秀!