|
<p >在5.0中,collection最大的一个改变就是可以指定它的具体类型:<BR>List<String> list=new List<String>;<BR><BR>两个最基本的接口:<BR>public interface Collection<E><BR>{<BR>boolean add(E element);<BR>Iterator<E> iterator();<BR>. . .<BR>}<BR><BR>public interface Iterator<E><BR>{<BR>E next();<BR>boolean hasNext();<BR>void remove();<BR>}<BR><BR>在5.0以前,常用的形式就是:<BR>Collection<String> c = . . .;<BR>Iterator<String> iter = c.iterator();<BR>while (iter.hasNext())<BR>{<BR>String element = iter.next();<BR>do something with element<BR>}<BR>但是在5.0中加入另外一种循环方式,类似于for each:<BR>for (String element : c)<BR>{<BR>do something with element<BR>}<BR>这种方式对任何实现了Iterable接口的类都适用。<BR><BR>在使用remove的时候特别要注意的一点是,在调用remove之前必须先调用一次next方法,因为next就像是在移动一个指针,remove删掉的就是指针刚刚跳过去的东西。即使是你想连续删掉两个相邻的东西,也必须在每次删除之前调用next。<BR><BR>对collection排序和查找<BR>Collections类的sort方法可以对任何实现了List接口的类进行排序。在排序过程中,他默认这些类实现了Comparable接口,如果想用其他方法排序,可以在调用sort方法的时候提供一个Comparator对象:<BR>Comparator<Item> itemComparator = new<BR>Comparator<Item>()<BR>{<BR>public int compare(Item a, Item b)<BR>{<BR>return a.partNumber - b.partNumber;<BR>}<BR>});<BR>反向排序:<BR>Collections.sort(items, itemComparator);<BR>Collections.sort(items, Collections.reverseOrder(itemComparator));<BR><BR>查找一个对象:<BR>i = Collections.binarySearch(c, element);<BR>i = Collections.binarySearch(c, element, comparator);<BR>但是这些list必须是已经排好序了。而且要注意的是这个算法需要随机访问collection,如果不支持随机访问那么这个算法的效率可能会很低。<BR><BR>几种常用Collection:<BR>ArrayList<BR>An indexed sequence that grows and shrinks dynamically<BR>可以随机访问,但是如果要从中间删除一个对象会影响效率,因为有些未删除的对象要相应的调整位置。非线程安全,但效率会比Vector要高,如果在单线程下,选它而不是Vector。<BR><BR>LinkedList<BR>An ordered sequence that allows efficient insertions and removal at any location<BR>只能按顺序访问,添加删除很方便。虽然提供了get(n)方法,但实际上还是顺序访问的,如果发现在LinkedList里面使用了这个方法,要考虑这个List类型是否选的合适<BR><BR>HashSet<BR>An unordered collection that rejects duplicates<BR>以hashcode为索引,适用于不知道所存对象位置而想寻找某个对象的情况。不可重复<BR><BR>TreeSet<BR>A sorted set<BR>与HashSet类似,但是所存对象是排了序的<BR><BR>LinkedHashSet<BR>A set that remembers the order in which elements were inserted<BR><BR><BR> riorityQueue<BR>A collection that allows efficient removal of the smallest element<BR>加入Queue的时候会给与一个优先级,从queue中取出的时候先取出优先级最低的<BR><BR>HashMap<BR>A data structure that stores key/value associations<BR>存储key/value对,非线程安全,与HashTable相比效率要高些<BR><BR>treeMap<BR>A map in which the keys are sorted<BR>排序的HashMap<BR><BR>LinkedHashMap<BR>A map that remembers the order in which entries were added <BR><FONT face="Times New Roman">(责任编辑:董建伟)<BR></FONT><p align="center"></p></p> |
|