Flashcards for topic Creating and Destroying Objects
What are common naming conventions for static factory methods, and what does each type of name typically indicate about the method's behavior?
Common naming patterns:
from - Type-conversion method taking single parameter
Date d = Date.from(instant);
of - Aggregation method taking multiple parameters
Set<Rank> faceCards = EnumSet.of(JACK, QUEEN, KING);
valueOf - More verbose alternative to from/of
BigInteger prime = BigInteger.valueOf(Integer.MAX_VALUE);
instance/getInstance - Returns instance described by parameters (might be shared)
StackWalker luke = StackWalker.getInstance(options);
create/newInstance - Guarantees a new instance each call
Object newArray = Array.newInstance(classObject, arrayLen);
getType/newType/type - When factory is in different class
FileStore fs = Files.getFileStore(path); BufferedReader br = Files.newBufferedReader(path); List<Complaint> litany = Collections.list(legacyLitany);
What are the main limitations of both static factory methods and constructors that the Builder pattern addresses, and what are the three construction patterns compared in depth?
Main limitation: Both static factories and constructors don't scale well with many optional parameters.
Three construction patterns compared:
Telescoping Constructor Pattern
JavaBeans Pattern
Builder Pattern
The Builder pattern combines telescoping constructor safety with JavaBeans readability.
What is an enhanced version of the Builder pattern that could be used for class hierarchies? Include a code example showing how it works with inheritance.
Hierarchical Builder Pattern uses recursive generics to support inheritance in builders:
// Base class with abstract builder public abstract class Pizza { public enum Topping { HAM, MUSHROOM, ONION, PEPPER, SAUSAGE } final Set<Topping> toppings; // Abstract builder with recursive generic type parameter T abstract static class Builder<T extends Builder<T>> { EnumSet<Topping> toppings = EnumSet.noneOf(Topping.class); // Return this with appropriate subtype to allow method chaining public T addTopping(Topping topping) { toppings.add(topping); return self(); } abstract Pizza build(); // Subclasses must override this to return "this" protected abstract T self(); } Pizza(Builder<?> builder) { toppings = builder.toppings.clone(); } } // Concrete Pizza subclass with its Builder subclass public class NYPizza extends Pizza { public enum Size { SMALL, MEDIUM, LARGE } private final Size size; // NYPizza.Builder extends Pizza.Builder with appropriate type public static class Builder extends Pizza.Builder<Builder> { private final Size size; public Builder(Size size) { this.size = size; } @Override public NYPizza build() { return new NYPizza(this); } @Override protected Builder self() { return this; } } private NYPizza(Builder builder) { super(builder); size = builder.size; } } // Usage example NYPizza pizza = new NYPizza.Builder(Size.MEDIUM) .addTopping(Topping.SAUSAGE) .addTopping(Topping.ONION) .build();
Key features:
Builder<T extends Builder<T>>
creates recursive type parameterself()
method returns appropriate subtype to allow method chainingHow does making a class a singleton potentially impact testability, and what alternative patterns might you use when dependency injection is needed?
Making a class a singleton impacts testability by:
Alternative patterns for classes that need dependency injection:
public class SpellChecker { private final Lexicon dictionary; public SpellChecker(Lexicon dictionary) { this.dictionary = Objects.requireNonNull(dictionary); } public boolean isValid(String word) { /* use dictionary */ } }
public class SpellChecker { private final Lexicon dictionary; private SpellChecker(Lexicon dictionary) { this.dictionary = dictionary; } public static SpellChecker create(Lexicon dictionary) { return new SpellChecker(dictionary); } }
@Service public class SpellChecker { private final Lexicon dictionary; @Autowired public SpellChecker(Lexicon dictionary) { this.dictionary = dictionary; } }
These approaches allow resources to be parameterized rather than hardwired, improving flexibility and testability.
What is autoboxing in Java, how can it lead to performance issues, and what is the best practice to avoid these problems?
Autoboxing in Java:
Performance issues:
// Performance problem due to autoboxing private static long sum() { Long sum = 0L; // Uses wrapper class instead of primitive for (long i = 0; i <= Integer.MAX_VALUE; i++) { sum += i; // Each addition creates a new Long object } return sum; }
This creates approximately 2³¹ unnecessary Long instances because:
Best practice solution:
// Efficient version using primitives private static long sum() { long sum = 0L; // Uses primitive type for (long i = 0; i <= Integer.MAX_VALUE; i++) { sum += i; // Simple primitive operation, no boxing } return sum; }
Key guidelines:
Compare and contrast the recommendations in "Avoid creating unnecessary objects" versus "Eliminate obsolete object references", and explain how to balance these seemingly contradictory principles.
Balancing "Avoid creating unnecessary objects" vs. "Eliminate obsolete references":
| Avoid Creating Unnecessary Objects | Eliminate Obsolete References | |-----------------------------------|-------------------------------| | Focus on performance optimization | Focus on preventing memory leaks | | Reuse objects to reduce GC overhead | Null out references to enable GC | | Example: Use string literals instead of constructors | Example: Null elements in arrays after use |
Balancing principles:
Prioritize correctness over optimization:
Context-specific application:
Cost-benefit analysis:
Decision framework:
If class manages its own memory:
→ Always null out obsolete references
Else if object creation is in performance-critical path:
→ Look for object reuse opportunities
Else:
→ Favor code clarity over premature optimization
Defensive copying takes precedence:
Rule of thumb: The penalty for failing to eliminate obsolete references (memory leaks) is typically far greater than the penalty for creating unnecessary objects (performance hit).
What is the performance problem with the naive Roman numeral validation implementation, and how should it be fixed?
Performance problem: The naive implementation creates a new Pattern object for each validation, which is expensive because it compiles the regex into a finite state machine each time.
// Inefficient implementation static boolean isRomanNumeral(String s) { return s.matches("^(?=.)M*(C[MD]|D?C{0,3})" + "(X[CL]|L?X{0,3})(I[XV]|V?I{0,3})$"); }
Issues:
Optimized solution: Compile the Pattern once and reuse it for all validations.
// Efficient implementation public class RomanNumerals { // Compile pattern once and cache it as a class constant private static final Pattern ROMAN = Pattern.compile( "^(?=.)M*(C[MD]|D?C{0,3})(X[CL]|L?X{0,3})(I[XV]|V?I{0,3})$"); // Reuse the compiled pattern for each validation static boolean isRomanNumeral(String s) { return ROMAN.matcher(s).matches(); } }
Performance improvement:
Note: For truly optional patterns, consider lazy initialization, but this is generally unnecessary and complicates the code.
Why must the State class in a cleaner implementation be static, and what happens if it's not?
A State class used with cleaners must be static because:
Similarly, you shouldn't use a lambda for the cleaning action because lambdas can easily capture references to enclosing objects, creating the same circularity problem.
Proper design ensures State only holds the minimal resources needed for cleanup with no reference to the containing object.
Implement a complete pattern for a non-throwing resource access method with try-with-resources and a default value.
/** * Reads the first line from a file, returning a default value if anything goes wrong. * @param path Path to the file to read * @param defaultVal Value to return if reading fails * @return The first line of the file or defaultVal if an error occurs */ public static String firstLineOfFile(String path, String defaultVal) { try (BufferedReader br = new BufferedReader(new FileReader(path))) { return br.readLine(); } catch (IOException e) { return defaultVal; } }
Key features:
Explain the proper usage of cleaner for a class with native peers, with specific guidance on when to use each cleanup approach.
Guidelines for proper native peer cleanup:
For critical resources or performance-sensitive code:
For non-critical resources with acceptable performance impact:
For hybrid approach (recommended):
Implementation notes for native peers:
This approach provides balance between safety and performance.
Showing 10 of 45 cards. Add this deck to your collection to see all cards.