List去除重复元素

时间:2022-05-28 19:32:41

方法一:循环元素删除 
List去除重复元素// 删除ArrayList中重复元素 

  1. public static void removeDuplicate(List list) {  
  2.    for ( int i = 0 ; i < list.size() - 1 ; i ++ ) {  
  3.      for ( int j = list.size() - 1 ; j > i; j -- ) {  
  4.        if (list.get(j).equals(list.get(i))) {  
  5.          list.remove(j);  
  6.        }   
  7.       }   
  8.     }   
  9.     System.out.println(list);  
  10. }   

 
方法二:通过HashSet剔除
List去除重复元素// 删除ArrayList中重复元素 

  1. public static void removeDuplicate(List list) {  
  2.       HashSet h = new HashSet(list);  
  3.       list.clear();  
  4.       list.addAll(h);  
  5.       System.out.println(list);  
  6. }   

 
重复对象去除复写hashCode


方法三: 删除ArrayList中重复元素,保持顺序
// 删除ArrayList中重复元素,保持顺序 

  1. public static void removeDuplicateWithOrder(List list) {  
  2.      Set set = new HashSet();  
  3.       List newList = new ArrayList();  
  4.    for (Iterator iter = list.iterator(); iter.hasNext();) {  
  5.           Object element = iter.next();  
  6.           if (set.add(element))  
  7.              newList.add(element);  
  8.        }   
  9.       list.clear();  
  10.       list.addAll(newList);  
  11.      System.out.println( " remove duplicate " + list);  
  12. }  

参考 http://wuniu2010.iteye.com/blog/1891814

http://blog.csdn.net/emoven/article/details/12999265