Flashcards for topic General Programming
How does the design decision of making a public type mutable affect performance, and what example illustrates this problem?
Making a public type mutable can force unnecessary defensive copying, harming performance.
Example: The getSize()
method in java.awt.Component
returns a mutable Dimension
instance, forcing all implementations to allocate a new Dimension object on every invocation to prevent callers from modifying the component's internal state.
Better alternatives:
Consequence: Even though these alternatives were added later, preexisting code still uses getSize() and suffers the performance penalties.
What key problem occurs when using nested traditional for loops with iterators?
When using nested traditional for loops with iterators, calling next()
in both the outer and inner loops can lead to premature iterator exhaustion.
Example bug:
// BUG: Incorrect nested iteration for (Iterator<Suit> i = suits.iterator(); i.hasNext(); ) { for (Iterator<Rank> j = ranks.iterator(); j.hasNext(); ) { deck.add(new Card(i.next(), j.next())); // i.next() called for each card! } }
The outer collection iterator (i.next()
) is called from the inner loop, exhausting it after just a few iterations. This often results in:
NoSuchElementException
if outer collection is smallerCorrect solution:
// Fixed approach for (Iterator<Suit> i = suits.iterator(); i.hasNext(); ) { Suit suit = i.next(); // Call next() ONCE per outer iteration for (Iterator<Rank> j = ranks.iterator(); j.hasNext(); ) { deck.add(new Card(suit, j.next())); } }
How do the ThreadLocalRandom and SplittableRandom classes differ from the traditional Random class, and when should each be used?
Comparison of Java's Random Number Generators:
Random (traditional)
ThreadLocalRandom
// Preferred for single-threaded or thread-confined use (Java 7+) int randomNum = ThreadLocalRandom.current().nextInt(0, 100); // Range 0-99 double randomDouble = ThreadLocalRandom.current().nextDouble();
SplittableRandom
// For use with parallel streams SplittableRandom splittableRandom = new SplittableRandom(); // In a parallel stream IntStream.range(0, 1000) .parallel() .mapToObj(i -> splittableRandom.split().nextInt(100)) .forEach(System.out::println);
Selection guide:
ThreadLocalRandom
SplittableRandom
Random
What is the "don't reinvent the wheel" principle in Java programming, and what process should you follow when you need a specific functionality?
The "don't reinvent the wheel" principle: The practice of using existing library code rather than writing your own implementation of common functionality.
Process to follow when you need functionality:
Check the Java Platform Libraries first
java.lang
, java.util
, java.io
Look for high-quality third-party libraries
Implement it yourself only as a last resort
Benefits of using library code:
Remember: Even if something seems relatively simple to implement, a well-tested library version is almost always preferable.
What is the transferTo method added in Java 9, and how does it simplify I/O operations compared to pre-Java 9 approaches?
The transferTo
method added to InputStream
in Java 9 provides a simple way to transfer all bytes from an input stream to an output stream.
Method signature:
public long transferTo(OutputStream out) throws IOException
Benefits:
Example usage (printing URL contents):
// Java 9+ approach public static void main(String[] args) throws IOException { try (InputStream in = new URL(args[0]).openStream()) { in.transferTo(System.out); } }
Pre-Java 9 equivalent:
// Pre-Java 9 approach public static void main(String[] args) throws IOException { try (InputStream in = new URL(args[0]).openStream()) { byte[] buffer = new byte[8192]; int bytesRead; while ((bytesRead = in.read(buffer)) != -1) { System.out.write(buffer, 0, bytesRead); } } }
The new method handles all the buffer management, read/write loop, and proper exception handling internally, significantly reducing code complexity for common I/O operations.
How should objects be correctly referenced in variable declarations to maximize flexibility?
Good practice:
// Good - uses interface as type Set<String> itemSet = new LinkedHashSet<>();
Poor practice:
// Bad - uses implementation class as type LinkedHashSet<String> itemSet = new LinkedHashSet<>();
Benefits:
Implementation changes only require updating the constructor call, not all variable declarations throughout the codebase.
What is the best limited approach to using reflection that minimizes its drawbacks?
Limited Reflection Pattern:
Example approach:
// Use reflection only to create the instance Class<? extends Set<String>> cl = (Class<? extends Set<String>>) Class.forName(className); Constructor<? extends Set<String>> cons = cl.getDeclaredConstructor(); Set<String> set = cons.newInstance(); // Then use normal interface methods (no more reflection) set.addAll(elements); set.remove(element);
Benefits:
What legitimate, rare use case exists for reflection that involves managing dependencies between versions?
Cross-version compatibility pattern:
When writing a package that must run against multiple versions of another package, you can:
Implementation approach:
Method newMethod = null; try { // Try to access a method that might not exist in older versions Class<?> cls = Class.forName("com.example.SomeClass"); newMethod = cls.getMethod("newFeatureMethod", String.class); } catch (ReflectiveOperationException e) { // Method or class doesn't exist - use fallback approach } // Later, when using the functionality: if (newMethod != null) { try { // Use the new feature if available return newMethod.invoke(instance, arg); } catch (Exception e) { // Handle failure } } else { // Use alternative implementation for backward compatibility return legacyApproach(instance, arg); }
This approach allows a single codebase to work across multiple versions without requiring the newest API version.
When is it legitimate to use JNI and native methods in modern Java applications?
Note: It's rarely advisable to use native methods purely for performance improvements - modern JVMs have greatly improved Java performance.
What three optimization aphorisms should every Java developer know?
"More computing sins are committed in the name of efficiency (without necessarily achieving it) than for any other single reason—including blind stupidity." —William A. Wulf
"We should forget about small efficiencies, say about 97% of the time: premature optimization is the root of all evil." —Donald E. Knuth
"We follow two rules in the matter of optimization: Rule 1. Don't do it. Rule 2 (for experts only). Don't do it yet—that is, not until you have a perfectly clear and unoptimized solution." —M. A. Jackson
Showing 10 of 44 cards. Add this deck to your collection to see all cards.