如何获取唯一类别

时间:2015-07-22 06:03:07

标签: java android arraylist unique

我有一个ArrayList,其中包含以下每条记录的详细信息,例如:NameCategory

其中,名称是食品项目名称,类别是食品项目类别

所以在 Arraylist 中我有multiple food items for相同的类别,如:

Item Name : Samosa
Item Category : Appetizer

Item Name : Cold Drink
Item Category : Drinks

Item Name : Fruit Juice
Item Category : Drinks

现在我只想获得唯一类别的名称

这是我的代码:

Checkout checkOut = new Checkout();
checkOut.setName(strName);
checkOut.setCategory(strCategory);

checkOutArrayList.add(checkOut);

1 个答案:

答案 0 :(得分:5)

您可以将类别收集到Set。在这种情况下使用s TreeSet有一个很好的奖励,因为它也会按字母顺序对类别进行排序,这可能适合需要显示它们的GUI。

Set<String> uniqueCategories = new TreeSet<>();

// Accumulate the unique categories
// Note that Set.add will do nothing if the item is already contained in the Set.
for(Checkout c : checkOutArrayList) {
    uniqueCategories.add(c.getCategory());
}

// Print them all out (just an example)
for (String category : uniqueCategories) {
    System.out.println(category);
}

编辑:
如果您使用的是Java 8,则可以使用流式语法:

Set<String> uniqueCategories = 
    checkOutArrayList.stream()
                     .map(Checkout::getCategory)
                     .collect(Collectors.toSet());

或者,如果您想将其收集到TreeSet并将结果从蝙蝠中分类出来:

Set<String> uniqueCategories = 
    checkOutArrayList.stream()
                     .map(Checkout::getCategory)
                     .collect(Collectors.toCollection(TreeSet::new));