Commons Collections 简明教程
Apache Commons Collections - Bag Interface
添加了新接口来支持包。包定义了一个集合,它会计算对象在集合中出现的次数。例如,如果一个包包含 {a, a, b, c},那么 getCount("a") 将返回 2,而 uniqueSet() 将返回唯一值。
Interface Declaration
以下是 org.apache.commons.collections4.Bag<E> 接口的声明:
public interface Bag<E>
extends Collection<E>
Methods
包推理的方法如下:
Sr.No. |
Method & Description |
1 |
boolean add(E object) (Violation)向包中添加指定对象的副本。 |
2 |
boolean add(E object, int nCopies) 向包中添加 nCopies 份指定对象的副本。 |
3 |
boolean containsAll(Collection<?> coll) (Violation)如果包包含给定集合中的所有元素并且不改变基本数,则返回 true。 |
4 |
int getCount(Object object) 返回包中给定对象的当前出现的次数(基数)。 |
5 |
Iterator<E> iterator() 返回一个迭代器,遍历成员的整个集合,包括由于基数而产生的副本。 |
6 |
boolean remove(Object object) (违规)从包中移除给定对象的所出现的所有情况。 |
7 |
boolean remove(Object object, int nCopies) 从包中移除指定对象的 nCopies 副本。 |
8 |
boolean removeAll(Collection<?> coll) (违规)移除给定集合中表示的所有元素,并遵循基数规则。 |
9 |
boolean retainAll(Collection<?> coll) (违规)移除包中不在给定集合中的所有成员,并且遵循基数规则。 |
10 |
int size() 返回包中所有类型中项目的总数。 |
11 |
Set<E> uniqueSet() 返回包中唯一元素的集合。 |
Example of Bag Interface
BagTester.java 的一个示例如下:
import org.apache.commons.collections4.Bag;
import org.apache.commons.collections4.bag.HashBag;
public class BagTester {
public static void main(String[] args) {
Bag<String> bag = new HashBag<>();
//add "a" two times to the bag.
bag.add("a" , 2);
//add "b" one time to the bag.
bag.add("b");
//add "c" one time to the bag.
bag.add("c");
//add "d" three times to the bag.
bag.add("d",3
//get the count of "d" present in bag.
System.out.println("d is present " + bag.getCount("d") + " times.");
System.out.println("bag: " +bag);
//get the set of unique values from the bag
System.out.println("Unique Set: " +bag.uniqueSet());
//remove 2 occurrences of "d" from the bag
bag.remove("d",2);
System.out.println("2 occurences of d removed from bag: " +bag);
System.out.println("d is present " + bag.getCount("d") + " times.");
System.out.println("bag: " +bag);
System.out.println("Unique Set: " +bag.uniqueSet());
}
}