从UI添加值到组合框?

时间:2017-05-11 23:14:05

标签: java events javafx combobox jcombobox

如何在组合框中为项目添加值,以便用户可以从现有项目中选择或者“添加元素”项目来添加新项目?

private ComboBox<String> comboStructDonnees;

其次是:

comboData.getItems().addAll("TVW", "VWT", "TTVW", "VWXT", "Add item");

我不知道接下来应该创建哪个事件,如果可能的话,我希望在添加的元素上输入文本。

任何帮助将不胜感激。

1 个答案:

答案 0 :(得分:1)

您可以添加一个带有&#34;特殊值的项目&#34; (例如,空字符串)到组合框的项目列表的末尾。

使用单元工厂创建一个单元格,该单元格在显示该值时向用户显示用户友好的消息(例如,#34;添加项目...&#34;)。向单元格添加事件过滤器,如果单元格显示特殊值,则显示用于输入新值的对话框。

这是一个快速的SSCCE:

import javafx.application.Application;
import javafx.scene.Scene;
import javafx.scene.control.ComboBox;
import javafx.scene.control.ListCell;
import javafx.scene.control.TextInputDialog;
import javafx.scene.input.MouseEvent;
import javafx.scene.layout.BorderPane;
import javafx.stage.Stage;

public class AddItemToComboBox extends Application {

    @Override
    public void start(Stage primaryStage) {
        ComboBox<String> combo = new ComboBox<>();
        combo.getItems().addAll("One", "Two", "Three", "");
        combo.setCellFactory(lv -> {
            ListCell<String> cell = new ListCell<String>() {
                @Override
                protected void updateItem(String item, boolean empty) {
                    super.updateItem(item, empty);
                    if (empty) {
                        setText(null);
                    } else {
                        if (item.isEmpty()) {
                            setText("Add item...");
                        } else {
                            setText(item);
                        }
                    }
                }
            };

            cell.addEventFilter(MouseEvent.MOUSE_PRESSED, evt -> {
                if (cell.getItem().isEmpty() && ! cell.isEmpty()) {
                    TextInputDialog dialog = new TextInputDialog();
                    dialog.setContentText("Enter item");
                    dialog.showAndWait().ifPresent(text -> {
                        int index = combo.getItems().size()-1;
                        combo.getItems().add(index, text);
                        combo.getSelectionModel().select(index);
                    });
                    evt.consume();
                }
            });

            return cell ;
        });

        BorderPane root = new BorderPane();
        root.setTop(combo);
        Scene scene = new Scene(root, 400, 400);
        primaryStage.setScene(scene);
        primaryStage.show();
    }

    public static void main(String[] args) {
        launch(args);
    }
}

enter image description here enter image description here enter image description here