Flashcards for topic Enums and Annotations
What fundamental problem occurs when you attempt to have each enum constant put itself into a map from its own constructor, and why does this restriction exist?
This approach causes a compilation error because enum constructors aren't permitted to access the enum's static fields (except constant variables).
This restriction exists because:
NullPointerException
at runtimeFor example, this would fail:
public enum Planet { EARTH(5.975e+24, 6.378e6); private static final Map<String, Planet> registry = new HashMap<>(); Planet(double mass, double radius) { // This causes compilation error: registry.put(this.name(), this); // Cannot access static field } }
Instead, initialize maps after all constants are created:
private static final Map<String, Operation> stringToEnum = Stream.of(values()).collect(toMap(Object::toString, e -> e));
Explain the difference between annotation inheritance behavior versus method inheritance and its implications for test frameworks.
Key differences:
Method annotations are NOT inherited by default
Method inheritance follows standard OOP rules
Implications for test frameworks:
@Inherited
meta-annotation for class-level annotations// Finding all tests including inherited ones requires special handling for (Class<?> c = testClass; c != null; c = c.getSuperclass()) { for (Method m : c.getDeclaredMethods()) { if (m.isAnnotationPresent(Test.class)) { // Process test method } } }
What problem occurs when using ordinal() to index into arrays, and what's the recommended alternative pattern?
Problems with ordinal() indexing:
Recommended alternative: Use EnumMap instead
// Instead of: private static final Transition[][] TRANSITIONS = { { null, MELT, SUBLIME }, { FREEZE, null, BOIL }, { DEPOSIT, CONDENSE, null } }; // Use nested EnumMap: private static final Map<Phase, Map<Phase, Transition>> m = Stream.of(values()).collect(groupingBy(t -> t.from, () -> new EnumMap<>(Phase.class), toMap(t -> t.to, t -> t, (x, y) -> y, () -> new EnumMap<>(Phase.class))));
How would you implement a nested EnumMap to represent relationships between pairs of enum values (like phase transitions between different states of matter)?
A nested EnumMap for enum pairs requires:
public enum Phase { SOLID, LIQUID, GAS; public enum Transition { MELT(SOLID, LIQUID), FREEZE(LIQUID, SOLID), BOIL(LIQUID, GAS), CONDENSE(GAS, LIQUID), SUBLIME(SOLID, GAS), DEPOSIT(GAS, SOLID); private final Phase from; private final Phase to; Transition(Phase from, Phase to) { this.from = from; this.to = to; } } }
private static final Map<Phase, Map<Phase, Transition>> m = Stream.of(values()).collect(groupingBy(t -> t.from, () -> new EnumMap<>(Phase.class), toMap(t -> t.to, t -> t, (x, y) -> y, () -> new EnumMap<>(Phase.class))));
public static Transition from(Phase from, Phase to) { return m.get(from).get(to); }
This provides type safety, better performance, and easier maintenance than arrays indexed by ordinals.
How do you implement a marker annotation type that designates simple tests, and what meta-annotations would you use?
A marker annotation (one without elements/parameters) for designating test methods:
import java.lang.annotation.*; /** * Indicates that the annotated method is a test method. * Use only on parameterless static methods. */ @Retention(RetentionPolicy.RUNTIME) @Target(ElementType.METHOD) public @interface Test { // No elements - this is a marker annotation }
Meta-annotations explained:
@Retention(RetentionPolicy.RUNTIME)
:
@Target(ElementType.METHOD)
:
Usage example:
public class SampleTest { @Test // Marks this method to be run by test framework public static void testMethod() { // Test code here } }
A test runner would use reflection to find all methods annotated with @Test:
for (Method m : testClass.getDeclaredMethods()) { if (m.isAnnotationPresent(Test.class)) { // Run test method } }
What are the exact requirements to create a repeatable annotation, and why is proper configuration critical?
To create a repeatable annotation:
Create the base annotation with @Repeatable(ContainerType.class)
:
@Retention(RetentionPolicy.RUNTIME) @Target(ElementType.METHOD) @Repeatable(ExceptionTestContainer.class) public @interface ExceptionTest { Class<? extends Exception> value(); }
Create a container annotation with the same retention and target:
@Retention(RetentionPolicy.RUNTIME) @Target(ElementType.METHOD) public @interface ExceptionTestContainer { ExceptionTest[] value(); }
Critical considerations:
value()
method returning an array of the repeatable annotationHow does reflection handle an annotation with a Class<?>
parameter, and what common error must be handled?
When retrieving a Class<?>
parameter via reflection:
// Getting annotation with Class<?> parameter ExceptionTest excTest = method.getAnnotation(ExceptionTest.class); Class<? extends Exception> excType = excTest.value(); // Using the Class<?> parameter if (excType.isInstance(exception)) { // The exception is of the expected type }
Common error: TypeNotPresentException
try { Class<?> excType = annotation.value(); // Use the class... } catch (TypeNotPresentException e) { System.err.println("Referenced class not found: " + e.typeName()); }
What is the critical error in the following equals method implementation, and why does it fail?
public boolean equals(Bigram b) { return b.first == first && b.second == second; }
This equals method does not properly override Object.equals because it has the wrong parameter type:
equals(Object o)
equals(Bigram b)
Correct implementation:
@Override public boolean equals(Object o) { if (!(o instanceof Bigram)) return false; Bigram b = (Bigram) o; return b.first == first && b.second == second; }
When implementing the equals() method in a class, what are the exact issues that the @Override annotation helps catch that would otherwise manifest as subtle runtime bugs?
The @Override annotation for equals() catches several subtle issues:
Parameter Type Problems:
equals(MyClass o)
instead of equals(Object o)
Method Coexistence Bugs:
Signature Deviations:
Inheritance Chain Issues:
These issues typically cause difficult-to-debug equality problems in collections, serialization, and comparison operations.
Describe precisely why an incorrect equals() implementation that takes a specific type parameter instead of Object causes a logical error in collections like HashSet.
When equals() takes a specific type parameter instead of Object:
// Incorrect implementation public boolean equals(Bigram b) { // specific type parameter return b.first == first && b.second == second; }
This causes collection failures because:
Method Resolution Problem:
Object.equals(Object o)
equals(Bigram b)
doesn't override but overloads Object.equals()Collection Behavior:
Concrete Example:
Set<Bigram> set = new HashSet<>(); set.add(new Bigram('a', 'b')); set.add(new Bigram('a', 'b')); // Should be a duplicate System.out.println(set.size()); // Prints 2 instead of 1
Root Cause:
Showing 10 of 43 cards. Add this deck to your collection to see all cards.