在Java的学习中,集合的使用是我们学习的一个重点知识。下面讲解一下List集合的一些使用注意事项。集合可以存储任意多的对象。List集合使用时再做比较时,需要注意当我们判断元素是否相同时,依据的是元素 的equals方法,而且集合中的contains方法在比较时也会调用equals方法,remove方法也会调用 equals方法,所以我们在集合中添加对象后,若要 对其中的数据进行 比较,就需要覆写equals方法,让它按我们的需要进行比较。
下面举例进行说明:
import java.util.*;
class Person
{
private String name;
private int age;
Person(String name,int age)
{
this.name=name;
this.age=age;
}
public String getName()
{
return name;
}
public int getAge()
{
return age;
}
public boolean equals(Object obj)
{
if (!(obj instanceof Person))
return false;
Person p=(Person)obj;
System.out.println(p.name + "..." +this.name);
return this.name.equals(p.name) && this.age==p.age;
}
}
class ArrayListSingle2
{
public static void main(String[] args)
{
ArrayList al=new ArrayList();
al.add(new Person("Elena",18));
al.add(new Person("Achilles",18));
al.add(new Person("Alex",18));
al.add(new Person("Homer",18));
al.add(new Person("Alex",18));
al.add(new Person("Homer",18));
//al.remove(new Person("Achilles",18));
al=singleElement(al);
Iterator it=al.iterator();
while (it.hasNext())
{
Person p=(Person)it.next();
sop(p.getName()+"...."+p.getAge());
}
}
public static void sop(Object obj)
{
System.out.println(obj);
}
public static ArrayList singleElement(ArrayList al)
{
ArrayList newA=new ArrayList();
Iterator it=al.iterator();
while(it.hasNext())
{
Object obj=it.next();
if (!newA.contains(obj))
{
newA.add(obj);
}
}
return newA;
}
}
此实例中,我们将ArrayList对象中具有相同名字和年龄的数据取出,只保留一份,让其中的数据是唯一的。类Person通过覆写equals方法,当contains方法调用时,就可以判断哪些数据是已经有的,就不需要继续添加了,这样就保证了相同数据只会出现一次。
所以,List集合判断元素是否相同,依据的是元素的equals方法。我们在使用时要对 类进行覆写,让它按照我们需要的去实现。