我正在创建一个列表,该列表将观察结果列表(注册记录,时间)转换为仅包含注册的列表,但是此列表不能包含重复项,并且我正在努力确保不会发生重复项。
public List<Registration> getVehicles(){
List<Registration> rtnList = new ArrayList<Registration>();
for (Observation obs:observationsList){
if (rtnList.contains(obs.getIdentifier())){
}
else
rtnList.add(obs.getIdentifier());
}
return rtnList;
}
这是我所拥有的,但是仍然会重复。
具有如下观察结果:
obsList.record (new Registration("CA 976-543"), new Time("13:15:03"));
obsList.record (new Registration("BCD 123 MP"), new Time("13:21:47"));
obsList.record (new Registration("CA 976-543"), new Time("13:35:50"));
注册类的.equals()方法为:
public boolean equals(Registration other){
if (getIdentifier().equals(other.getIdentifier()))
return true;
return false;
}
我希望obsList.getVehicles的输出为:
[CA 976-543,BCD 123 MP]
但是我却得到:
[CA 976-543,BCD 123 MP,CA 976-543]
答案 0 :(得分:6)
contains
方法使用元素的equals
方法。对于列表,它实质上遍历列表的所有元素,并检查该元素是否等于传递的值。
根据您的最新评论,您尚未正确覆盖它。 equals
接受一个Obejct
参数。实际上,您已经重载,而不是覆盖该方法。实际上,使用@Override
注释会导致此方法出现编译错误,并使错误更清晰:
@Override
public boolean equals(Object o) { // Note the argument type
if (!(o instanceof Registration)) {
return false;
}
Registration other = (Registration) o;
return getIdentifier().equals(other.getIdentifier()) &&
getProvince().equals(other.getProvince());
}