服务热线:13616026886

技术文档 欢迎使用技术文档,我们为你提供从新手到专业开发者的所有资源,你也可以通过它日益精进

位置:首页 > 技术文档 > JAVA > 新手入门 > JDK > 查看文档

collection类的使用总结

在5.0中,collection最大的一个改变就是可以指定它的具体类型:
list<string> list=new list<string>;

两个最基本的接口:
public interface collection<e>
{
boolean add(e element);
iterator<e> iterator();
. . .
}

public interface iterator<e>
{
e next();
boolean hasnext();
void remove();
}

在5.0以前,常用的形式就是:
collection<string> c = . . .;
iterator<string> iter = c.iterator();
while (iter.hasnext())
{
string element = iter.next();
do something with element
}
但是在5.0中加入另外一种循环方式,类似于for each:
for (string element : c)
{
do something with element
}
这种方式对任何实现了iterable接口的类都适用。

在使用remove的时候特别要注意的一点是,在调用remove之前必须先调用一次next方法,因为next就像是在移动一个指针,remove删掉的就是指针刚刚跳过去的东西。即使是你想连续删掉两个相邻的东西,也必须在每次删除之前调用next。

对collection排序和查找
collections类的sort方法可以对任何实现了list接口的类进行排序。在排序过程中,他默认这些类实现了comparable接口,如果想用其他方法排序,可以在调用sort方法的时候提供一个comparator对象:
comparator<item> itemcomparator = new
comparator<item>()
{
public int compare(item a, item b)
{
return a.partnumber - b.partnumber;
}
});
反向排序:
collections.sort(items, itemcomparator);
collections.sort(items, collections.reverseorder(itemcomparator));

查找一个对象:
i = collections.binarysearch(c, element);
i = collections.binarysearch(c, element, comparator);
但是这些list必须是已经排好序了。而且要注意的是这个算法需要随机访问collection,如果不支持随机访问那么这个算法的效率可能会很低。

几种常用collection:
arraylist
an indexed sequence that grows and shrinks dynamically
可以随机访问,但是如果要从中间删除一个对象会影响效率,因为有些未删除的对象要相应的调整位置。非线程安全,但效率会比vector要高,如果在单线程下,选它而不是vector。

linkedlist
an ordered sequence that allows efficient insertions and removal at any location
只能按顺序访问,添加删除很方便。虽然提供了get(n)方法,但实际上还是顺序访问的,如果发现在linkedlist里面使用了这个方法,要考虑这个list类型是否选的合适

hashset
an unordered collection that rejects duplicates
以hashcode为索引,适用于不知道所存对象位置而想寻找某个对象的情况。不可重复

treeset
a sorted set
与hashset类似,但是所存对象是排了序的

linkedhashset
a set that remembers the order in which elements were inserted


priorityqueue
a collection that allows efficient removal of the smallest element
加入queue的时候会给与一个优先级,从queue中取出的时候先取出优先级最低的

hashmap
a data structure that stores key/value associations
存储key/value对,非线程安全,与hashtable相比效率要高些

treemap
a map in which the keys are sorted
排序的hashmap

linkedhashmap
a map that remembers the order in which entries were added 

扫描关注微信公众号