我有一个对象列表,其中一些记录可以具有空值属性,而一些记录可以具有空值属性。使用Collectors.groupingBy,我需要将两个记录都视为相同。
import java.util.ArrayList;
import java.util.List;
import java.util.Map;
import java.util.stream.Collectors;
class Code {
private String type;
private String description;
public static void main(String[] args) {
List<Code> codeList = new ArrayList<>();
Code c = new Code();
c.setDescription("abc");
c.setType("");
codeList.add(c);
Code c1 = new Code();
c1.setDescription("abc");
c1.setType(null);
codeList.add(c1);
Map<String, List<Code>> codeMap = codeList.stream()
.collect(Collectors.groupingBy(code -> getGroupingKey(code)));
System.out.println(codeMap);
System.out.println(codeMap.size());
}
private static String getGroupingKey(Code code) {
return code.getDescription() +
"~" + code.getType();
}
public String getType() {
return type;
}
public void setType(String type) {
this.type = type;
}
public String getDescription() {
return description;
}
public void setDescription(String description) {
this.description = description;
}
}
codeMap的结果将有两条记录,因为它认为空字符串和Type属性中的null值不同。通过将空记录和空记录都视为相同,如何在这里获得单个记录。
答案 0 :(得分:2)
您可以像这样修改getGroupingKey
方法:
private static String getGroupingKey(Code code) {
return code.getDescription() + "~" + (code.getType() == null ? "" : code.getType());
}
或类似这样:
private static String getGroupingKey(Code code) {
return code.getDescription() + "~" + Optional.ofNullable(code.getType()).orElse("");
}
或者您也可以直接修改getType()
方法,如下所示:
public String getType() {
return type == null ? "" : type;
}
或:
public String getType() {
return Optional.ofNullable(type).orElse("");
}
任何一种都应该相同。我猜要根据您的要求选择一个。
如果您将以下toString
方法添加到您的Code
类中:
@Override
public String toString() {
return "Code{" +
"type='" + type + '\'' +
", description='" + description + '\'' +
'}';
}
..使用修改后的getGroupingKey
方法(或getType
方法),输出应如下所示:
{abc~=[Code{type='', description='abc'}, Code{type='null', description='abc'}]}
1
编辑:您还可以考虑将类型初始化为空的String而不是null
,则无需进行任何修改:
private String type = "";
那可能也是一个选择。