java1.8新特性(optional 使用)
经常在程序中出现 java.lang.NullPointerException 为了避免 报错,总是要进行一些 是否为null 的if else 判断 ,1.8 可以使用optional 类 来简化处置
optional :A container object which may or may not contain a non-null value.:可能包含也可能不包含非空值的容器对象。
- 既然optional 是一个容器对象,那就应该先创建该 对象 才能调用该对象的一些方法 创建optional的方式:
- 调用Optional静态方法.empty() 来创建一个optional 容器对象
/**
* Returns an empty {@code Optional} instance. No value is present for this
* Optional.
*
* @apiNote Though it may be tempting to do so, avoid testing if an object
* is empty by comparing with {@code ==} against instances returned by
* {@code Option.empty()}. There is no guarantee that it is a singleton.
* Instead, use {@link #isPresent()}.
*
* @param <T> Type of the non-existent value
* @return an empty {@code Optional}
*/
public static<T> Optional<T> empty() {
@SuppressWarnings("unchecked")
Optional<T> t = (Optional<T>) EMPTY;
return t;
}public static void testOptional() {
Optional<Object> empty = Optional.empty();
} - optional 的构造函数 权限是private 的 所以 不能直接通过构造函数的方法 生成该对象,调用静态方法of(T t) 可以创建一个指定参数的optional
/**
* Returns an {@code Optional} with the specified present non-null value.
*
* @param <T> the class of the value
* @param value the value to be present, which must be non-null
* @return an {@code Optional} with the value present
* @throws NullPointerException if value is null
*/
public static <T> Optional<T> of(T value) {
return new Optional<>(value);
}public static void testOptional() {
// 使用 Optional.empty() 创建 Optional 对象
Optional<Object> empty = Optional.empty();
// 私有化构造函数 不能直接 创建
// Optional<User> optional = new Optional(new User());
// 使用 Optional.of() 创建 Optional 对象
Optional<User> optional = Optional.of(new User());
} - Opional 有一个静态方法 ofNullable(T t)可以 根据你传入的值 来 来判断调用 Optional的无参构造方法还是调用 optional 的有参构造方法 如果是null 则调用 empty() 为空 则调用 of(T t) 方法
/**
* Returns an {@code Optional} describing the specified value, if non-null,
* otherwise returns an empty {@code Optional}.
*
* @param <T> the class of the value
* @param value the possibly-null value to describe
* @return an {@code Optional} with a present value if the specified value
* is non-null, otherwise an empty {@code Optional}
*/
public static <T> Optional<T> ofNullable(T value) {
return value == null ? empty() : of(value);
}public static void testOptional() {
// 使用 Optional.empty() 创建 Optional 对象
Optional<Object> empty = Optional.empty();
// 私有化构造函数 不能直接 创建
// Optional<User> optional = new Optional(new User());
// 使用 Optional.of() 创建 Optional 对象
Optional<User> optional = Optional.of(new User());
//使用 Optional.ofNullable() 创建 Optional 对象
Optional<Object> ofNullable = Optional.ofNullable(null);
}
- 以上三种方法 都可以创建一个Optional 对象,如何使用该对象的方法
- 获取 optional 的值 调用 get()方法 如果 为null 则抛出异常
/**
* If a value is present in this {@code Optional}, returns the value,
* otherwise throws {@code NoSuchElementException}.
*
* @return the non-null value held by this {@code Optional}
* @throws NoSuchElementException if there is no value present
*
* @see Optional#isPresent()
*/
public T get() {
if (value == null) {
throw new NoSuchElementException("No value present");
}
return value;
} 检测 optional的值是否为空 如果 为空 则 false
/**
* Return {@code true} if there is a value present, otherwise {@code false}.
*
* @return {@code true} if there is a value present, otherwise {@code false}
*/
public boolean isPresent() {
return value != null;
}package lambda.stream; import java.util.Optional; /**
* @author 作者:cb
* @version 创建时间:2019年1月14日 上午11:12:12
*
*/
public class OptionalDemo {
public static void main(String[] args) {
testIsPresent();
} public static void testIsPresent() {
Optional<User> optional = Optional.ofNullable(new User());
boolean flag = optional.isPresent();
System.out.println(flag);
optional = Optional.ofNullable(null);
flag = optional.isPresent();
System.out.println(flag);
}
}true
false- optional 可以根据 ifPresent 来对 值T 进行 自身的处理
/**
* If a value is present, invoke the specified consumer with the value,
* otherwise do nothing.
*
* @param consumer block to be executed if a value is present
* @throws NullPointerException if value is present and {@code consumer} is
* null
*/
public void ifPresent(Consumer<? super T> consumer) {
if (value != null)
consumer.accept(value);
}public class OptionalDemo {
public static void main(String[] args) {
testIfPresent();
// testIsPresent();
} public static void testIfPresent() {
Optional<User> optional = Optional.ofNullable(new User());
optional.ifPresent((age) -> age.setAge(100));
System.out.println(optional.get().getAge()); }100
- 检测一个用户的名称是否 满足 特定条件的时候 ,optional 的filter 方法
/**
* If a value is present, and the value matches the given predicate,
* return an {@code Optional} describing the value, otherwise return an
* empty {@code Optional}.
*
* @param predicate a predicate to apply to the value, if present
* @return an {@code Optional} describing the value of this {@code Optional}
* if a value is present and the value matches the given predicate,
* otherwise an empty {@code Optional}
* @throws NullPointerException if the predicate is null
*/
public Optional<T> filter(Predicate<? super T> predicate) {
Objects.requireNonNull(predicate);
if (!isPresent())
return this;
else
return predicate.test(value) ? this : empty();
}package lambda.stream; import java.util.Arrays;
import java.util.List;
import java.util.Optional;
import java.util.stream.Collectors; /**
* @author 作者:cb
* @version 创建时间:2019年1月14日 上午11:12:12
*
*/
public class OptionalDemo {
public static void main(String[] args) {
testFilter();
// testIfPresent();
// testIsPresent();
} public static void testFilter() {
Optional<User> ofNullable = Optional.ofNullable(new User("Tom", 15));
Optional<User> filter = ofNullable.filter(user -> user.getAge() == 15);
}User [name=Tom, age=15]
如果 没有满足 条件是 15的 返回值打印 报错
package lambda.stream; import java.util.Arrays;
import java.util.List;
import java.util.Optional;
import java.util.stream.Collectors; /**
* @author 作者:cb
* @version 创建时间:2019年1月14日 上午11:12:12
*
*/
public class OptionalDemo {
public static void main(String[] args) {
testFilter();
// testIfPresent();
// testIsPresent();
} public static void testFilter() {
Optional<User> ofNullable = Optional.ofNullable(new User("Tom", 25));
Optional<User> filter = ofNullable.filter(user -> user.getAge() == 15);Exception in thread "main" java.util.NoSuchElementException: No value present
at java.util.Optional.get(Optional.java:135)
at lambda.stream.OptionalDemo.testFilter(OptionalDemo.java:25)
at lambda.stream.OptionalDemo.main(OptionalDemo.java:16) - Optional 对象中map的使用:返回 User对象的 name属性
/**
* If a value is present, apply the provided mapping function to it,
* and if the result is non-null, return an {@code Optional} describing the
* result. Otherwise return an empty {@code Optional}.
*
* @apiNote This method supports post-processing on optional values, without
* the need to explicitly check for a return status. For example, the
* following code traverses a stream of file names, selects one that has
* not yet been processed, and then opens that file, returning an
* {@code Optional<FileInputStream>}:
*
* <pre>{@code
* Optional<FileInputStream> fis =
* names.stream().filter(name -> !isProcessedYet(name))
* .findFirst()
* .map(name -> new FileInputStream(name));
* }</pre>
*
* Here, {@code findFirst} returns an {@code Optional<String>}, and then
* {@code map} returns an {@code Optional<FileInputStream>} for the desired
* file if one exists.
*
* @param <U> The type of the result of the mapping function
* @param mapper a mapping function to apply to the value, if present
* @return an {@code Optional} describing the result of applying a mapping
* function to the value of this {@code Optional}, if a value is present,
* otherwise an empty {@code Optional}
* @throws NullPointerException if the mapping function is null
*/
public<U> Optional<U> map(Function<? super T, ? extends U> mapper) {
Objects.requireNonNull(mapper);
if (!isPresent())
return empty();
else {
return Optional.ofNullable(mapper.apply(value));
}
}package lambda.stream; import java.util.Arrays;
import java.util.List;
import java.util.Optional;
import java.util.stream.Collectors; /**
* @author 作者:cb
* @version 创建时间:2019年1月14日 上午11:12:12
*
*/
public class OptionalDemo {
public static void main(String[] args) {
testMap();
// testIfPresent();
// testIsPresent();
} public static void testMap() {
Optional<User> ofNullable = Optional.ofNullable(new User("Tom", 25));
Optional<String> map = ofNullable.map(user -> user.getName());
System.out.println(map.get());
}结果:
Tom
- Optional 的orElse 方法
/**
* Return the value if present, otherwise return {@code other}.
*
* @param other the value to be returned if there is no value present, may
* be null
* @return the value, if present, otherwise {@code other}
*/
public T orElse(T other) {
return value != null ? value : other;
}package lambda.stream; import java.util.Arrays;
import java.util.List;
import java.util.Optional;
import java.util.stream.Collectors; /**
* @author 作者:cb
* @version 创建时间:2019年1月14日 上午11:12:12
*
*/
public class OptionalDemo {
public static void main(String[] args) {
testOrelse();
// testIfPresent();
// testIsPresent();
} public static void testOrelse() {
Optional<User> ofNullable = Optional.ofNullable(null);
User orElse = ofNullable.orElse(new User("Tom", 35));
System.out.println(orElse);//结果:User [name=Tom, age=35]
}package lambda.stream; import java.util.Arrays;
import java.util.List;
import java.util.Optional;
import java.util.stream.Collectors; /**
* @author 作者:cb
* @version 创建时间:2019年1月14日 上午11:12:12
*
*/
public class OptionalDemo {
public static void main(String[] args) {
testOrelse();
// testIfPresent();
// testIsPresent();
} public static void testOrelse() {
Optional<User> ofNullable = Optional.ofNullable(new User("jack", 45));
User orElse = ofNullable.orElse(new User("Tom", 35));
System.out.println(orElse);//结果:User [name=jack, age=45] } - Optional 的orElseGet方法 方法用处和orElseGet 一样只是 传递的参数 类型 不一样 一个是T 一个 function类型的接口
/**
* Return the value if present, otherwise invoke {@code other} and return
* the result of that invocation.
*
* @param other a {@code Supplier} whose result is returned if no value
* is present
* @return the value if present otherwise the result of {@code other.get()}
* @throws NullPointerException if value is not present and {@code other} is
* null
*/
public T orElseGet(Supplier<? extends T> other) {
return value != null ? value : other.get();
}package lambda.stream; import java.util.Arrays;
import java.util.List;
import java.util.Optional;
import java.util.stream.Collectors; /**
* @author 作者:cb
* @version 创建时间:2019年1月14日 上午11:12:12
*
*/
public class OptionalDemo {
public static void main(String[] args) {
testOrElseGet();
// testIfPresent();
// testIsPresent();
} public static void testOrElseGet() {
Optional<User> ofNullable = Optional.ofNullable(new User("jack", 45));
User orElseGet = ofNullable.orElseGet(() -> new User("Tom", 35));
System.out.println(orElseGet);// 结果:User [name=Tom, age=35] } - optional 的flatMap使用(扁平化):
java1.8新特性(optional 使用)的更多相关文章
- java1.8新特性之stream流式算法
在Java1.8之前还没有stream流式算法的时候,我们要是在一个放有多个User对象的list集合中,将每个User对象的主键ID取出,组合成一个新的集合,首先想到的肯定是遍历,如下: List& ...
- JDK1.8新特性——Optional类
JDK1.8新特性——Optional类 摘要:本文主要学习了JDK1.8新增加的Optional类. 部分内容来自以下博客: https://www.cnblogs.com/1ning/p/9140 ...
- Java1.8新特性 - Stream流式算法
一. 流式处理简介 在我接触到java8流式数据处理的时候,我的第一感觉是流式处理让集合操作变得简洁了许多,通常我们需要多行代码才能完成的操作,借助于流式处理可以在一行中实现.比如我们希望对一个包 ...
- Stream:java1.8新特性
原 Stream:java1.8新特性 2017年08月01日 18:15:43 kekeair-zhang 阅读数:392 标签: streamjava1-8新特性 更多 个人分类: 日记 版权声明 ...
- JAVA8新特性Optional,非空判断
Optional java 的 NPE(Null Pointer Exception)所谓的空指针异常搞的头昏脑涨, 有大佬说过 "防止 NPE,是程序员的基本修养." 但是修养归 ...
- java1.8新特性(一)
一直在更新java 版本,原来也没有关注java版本的变化 引入的一些新的api 引起注意的还是 关于一些并发包的使用,那时候才对每个版本的特性 去了解了一下,虽然 不一定都用上了,但是不管学习什 ...
- java1.8新特性整理(全)
版权声明:本文为博主原创文章,遵循CC 4.0 BY-SA版权协议,转载请附上原文出处链接和本声明. 本文链接:https://blog.csdn.net/yitian_66/article/deta ...
- Java8 新特性 Optional 类
Optional 类的简介 Optional类的是来自谷歌Guava的启发,然后就加入到Java8新特性中去了.Optional类主要就是为子决解价值亿万的错误,空指针异常. Optional ...
- java1.7新特性:try-with-resources
转载:https://blog.csdn.net/fanxiaobin577328725/article/details/53067163 首先看代码: import org.junit.Test; ...
- Java8新特性——Optional
前言 在开发中,我们常常需要对一个引用进行判空以防止空指针异常的出现.Java8引入了Optional类,为的就是优雅地处理判空等问题.现在也有很多类库在使用Optional封装返回值,比如Sprin ...
随机推荐
- int &p
int &p为引用,而int p为定义变量.二者区别如下:1 引用在定义的时候必须赋值,否则编译会出错.正确的形式为int &p = a;其中a为int型变量.2 引用在定义时不会分配 ...
- Java基础三(Scanner键盘输入、Random随机数、流程控制语句)
1.引用类型变量的创建及使用2.流程控制语句之选择语句3.流程控制语句之循环语句4.循环高级 ###01创建引用类型变量公式 * A: 创建引用类型变量公式 * a: 我们要学的Scanner类是属于 ...
- 每天进步一点点-写完睡觉-周一工作(java基本数据类型所占的字节和IO流读取的字符和字节)
- git配置config文件
1.Git有一个工具被称为git config,它允许你获取和设置变量:这些变量可以控制Git的外观和操作的各个方面.这些变量以等级的不同可以被存储在三个不同的位置: (1) /etc/gitconf ...
- apache常用配置文件讲解
apache 的httpd.conf常用配置说明 # ServerRoot: The top of the directory tree under which the server's # conf ...
- oracle-sql系统学习-ddl-dml
e41084-04 oracle database sql language reference 11g release 2 sql语句类型 ddl alter ...除了alter session和 ...
- Spring BeanFactory与FactoryBean的区别及其各自的详细介绍于用法
Spring BeanFactory与FactoryBean的区别及其各自的详细介绍于用法 1. BeanFactory BeanFactory,以Factory结尾,表示它是一个工厂类(接口),用于 ...
- 寻找“最好”(4)——不等约束和KKT条件
不等约束 上篇文章介绍了如何在等式约束下使用拉格朗日乘子法,然而真实的世界哪有那么多等式约束?我们碰到的大多数问题都是不等约束.对于不等约束的优化问题,可以这样描述: 其中f(x)是目标函数,g(x) ...
- 自建mail服务器之一:dns解析
这个其实不是必须的 1,maradns服务器安装和设置 mararc文件 # Win32-specific MaraRC file; this makes a basic recursive DNS ...
- 大数据框架对比:Hadoop、Storm、Samza、Spark和Flink--容错机制(ACK,RDD,基于log和状态快照),消息处理at least once,exactly once两个是关键
分布式流处理是对无边界数据集进行连续不断的处理.聚合和分析.它跟MapReduce一样是一种通用计算,但我们期望延迟在毫秒或者秒级别.这类系统一般采用有向无环图(DAG). DAG是任务链的图形化表示 ...