因此,我有一个旧列表,一个新列表和一个唯一列表。我从每个列表(旧/新)中读取数据,并从类文件中创建一堆对象。然后,将newList添加到唯一列表,然后删除旧列表以确定唯一用户。
类
public class User {
private String fName;
private String mInitial;
private String lName;
private String age;
private String city;
private String state;
... // set and get methods
@Override
public int hashCode() {
final int prime = 31;
int result = 1;
result = prime * result + ((age == null) ? 0 : age.hashCode());
result = prime * result + ((city == null) ? 0 : city.hashCode());
result = prime * result + ((fName == null) ? 0 : fName.hashCode());
result = prime * result + ((lName == null) ? 0 : lName.hashCode());
result = prime * result
+ ((mInitial == null) ? 0 : mInitial.hashCode());
result = prime * result + ((state == null) ? 0 : state.hashCode());
return result;
}
@Override
public boolean equals(Object o) {
if(o == null) return false;
if (getClass() != o.getClass()) return false;
User other = (User) o;
if(this.fName != other.fName) return false;
if(! this.mInitial.equals(other.mInitial)) return false;
if(! this.lName.equals(other.lName)) return false;
if(! this.age.equals(other.age)) return false;
if(! this.city.equals(other.city)) return false;
if(! this.state.equals(other.state)) return false;
return true;
}
}
主要
try {
// List creation (new, old, unique)
List<User> listNew = new ArrayList<User>();
List<User> listOld = new ArrayList<User>();
Collection<User> listUnique = new HashSet<User>();
// Read the files in with while loop,
// ...
// Put them in their respective list
// ...
listUnique.addAll(listNew);
System.out.println("Junk... " + listUnique.size());
listUnique.removeAll(listOld);
// Checking the sizes of lists to confirm stuff is working or not
System.out.println(
"New: \t" + listNew.size() + "\n" +
"Old: \t" + listOld.size() + "\n" +
"Unique: " + listUnique.size() + "\n"
);
}
catch { ... }
输出值
Junk... 20010
New: 20010
Old: 20040
Unique: 20010
因此,基本上是将内容添加到列表中,但removeAll不起作用。这可能是我的User Class文件中的hashCode()问题吗?我只是不知道为什么它不起作用。 (注意:我会在类文件中自动生成我的hashCode,不确定这是一个坏主意)
谢谢你的帮助!
最佳答案
正如Takendarkk指出的那样。这可能是因为您正在检查引用而不是字符串名称的值。如果名称的来源不同(它们具有不同的引用),即使它们具有相同的值,也可能会被视为不平等。
关于java - Java Collection removeAll不删除事物,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/21394396/