List集合去除null元素
使用 for 循环处理集合
思路:
这种处理方式是把要处理的集合进行遍历,取出其中不为空的元素,添加到新的集合中
1
2
3
4
5
6
7
8
9
10
11
|
public static List removeNull(Listextends T> oldList) {
// 临时集合
List listTemp = new ArrayList();
for ( int i = 0 ;i < oldList.size(); i++) {
// 保存不为空的元素
if (oldList.get(i) != null ) {
listTemp.add(oldList.get(i));
}
}
return listTemp;
}
|
使用系统API
集合空元素的处理,api 有直接处理的方法,使用的是迭代器,本质上还是 for 循环的思想
1
2
3
4
5
|
public static List removeNull(Listextends T> oldList) {
// 你没有看错,真的是有 1 行代码就实现了
oldList.removeAll(Collections.singleton( null ));
return (List) oldList;
}
|
对比
相同较大数据量,第一种方法要比第二种稍微快一点,但优势并不明显,上万条数据才几十毫秒的差别,很明显,第二种处理只用了一行代码就搞定,推荐使用第二种方式处理
java集合去空(list去空)
今天新任职一家公司,
下面是自己写的集合去空
1
2
3
4
5
6
7
8
9
10
11
12
|
public static void main(String[] args) {
List list = Arrays.asList( "ye" , "chuan" , null );
List collect = list.stream().map(e -> {
if (e == null ) {
return null ;
}
return e;
}).collect(Collectors.toList());
System.out.println(collect); //[ye, chuan, null]
collect.removeAll(Collections.singleton( null ));
System.out.println(collect); //[ye, chuan]
}
|
下面是公司十几年技术大牛写的集合去空
1
2
3
4
5
6
7
8
9
10
|
public static void main(String[] args) {
List list = Arrays.asList( "ye" , "chuan" , null );
List collect = list.stream().map(e -> {
if (e == null ) {
return null ;
}
return e;
}).filter(Objects::nonNull).collect(Collectors.toList());
System.out.println(collect); //[ye, chuan]
}
|
其实感觉都差不多,但是还是感觉自己的代码不如别人的,不知道为什么
意志以为流的.filter方法是过滤自己想要的数据,原来可以去除不想要的数据
感觉自己对jdk8流的写法运用少了。
|