Flashcards for topic Lambdas and Streams
What are the key differences between method references and lambdas, and when should you prefer one over the other?
Method references provide a more concise alternative to lambdas when referencing existing methods:
Differences:
When to prefer method references:
// Method reference: clean and concise words.sort(comparingInt(String::length)); // Lambda: more verbose for this case words.sort((s1, s2) -> Integer.compare(s1.length(), s2.length()));
When to prefer lambdas:
// Lambda preferred here (method name is excessive) service.execute(() -> action()); // vs less readable reference service.execute(GoshThisClassNameIsHumongous::action);
Rule of thumb: Where method references are shorter and clearer, use them; where they aren't, stick with lambdas.
Under what conditions should traditional iteration be preferred over streams in Java?
Prefer traditional iteration over streams when:
Key principle: Use streams when they make code clearer; don't force-fit them where traditional iteration is more expressive.
What are the limitations of lambda expressions for complex business logic, and what best practices should be followed?
Lambdas have significant limitations for complex logic and should be used judiciously:
Limitations:
Limited documentation capacity
Readability degradation with complexity
Debugging challenges
Testing difficulties
Best practices:
Keep lambdas concise
Extract complex logic to named methods
// BAD: Complex logic in lambda stream.filter(customer -> { if (customer.getAge() > 18 && customer.hasActiveAccount()) { return customer.getPurchases() > 10 || customer.getBalance() > 1000; } return false; }); // GOOD: Logic extracted to named method stream.filter(this::isValuableCustomer); // The named method is clear and testable private boolean isValuableCustomer(Customer customer) { if (customer.getAge() <= 18 || !customer.hasActiveAccount()) { return false; } return customer.getPurchases() > 10 || customer.getBalance() > 1000; }
Make parameter names descriptive
Prefer method references for simple method calls
list.forEach(System.out::println)
over list.forEach(x -> System.out.println(x))
Add comments for non-obvious lambdas
// Identifies customers eligible for premium upgrade customers.filter(c -> c.getSpending() > threshold && c.getLoyaltyYears() > 5)
Remember: If a lambda is hard to understand at a glance, it should be refactored into a named method.
What problem can arise in APIs that provide method overloadings accepting different functional interfaces in the same argument position?
This creates potential ambiguity for client code that may require explicit casts to indicate the correct overloading.
Example: The submit
method of ExecutorService
can take either a Callable<T>
or a Runnable
, which can create ambiguous method calls requiring casts.
Best practice: Do not write overloadings that take different functional interfaces in the same argument position. This is a special case of the advice to "use overloading judiciously."
What specific challenge arises when trying to access elements from multiple stages of a stream pipeline simultaneously, and what are the workarounds?
Challenge: Once you map a value to another value in a stream, the original value is lost.
Workarounds:
Map to a pair object:
Invert the mapping (preferred when applicable):
Choose approach based on the specific requirements and complexity of your pipeline.
What are the standard functional interfaces that support primitive boolean operations, and what's unique about boolean handling in the standard functional interfaces?
Boolean operations are supported through:
Direct boolean supplier:
BooleanSupplier
- the only interface with explicit mention of boolean in its namePredicate variants (all return boolean values):
Predicate<T>
- tests an objectBiPredicate<T,U>
- tests two objectsIntPredicate
- tests an int valueLongPredicate
- tests a long valueDoublePredicate
- tests a double valueUnique characteristic: Despite boolean being a primitive type, there's no comprehensive set of boolean-specific functional interfaces. Instead, boolean return values are primarily handled through the Predicate family, with BooleanSupplier being the only exception with direct boolean naming.
What is the key principle of the streams paradigm and how should functions be structured to follow this paradigm?
The key principle of the streams paradigm is to structure computations as a sequence of transformations where each stage is as close as possible to a pure function of the previous stage.
A pure function:
Functions passed to stream operations (both intermediate and terminal) should be free of side-effects to properly implement this paradigm.
Example:
// Bad: Uses side effects Map<String, Long> freq = new HashMap<>(); words.forEach(word -> { freq.merge(word.toLowerCase(), 1L, Long::sum); // Mutates external state }); // Good: Side-effect free Map<String, Long> freq = words .collect(groupingBy(String::toLowerCase, counting()));
What are the most significant limitations of using Collection
as a return type compared to Stream
or Iterable
?
Limitations of Collection as return type:
Size constraints:
Memory requirements:
Implementation complexity:
Practical limitations:
While Collection provides both iteration and streaming capabilities, these limitations make Stream or Iterable preferable for very large or infinite sequences.
What is the most common anti-pattern when attempting to parallelize stream operations and how does it manifest?
The most common anti-pattern in stream parallelization is introducing shared mutable state in stream operations.
It manifests through:
// WRONG: side effect modifying external counter AtomicLong counter = new AtomicLong(); stream.parallel().forEach(x -> counter.incrementAndGet());
// WRONG: concurrent modifications to shared collection List<String> results = new ArrayList<>(); stream.parallel().forEach(results::add); // Race condition!
// WRONG: order matters but gets scrambled by parallelism String concatenated = stream.parallel() .reduce("", (a, b) -> a + b);
// WRONG: stateful predicate causes inconsistent filtering Set<String> seen = new HashSet<>(); stream.parallel().filter(seen::add); // Non-deterministic!
Such code typically produces non-deterministic results, race conditions, or actually performs worse than sequential code due to synchronization overhead.
How does the BigInteger.isProbablePrime(int certainty)
method work, and why is it particularly suitable for parallelization?
BigInteger.isProbablePrime(int certainty)
works as follows:
certainty
parameter (50 in the example) determines how many rounds of testing to performSuitable for parallelization because:
These properties create an "embarrassingly parallel" problem where performance scales almost linearly with available cores.
Showing 10 of 61 cards. Add this deck to your collection to see all cards.