Stream的filter对List里面对象属性值过滤出空指针异常解决

import lombok.Data;
 
import java.util.ArrayList;
import java.util.List;
import java.util.stream.Collectors;

public class nullExcDemo {
    public static void main(String[] args) {
        List<Stu> list = new ArrayList<>();
        list.add(new Stu(19, "sire", 'n'));
        list.add(new Stu(23, "abc", 'm'));
        list.add(new Stu(78, "ab", 'm'));
        list.add(new Stu(null, "g", 'n'));
        /**
         * 在项目中使用stream的filter对list里的对象属性值判断时,如果对象属性值有null会
         * 报空指针异常。(如上文中的Stu对象的age属性出现null值)。
         * 解决方法:对此属性先做非空判断,注意:非空判断放前面
         */
        // 会报null指针异常
        // List filtered = list.stream().filter(s -> s.getAge()==19).collect(Collectors.toList());
        // 加非空判断在后面也会报null指针异常
        // List filtered = list.stream().filter(s ->  s.getAge()==19 && s.getAge() != null).collect(Collectors.toList());
        // 解决空指针异常
        List<Stu> filtered = list.stream().filter(s ->  s.getAge() != null && s.getAge()==19).collect(Collectors.<Stu>toList());
        System.out.println(filtered);
    }
}
@Data
class Stu{
    private Integer age;
    private String name;
    private Character sex;
 
    public Stu(Integer age, String name, Character sex) {
        this.age = age;
        this.name = name;
        this.sex = sex;
    }
}

在项目中使用stream的filter对list里的对象属性值判断时,如果对象属性值有null会报空指针异常。(如上文中的Stu对象的age属性出现null值)。
解决方法:对此属性先做非空判断,注意:非空判断放前面

你可能感兴趣的:(work,list,java,数据结构)