contains()
contains()方法很简单,就是判断ArrayList()对象中是否存在相同的对象,但是它判断的标准,很多使用ArrayList()方法的人可能都不是很清楚。
这里直接给大家看一下JDK中的解释:
Returns true if this list contains the specified element. More formally, returns true if and only if this list contains at least one element e such that (o==null ? e==null : o.equals(e)).
这里如果该列表中包含了至少一个特殊元素,那么就会返回true,判断标准用的是o的equals方法,所以最终调用的其实equals方法
这里提一个需求:在ArrayList中加入自定义对象Person,属性有名字和姓名,然后去除相同的对象,判定标准是姓名和年龄相同。
这里需要重新改写equals方法
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;
}
//复写Object的equals,Object中的equals是判断地址值是否相同。
public boolean equals(Object obj)//改写equals方法
{
//System.out.println(this.name+"....."+this.name);
//instanceof 运算符只能用作对象的判断。
if(!(obj instanceof Person))
{
return false;
}
Person p = (Person)obj;
return this.name.equals(p.name)&& this.age ==p.age;
}
}
class ArrayListTest2
{
public static void main(String[] args)
{
ArrayList al = new ArrayList();
al.add(new Person("lisi01",30));//al.add(Object obj);//Object obj = new Person("lisi01",30);
al.add(new Person("lisi02",31));
al.add(new Person("lisi02",31));
al.add(new Person("lisi03",33));
al.add(new Person("lisi04",35));
al.add(new Person("lisi04",35));
//al = singleElement(al);
sop("remove 03:"a1.remove(new Person("lisi03",33)));
Iterator it = al.iterator();
while (it.hasNext())
{
/*
向下转型:强转
Object obj = it.next();
Person p = (Person)Obj;//不强转,没有getName()和getAge方法,多态
*/
Person p = (Person)it.next();
sop(p.getName()+"::::"+p.getAge());
}
}
public static ArrayList singleElement(ArrayList al)
{
//定义一个临时容器
ArrayList newal = new ArrayList();
Iterator it = newal.iterator();
while(it.hasNext())
{
Object obj = it.next();
//不包含才往临时容器存储
if(!newal.contains(obj))
newal.add(obj);
}
return newal;
}
public static void sop(Object obj)
{
System.out.println(obj);
}
}
remove()
这里的判断标准和contains一致,调用的还是equals方法
总结
remove()和contains()判断的都是对象的equals方法