Optional.ifPresentOrElse()
Handle both present and empty cases of Optional in one call.
Code Comparison
✕ Java 8
Optional<User> user = findUser(id);
if (user.isPresent()) {
greet(user.get());
} else {
handleMissing();
}
✓ Java 9+
findUser(id).ifPresentOrElse(
this::greet,
this::handleMissing
);
Why the modern way wins
Single expression
Both cases handled in one method call.
No get()
Eliminates the dangerous isPresent() + get() pattern.
Fluent
Chains naturally after findUser() or any Optional-returning method.
Old Approach
if/else on Optional
Modern Approach
ifPresentOrElse()
Since JDK
9
Difficulty
beginner
JDK Support
Optional.ifPresentOrElse()
Available
Widely available since JDK 9 (Sept 2017)
How it works
ifPresentOrElse() takes a Consumer for the present case and a Runnable for the empty case. It avoids the isPresent/get anti-pattern.