我有两个列表,列表A和列表B大小不同。列表A正在从文件中进行解析,列表B正在从数据库中获取数据。
class A{
private String id;
private String mobile;
}
class B{
private String id;
private String name;
private String address;
private String mobile;
private String pincode;
}
现在,我想比较这两个列表,并想从列表A中删除各自的id,它们的手机号码与ListB相同。
尝试低于代码
private List<A> compareList(List<A> listA, List<B> listB){
List<A> temp = new ArrayList<>();
for(A a : listA){
for(B b : listB){
if(a.getId().equals(b.getId()) && !a.getMobile().equals(b.getMobile())){
temp.add(a);
}
}
}
return temp;
}
有人能指引我吗?
您的方法创建一个新列表,而不是从现有列表中删除项。假设您真的想要移除项目,这是使用Java8流API的一种方法:如果列表A中的项目与列表B中的项目具有相同的mobile
,则从列表A中移除项目:
listA.removeIf(a -> listB.stream()
.anyMatch(b -> Objects.equals(a.getMobile(), b.getMobile())));
在这种情况下,流API有点难以阅读。在不使用流的情况下也是如此:
for (B b : listB) {
listA.removeIf(a -> Objects.equals(a.mobile, b.mobile));
}
您可以使用存在标志并添加temp。如果temp不存在,则temp只包含a中不存在的元素
List<A> temp = new ArrayList<>();
for(A a : listA){
boolean isExist = false;
for(B b : listB){
if(a.getId().equals(b.getId()) && a.getMobile().equals(b.getMobile())){
isExist = true; // if exist in List of B
break;
}
}
if(!isExist){ // if not exist in B then add in list
temp.add(a);
}
}
注意:在问题中,你说只比较手机号码,但在代码中你也在比较id,如果你不想它,请删除id相等检查
我认为你应该把手机分开,因为它们可能会重复。然后将主要收藏与手机列表进行比较。
private static List<A> compareList(List<A> listA, List<B> listB) {
List<String> mobiles = listB.stream()
.map(B::getMobile)
.distinct()
.collect(Collectors.toList());
return listA.stream()
.filter(entity -> !mobiles.contains(entity.getMobile()))
.collect(Collectors.toList());
}
创建新的过滤列表
如果条件与不匹配,则收集新列表中的所有元素
List<A> filteredList =
aList.stream()
.filter(Predicate.not(a -> bList.stream().anyMatch(b -> a.getId().equals(b.getId()) && a.getMobile().equals(b.getMobile()))))
.collect(Collectors.toList());
用于就地更换
aList.removeIf(a -> bList.stream().anyMatch(b -> a.getId().equals(b.getId()) && a.getMobile().equals(b.getMobile())));