如何保持comboBox中的项目在javafx中重复?

时间:2015-04-03 05:44:15

标签: java combobox javafx

我制作了一个可编辑的组合框.....当你输入内容时,无论你键入什么,都会进入列表的底部。我遇到的问题是,当我点击已经在组合框中的东西时它不仅被选中它还会再次添加到组合框中作为新条目创建“复制”任何想法如何我可以防止?这就是我所拥有的。

import javafx.scene.*;
import javafx.scene.control.*;
import javafx.scene.layout.GridPane;
import javafx.geometry.*;
import javafx.stage.*;
import javafx.application.Application;
import javafx.collections.FXCollections;
import javafx.collections.ObservableList;

public class ComboBoxProblem extends Application {

Scene scene1;

ObservableList<String> randomStrings;





 public void start(Stage primaryStage)throws Exception{
    primaryStage.setTitle("ComboBox Problem!");
    primaryStage.setResizable(false);
    primaryStage.sizeToScene();

    GridPane gridPane = new GridPane();

    scene1 = new Scene(gridPane);

    ComboBox<String> box1 = new ComboBox<String>();

    randomStrings = FXCollections.observableArrayList(
            "Cool","Dude","BRO!","Weirdo","IDK"

   );   



   box1.setItems(randomStrings);

   box1.setEditable(true);

   box1.setValue(null);
   box1.setOnAction(event -> {
      String value =

       box1.valueProperty().getValue();


       if( value != String.valueOf(randomStrings)){


           randomStrings.addAll(box1.valueProperty().getValue());
           box1.setValue(null);
       }


   });
   gridPane.setAlignment(Pos.CENTER);
   gridPane.setConstraints(box1,0,0);



   gridPane.getChildren().addAll(box1);


   primaryStage.setScene(scene1);
   primaryStage.show();

  }




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

  }

  }

2 个答案:

答案 0 :(得分:1)

只需在按钮的操作上添加另一个条件,即检查字符串是否已存在于项目列表中。如果没有,请添加它。

!box1.getItems().contains(value)

将条件添加到以下声明中。

if (!value.equals(String.valueOf(randomStrings)) &&
                                  !box1.getItems().contains(value)){
    randomStrings.addAll(value);
    box1.setValue(null);
}

正如@uluk正确指出的那样,您比较字符串的方式不正确,您必须使用equals代替!=

答案 1 :(得分:0)

将字符串值与!===运算符进行比较是错误的。

value != String.valueOf(randomStrings)  // Incorrect
value.equals(String.valueOf(randomStrings)) // Correct but not logical in your use case

您可以检查输入值,然后将其添加到组合框的项目中:

box1.setOnAction( event ->
{
    if ( box1.getValue() != null && !box1.getValue().trim().isEmpty() )
    {
        String value = box1.getValue().trim();
        if ( !randomStrings.contains( value ) )
        {
            randomStrings.add( value );
            box1.setValue( null );
        }
    }
} );