1

我有一些 bean 类型(产品)的列表,我需要从我的列表中找到重复的产品,假设我的 bean 产品包含像这样的 getter 和 setter

public class Product {
 private int id;
 private String name;
 private BigDecimal cost;
 private int uniqueAssignedId;

 public Product(int id, String name, BigDecimal cost, int uniqueAssignedId) {
  this.id = id.....
 }

 public int getId() {
  return this.id;
 }

//The rest of getters and setters.

我正在尝试将此列表放入地图中以查找重复的“id”值,但它没有像我预期的那样工作,问题是我的列表是已售产品的列表(抱歉冗余)所以每个售出product 具有唯一的 uniqueAssignedId 因此对象总是不同的,假设我的列表填充如下:

listProducts.add(5, "Soda", 1.00, 1);
listProducts.add(3,"Phone", 300.00, 2);
listProducts.add(4, "Cofee", 5.00, 3);
listProducts.add(5, "Soda", 1.00, 4);
listProducts.add(4, "Cofee", 5.00, 5);
listProducts.add(5, "Soda", 1.00, 6);

(我知道我必须创建一个对象 Product product = new Product() 并用 setter 填充它,然后将对象添加到我的列表中,但这更简单)

到目前为止,我已经尝试过:

Set<Product> uniqueId = new HashSet<Product>(listProducts);
        for (Product product : uniqueId) {
            System.out.println("The product with id "+product.getId+" was repeated: "
                    + Collections.frequency(listProducts, product.getId));
        }

但它总是迭代 6 次而不是 3 次(3 是我销售的不同产品的数量)。那么我怎样才能让 Hashset 只得到不同的 id 呢?我应该使用地图吗?任何线索将不胜感激。

4

2 回答 2

0

您可以使用Comparable 接口或 Comparator对列表进行排序。

Java 中的 Comparator 比较提供的两个对象,而 Comparable 接口将“this”引用与指定的对象进行比较。

Java中的Comparable用于实现对象的自然排序。在 Java API String 中,Date 和包装类实现了 Comparable 接口。

它将根据计数返回一个排序列表。可以使用简单的编程进行排序并从中检索计数。

请参阅Comparable 接口 Comparator。看看这里的例子。

于 2013-08-16T04:47:00.933 回答
0
  public class ProductComparator implements Comparator<Product>
  {
     public int compare(Product p1, Product p2)
     {
          return p1.id-p2.id;
     }
  }


  ArrayList<Product> listProducts = new ArrayList<Product>();
  listProducts.add(new Product(5, "Soda", 1.00, 1));
  listProducts.add(new Product(3,"Phone", 300.00, 2));
  listProducts.add(new Product(4, "Cofee", 5.00, 3));
  listProducts.add(new Product(5, "Soda", 1.00, 4));
  listProducts.add(new Product(4, "Cofee", 5.00, 5));
  listProducts.add(new Product(5, "Soda", 1.00, 6));
  System.out.println(listProducts.size()); // Total records 

  TreeSet<Product> products = new TreeSet<Product>(new ProductComparator());
  products.addAll(listProducts);                
  ArrayList<Product> duplicate = new ArrayList<Product>();
  duplicate.addAll(products);
  listProducts.removeAll(duplicate);
  System.out.println(products.size()); // Now no duplicates in this set. 
  System.out.println(listProducts.size()); // Now only duplicate in this list
于 2013-08-15T16:25:53.513 回答