java去除list重复值

两种方式,一种无顺序,一种维持原list的元素顺序。

 

Hastset根据hashcode判断是否重复,数据不会重复

 

/** List order not maintained **/    
public static void removeDuplicate(ArrayList arlList)    
{    
HashSet h = new HashSet(arlList);    
arlList.clear();    
arlList.addAll(h);    
}   

 

通过Hashset的add方法判断是否已经添加过相同的数据,如果已存在相同的数据则不添加

 

/** List order maintained **/    
public static void removeDuplicateWithOrder(ArrayList arlList)    
{    
Set set = new HashSet();    
List newList = new ArrayList();    
for (Iterator iter = arlList.iterator(); iter.hasNext(); )    
{    
Object element = iter.next();    
if (set.add(element)) newList.add(element);    
}    
arlList.clear();    
arlList.addAll(newList);    
}  

 

你可能感兴趣的:(java)